code stringlengths 1 1.72M | language stringclasses 1 value |
|---|---|
#!/usr/bin/env python
# -*- coding: utf8 -*-
# Plural-Forms for tr (Turkish)
nplurals=1 # Turkish language has ONE form!
# Always returns 0:
get_plural_id = lambda n: 0
# Construct and return plural form of *word* using
# *plural_id* (which ALWAYS>0). This function will be executed
# for words (or phrases) not found in plural_dict dictionary
# construct_plural_form = lambda word, plural_id: word
| Python |
#!/usr/bin/env python
# -*- coding: utf8 -*-
# Plural-Forms for lt (Lithuanian)
nplurals=3 # Lithuanian language has 3 forms:
# 1 singular and 2 plurals
# Determine plural_id for number *n* as sequence of positive
# integers: 0,1,...
# NOTE! For singular form ALWAYS return plural_id = 0
get_plural_id = lambda n: (0 if n % 10 == 1 and n % 100 != 11 else
1 if n % 10 >= 2 and (n % 100 < 10 or n % 100 >= 20) else
2)
# Construct and return plural form of *word* using
# *plural_id* (which ALWAYS>0). This function will be executed
# for words (or phrases) not found in plural_dict dictionary
# construct_plural_form = lambda word, plural_id: (word + 'suffix')
| Python |
#!/usr/bin/env python
# -*- coding: utf8 -*-
# Plural-Forms for id (Indonesian)
nplurals=2 # Indonesian language has 2 forms:
# 1 singular and 1 plural
# Determine plural_id for number *n* as sequence of positive
# integers: 0,1,...
# NOTE! For singular form ALWAYS return plural_id = 0
get_plural_id = lambda n: int(n != 1)
# Construct and return plural form of *word* using
# *plural_id* (which ALWAYS>0). This function will be executed
# for words (or phrases) not found in plural_dict dictionary
# construct_plural_form = lambda word, plural_id: (word + 'suffix')
| Python |
"""
Usage: in web2py models/db.py
from gluon.contrib.heroku import get_db
db = get_db()
"""
import os
from gluon import *
from gluon.dal import ADAPTERS, UseDatabaseStoredFile,PostgreSQLAdapter
class HerokuPostgresAdapter(UseDatabaseStoredFile,PostgreSQLAdapter):
drivers = ('psycopg2',)
uploads_in_blob = True
ADAPTERS['postgres'] = HerokuPostgresAdapter
def get_db(name = None, pool_size=10):
if not name:
names = [n for n in os.environ.keys()
if n[:18]+n[-4:]=='HEROKU_POSTGRESQL__URL']
if names:
name = names[0]
if name:
db = DAL(os.environ[name], pool_size=pool_size)
current.session.connect(current.request, current.response, db=db)
else:
db = DAL('sqlite://heroku.test.sqlite')
return db
| Python |
# -*- coding: utf-8 -*-
"""
pbkdf2
~~~~~~
This module implements pbkdf2 for Python. It also has some basic
tests that ensure that it works. The implementation is straightforward
and uses stdlib only stuff and can be easily be copy/pasted into
your favourite application.
Use this as replacement for bcrypt that does not need a c implementation
of a modified blowfish crypto algo.
Example usage:
>>> pbkdf2_hex('what i want to hash', 'the random salt')
'fa7cc8a2b0a932f8e6ea42f9787e9d36e592e0c222ada6a9'
How to use this:
1. Use a constant time string compare function to compare the stored hash
with the one you're generating::
def safe_str_cmp(a, b):
if len(a) != len(b):
return False
rv = 0
for x, y in izip(a, b):
rv |= ord(x) ^ ord(y)
return rv == 0
2. Use `os.urandom` to generate a proper salt of at least 8 byte.
Use a unique salt per hashed password.
3. Store ``algorithm$salt:costfactor$hash`` in the database so that
you can upgrade later easily to a different algorithm if you need
one. For instance ``PBKDF2-256$thesalt:10000$deadbeef...``.
:copyright: (c) Copyright 2011 by Armin Ronacher.
:license: BSD, see LICENSE for more details.
"""
import hmac
import hashlib
from struct import Struct
from operator import xor
from itertools import izip, starmap
_pack_int = Struct('>I').pack
def pbkdf2_hex(data, salt, iterations=1000, keylen=24, hashfunc=None):
"""Like :func:`pbkdf2_bin` but returns a hex encoded string."""
return pbkdf2_bin(data, salt, iterations, keylen, hashfunc).encode('hex')
def pbkdf2_bin(data, salt, iterations=1000, keylen=24, hashfunc=None):
"""Returns a binary digest for the PBKDF2 hash algorithm of `data`
with the given `salt`. It iterates `iterations` time and produces a
key of `keylen` bytes. By default SHA-1 is used as hash function,
a different hashlib `hashfunc` can be provided.
"""
hashfunc = hashfunc or hashlib.sha1
mac = hmac.new(data, None, hashfunc)
def _pseudorandom(x, mac=mac):
h = mac.copy()
h.update(x)
return map(ord, h.digest())
buf = []
for block in xrange(1, -(-keylen // mac.digest_size) + 1):
rv = u = _pseudorandom(salt + _pack_int(block))
for i in xrange(iterations - 1):
u = _pseudorandom(''.join(map(chr, u)))
rv = starmap(xor, izip(rv, u))
buf.extend(rv)
return ''.join(map(chr, buf))[:keylen]
def test():
failed = []
def check(data, salt, iterations, keylen, expected):
rv = pbkdf2_hex(data, salt, iterations, keylen)
if rv != expected:
print 'Test failed:'
print ' Expected: %s' % expected
print ' Got: %s' % rv
print ' Parameters:'
print ' data=%s' % data
print ' salt=%s' % salt
print ' iterations=%d' % iterations
print
failed.append(1)
# From RFC 6070
check('password', 'salt', 1, 20,
'0c60c80f961f0e71f3a9b524af6012062fe037a6')
check('password', 'salt', 2, 20,
'ea6c014dc72d6f8ccd1ed92ace1d41f0d8de8957')
check('password', 'salt', 4096, 20,
'4b007901b765489abead49d926f721d065a429c1')
check('passwordPASSWORDpassword', 'saltSALTsaltSALTsaltSALTsaltSALTsalt',
4096, 25, '3d2eec4fe41c849b80c8d83662c0e44a8b291a964cf2f07038')
check('pass\x00word', 'sa\x00lt', 4096, 16,
'56fa6aa75548099dcc37d7f03425e0c3')
# This one is from the RFC but it just takes for ages
##check('password', 'salt', 16777216, 20,
## 'eefe3d61cd4da4e4e9945b3d6ba2158c2634e984')
# From Crypt-PBKDF2
check('password', 'ATHENA.MIT.EDUraeburn', 1, 16,
'cdedb5281bb2f801565a1122b2563515')
check('password', 'ATHENA.MIT.EDUraeburn', 1, 32,
'cdedb5281bb2f801565a1122b25635150ad1f7a04bb9f3a333ecc0e2e1f70837')
check('password', 'ATHENA.MIT.EDUraeburn', 2, 16,
'01dbee7f4a9e243e988b62c73cda935d')
check('password', 'ATHENA.MIT.EDUraeburn', 2, 32,
'01dbee7f4a9e243e988b62c73cda935da05378b93244ec8f48a99e61ad799d86')
check('password', 'ATHENA.MIT.EDUraeburn', 1200, 32,
'5c08eb61fdf71e4e4ec3cf6ba1f5512ba7e52ddbc5e5142f708a31e2e62b1e13')
check('X' * 64, 'pass phrase equals block size', 1200, 32,
'139c30c0966bc32ba55fdbf212530ac9c5ec59f1a452f5cc9ad940fea0598ed1')
check('X' * 65, 'pass phrase exceeds block size', 1200, 32,
'9ccad6d468770cd51b10e6a68721be611a8b4d282601db3b36be9246915ec82a')
raise SystemExit(bool(failed))
if __name__ == '__main__':
test()
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# This module provides a simple API for Paymentech(c) payments
# The original code was taken from this web2py issue post
# http://code.google.com/p/web2py/issues/detail?id=1170 by Adnan Smajlovic
#
# Copyright (C) <2012> Alan Etkin <spametki@gmail.com>
# License: BSD
#
import sys, httplib, urllib, urllib2
from xml.dom.minidom import parseString
# TODO: input validation, test, debugging output
class PaymenTech(object):
"""
The base class for connecting to the Paymentech service
Format notes
============
- Credit card expiration date (exp argument) must be of mmyyyy form
- The amount is an all integers string with two decimal places:
For example, $2.15 must be formatted as "215"
Point of sale and service options (to be passed on initialization)
==================================================================
user
password
industry
message
bin_code
merchant
terminal
(WARNING!: this is False by default)
development <bool>
(the following arguments have default values)
target
host
api_url
Testing
=======
As this module consumes webservice methods, it should be tested
with particular user data with the paymentech development environment
The simplest test would be running something like the following:
from paymentech import PaymenTech
# Read the basic point of sale argument list required above
# Remember to use development = True!
pos_data = {'user': <username>, ...}
# The data arguments are documented in the .charge() method help
charge_test = {'account': <account>, ...}
mypayment = PaymentTech(**pos_data)
result = mypayment.charge(**charge_test)
print "##################################"
print "# Charge test result #"
print "##################################"
print result
#################################################################
# Notes for web2py implementations #
#################################################################
# A recommended model for handling payments
# Store this constants in a private model file (i.e. 0_private.py)
PAYMENTECH_USER = <str>
PAYMENTECH_PASSWORD = <str>
PAYMENTECH_INDUSTRY = <str>
PAYMENTECH_MESSAGE = <str>
PAYMENTECH_BIN_CODE= <str>
PAYMENTECH_MERCHANT = <str>
PAYMENTECH_terminal = <str>
DEVELOPMENT = True
PAYMENTECH_TARGET = <str>
PAYMENTECH_HOST = <str>
PAYMENTECH_API_URL = <str>
# The following table would allow passing data with web2py and to
# update records with the webservice authorization output by using
# the DAL
#
# For example:
#
# # Create a PaymenTech instance
# mypaymentech = paymentech.PaymenTech(user=PAYMENTECH_USER, ...)
#
# # Fetch a payment inserted within the app
# myrow = db.paymentech[<id>]
#
# # Send the authorization request to the webservice
# result = mypaymentech.charge(myrow.as_dict())
#
# # Update the db record with the webservice response
# myrow.update_record(**result)
db.define_table("paymentech",
Field("account"),
Field("exp", comment="Must be of the mmyyyy form"),
Field("currency_code"),
Field("currency_exponent"),
Field("card_sec_val_ind"),
Field("card_sec_val"),
Field("avs_zip"),
Field("avs_address_1"),
Field("avs_address_2"),
Field("avs_city"),
Field("avs_state"),
Field("avs_phone"),
Field("avs_country"),
Field("profile_from_order_ind"),
Field("profile_order_override_ind"),
Field("order_id"),
Field("amount",
comment="all integers with two decimal digits, \
without dot separation"),
Field("header"),
Field("status_code"),
Field("status_message"),
Field("resp_code"),
Field("tx_ref_num"),
format="%(order_id)s")
TODO: add model form validators (for exp date and amount)
"""
charge_xml = """
<?xml version="1.0" encoding="UTF-8"?>
<Request>
<NewOrder>
<OrbitalConnectionUsername>%(user)s</OrbitalConnectionUsername>
<OrbitalConnectionPassword>%(password)s</OrbitalConnectionPassword>
<IndustryType>%(industry)s</IndustryType>
<MessageType>%(message)s</MessageType>
<BIN>%(bin)s</BIN>
<MerchantID>%(merchant)s</MerchantID>
<TerminalID>%(terminal)s</TerminalID>
<AccountNum>%(account)s</AccountNum>
<Exp>%(exp)s</Exp>
<CurrencyCode>%(currency_code)s</CurrencyCode>
<CurrencyExponent>%(currency_exponent)s</CurrencyExponent>
<CardSecValInd>%(card_sec_val_ind)s</CardSecValInd>
<CardSecVal>%(card_sec_val)s</CardSecVal>
<AVSzip>%(avs_zip)s</AVSzip>
<AVSaddress1>%(avs_address_1)s</AVSaddress1>
<AVSaddress2>%(avs_address_2)s</AVSaddress2>
<AVScity>%(avs_city)s</AVScity>
<AVSstate>%(avs_state)s</AVSstate>
<AVSphoneNum>%(avs_phone)s</AVSphoneNum>
<AVScountryCode>%(avs_country)s</AVScountryCode>
<CustomerProfileFromOrderInd>%(profile_from_order_ind)s</CustomerProfileFromOrderInd>
<CustomerProfileOrderOverrideInd>%(profile_order_override_ind)s</CustomerProfileOrderOverrideInd>
<OrderID>%(order_id)s</OrderID>
<Amount>%(amount)s</Amount>
</NewOrder>
</Request>
"""
def __init__(self, development=False, user=None, password=None,
industry=None, message=None, api_url=None,
bin_code=None, merchant=None, host=None,
terminal=None, target=None):
# PaymenTech point of sales data
self.user = user
self.password = password
self.industry = industry
self.message = message
self.bin_code = bin_code
self.merchant = merchant
self.terminal = terminal
# Service options
self.development = development
self.target = target
self.host = host
self.api_url = api_url
# dev: https://orbitalvar1.paymentech.net/authorize:443
# prod: https://orbital1.paymentech.net/authorize
if self.development is False:
if not self.target:
# production
self.target = "https://orbital1.paymentech.net/authorize"
self.host, self.api_url = \
urllib2.splithost(urllib2.splittype(self.target)[1])
else:
if not self.target:
# development
self.target = "https://orbitalvar1.paymentech.net/authorize"
if not self.host:
self.host = "orbitalvar1.paymentech.net/authorize:443"
if not self.api_url:
self.api_url = "/"
def charge(self, raw=None, **kwargs):
"""
Post an XML request to Paymentech
This is an example of a call with raw xml data:
from paymentech import PaymenTech
# Note: user/password/etc data is not mandatory as it
# is retrieved from instance attributes (set on init)
pt = PaymenTech(user="<myuser>",
password="<mypassword>",
...) # see basic user in the class help
result = pt.charge(raw=xml_string)
A better way to make a charge request is to unpack a dict object
with the operation data:
...
# The complete input values are listed below in
# "Transacion data..."
charge_data = dict(account=<str>, exp=<str mmyyyy>, ...)
result = pt.charge(**charge_data)
Variable xml_string contains all details about the order,
plus we are sending username/password in there too...
Transaction data (to be passed to the charge() method)
======================================================
(Note that it is possible to override the class user,
pass, etc. passing those arguments to the .charge() method,
which are documented in the class help)
account
exp <str mmyyyy>
currency_code
currency_exponent
card_sec_val_ind
card_sec_val
avs_zip
avs_address_1
avs_address_2
avs_city
avs_state
avs_phone
avs_country
profile_from_order_ind
profile_order_override_ind
order_id
amount <str> (all integers with two decimal digits, without dot
separation)
Request header example
======================
Request: sent as POST to https://orbitalvar1.paymentech.net/authorize:443
from 127.0.0.1
request headers:
Content-Type: application/PTI45
Content-Type: application/PTI46
Content-transfer-encoding: text
Request-number: 1
Document-type: Request
Trace-number: 1234556446
<?xml version="1.0" encoding="UTF-8"?>
"""
# default charge data
data = dict(user=self.user, password=self.password,
industry=self.industry, message=self.message,
bin_code=self.bin_code, merchant=self.merchant,
terminal=self.terminal, account="", exp="",
currency_code="", currency_exponent="",
card_sec_val_ind="", card_sec_val="", avs_zip="",
avs_address_1="", avs_address_2="", avs_city="",
avs_state="", avs_phone="", avs_country="",
profile_from_order_ind="",
profile_order_override_ind="", order_id="",
amount="")
result = dict()
# Complete the charge request with the method kwargs
for k, v in kwargs.iteritems():
data[k] = v
status_code = status_message = header = resp_code = \
tx_ref_num = order_id = None
conn = httplib.HTTPS(self.host)
conn.putrequest('POST', self.api_url)
if self.development:
content_type = "PTI56"
else:
content_type = "PTI46"
if raw is None:
xml_string = self.charge_xml % data
else:
xml_string = raw
conn.putheader("Content-Type",
"application/%s") % content_type
conn.putheader("Content-transfer-encoding", "text")
conn.putheader("Request-number", "1")
conn.putheader("Content-length", str(len(xml_string)))
conn.putheader("Document-type", "Request")
conn.putheader("Trace-number", str(data["order_id"]))
conn.putheader("MIME-Version", "1.0")
conn.endheaders()
conn.send(xml_string)
result["status_code"], result["status_message"], \
result["header"] = conn.getreply()
fp = conn.getfile()
output = fp.read()
fp.close()
dom = parseString(output)
result["resp_code"] = \
dom.getElementsByTagName('RespCode')[0].firstChild.data
result["tx_ref_num"] = \
dom.getElementsByTagName('TxRefNum')[0].firstChild.data
result["order_id"] = \
dom.getElementsByTagName('CustomerRefNum')[0].firstChild.data
return result
| Python |
# -*- coding: utf-8 -*-
#######################################################################
#
# Put this file in yourapp/modules/images.py
#
# Given the model
#
# db.define_table("table_name", Field("picture", "upload"), Field("thumbnail", "upload"))
#
# # to resize the picture on upload
#
# from images import RESIZE
#
# db.table_name.picture.requires = RESIZE(200, 200)
#
# # to store original image in picture and create a thumbnail in 'thumbnail' field
#
# from images import THUMB
# db.table_name.thumbnail.compute = lambda row: THUMB(row.picture, 200, 200)
#########################################################################
from gluon import current
class RESIZE(object):
def __init__(self, nx=160, ny=80, error_message=' image resize'):
(self.nx, self.ny, self.error_message) = (nx, ny, error_message)
def __call__(self, value):
if isinstance(value, str) and len(value) == 0:
return (value, None)
from PIL import Image
import cStringIO
try:
img = Image.open(value.file)
img.thumbnail((self.nx, self.ny), Image.ANTIALIAS)
s = cStringIO.StringIO()
img.save(s, 'JPEG', quality=100)
s.seek(0)
value.file = s
except:
return (value, self.error_message)
else:
return (value, None)
def THUMB(image, nx=120, ny=120, gae=False, name='thumb'):
if image:
if not gae:
request = current.request
from PIL import Image
import os
img = Image.open(os.path.join(request.folder,'uploads',image))
img.thumbnail((nx, ny), Image.ANTIALIAS)
root, ext = os.path.splitext(image)
thumb = '%s_%s%s' % (root, name, ext)
img.save(request.folder + 'uploads/' + thumb)
return thumb
else:
return image
| Python |
# -*- coding: utf-8 -*-
"""
Developed by Massimo Di Pierro, optional component of web2py, GPL2 license.
"""
import re
import pickle
import copy
import simplejson
def quote(text):
return str(text).replace('\\', '\\\\').replace("'", "\\'")
class Node:
def __init__(self, name, value, url='.', readonly=False, active=True,
onchange=None, **kwarg):
self.url = url
self.name = name
self.value = str(value)
self.computed_value = ''
self.incoming = {}
self.outcoming = {}
self.readonly = readonly
self.active = active
self.onchange = onchange
self.size = 4
self.locked = False
def xml(self):
return """<input name="%s" id="%s" value="%s" size="%s"
onkeyup="ajax('%s/keyup',['%s'], ':eval');"
onfocus="ajax('%s/focus',['%s'], ':eval');"
onblur="ajax('%s/blur',['%s'], ':eval');" %s/>
""" % (self.name, self.name, self.computed_value, self.size,
self.url, self.name, self.url, self.name, self.url, self.name,
(self.readonly and 'readonly ') or '')
def __repr__(self):
return '%s:%s' % (self.name, self.computed_value)
class Sheet:
"""
Basic class for creating web spreadsheets
New features:
-dal spreadsheets:
It receives a Rows object instance and presents
the selected data in a cell per field basis (table rows
are sheet rows as well)
Input should be short extension data as numeric data
or math expressions but can be anything supported by
unicode.
-row(), column() and matrix() class methods:
These new methods allow to set bulk data sets
without calling .cell() for each node
Example::
# controller
from gluon.contrib.spreadsheet import Sheet
def callback():
return cache.ram('sheet1', lambda: None, None).process(request)
def index():
# standard spreadsheet method
sheet = cache.ram('sheet1',
lambda: Sheet(10, 10, URL(r=request, f='callback')), 0)
#sheet.cell('r0c3', value='=r0c0+r0c1+r0c2', readonly=True)
return dict(sheet=sheet)
def index():
# database spreadsheet method
sheet = cache.ram('sheet1',
lambda: Sheet(10, 10, URL(r=request, f='callback'),
data=db(db.mydata).select()), 0)
return dict(sheet=sheet)
# view
{{extend 'layout.html'}}
{{=sheet}}
or insert invidivual cells via
{{=sheet.nodes['r0c0']}}
Sheet stores a JavaScript w2p_spreadsheet_data object
for retrieving data updates from the client.
The data structure of the js object is as follows:
# columns: a dict with colname, column index map
# colnames: a dict with column index, colname map
# id_columns: list with id columns
# id_colnames: dict with id colname: column index map
# cells: dict of "rncn": value pairs
# modified: dict of modified cells for client-side
Also, there is a class method Sheet.update(data) that
processes the json data as sent by the client and
returns a set of db modifications (see the method help for
more details)
client JavaScript objects:
-var w2p_spreadsheet_data
Stores cell updates by key and
Used for updated cells control
-var w2p_spreadsheet_update_button
Stores the id of the update command
Used for event binding (update click)
var w2p_spreadsheet_update_result
object attributes:
modified - n updated records
errors - n errors
message - a message for feedback and errors
Stores the ajax db update call returned stats
and the db_callback string js
Used after calling w2p_spreadsheet_update_db()
-function w2p_spreadsheet_update_cell(a)
Used for responding to normal cell events
(encapsulates old behavior)
-function w2p_spreadsheet_update_db_callback(result)
Called after a background db update
-function w2p_spreadsheet_update_db()
Called for updating the database with
client data
First method: Sending data trough a form helper:
(the data payload must be inserted in a form field before
submission)
-Applying db changes made client-side
Example controller:
...
# present a submit button with the spreadsheet
form = SQLFORM.factory(Field("<name>",
"text",
readable=False, writable=False,
formname="<formname>"))
# submit button label
form.elements("input [type=submit]").attributes["_value"] = \
T("Update database")
form.elements("textarea")[0].attributes["_style"] = "display: none;"
w2p_spreadsheet_update_script = SCRIPT('''
jQuery(
function(){
jQuery("<formname>").submit(function(){
jQuery("[name=<name>]").val(JSON.stringify(
w2p_spreadsheet_data)
);
});
}
);
''')
# retrieve changes
if form.process().accepted:
data = form.vars.<name>
changes = Sheet.updated(data)
# Do db I/O:
for table, rows in changes.iteritems():
for row, values in rows.iteritems():
db[table][row].update_record(**values)
# the action view should expose {{=form}}, {{=sheet}}, {{=myscript}}
return dict(form=form, sheet=sheet,
myscript=w2p_spreadseet_update_script)
Second method: Sending data updates with .ajax()
-spreadsheet page's view:
{{
=INPUT(_type="button", _value="update data",
_id="w2p_spreadsheet_update_data")
}}
{{=SCRIPT('''
jQuery(function(){
jQuery("#w2p_spreadsheet_update_data").click(
function(){
jQuery.ajax({url: "%s",
type: "POST",
data:
{data:
JSON.stringify(w2p_spreadsheet_data)}
}
);
}
);
});
''' % URL(c="default", f="modified"))}}
-controller: modified function
def modified():
data = request.vars.data
changes = Sheet.updated(data)
# (for db I/O see first method)
return "ok"
Third method:
When creating a Sheet instance, pass a kwarg update_button=<button id>
This step will auto process the updated data with db I/O (requires calling
.process() with db=<DAL instance>). You must expose an html element which
supports the .click() event, i.e. a normal button.
# TODO:
# -¿SIGNED URLS?
# -Delete checkbox columns for each table and default
# -Deletable=True option for showing/hiding delete checkboxes
# -process() method support for db I/O
"""
regex = re.compile('(?<!\w)[a-zA-Z_]\w*')
pregex = re.compile('\d+')
re_strings = re.compile(r'(?P<name>'
+ r"[uU]?[rR]?'''([^']+|'{1,2}(?!'))*'''|"
+ r"'([^'\\]|\\.)*'|"
+ r'"""([^"]|"{1,2}(?!"))*"""|'
+ r'"([^"\\]|\\.)*")', re.DOTALL)
def dumps(self):
dump = pickle.dumps(self)
return dump
@staticmethod
def position(key):
""" Returns int row, int col for a 'rncn' formatted key'"""
try:
r, c = Sheet.pregex.findall(key)
r, c = int(r), int(c)
except (ValueError, IndexError, TypeError), e:
error = "%s. %s" % \
("Unexpected position parameter",
"Must be a key of type 'rncn'")
raise ValueError(error)
return r, c
@staticmethod
def loads(data):
sheet = pickle.loads(data)
return sheet
@staticmethod
def updated(data):
""" Reads spreadsheet update information sent client-side.
Returns a dict with updated database rows/fields.
Structure:
{<tablename>:{
<id>:{<fieldname>:<new value>,
<fieldname>:<new value>,
...
},
...
}
}
data dict argument:
# columns: (a dict with colname, column index map)
# colnames: (a dict with column index, colname map)
# id_columns: list with id columns
# id_colnames: dict with id colname: column index map
# cells: dict of "rncn": value pairs
# modified: dict of modified cells for client-side
"""
data = simplejson.loads(data)
# record update dict
changes = {}
# read column index per table
# table, id column map
tablenames = {}
for colname, i in data["id_colnames"].iteritems():
tablenames[colname.split(".")[0]] = i
# Separate multitable rows
# Identify each row id (old data)
# Build a dict with table/row/field
# update information.
# collect new data by row (modified):
for key, value in data["modified"].iteritems():
r, c = Sheet.position(key)
# don't apply repeated values
if data["cells"][key] != value:
# read tablename
tablename, fieldname = data["colnames"][str(c)].split(".")
# read db record id
row_id_key = "r%sc%s" % (r, tablenames[tablename])
row_id = data["cells"][row_id_key]
changes.setdefault(tablename, {})
changes[tablename].setdefault(row_id, {})
changes[tablename][row_id][fieldname] = value
return changes
def process(self, request, db=None, db_callback=None):
"""
call this in action that creates table, it will handle ajax callbacks
optional db (a DAL instance). It's required for db I/O
optional callback string. js commands to call after successful
ajax db update.
db_callback string format keys:
modified (number of rows updated)
"""
if not request.args(0) == "data":
# normal cell processing
cell = request.vars.keys()[0]
if request.args(0) == 'focus':
return "jQuery('#%(cell)s').val('%(value)s');" % \
dict(cell=cell, value=quote(self[cell].value))
value = request.vars[cell]
self[cell] = value
if request.args(0) == 'blur':
return "jQuery('#%(cell)s').val('%(value)s');" % \
dict(cell=cell, value=quote(self[cell].computed_value))
elif request.args(0) == 'keyup':
jquery = ''
for other_key in self.modified:
if other_key != cell:
jquery += "jQuery('#%(other_key)s').val('%(value)s');" % \
dict(other_key=other_key,
value=quote(self[other_key].computed_value))
else:
# spreadsheet db update
result = dict(modified=0,
errors=0,
message="",
db_callback="")
if db is not None:
data = request.vars["data"]
changes = self.updated(data)
# Do db I/O:
for table, rows in changes.iteritems():
for row, values in rows.iteritems():
db[table][row].update_record(**values)
result["modified"] += 1
if db_callback is not None:
result["db_callback"] = db_callback
else:
result["message"] = "Sheet.process Error. No db found."
return simplejson.dumps(result)
return jquery
def get_attributes(self, data):
attributes = {}
for k in data.keys():
if k.startswith("_"):
attributes[k] = data[k]
return attributes
def even_or_odd(self, v):
""" Used for table row stripping """
if v % 2 == 0:
return "even"
else:
return "odd"
def __init__(self, rows, cols, url='.', readonly=False,
active=True, onchange=None, value=None, data=None,
headers=None, update_button="", **kwarg):
"""
Arguments:
headers: a dict with "table.fieldname": name values
value: common value for all spreadsheet
(can be a lambda x, y: z or function reference)
Rows and cols values will be updated automatically to fit
the data boundaries when the data argument is a Rows object.
self.client: for storing sheet data client side
columns: a dict with colname, column index map
colnames: a dict with column index, colname map
id_columns: list with id columns
id_colnames: dict with id colname: column index map
cells: dict of "rncn": value pairs
modified: dict of modified cells for client-side
edition.
"""
self.rows = rows
self.cols = cols
self.url = url
self.nodes = {}
self.error = 'ERROR: %(error)s'
self.allowed_keywords = ['for', 'in', 'if', 'else', 'and', 'or', 'not',
'i', 'j', 'k', 'x', 'y', 'z', 'sum']
self.value = value
self.environment = {}
self.attributes = self.get_attributes(kwarg)
self.tr_attributes = {}
self.td_attributes = {}
self.data = data
self.readonly = readonly
self.update_button = update_button
self.client = {
"columns": {},
"colnames": {},
"id_columns": [],
"id_colnames": {},
"cells": {},
"modified": {},
"headers": headers
}
# if db and query:
if self.data is not None:
# retrieve row columns length
self.rows = len(self.data)
# retrieve rows length
self.cols = len(self.data.colnames)
# map row data to rncn values
for x, colname in enumerate(self.data.colnames):
self.client["columns"][colname] = x
self.client["colnames"][x] = colname
for x, row in enumerate(self.data):
for colname, y in self.client["columns"].iteritems():
key = "r%sc%s" % (x, y)
tablename, fieldname = colname.split(".")
try:
value = row[tablename][fieldname]
except (KeyError, AttributeError):
# single table query
value = row[fieldname]
self.client["cells"][key] = str(value)
# TODO: support different id keys
if ".id" in colname:
self.client["id_columns"].append(y)
self.client["id_colnames"][colname] = y
for k in xrange(self.rows * self.cols):
key = 'r%sc%s' % (k / self.cols, k % self.cols)
r, c = self.position(key)
if key in self.client["cells"]:
value = self.client["cells"][key]
# readonly id values
if c in self.client["id_columns"]:
readonly = True
else:
readonly = self.readonly
elif self.value is not None:
if callable(self.value):
value = self.value(r, c)
else:
value = self.value
else:
value = '0.00'
self.cell(key, value,
readonly, active, onchange)
exec('from math import *', {}, self.environment)
def delete_from(self, other_list):
indices = [k for (k, node) in enumerate(other_list) if k == node]
if indices:
del other_list[indices[0]]
def changed(self, node, changed_nodes=[]):
for other_node in node.outcoming:
if not other_node in changed_nodes:
changed_nodes.append(other_node)
self.changed(other_node, changed_nodes)
return changed_nodes
def define(self, name, obj):
self.environment[name] = obj
def cell(self, key, value, readonly=False, active=True,
onchange=None, **kwarg):
"""
key is the name of the cell
value is the initial value of the cell. It can be a formula "=1+3"
a cell is active if it evaluates formulas
Value can be a function(r, c) which returns a string
"""
if not self.regex.match(key):
raise SyntaxError, "Invalid cell name: %s" % key
else:
attributes = self.get_attributes(kwarg)
if attributes is not None:
self.td_attributes[key] = attributes
key = str(key)
r, c = self.position(key)
if callable(value):
value = value(r, c)
node = Node(key, value, self.url, readonly, active,
onchange, **kwarg)
self.nodes[key] = node
self[key] = value
def get_cell_arguments(self, data, default=None):
"""Reads cell arguments from a dict object"""
active = True
onchange = None
readonly = False
value = ""
if default is not None:
data.update(default)
if "active" in data:
active = data["active"]
if "readonly" in data:
readonly = data["readonly"]
if "onchange" in data:
onchange = data["onchange"]
if "value" in data:
value = data["value"]
return active, onchange, readonly, value
def row(self, row, cells, value=None, **kwarg):
# row: row index (0, 1, ...)
# cells: a sequence of values or a dict of dict with
# arg: value pairs
# one column example:
# {"0": {"value":1.0, "readonly":False, "active":True, "onchange":None}}
# value: common value for all cells
attributes = self.get_attributes(kwarg)
if attributes is not None:
self.tr_attributes[str(row)] = attributes
if isinstance(cells, dict):
for col, data in cells.iteritems():
key = "r%sc%s" % (row, col)
active, onchange, readonly, cell_value = \
self.get_cell_arguments(data, default=kwarg)
if value is None:
v = cell_value
else:
v = value
self.cell(key, v, active=active,
readonly=readonly,
onchange=onchange, **attributes)
else:
active, onchange, readonly, all_value = \
self.get_cell_arguments(kwarg)
for col, cell_value in enumerate(cells):
key = "r%sc%s" % (row, col)
if value is None:
v = cell_value
else:
v = value
self.cell(key, v, active=active,
onchange=onchange,
readonly=readonly, **attributes)
def column(self, col, cells, value=None, **kwarg):
"""
# col: column index (0, 1, ...)
# cells: a sequence of values or a dict of dict with
# arg: value pairs
# one row example:
# {"0": {"value":1.0, "readonly":False, "active":True, "onchange":None}}
# value: common value for all cells
"""
attributes = self.get_attributes(kwarg)
if isinstance(cells, dict):
for row, data in cells.iteritems():
key = "r%sc%s" % (row, col)
active, onchange, readonly, cell_value = \
self.get_cell_arguments(data, default=kwarg)
if value is None:
v = cell_value
else:
v = value
self.cell(key, v, active=active, readonly=readonly,
onchange=onchange, **attributes)
else:
active, onchange, readonly, all_value = \
self.get_cell_arguments(kwarg)
for row, cell_value in enumerate(cells):
key = "r%sc%s" % (row, col)
if value is None:
v = cell_value
else:
v = value
self.cell(key, v, active=active,
onchange=onchange, readonly=readonly,
**attributes)
def matrix(self, cells, starts="r0c0", ends=None, value=None, **kwarg):
"""
Insert a n x n matrix or a set of cells
# starts: upper left cell
# ends: lower right cell
# cells: a sequence of value sequences
# or a dict with "rncn" keys
# Example 1 cells:
# ((v11, v12, ... v1n),
(vn2, vn2, ... vnn))
# Example 2 cells:
# {"r0c0": {...}, ... "rncn": {...}}
# value: common value for all cells
"""
attributes = self.get_attributes(kwarg)
starts_r, starts_c = self.position(starts)
ends_r, ends_c = None, None
if ends is not None:
ends_r, ends_c = self.position(ends)
if isinstance(cells, dict):
for key, data in cells.iteritems():
r, c = self.position(key)
key = "r%sc%s" % (r + starts_r, c + starts_c)
active, onchange, readonly, cell_value = \
self.get_cell_arguments(data, default=kwarg)
if value is None:
v = cell_value
else:
v = value
if (ends is None) or ((ends_r >= r + starts_r) and
(ends_c >= c + starts_c)):
self.cell(key, v, active=active,
readonly=readonly,
onchange=onchange, **attributes)
else:
active, onchange, readonly, all_value = \
self.get_cell_arguments(kwarg)
for r, row in enumerate(cells):
for c, cell_value in enumerate(row):
if value is None:
v = cell_value
else:
v = value
key = "r%sc%s" % (r + starts_r, c + starts_c)
if (ends is None) or \
((ends_r >= r + starts_r) and
(ends_c >= c + starts_c)):
self.cell(key, v,
active=active,
onchange=onchange,
readonly=readonly,
**attributes)
def __setitem__(self, key, value):
key = str(key)
value = str(value)
node = self.nodes[key]
node.value = value
if value[:1] == '=' and node.active:
# clear all edges involving current node
for other_node in node.incoming:
del other_node.outcoming[node]
node.incoming.clear()
# build new edges
command = self.re_strings.sub("''", value[1:])
node.locked = False
for match in self.regex.finditer(command):
other_key = match.group()
if other_key == key:
self.computed_value = self.error % dict(error='cycle')
self.modified = {}
break
if other_key in self.nodes:
other_node = self.nodes[other_key]
other_node.outcoming[node] = True
node.incoming[other_node] = True
elif not other_key in self.allowed_keywords and \
not other_key in self.environment:
node.locked = True
node.computed_value = \
self.error % dict(
error='invalid keyword: ' + other_key)
self.modified = {}
break
self.compute(node)
else:
try:
node.computed_value = int(node.value)
except:
try:
node.computed_value = float(node.value)
except:
node.computed_value = node.value
self.environment[key] = node.computed_value
if node.onchange:
node.onchange(node)
self.modified = self.iterate(node)
def compute(self, node):
if node.value[:1] == '=' and not node.locked:
try:
exec('__value__=' + node.value[1:], {}, self.environment)
node.computed_value = self.environment['__value__']
del self.environment['__value__']
except Exception, e:
node.computed_value = self.error % dict(error=str(e))
self.environment[node.name] = node.computed_value
if node.onchange:
node.onchange(node)
def iterate(self, node):
output = {node.name: node.computed_value}
changed_nodes = self.changed(node)
while changed_nodes:
ok = False
set_changed_nodes = set(changed_nodes)
for (k, other_node) in enumerate(changed_nodes):
#print other_node, changed_nodes
if not set(other_node.incoming.keys()).\
intersection(set_changed_nodes):
#print 'ok'
self.compute(other_node)
output[other_node.name] = other_node.computed_value
#print other_node
del changed_nodes[k]
ok = True
break
if not ok:
return {}
return output
def __getitem__(self, key):
return self.nodes[str(key)]
def get_computed_values(self):
d = {}
for key in self.nodes:
node = self.nodes[key]
if node.value[:1] != '=' or not node.active:
d[key] = node.computed_value
return d
def set_computed_values(self, d):
for key in d:
if not key in self.nodes:
continue
node = self.nodes[key]
if node.value[:1] != '=' or not node.active:
node.value = d[key]
def sheet(self):
import gluon.html
(DIV, TABLE, TR, TD, TH, BR, SCRIPT) = \
(gluon.html.DIV, gluon.html.TABLE, gluon.html.TR, gluon.html.TD,
gluon.html.TH, gluon.html.BR, gluon.html.SCRIPT)
regex = re.compile('r\d+c\d+')
header = TR(TH(), *[TH('c%s' % c)
for c in range(self.cols)])
rows = []
for r in range(self.rows):
tds = [TH('r%s' % r), ]
for c in range(self.cols):
key = 'r%sc%s' % (r, c)
attributes = {"_class": "w2p_spreadsheet_col_%s" %
self.even_or_odd(c)}
if key in self.td_attributes:
attributes.update(self.td_attributes[key])
td = TD(self.nodes[key], **attributes)
tds.append(td)
attributes = {"_class": "w2p_spreadsheet_row_%s" %
self.even_or_odd(r)}
if str(r) in self.tr_attributes:
attributes.update(self.tr_attributes[str(r)])
rows.append(TR(*tds, **attributes))
attributes = {"_class": "w2p_spreadsheet"}
attributes.update(self.attributes)
table = TABLE(header, *rows, **self.attributes)
if len(self.client["cells"]) >= 1:
data = SCRIPT(
"""
var w2p_spreadsheet_data = %(data)s;
var w2p_spreadsheet_update_button = "%(update_button)s";
var w2p_spreadsheet_update_result = null;
function w2p_spreadsheet_update_cell(a){
// update data
w2p_spreadsheet_data.modified[this.id] = this.value;
}
function w2p_spreadsheet_update_db_callback(result){
w2p_spreadsheet_update_result = result;
eval(w2p_spreadsheet_update_result.db_callback);
}
function w2p_spreadsheet_update_db(){
// ajax background db update
jQuery.ajax({url: "%(url)s/data",
type: "POST",
data:
{data: JSON.stringify(w2p_spreadsheet_data)},
dataType: "json",
success: w2p_spreadsheet_update_db_callback
});
}
// add onchange cell update event
jQuery(function(){
jQuery(".%(name)s input").change(w2p_spreadsheet_update_cell);
});
if (w2p_spreadsheet_update_button != ""){
jQuery(function(){
jQuery("#" + w2p_spreadsheet_update_button).click(
w2p_spreadsheet_update_db);
});
}
""" % dict(data=simplejson.dumps(self.client),
name=attributes["_class"],
url=self.url,
update_button=self.update_button))
# extra row for fieldnames
unsorted_headers = []
if self.client["headers"] is not None:
for fieldname, name in self.client["headers"].iteritems():
unsorted_headers.append((self.client["columns"][fieldname],
name))
else:
for fieldname, c in self.client["columns"].iteritems():
unsorted_headers.append((c, fieldname))
sorted_headers = [TH(), ] + \
[TH(header[1]) for header in sorted(unsorted_headers)]
table.insert(0, TR(*sorted_headers,
**{_class: "%s_fieldnames" %
attributes["_class"]}))
else:
data = SCRIPT(""" // web2py Spreadsheets: no db data.""")
return DIV(table,
BR(),
TABLE(*[TR(TH(key), TD(self.nodes[key]))
for key in self.nodes if not regex.match(key)]),
data, **attributes)
def xml(self):
return self.sheet().xml()
if __name__ == '__main__':
s = Sheet(0, 0)
s.cell('a', value="2")
s.cell('b', value="=sin(a)")
s.cell('c', value="=cos(a)**2+b*b")
print s['c'].computed_value
| Python |
# pyuca - Unicode Collation Algorithm
# Version: 2012-06-21
#
# James Tauber
# http://jtauber.com/
# Copyright (c) 2006-2012 James Tauber and contributors
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
"""
Preliminary implementation of the Unicode Collation Algorithm.
This only implements the simple parts of the algorithm but I have successfully
tested it using the Default Unicode Collation Element Table (DUCET) to collate
Ancient Greek correctly.
Usage example:
from pyuca import Collator
c = Collator("allkeys.txt")
sorted_words = sorted(words, key=c.sort_key)
allkeys.txt (1 MB) is available at
http://www.unicode.org/Public/UCA/latest/allkeys.txt
but you can always subset this for just the characters you are dealing with.
"""
class Node:
def __init__(self):
self.value = None
self.children = {}
class Trie:
def __init__(self):
self.root = Node()
def add(self, key, value):
curr_node = self.root
for part in key:
curr_node = curr_node.children.setdefault(part, Node())
curr_node.value = value
def find_prefix(self, key):
curr_node = self.root
remainder = key
for part in key:
if part not in curr_node.children:
break
curr_node = curr_node.children[part]
remainder = remainder[1:]
return (curr_node.value, remainder)
class Collator:
def __init__(self, filename):
self.table = Trie()
self.load(filename)
def load(self, filename):
for line in open(filename):
if line.startswith("#") or line.startswith("%"):
continue
if line.strip() == "":
continue
line = line[:line.find("#")] + "\n"
line = line[:line.find("%")] + "\n"
line = line.strip()
if line.startswith("@"):
pass
else:
semicolon = line.find(";")
charList = line[:semicolon].strip().split()
x = line[semicolon:]
collElements = []
while True:
begin = x.find("[")
if begin == -1:
break
end = x[begin:].find("]")
collElement = x[begin:begin+end+1]
x = x[begin + 1:]
alt = collElement[1]
chars = collElement[2:-1].split(".")
collElements.append((alt, chars))
integer_points = [int(ch, 16) for ch in charList]
self.table.add(integer_points, collElements)
def sort_key(self, string):
collation_elements = []
lookup_key = [ord(ch) for ch in string]
while lookup_key:
value, lookup_key = self.table.find_prefix(lookup_key)
if not value:
# Calculate implicit weighting for CJK Ideographs
# contributed by David Schneider 2009-07-27
# http://www.unicode.org/reports/tr10/#Implicit_Weights
value = []
value.append((".", ["%X" % (0xFB40 + (lookup_key[0] >> 15)), "0020", "0002", "0001"]))
value.append((".", ["%X" % ((lookup_key[0] & 0x7FFF) | 0x8000), "0000", "0000", "0000"]))
lookup_key = lookup_key[1:]
collation_elements.extend(value)
sort_key = []
for level in range(4):
if level:
sort_key.append(0) # level separator
for element in collation_elements:
ce_l = int(element[1][level], 16)
if ce_l:
sort_key.append(ce_l)
return tuple(sort_key)
| Python |
import os
import pyuca
unicode_collator = None
def set_unicode_collator(file):
global unicode_collator
unicode_collator = pyuca.Collator(file)
set_unicode_collator(os.path.join(os.path.dirname(__file__), 'allkeys.txt'))
| Python |
#!/usr/bin/python
#
# Copyright 2007 Google Inc.
# Licensed to PSF under a Contributor Agreement.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
# implied. See the License for the specific language governing
# permissions and limitations under the License.
"""A fast, lightweight IPv4/IPv6 manipulation library in Python.
This library is used to create/poke/manipulate IPv4 and IPv6 addresses
and networks.
"""
__version__ = 'branches/3144'
import struct
IPV4LENGTH = 32
IPV6LENGTH = 128
class AddressValueError(ValueError):
"""A Value Error related to the address."""
class NetmaskValueError(ValueError):
"""A Value Error related to the netmask."""
def ip_address(address, version=None):
"""Take an IP string/int and return an object of the correct type.
Args:
address: A string or integer, the IP address. Either IPv4 or
IPv6 addresses may be supplied; integers less than 2**32 will
be considered to be IPv4 by default.
version: An Integer, 4 or 6. If set, don't try to automatically
determine what the IP address type is. important for things
like ip_address(1), which could be IPv4, '0.0.0.1', or IPv6,
'::1'.
Returns:
An IPv4Address or IPv6Address object.
Raises:
ValueError: if the string passed isn't either a v4 or a v6
address.
"""
if version:
if version == 4:
return IPv4Address(address)
elif version == 6:
return IPv6Address(address)
try:
return IPv4Address(address)
except (AddressValueError, NetmaskValueError):
pass
try:
return IPv6Address(address)
except (AddressValueError, NetmaskValueError):
pass
raise ValueError('%r does not appear to be an IPv4 or IPv6 address' %
address)
def ip_network(address, version=None):
"""Take an IP string/int and return an object of the correct type.
Args:
address: A string or integer, the IP network. Either IPv4 or
IPv6 networks may be supplied; integers less than 2**32 will
be considered to be IPv4 by default.
version: An Integer, if set, don't try to automatically
determine what the IP address type is. important for things
like ip_network(1), which could be IPv4, '0.0.0.1/32', or IPv6,
'::1/128'.
Returns:
An IPv4Network or IPv6Network object.
Raises:
ValueError: if the string passed isn't either a v4 or a v6
address. Or if the network has host bits set.
"""
if version:
if version == 4:
return IPv4Network(address)
elif version == 6:
return IPv6Network(address)
try:
return IPv4Network(address)
except (AddressValueError, NetmaskValueError):
pass
try:
return IPv6Network(address)
except (AddressValueError, NetmaskValueError):
pass
raise ValueError('%r does not appear to be an IPv4 or IPv6 network' %
address)
def ip_interface(address, version=None):
"""Take an IP string/int and return an object of the correct type.
Args:
address: A string or integer, the IP address. Either IPv4 or
IPv6 addresses may be supplied; integers less than 2**32 will
be considered to be IPv4 by default.
version: An Integer, if set, don't try to automatically
determine what the IP address type is. important for things
like ip_network(1), which could be IPv4, '0.0.0.1/32', or IPv6,
'::1/128'.
Returns:
An IPv4Network or IPv6Network object.
Raises:
ValueError: if the string passed isn't either a v4 or a v6
address.
Notes:
The IPv?Interface classes describe an Address on a particular
Network, so they're basically a combination of both the Address
and Network classes.
"""
if version:
if version == 4:
return IPv4Interface(address)
elif version == 6:
return IPv6Interface(address)
try:
return IPv4Interface(address)
except (AddressValueError, NetmaskValueError):
pass
try:
return IPv6Interface(address)
except (AddressValueError, NetmaskValueError):
pass
raise ValueError('%r does not appear to be an IPv4 or IPv6 network' %
address)
def v4_int_to_packed(address):
"""The binary representation of this address.
Args:
address: An integer representation of an IPv4 IP address.
Returns:
The binary representation of this address.
Raises:
ValueError: If the integer is too large to be an IPv4 IP
address.
"""
if address > _BaseV4._ALL_ONES:
raise ValueError('Address too large for IPv4')
return struct.pack('!I', address)
def v6_int_to_packed(address):
"""The binary representation of this address.
Args:
address: An integer representation of an IPv4 IP address.
Returns:
The binary representation of this address.
"""
return struct.pack('!QQ', address >> 64, address & (2**64 - 1))
def _find_address_range(addresses):
"""Find a sequence of addresses.
Args:
addresses: a list of IPv4 or IPv6 addresses.
Returns:
A tuple containing the first and last IP addresses in the sequence.
"""
first = last = addresses[0]
for ip in addresses[1:]:
if ip._ip == last._ip + 1:
last = ip
else:
break
return (first, last)
def _get_prefix_length(number1, number2, bits):
"""Get the number of leading bits that are same for two numbers.
Args:
number1: an integer.
number2: another integer.
bits: the maximum number of bits to compare.
Returns:
The number of leading bits that are the same for two numbers.
"""
for i in range(bits):
if number1 >> i == number2 >> i:
return bits - i
return 0
def _count_righthand_zero_bits(number, bits):
"""Count the number of zero bits on the right hand side.
Args:
number: an integer.
bits: maximum number of bits to count.
Returns:
The number of zero bits on the right hand side of the number.
"""
if number == 0:
return bits
for i in range(bits):
if (number >> i) % 2:
return i
def summarize_address_range(first, last):
"""Summarize a network range given the first and last IP addresses.
Example:
>>> summarize_address_range(IPv4Address('1.1.1.0'),
IPv4Address('1.1.1.130'))
[IPv4Network('1.1.1.0/25'), IPv4Network('1.1.1.128/31'),
IPv4Network('1.1.1.130/32')]
Args:
first: the first IPv4Address or IPv6Address in the range.
last: the last IPv4Address or IPv6Address in the range.
Returns:
The address range collapsed to a list of IPv4Network's or
IPv6Network's.
Raise:
TypeError:
If the first and last objects are not IP addresses.
If the first and last objects are not the same version.
ValueError:
If the last object is not greater than the first.
If the version is not 4 or 6.
"""
if not (isinstance(first, _BaseAddress) and isinstance(last, _BaseAddress)):
raise TypeError('first and last must be IP addresses, not networks')
if first.version != last.version:
raise TypeError("%s and %s are not of the same version" % (
str(first), str(last)))
if first > last:
raise ValueError('last IP address must be greater than first')
networks = []
if first.version == 4:
ip = IPv4Network
elif first.version == 6:
ip = IPv6Network
else:
raise ValueError('unknown IP version')
ip_bits = first._max_prefixlen
first_int = first._ip
last_int = last._ip
while first_int <= last_int:
nbits = _count_righthand_zero_bits(first_int, ip_bits)
current = None
while nbits >= 0:
addend = 2**nbits - 1
current = first_int + addend
nbits -= 1
if current <= last_int:
break
prefix = _get_prefix_length(first_int, current, ip_bits)
net = ip('%s/%d' % (str(first), prefix))
networks.append(net)
if current == ip._ALL_ONES:
break
first_int = current + 1
first = ip_address(first_int, version=first._version)
return networks
def _collapse_address_list_recursive(addresses):
"""Loops through the addresses, collapsing concurrent netblocks.
Example:
ip1 = IPv4Network('1.1.0.0/24')
ip2 = IPv4Network('1.1.1.0/24')
ip3 = IPv4Network('1.1.2.0/24')
ip4 = IPv4Network('1.1.3.0/24')
ip5 = IPv4Network('1.1.4.0/24')
_collapse_address_list_recursive([ip1, ip2, ip3, ip4, ip5, ip6]) ->
[IPv4Network('1.1.0.0/22'), IPv4Network('1.1.4.0/24')]
This shouldn't be called directly; it is called via
collapse_address_list([]).
Args:
addresses: A list of IPv4Network's or IPv6Network's
Returns:
A list of IPv4Network's or IPv6Network's depending on what we were
passed.
"""
ret_array = []
optimized = False
for cur_addr in addresses:
if not ret_array:
ret_array.append(cur_addr)
continue
if cur_addr in ret_array[-1]:
optimized = True
elif cur_addr == ret_array[-1].supernet().subnet()[1]:
ret_array.append(ret_array.pop().supernet())
optimized = True
else:
ret_array.append(cur_addr)
if optimized:
return _collapse_address_list_recursive(ret_array)
return ret_array
def collapse_address_list(addresses):
"""Collapse a list of IP objects.
Example:
collapse_address_list([IPv4Network('1.1.0.0/24'),
IPv4Network('1.1.1.0/24')]) ->
[IPv4Network('1.1.0.0/23')]
Args:
addresses: A list of IPv4Network or IPv6Network objects.
Returns:
A list of IPv4Network or IPv6Network objects depending on what we
were passed.
Raises:
TypeError: If passed a list of mixed version objects.
"""
i = 0
addrs = []
ips = []
nets = []
# split IP addresses and networks
for ip in addresses:
if isinstance(ip, _BaseAddress):
if ips and ips[-1]._version != ip._version:
raise TypeError("%s and %s are not of the same version" % (
str(ip), str(ips[-1])))
ips.append(ip)
elif ip._prefixlen == ip._max_prefixlen:
if ips and ips[-1]._version != ip._version:
raise TypeError("%s and %s are not of the same version" % (
str(ip), str(ips[-1])))
try:
ips.append(ip.ip)
except AttributeError:
ips.append(ip.network_address)
else:
if nets and nets[-1]._version != ip._version:
raise TypeError("%s and %s are not of the same version" % (
str(ip), str(ips[-1])))
nets.append(ip)
# sort and dedup
ips = sorted(set(ips))
nets = sorted(set(nets))
while i < len(ips):
(first, last) = _find_address_range(ips[i:])
i = ips.index(last) + 1
addrs.extend(summarize_address_range(first, last))
return _collapse_address_list_recursive(sorted(
addrs + nets, key=_BaseInterface._get_networks_key))
# backwards compatibility
CollapseAddrList = collapse_address_list
# Test whether this Python implementation supports byte objects that
# are not identical to str ones.
# We need to exclude platforms where bytes == str so that we can
# distinguish between packed representations and strings, for example
# b'12::' (the IPv4 address 49.50.58.58) and '12::' (an IPv6 address).
try:
_compat_has_real_bytes = bytes is not str
except NameError: # <Python2.6
_compat_has_real_bytes = False
def get_mixed_type_key(obj):
"""Return a key suitable for sorting between networks and addresses.
Address and Network objects are not sortable by default; they're
fundamentally different so the expression
IPv4Address('1.1.1.1') <= IPv4Network('1.1.1.1/24')
doesn't make any sense. There are some times however, where you may wish
to have ipaddr sort these for you anyway. If you need to do this, you
can use this function as the key= argument to sorted().
Args:
obj: either a Network or Address object.
Returns:
appropriate key.
"""
if isinstance(obj, _BaseInterface):
return obj._get_networks_key()
elif isinstance(obj, _BaseAddress):
return obj._get_address_key()
return NotImplemented
class _IPAddrBase(object):
"""The mother class."""
def __index__(self):
return self._ip
def __int__(self):
return self._ip
def __hex__(self):
return hex(self._ip)
@property
def exploded(self):
"""Return the longhand version of the IP address as a string."""
return self._explode_shorthand_ip_string()
@property
def compressed(self):
"""Return the shorthand version of the IP address as a string."""
return str(self)
class _BaseAddress(_IPAddrBase):
"""A generic IP object.
This IP class contains the version independent methods which are
used by single IP addresses.
"""
def __init__(self, address):
if (not (_compat_has_real_bytes and isinstance(address, bytes))
and '/' in str(address)):
raise AddressValueError(address)
def __eq__(self, other):
try:
return (self._ip == other._ip
and self._version == other._version)
except AttributeError:
return NotImplemented
def __ne__(self, other):
eq = self.__eq__(other)
if eq is NotImplemented:
return NotImplemented
return not eq
def __le__(self, other):
gt = self.__gt__(other)
if gt is NotImplemented:
return NotImplemented
return not gt
def __ge__(self, other):
lt = self.__lt__(other)
if lt is NotImplemented:
return NotImplemented
return not lt
def __lt__(self, other):
if self._version != other._version:
raise TypeError('%s and %s are not of the same version' % (
str(self), str(other)))
if not isinstance(other, _BaseAddress):
raise TypeError('%s and %s are not of the same type' % (
str(self), str(other)))
if self._ip != other._ip:
return self._ip < other._ip
return False
def __gt__(self, other):
if self._version != other._version:
raise TypeError('%s and %s are not of the same version' % (
str(self), str(other)))
if not isinstance(other, _BaseAddress):
raise TypeError('%s and %s are not of the same type' % (
str(self), str(other)))
if self._ip != other._ip:
return self._ip > other._ip
return False
# Shorthand for Integer addition and subtraction. This is not
# meant to ever support addition/subtraction of addresses.
def __add__(self, other):
if not isinstance(other, int):
return NotImplemented
return ip_address(int(self) + other, version=self._version)
def __sub__(self, other):
if not isinstance(other, int):
return NotImplemented
return ip_address(int(self) - other, version=self._version)
def __repr__(self):
return '%s(%r)' % (self.__class__.__name__, str(self))
def __str__(self):
return '%s' % self._string_from_ip_int(self._ip)
def __hash__(self):
return hash(hex(long(self._ip)))
def _get_address_key(self):
return (self._version, self)
@property
def version(self):
raise NotImplementedError('BaseIP has no version')
class _BaseInterface(_IPAddrBase):
"""A generic IP object.
This IP class contains the version independent methods which are
used by networks.
"""
def __init__(self, address):
self._cache = {}
def __repr__(self):
return '%s(%r)' % (self.__class__.__name__, str(self))
def iterhosts(self):
"""Generate Iterator over usable hosts in a network.
This is like __iter__ except it doesn't return the network
or broadcast addresses.
"""
cur = int(self.network_address) + 1
bcast = int(self.broadcast_address) - 1
while cur <= bcast:
cur += 1
yield ip_address(cur - 1, version=self._version)
def __iter__(self):
cur = int(self.network_address)
bcast = int(self.broadcast_address)
while cur <= bcast:
cur += 1
yield ip_address(cur - 1, version=self._version)
def __getitem__(self, n):
network = int(self.network_address)
broadcast = int(self.broadcast_address)
if n >= 0:
if network + n > broadcast:
raise IndexError
return ip_address(network + n, version=self._version)
else:
n += 1
if broadcast + n < network:
raise IndexError
return ip_address(broadcast + n, version=self._version)
def __lt__(self, other):
if self._version != other._version:
raise TypeError('%s and %s are not of the same version' % (
str(self), str(other)))
if not isinstance(other, _BaseInterface):
raise TypeError('%s and %s are not of the same type' % (
str(self), str(other)))
if self.network_address != other.network_address:
return self.network_address < other.network_address
if self.netmask != other.netmask:
return self.netmask < other.netmask
return False
def __gt__(self, other):
if self._version != other._version:
raise TypeError('%s and %s are not of the same version' % (
str(self), str(other)))
if not isinstance(other, _BaseInterface):
raise TypeError('%s and %s are not of the same type' % (
str(self), str(other)))
if self.network_address != other.network_address:
return self.network_address > other.network_address
if self.netmask != other.netmask:
return self.netmask > other.netmask
return False
def __le__(self, other):
gt = self.__gt__(other)
if gt is NotImplemented:
return NotImplemented
return not gt
def __ge__(self, other):
lt = self.__lt__(other)
if lt is NotImplemented:
return NotImplemented
return not lt
def __eq__(self, other):
try:
return (self._version == other._version
and self.network_address == other.network_address
and int(self.netmask) == int(other.netmask))
except AttributeError:
if isinstance(other, _BaseAddress):
return (self._version == other._version
and self._ip == other._ip)
def __ne__(self, other):
eq = self.__eq__(other)
if eq is NotImplemented:
return NotImplemented
return not eq
def __str__(self):
return '%s/%s' % (str(self.ip),
str(self._prefixlen))
def __hash__(self):
return hash(int(self.network_address) ^ int(self.netmask))
def __contains__(self, other):
# always false if one is v4 and the other is v6.
if self._version != other._version:
return False
# dealing with another network.
if isinstance(other, _BaseInterface):
return (self.network_address <= other.network_address and
self.broadcast_address >= other.broadcast_address)
# dealing with another address
else:
return (int(self.network_address) <= int(other._ip) <=
int(self.broadcast_address))
def overlaps(self, other):
"""Tell if self is partly contained in other."""
return self.network_address in other or (
self.broadcast_address in other or (
other.network_address in self or (
other.broadcast_address in self)))
@property
def network_address(self):
x = self._cache.get('network_address')
if x is None:
x = ip_address(self._ip & int(self.netmask), version=self._version)
self._cache['network_address'] = x
return x
@property
def broadcast_address(self):
x = self._cache.get('broadcast_address')
if x is None:
x = ip_address(self._ip | int(self.hostmask), version=self._version)
self._cache['broadcast_address'] = x
return x
@property
def hostmask(self):
x = self._cache.get('hostmask')
if x is None:
x = ip_address(int(self.netmask) ^ self._ALL_ONES,
version=self._version)
self._cache['hostmask'] = x
return x
@property
def network(self):
return ip_network('%s/%d' % (str(self.network_address),
self.prefixlen))
@property
def with_prefixlen(self):
return '%s/%d' % (str(self.ip), self._prefixlen)
@property
def with_netmask(self):
return '%s/%s' % (str(self.ip), str(self.netmask))
@property
def with_hostmask(self):
return '%s/%s' % (str(self.ip), str(self.hostmask))
@property
def numhosts(self):
"""Number of hosts in the current subnet."""
return int(self.broadcast_address) - int(self.network_address) + 1
@property
def version(self):
raise NotImplementedError('BaseNet has no version')
@property
def prefixlen(self):
return self._prefixlen
def address_exclude(self, other):
"""Remove an address from a larger block.
For example:
addr1 = ip_network('10.1.1.0/24')
addr2 = ip_network('10.1.1.0/26')
addr1.address_exclude(addr2) =
[ip_network('10.1.1.64/26'), ip_network('10.1.1.128/25')]
or IPv6:
addr1 = ip_network('::1/32')
addr2 = ip_network('::1/128')
addr1.address_exclude(addr2) = [ip_network('::0/128'),
ip_network('::2/127'),
ip_network('::4/126'),
ip_network('::8/125'),
...
ip_network('0:0:8000::/33')]
Args:
other: An IPvXNetwork object of the same type.
Returns:
A sorted list of IPvXNetwork objects addresses which is self
minus other.
Raises:
TypeError: If self and other are of difffering address
versions, or if other is not a network object.
ValueError: If other is not completely contained by self.
"""
if not self._version == other._version:
raise TypeError("%s and %s are not of the same version" % (
str(self), str(other)))
if not isinstance(other, _BaseInterface):
raise TypeError("%s is not a network object" % str(other))
if other not in self:
raise ValueError('%s not contained in %s' % (str(other),
str(self)))
if other == self:
return []
ret_addrs = []
# Make sure we're comparing the network of other.
other = ip_network('%s/%s' % (str(other.network_address),
str(other.prefixlen)),
version=other._version)
s1, s2 = self.subnet()
while s1 != other and s2 != other:
if other in s1:
ret_addrs.append(s2)
s1, s2 = s1.subnet()
elif other in s2:
ret_addrs.append(s1)
s1, s2 = s2.subnet()
else:
# If we got here, there's a bug somewhere.
assert True == False, ('Error performing exclusion: '
's1: %s s2: %s other: %s' %
(str(s1), str(s2), str(other)))
if s1 == other:
ret_addrs.append(s2)
elif s2 == other:
ret_addrs.append(s1)
else:
# If we got here, there's a bug somewhere.
assert True == False, ('Error performing exclusion: '
's1: %s s2: %s other: %s' %
(str(s1), str(s2), str(other)))
return sorted(ret_addrs, key=_BaseInterface._get_networks_key)
def compare_networks(self, other):
"""Compare two IP objects.
This is only concerned about the comparison of the integer
representation of the network addresses. This means that the
host bits aren't considered at all in this method. If you want
to compare host bits, you can easily enough do a
'HostA._ip < HostB._ip'
Args:
other: An IP object.
Returns:
If the IP versions of self and other are the same, returns:
-1 if self < other:
eg: IPv4('1.1.1.0/24') < IPv4('1.1.2.0/24')
IPv6('1080::200C:417A') < IPv6('1080::200B:417B')
0 if self == other
eg: IPv4('1.1.1.1/24') == IPv4('1.1.1.2/24')
IPv6('1080::200C:417A/96') == IPv6('1080::200C:417B/96')
1 if self > other
eg: IPv4('1.1.1.0/24') > IPv4('1.1.0.0/24')
IPv6('1080::1:200C:417A/112') >
IPv6('1080::0:200C:417A/112')
If the IP versions of self and other are different, returns:
-1 if self._version < other._version
eg: IPv4('10.0.0.1/24') < IPv6('::1/128')
1 if self._version > other._version
eg: IPv6('::1/128') > IPv4('255.255.255.0/24')
"""
if self._version < other._version:
return -1
if self._version > other._version:
return 1
# self._version == other._version below here:
if self.network_address < other.network_address:
return -1
if self.network_address > other.network_address:
return 1
# self.network_address == other.network_address below here:
if self.netmask < other.netmask:
return -1
if self.netmask > other.netmask:
return 1
# self.network_address == other.network_address and
# self.netmask == other.netmask
return 0
def _get_networks_key(self):
"""Network-only key function.
Returns an object that identifies this address' network and
netmask. This function is a suitable "key" argument for sorted()
and list.sort().
"""
return (self._version, self.network_address, self.netmask)
def _ip_int_from_prefix(self, prefixlen=None):
"""Turn the prefix length netmask into a int for comparison.
Args:
prefixlen: An integer, the prefix length.
Returns:
An integer.
"""
if not prefixlen and prefixlen != 0:
prefixlen = self._prefixlen
return self._ALL_ONES ^ (self._ALL_ONES >> prefixlen)
def _prefix_from_ip_int(self, ip_int, mask=32):
"""Return prefix length from the decimal netmask.
Args:
ip_int: An integer, the IP address.
mask: The netmask. Defaults to 32.
Returns:
An integer, the prefix length.
"""
while mask:
if ip_int & 1 == 1:
break
ip_int >>= 1
mask -= 1
return mask
def _ip_string_from_prefix(self, prefixlen=None):
"""Turn a prefix length into a dotted decimal string.
Args:
prefixlen: An integer, the netmask prefix length.
Returns:
A string, the dotted decimal netmask string.
"""
if not prefixlen:
prefixlen = self._prefixlen
return self._string_from_ip_int(self._ip_int_from_prefix(prefixlen))
def iter_subnets(self, prefixlen_diff=1, new_prefix=None):
"""The subnets which join to make the current subnet.
In the case that self contains only one IP
(self._prefixlen == 32 for IPv4 or self._prefixlen == 128
for IPv6), return a list with just ourself.
Args:
prefixlen_diff: An integer, the amount the prefix length
should be increased by. This should not be set if
new_prefix is also set.
new_prefix: The desired new prefix length. This must be a
larger number (smaller prefix) than the existing prefix.
This should not be set if prefixlen_diff is also set.
Returns:
An iterator of IPv(4|6) objects.
Raises:
ValueError: The prefixlen_diff is too small or too large.
OR
prefixlen_diff and new_prefix are both set or new_prefix
is a smaller number than the current prefix (smaller
number means a larger network)
"""
if self._prefixlen == self._max_prefixlen:
yield self
return
if new_prefix is not None:
if new_prefix < self._prefixlen:
raise ValueError('new prefix must be longer')
if prefixlen_diff != 1:
raise ValueError('cannot set prefixlen_diff and new_prefix')
prefixlen_diff = new_prefix - self._prefixlen
if prefixlen_diff < 0:
raise ValueError('prefix length diff must be > 0')
new_prefixlen = self._prefixlen + prefixlen_diff
if not self._is_valid_netmask(str(new_prefixlen)):
raise ValueError(
'prefix length diff %d is invalid for netblock %s' % (
new_prefixlen, str(self)))
first = ip_network('%s/%s' % (str(self.network_address),
str(self._prefixlen + prefixlen_diff)),
version=self._version)
yield first
current = first
while True:
broadcast = current.broadcast_address
if broadcast == self.broadcast_address:
return
new_addr = ip_address(int(broadcast) + 1, version=self._version)
current = ip_network('%s/%s' % (str(new_addr), str(new_prefixlen)),
version=self._version)
yield current
def masked(self):
"""Return the network object with the host bits masked out."""
return ip_network('%s/%d' % (self.network_address, self._prefixlen),
version=self._version)
def subnet(self, prefixlen_diff=1, new_prefix=None):
"""Return a list of subnets, rather than an iterator."""
return list(self.iter_subnets(prefixlen_diff, new_prefix))
def supernet(self, prefixlen_diff=1, new_prefix=None):
"""The supernet containing the current network.
Args:
prefixlen_diff: An integer, the amount the prefix length of
the network should be decreased by. For example, given a
/24 network and a prefixlen_diff of 3, a supernet with a
/21 netmask is returned.
Returns:
An IPv4 network object.
Raises:
ValueError: If self.prefixlen - prefixlen_diff < 0. I.e., you have a
negative prefix length.
OR
If prefixlen_diff and new_prefix are both set or new_prefix is a
larger number than the current prefix (larger number means a
smaller network)
"""
if self._prefixlen == 0:
return self
if new_prefix is not None:
if new_prefix > self._prefixlen:
raise ValueError('new prefix must be shorter')
if prefixlen_diff != 1:
raise ValueError('cannot set prefixlen_diff and new_prefix')
prefixlen_diff = self._prefixlen - new_prefix
if self.prefixlen - prefixlen_diff < 0:
raise ValueError(
'current prefixlen is %d, cannot have a prefixlen_diff of %d' %
(self.prefixlen, prefixlen_diff))
# TODO (pmoody): optimize this.
t = ip_interface('%s/%d' % (str(self.network_address),
self.prefixlen - prefixlen_diff),
version=self._version)
return ip_network('%s/%d' % (str(t.network_address), t.prefixlen),
version=t._version)
# backwards compatibility
Subnet = subnet
Supernet = supernet
AddressExclude = address_exclude
CompareNetworks = compare_networks
Contains = __contains__
class _BaseV4(object):
"""Base IPv4 object.
The following methods are used by IPv4 objects in both single IP
addresses and networks.
"""
# Equivalent to 255.255.255.255 or 32 bits of 1's.
_ALL_ONES = (2**IPV4LENGTH) - 1
_DECIMAL_DIGITS = frozenset('0123456789')
def __init__(self, address):
self._version = 4
self._max_prefixlen = IPV4LENGTH
def _explode_shorthand_ip_string(self):
return str(self)
def _ip_int_from_string(self, ip_str):
"""Turn the given IP string into an integer for comparison.
Args:
ip_str: A string, the IP ip_str.
Returns:
The IP ip_str as an integer.
Raises:
AddressValueError: if ip_str isn't a valid IPv4 Address.
"""
octets = ip_str.split('.')
if len(octets) != 4:
raise AddressValueError(ip_str)
packed_ip = 0
for oc in octets:
try:
packed_ip = (packed_ip << 8) | self._parse_octet(oc)
except ValueError:
raise AddressValueError(ip_str)
return packed_ip
def _parse_octet(self, octet_str):
"""Convert a decimal octet into an integer.
Args:
octet_str: A string, the number to parse.
Returns:
The octet as an integer.
Raises:
ValueError: if the octet isn't strictly a decimal from [0..255].
"""
# Whitelist the characters, since int() allows a lot of bizarre stuff.
if not self._DECIMAL_DIGITS.issuperset(octet_str):
raise ValueError
octet_int = int(octet_str, 10)
# Disallow leading zeroes, because no clear standard exists on
# whether these should be interpreted as decimal or octal.
if octet_int > 255 or (octet_str[0] == '0' and len(octet_str) > 1):
raise ValueError
return octet_int
def _string_from_ip_int(self, ip_int):
"""Turns a 32-bit integer into dotted decimal notation.
Args:
ip_int: An integer, the IP address.
Returns:
The IP address as a string in dotted decimal notation.
"""
octets = []
for _ in xrange(4):
octets.insert(0, str(ip_int & 0xFF))
ip_int >>= 8
return '.'.join(octets)
@property
def max_prefixlen(self):
return self._max_prefixlen
@property
def packed(self):
"""The binary representation of this address."""
return v4_int_to_packed(self._ip)
@property
def version(self):
return self._version
@property
def is_reserved(self):
"""Test if the address is otherwise IETF reserved.
Returns:
A boolean, True if the address is within the
reserved IPv4 Network range.
"""
return self in IPv4Network('240.0.0.0/4')
@property
def is_private(self):
"""Test if this address is allocated for private networks.
Returns:
A boolean, True if the address is reserved per RFC 1918.
"""
return (self in IPv4Network('10.0.0.0/8') or
self in IPv4Network('172.16.0.0/12') or
self in IPv4Network('192.168.0.0/16'))
@property
def is_multicast(self):
"""Test if the address is reserved for multicast use.
Returns:
A boolean, True if the address is multicast.
See RFC 3171 for details.
"""
return self in IPv4Network('224.0.0.0/4')
@property
def is_unspecified(self):
"""Test if the address is unspecified.
Returns:
A boolean, True if this is the unspecified address as defined in
RFC 5735 3.
"""
return self in IPv4Network('0.0.0.0')
@property
def is_loopback(self):
"""Test if the address is a loopback address.
Returns:
A boolean, True if the address is a loopback per RFC 3330.
"""
return self in IPv4Network('127.0.0.0/8')
@property
def is_link_local(self):
"""Test if the address is reserved for link-local.
Returns:
A boolean, True if the address is link-local per RFC 3927.
"""
return self in IPv4Network('169.254.0.0/16')
class IPv4Address(_BaseV4, _BaseAddress):
"""Represent and manipulate single IPv4 Addresses."""
def __init__(self, address):
"""
Args:
address: A string or integer representing the IP
'192.168.1.1'
Additionally, an integer can be passed, so
IPv4Address('192.168.1.1') == IPv4Address(3232235777).
or, more generally
IPv4Address(int(IPv4Address('192.168.1.1'))) ==
IPv4Address('192.168.1.1')
Raises:
AddressValueError: If ipaddr isn't a valid IPv4 address.
"""
_BaseAddress.__init__(self, address)
_BaseV4.__init__(self, address)
# Efficient constructor from integer.
if isinstance(address, (int, long)):
self._ip = address
if address < 0 or address > self._ALL_ONES:
raise AddressValueError(address)
return
# Constructing from a packed address
if _compat_has_real_bytes:
if isinstance(address, bytes) and len(address) == 4:
self._ip = struct.unpack('!I', address)[0]
return
# Assume input argument to be string or any object representation
# which converts into a formatted IP string.
addr_str = str(address)
self._ip = self._ip_int_from_string(addr_str)
class IPv4Interface(_BaseV4, _BaseInterface):
"""This class represents and manipulates 32-bit IPv4 network + addresses..
Attributes: [examples for IPv4Interface('1.2.3.4/27')]
._ip: 16909060
.ip: IPv4Address('1.2.3.4')
.network_address: IPv4Address('1.2.3.0')
.hostmask: IPv4Address('0.0.0.31')
.broadcast_address: IPv4Address('1.2.3.31')
.netmask: IPv4Address('255.255.255.224')
.prefixlen: 27
"""
# the valid octets for host and netmasks. only useful for IPv4.
_valid_mask_octets = set((255, 254, 252, 248, 240, 224, 192, 128, 0))
def __init__(self, address):
"""Instantiate a new IPv4 network object.
Args:
address: A string or integer representing the IP [& network].
'192.168.1.1/24'
'192.168.1.1/255.255.255.0'
'192.168.1.1/0.0.0.255'
are all functionally the same in IPv4. Similarly,
'192.168.1.1'
'192.168.1.1/255.255.255.255'
'192.168.1.1/32'
are also functionaly equivalent. That is to say, failing to
provide a subnetmask will create an object with a mask of /32.
If the mask (portion after the / in the argument) is given in
dotted quad form, it is treated as a netmask if it starts with a
non-zero field (e.g. /255.0.0.0 == /8) and as a hostmask if it
starts with a zero field (e.g. 0.255.255.255 == /8), with the
single exception of an all-zero mask which is treated as a
netmask == /0. If no mask is given, a default of /32 is used.
Additionally, an integer can be passed, so
IPv4Interface('192.168.1.1') == IPv4Interface(3232235777).
or, more generally
IPv4Interface(int(IPv4Interface('192.168.1.1'))) ==
IPv4Interface('192.168.1.1')
Raises:
AddressValueError: If ipaddr isn't a valid IPv4 address.
NetmaskValueError: If the netmask isn't valid for
an IPv4 address.
ValueError: If strict was True and a network address was not
supplied.
"""
_BaseInterface.__init__(self, address)
_BaseV4.__init__(self, address)
# Efficient constructor from integer.
if isinstance(address, (int, long)):
self._ip = address
self.ip = IPv4Address(self._ip)
self._prefixlen = self._max_prefixlen
self.netmask = IPv4Address(self._ALL_ONES)
if address < 0 or address > self._ALL_ONES:
raise AddressValueError(address)
return
# Constructing from a packed address
if _compat_has_real_bytes:
if isinstance(address, bytes) and len(address) == 4:
self._ip = struct.unpack('!I', address)[0]
self.ip = IPv4Address(self._ip)
self._prefixlen = self._max_prefixlen
self.netmask = IPv4Address(self._ALL_ONES)
return
# Assume input argument to be string or any object representation
# which converts into a formatted IP prefix string.
addr = str(address).split('/')
if len(addr) > 2:
raise AddressValueError(address)
self._ip = self._ip_int_from_string(addr[0])
self.ip = IPv4Address(self._ip)
if len(addr) == 2:
mask = addr[1].split('.')
if len(mask) == 4:
# We have dotted decimal netmask.
if self._is_valid_netmask(addr[1]):
self.netmask = IPv4Address(self._ip_int_from_string(
addr[1]))
elif self._is_hostmask(addr[1]):
self.netmask = IPv4Address(
self._ip_int_from_string(addr[1]) ^ self._ALL_ONES)
else:
raise NetmaskValueError('%s is not a valid netmask'
% addr[1])
self._prefixlen = self._prefix_from_ip_int(int(self.netmask))
else:
# We have a netmask in prefix length form.
if not self._is_valid_netmask(addr[1]):
raise NetmaskValueError(addr[1])
self._prefixlen = int(addr[1])
self.netmask = IPv4Address(self._ip_int_from_prefix(
self._prefixlen))
else:
self._prefixlen = self._max_prefixlen
self.netmask = IPv4Address(self._ip_int_from_prefix(
self._prefixlen))
if self._prefixlen == (self._max_prefixlen - 1):
self.iterhosts = self.__iter__
def _is_hostmask(self, ip_str):
"""Test if the IP string is a hostmask (rather than a netmask).
Args:
ip_str: A string, the potential hostmask.
Returns:
A boolean, True if the IP string is a hostmask.
"""
bits = ip_str.split('.')
try:
parts = [int(x) for x in bits if int(x) in self._valid_mask_octets]
except ValueError:
return False
if len(parts) != len(bits):
return False
if parts[0] < parts[-1]:
return True
return False
def _is_valid_netmask(self, netmask):
"""Verify that the netmask is valid.
Args:
netmask: A string, either a prefix or dotted decimal
netmask.
Returns:
A boolean, True if the prefix represents a valid IPv4
netmask.
"""
mask = netmask.split('.')
if len(mask) == 4:
if [x for x in mask if int(x) not in self._valid_mask_octets]:
return False
if [y for idx, y in enumerate(mask) if idx > 0 and
y > mask[idx - 1]]:
return False
return True
try:
netmask = int(netmask)
except ValueError:
return False
return 0 <= netmask <= self._max_prefixlen
# backwards compatibility
IsRFC1918 = lambda self: self.is_private
IsMulticast = lambda self: self.is_multicast
IsLoopback = lambda self: self.is_loopback
IsLinkLocal = lambda self: self.is_link_local
class IPv4Network(IPv4Interface):
def __init__(self, address):
IPv4Interface.__init__(self, address)
if self.ip != self.network_address:
raise ValueError('%s has host bits set' %
self.ip)
del self.__dict__['ip']
def __str__(self):
return '%s/%d' % (str(self.network_address),
self.prefixlen)
@property
def with_prefixlen(self):
return '%s/%d' % (str(self.network_address), self._prefixlen)
@property
def with_netmask(self):
return '%s/%s' % (str(self.network_address), str(self.netmask))
@property
def with_hostmask(self):
return '%s/%s' % (str(self.network_address), str(self.hostmask))
class _BaseV6(object):
"""Base IPv6 object.
The following methods are used by IPv6 objects in both single IP
addresses and networks.
"""
_ALL_ONES = (2**IPV6LENGTH) - 1
_HEXTET_COUNT = 8
_HEX_DIGITS = frozenset('0123456789ABCDEFabcdef')
def __init__(self, address):
self._version = 6
self._max_prefixlen = IPV6LENGTH
def _ip_int_from_string(self, ip_str):
"""Turn an IPv6 ip_str into an integer.
Args:
ip_str: A string, the IPv6 ip_str.
Returns:
A long, the IPv6 ip_str.
Raises:
AddressValueError: if ip_str isn't a valid IPv6 Address.
"""
parts = ip_str.split(':')
# An IPv6 address needs at least 2 colons (3 parts).
if len(parts) < 3:
raise AddressValueError(ip_str)
# If the address has an IPv4-style suffix, convert it to hexadecimal.
if '.' in parts[-1]:
ipv4_int = IPv4Address(parts.pop())._ip
parts.append('%x' % ((ipv4_int >> 16) & 0xFFFF))
parts.append('%x' % (ipv4_int & 0xFFFF))
# An IPv6 address can't have more than 8 colons (9 parts).
if len(parts) > self._HEXTET_COUNT + 1:
raise AddressValueError(ip_str)
# Disregarding the endpoints, find '::' with nothing in between.
# This indicates that a run of zeroes has been skipped.
try:
skip_index, = (
[i for i in xrange(1, len(parts) - 1) if not parts[i]] or
[None])
except ValueError:
# Can't have more than one '::'
raise AddressValueError(ip_str)
# parts_hi is the number of parts to copy from above/before the '::'
# parts_lo is the number of parts to copy from below/after the '::'
if skip_index is not None:
# If we found a '::', then check if it also covers the endpoints.
parts_hi = skip_index
parts_lo = len(parts) - skip_index - 1
if not parts[0]:
parts_hi -= 1
if parts_hi:
raise AddressValueError(ip_str) # ^: requires ^::
if not parts[-1]:
parts_lo -= 1
if parts_lo:
raise AddressValueError(ip_str) # :$ requires ::$
parts_skipped = self._HEXTET_COUNT - (parts_hi + parts_lo)
if parts_skipped < 1:
raise AddressValueError(ip_str)
else:
# Otherwise, allocate the entire address to parts_hi. The endpoints
# could still be empty, but _parse_hextet() will check for that.
if len(parts) != self._HEXTET_COUNT:
raise AddressValueError(ip_str)
parts_hi = len(parts)
parts_lo = 0
parts_skipped = 0
try:
# Now, parse the hextets into a 128-bit integer.
ip_int = 0L
for i in xrange(parts_hi):
ip_int <<= 16
ip_int |= self._parse_hextet(parts[i])
ip_int <<= 16 * parts_skipped
for i in xrange(-parts_lo, 0):
ip_int <<= 16
ip_int |= self._parse_hextet(parts[i])
return ip_int
except ValueError:
raise AddressValueError(ip_str)
def _parse_hextet(self, hextet_str):
"""Convert an IPv6 hextet string into an integer.
Args:
hextet_str: A string, the number to parse.
Returns:
The hextet as an integer.
Raises:
ValueError: if the input isn't strictly a hex number from [0..FFFF].
"""
# Whitelist the characters, since int() allows a lot of bizarre stuff.
if not self._HEX_DIGITS.issuperset(hextet_str):
raise ValueError
hextet_int = int(hextet_str, 16)
if hextet_int > 0xFFFF:
raise ValueError
return hextet_int
def _compress_hextets(self, hextets):
"""Compresses a list of hextets.
Compresses a list of strings, replacing the longest continuous
sequence of "0" in the list with "" and adding empty strings at
the beginning or at the end of the string such that subsequently
calling ":".join(hextets) will produce the compressed version of
the IPv6 address.
Args:
hextets: A list of strings, the hextets to compress.
Returns:
A list of strings.
"""
best_doublecolon_start = -1
best_doublecolon_len = 0
doublecolon_start = -1
doublecolon_len = 0
for index in range(len(hextets)):
if hextets[index] == '0':
doublecolon_len += 1
if doublecolon_start == -1:
# Start of a sequence of zeros.
doublecolon_start = index
if doublecolon_len > best_doublecolon_len:
# This is the longest sequence of zeros so far.
best_doublecolon_len = doublecolon_len
best_doublecolon_start = doublecolon_start
else:
doublecolon_len = 0
doublecolon_start = -1
if best_doublecolon_len > 1:
best_doublecolon_end = (best_doublecolon_start +
best_doublecolon_len)
# For zeros at the end of the address.
if best_doublecolon_end == len(hextets):
hextets += ['']
hextets[best_doublecolon_start:best_doublecolon_end] = ['']
# For zeros at the beginning of the address.
if best_doublecolon_start == 0:
hextets = [''] + hextets
return hextets
def _string_from_ip_int(self, ip_int=None):
"""Turns a 128-bit integer into hexadecimal notation.
Args:
ip_int: An integer, the IP address.
Returns:
A string, the hexadecimal representation of the address.
Raises:
ValueError: The address is bigger than 128 bits of all ones.
"""
if not ip_int and ip_int != 0:
ip_int = int(self._ip)
if ip_int > self._ALL_ONES:
raise ValueError('IPv6 address is too large')
hex_str = '%032x' % ip_int
hextets = []
for x in range(0, 32, 4):
hextets.append('%x' % int(hex_str[x:x+4], 16))
hextets = self._compress_hextets(hextets)
return ':'.join(hextets)
def _explode_shorthand_ip_string(self):
"""Expand a shortened IPv6 address.
Args:
ip_str: A string, the IPv6 address.
Returns:
A string, the expanded IPv6 address.
"""
if isinstance(self, IPv6Network):
ip_str = str(self.network_address)
elif isinstance(self, _BaseAddress):
ip_str = str(self)
else:
# _BaseInterface
ip_str = str(self.ip)
ip_int = self._ip_int_from_string(ip_str)
parts = []
for i in xrange(self._HEXTET_COUNT):
parts.append('%04x' % (ip_int & 0xFFFF))
ip_int >>= 16
parts.reverse()
if isinstance(self, _BaseInterface):
return '%s/%d' % (':'.join(parts), self.prefixlen)
return ':'.join(parts)
@property
def max_prefixlen(self):
return self._max_prefixlen
@property
def packed(self):
"""The binary representation of this address."""
return v6_int_to_packed(self._ip)
@property
def version(self):
return self._version
@property
def is_multicast(self):
"""Test if the address is reserved for multicast use.
Returns:
A boolean, True if the address is a multicast address.
See RFC 2373 2.7 for details.
"""
return self in IPv6Network('ff00::/8')
@property
def is_reserved(self):
"""Test if the address is otherwise IETF reserved.
Returns:
A boolean, True if the address is within one of the
reserved IPv6 Network ranges.
"""
return (self in IPv6Network('::/8') or
self in IPv6Network('100::/8') or
self in IPv6Network('200::/7') or
self in IPv6Network('400::/6') or
self in IPv6Network('800::/5') or
self in IPv6Network('1000::/4') or
self in IPv6Network('4000::/3') or
self in IPv6Network('6000::/3') or
self in IPv6Network('8000::/3') or
self in IPv6Network('A000::/3') or
self in IPv6Network('C000::/3') or
self in IPv6Network('E000::/4') or
self in IPv6Network('F000::/5') or
self in IPv6Network('F800::/6') or
self in IPv6Network('FE00::/9'))
@property
def is_unspecified(self):
"""Test if the address is unspecified.
Returns:
A boolean, True if this is the unspecified address as defined in
RFC 2373 2.5.2.
"""
return self._ip == 0 and getattr(self, '_prefixlen', 128) == 128
@property
def is_loopback(self):
"""Test if the address is a loopback address.
Returns:
A boolean, True if the address is a loopback address as defined in
RFC 2373 2.5.3.
"""
return self._ip == 1 and getattr(self, '_prefixlen', 128) == 128
@property
def is_link_local(self):
"""Test if the address is reserved for link-local.
Returns:
A boolean, True if the address is reserved per RFC 4291.
"""
return self in IPv6Network('fe80::/10')
@property
def is_site_local(self):
"""Test if the address is reserved for site-local.
Note that the site-local address space has been deprecated by RFC 3879.
Use is_private to test if this address is in the space of unique local
addresses as defined by RFC 4193.
Returns:
A boolean, True if the address is reserved per RFC 3513 2.5.6.
"""
return self in IPv6Network('fec0::/10')
@property
def is_private(self):
"""Test if this address is allocated for private networks.
Returns:
A boolean, True if the address is reserved per RFC 4193.
"""
return self in IPv6Network('fc00::/7')
@property
def ipv4_mapped(self):
"""Return the IPv4 mapped address.
Returns:
If the IPv6 address is a v4 mapped address, return the
IPv4 mapped address. Return None otherwise.
"""
if (self._ip >> 32) != 0xFFFF:
return None
return IPv4Address(self._ip & 0xFFFFFFFF)
@property
def teredo(self):
"""Tuple of embedded teredo IPs.
Returns:
Tuple of the (server, client) IPs or None if the address
doesn't appear to be a teredo address (doesn't start with
2001::/32)
"""
if (self._ip >> 96) != 0x20010000:
return None
return (IPv4Address((self._ip >> 64) & 0xFFFFFFFF),
IPv4Address(~self._ip & 0xFFFFFFFF))
@property
def sixtofour(self):
"""Return the IPv4 6to4 embedded address.
Returns:
The IPv4 6to4-embedded address if present or None if the
address doesn't appear to contain a 6to4 embedded address.
"""
if (self._ip >> 112) != 0x2002:
return None
return IPv4Address((self._ip >> 80) & 0xFFFFFFFF)
class IPv6Address(_BaseV6, _BaseAddress):
"""Represent and manipulate single IPv6 Addresses.
"""
def __init__(self, address):
"""Instantiate a new IPv6 address object.
Args:
address: A string or integer representing the IP
Additionally, an integer can be passed, so
IPv6Address('2001:4860::') ==
IPv6Address(42541956101370907050197289607612071936L).
or, more generally
IPv6Address(IPv6Address('2001:4860::')._ip) ==
IPv6Address('2001:4860::')
Raises:
AddressValueError: If address isn't a valid IPv6 address.
"""
_BaseAddress.__init__(self, address)
_BaseV6.__init__(self, address)
# Efficient constructor from integer.
if isinstance(address, (int, long)):
self._ip = address
if address < 0 or address > self._ALL_ONES:
raise AddressValueError(address)
return
# Constructing from a packed address
if _compat_has_real_bytes:
if isinstance(address, bytes) and len(address) == 16:
tmp = struct.unpack('!QQ', address)
self._ip = (tmp[0] << 64) | tmp[1]
return
# Assume input argument to be string or any object representation
# which converts into a formatted IP string.
addr_str = str(address)
if not addr_str:
raise AddressValueError('')
self._ip = self._ip_int_from_string(addr_str)
class IPv6Interface(_BaseV6, _BaseInterface):
"""This class represents and manipulates 128-bit IPv6 networks.
Attributes: [examples for IPv6('2001:658:22A:CAFE:200::1/64')]
.ip: IPv6Address('2001:658:22a:cafe:200::1')
.network_address: IPv6Address('2001:658:22a:cafe::')
.hostmask: IPv6Address('::ffff:ffff:ffff:ffff')
.broadcast_address: IPv6Address('2001:658:22a:cafe:ffff:ffff:ffff:ffff')
.netmask: IPv6Address('ffff:ffff:ffff:ffff::')
.prefixlen: 64
"""
def __init__(self, address):
"""Instantiate a new IPv6 Network object.
Args:
address: A string or integer representing the IPv6 network or the IP
and prefix/netmask.
'2001:4860::/128'
'2001:4860:0000:0000:0000:0000:0000:0000/128'
'2001:4860::'
are all functionally the same in IPv6. That is to say,
failing to provide a subnetmask will create an object with
a mask of /128.
Additionally, an integer can be passed, so
IPv6Network('2001:4860::') ==
IPv6Network(42541956101370907050197289607612071936L).
or, more generally
IPv6Network(IPv6Network('2001:4860::')._ip) ==
IPv6Network('2001:4860::')
strict: A boolean. If true, ensure that we have been passed
A true network address, eg, 192.168.1.0/24 and not an
IP address on a network, eg, 192.168.1.1/24.
Raises:
AddressValueError: If address isn't a valid IPv6 address.
NetmaskValueError: If the netmask isn't valid for
an IPv6 address.
ValueError: If strict was True and a network address was not
supplied.
"""
_BaseInterface.__init__(self, address)
_BaseV6.__init__(self, address)
# Efficient constructor from integer.
if isinstance(address, (int, long)):
self._ip = address
self.ip = IPv6Address(self._ip)
self._prefixlen = self._max_prefixlen
self.netmask = IPv6Address(self._ALL_ONES)
if address < 0 or address > self._ALL_ONES:
raise AddressValueError(address)
return
# Constructing from a packed address
if _compat_has_real_bytes:
if isinstance(address, bytes) and len(address) == 16:
tmp = struct.unpack('!QQ', address)
self._ip = (tmp[0] << 64) | tmp[1]
self.ip = IPv6Address(self._ip)
self._prefixlen = self._max_prefixlen
self.netmask = IPv6Address(self._ALL_ONES)
return
# Assume input argument to be string or any object representation
# which converts into a formatted IP prefix string.
addr = str(address).split('/')
if len(addr) > 2:
raise AddressValueError(address)
self._ip = self._ip_int_from_string(addr[0])
self.ip = IPv6Address(self._ip)
if len(addr) == 2:
if self._is_valid_netmask(addr[1]):
self._prefixlen = int(addr[1])
else:
raise NetmaskValueError(addr[1])
else:
self._prefixlen = self._max_prefixlen
self.netmask = IPv6Address(self._ip_int_from_prefix(self._prefixlen))
if self._prefixlen == (self._max_prefixlen - 1):
self.iterhosts = self.__iter__
def _is_valid_netmask(self, prefixlen):
"""Verify that the netmask/prefixlen is valid.
Args:
prefixlen: A string, the netmask in prefix length format.
Returns:
A boolean, True if the prefix represents a valid IPv6
netmask.
"""
try:
prefixlen = int(prefixlen)
except ValueError:
return False
return 0 <= prefixlen <= self._max_prefixlen
@property
def with_netmask(self):
return self.with_prefixlen
class IPv6Network(IPv6Interface):
def __init__(self, address):
IPv6Interface.__init__(self, address)
if self.ip != self.network_address:
raise ValueError('%s has host bits set' %
self.ip)
del self.__dict__['ip']
def __str__(self):
return '%s/%d' % (str(self.network_address),
self.prefixlen)
@property
def with_prefixlen(self):
return '%s/%d' % (str(self.network_address), self._prefixlen)
@property
def with_netmask(self):
return '%s/%s' % (str(self.network_address), str(self.netmask))
@property
def with_hostmask(self):
return '%s/%s' % (str(self.network_address), str(self.hostmask))
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"FPDF for python (a.k.a. pyfpdf)"
# Read more about this http://code.google.com/p/pyfpdf
# Please note that new package name is fpdf (to avoid some naming conflicts)
# import fpdf into pyfpdf for backward compatibility (prior web2py 2.0):
from fpdf import *
# import warnings
# warnings.warn("pyfpdf package name is deprecated, please use fpdf instead")
| Python |
# fix response
import re
import os
import cPickle
import gluon.serializers
from gluon import current, HTTP
from gluon.html import markmin_serializer, TAG, HTML, BODY, UL, XML, H1
from gluon.contenttype import contenttype
from gluon.contrib.fpdf import FPDF, HTMLMixin
from gluon.sanitizer import sanitize
from gluon.contrib.markmin.markmin2latex import markmin2latex
from gluon.contrib.markmin.markmin2pdf import markmin2pdf
def wrapper(f):
def g(data):
try:
output = f(data)
return XML(ouput)
except (TypeError, ValueError), e:
raise HTTP(405, '%s serialization error' % e)
except ImportError, e:
raise HTTP(405, '%s not available' % e)
except Exception, e:
raise HTTP(405, '%s error' % e)
return g
def latex_from_html(html):
markmin = TAG(html).element('body').flatten(markmin_serializer)
return XML(markmin2latex(markmin))
def pdflatex_from_html(html):
if os.system('which pdflatex > /dev/null') == 0:
markmin = TAG(html).element('body').flatten(markmin_serializer)
out, warnings, errors = markmin2pdf(markmin)
if errors:
current.response.headers['Content-Type'] = 'text/html'
raise HTTP(405, HTML(BODY(H1('errors'),
UL(*errors),
H1('warnings'),
UL(*warnings))).xml())
else:
return XML(out)
def pyfpdf_from_html(html):
request = current.request
def image_map(path):
if path.startswith('/%s/static/' % request.application):
return os.path.join(request.folder, path.split('/', 2)[2])
return 'http%s://%s%s' % (request.is_https and 's' or '', request.env.http_host, path)
class MyFPDF(FPDF, HTMLMixin):
pass
pdf = MyFPDF()
pdf.add_page()
html = sanitize(
html, escape=False) # should have better list of allowed tags
pdf.write_html(html, image_map=image_map)
return XML(pdf.output(dest='S'))
def pdf_from_html(html):
# try use latex and pdflatex
if os.system('which pdflatex > /dev/null') == 0:
return pdflatex_from_html(html)
else:
return pyfpdf_from_html(html)
| Python |
import re
import cPickle
import random
import datetime
IUP = {'shoebill':{'a':1,'187':1},'trout-like':{'parr':1},'fig.':{'19':1},'mcintosh.':{'the':1,'illustration':1},'chiasmodon':{'niger':2},'yellow':{'and':4,'giant':1,'green':2,'red':1,'spots':1},'four':{'brightly':1,'hundred':1,'haunts':1,'feet':1,'solutions':2,'hours.':1,'things':1,'long':1,'.':2,'legs':1,'inches':4,'thousand':1,'million':1,'pairs':2,'hours':1,'satellites':1,'tufts':1,'great':1,'main':1,'of':1,'months':1,'days':1,'times':4,'volumes':1,'inches.':1,'frilled':2,'or':3},'snapping-blades':{'the':1},'aegir':{'on':4},'hanging':{'down':1,'on':2},'bird--evidences':{'of':1},'canes':{'venatici':1},'inheritance.':{'looking':1},'electricity':{'and':5,'belong':1,'is':4,'rotating':2,'held':1,'as':1,'sec':1,'in':1,'yet':1,'predominates':1,'from':1,'there':1,'.':9,'to':1,'which':4,';':4,'has':1,'we':1,'that':1,'here':1,'i.e':1,'like':1,'repel':1,'the':2,'or':1,'attracting':1},'similarity':{'of':3,'between':1},'sunlit':{'side':1},'superficially':{'indistinguishable':1,'like':1},'out-breeding':{'among':1,'when':1,'exogamy':1},'lord':{'popular':1,'kelvin':5,'avebury':1},'non-intelligent':{'experiments':1},'flicking':{'out':1},'meadows':{'and':2,'an':1},'sinking':{'down':2,'according':1,'in':1},'digit':{'of':1,'well':1},'co-operation':{'of':2},'oceans':{'lie':1,'of':1,'there':1,'are':1,'goes':1,'must':1},'pigment':{'and':1,'is':2,'.':1,'as':1,'which':1,';':1},'figs':{'.':1},'fingers.':{'but':1},'experimentally':{'on':1},'bringing':{'of':1,'about':1,'the':2},'elevations':{'and':1,'of':1},'meadow.':{'in':1},'internally':{'hot':1},'whitman':{'says':1,'took':1},'colour--the':{'result':2},'stars.':{'yet':1},'persisted':{'as':1,'until':1},'chameleons':{'the':1,'.':1},'intensification':{'of':1},'succession':{'giving':1,'of':5,'the':1,'has':1,'.':1},'tube--the':{'walls':1},'ultra-violet':{'and':1,'light':1,'waves--which':1,'or':1,'waves':1},'straight':{'ahead':1,'drop':1,'lines':1,'down':1,'through':1,'in':1,'path':2,'line':1,'legs':1,'along':1},'spiders':{'about':1,'were':1,'it':1,'.':1,'scorpions':1,'are':1,'have':1,'in':1},'specially':{'protected':1,'adapted':1},'symmetry.':{'illustration':1},'stiffens':{'.':1},'270':{'a':1,'silk':1,'reproduced':1},'271':{'electrical':1,'from':1},'second':{'and':5,'layer':1,'when':1,'year':1,'extinction':1,'yet':1,'any':1,'group':1,'would':3,'there':1,'question':2,'.':10,'to':1,'millennium':1,'which':1,';':1,'then':1,'we':1,'advantage':1,'that':1,'class':1,'screen.':1,'interglacial':1,'every':1,'longest':1,'not':1,'cousin':1,'copy':1,'opportunity':1,'by':1,'a':1,'great':1,'these':1,'of':1,'or':1,'preparation':1,'printing':1,'error':1,'position':1,'the':2,'chapter':1,'photograph':2},'attended':{'the':1,'by':2},'274':{'photo':1},'275':{'from':1},'278':{'hours':1,'photo':1},'279':{'rotating':1,'the':2},'inanimate':{'world':1},'dormancy':{'.':1},'errors':{'a':1,'in':1},'semicircular':{'canals':1},'phalangers':{'and':1,'flying':1},'thunder':{'and':1,'means':1},'nature.':{'the':1,'typical':1,'what':1,'illustration':1,'one':1},'contributed':{'every':1},'fingers':{'and':6,'to':1,';':1,'2':1,'knocking':1},'lowliness':{'.':1},'fossil':{'horses':1,'remains':2,'series':1,'forms':2,'scorpions':1,'of':2,'species':1},'increasing':{'control--a':1,'temperature':1,'facility':1,'intelligence':1,'complexity':2,'fullness':1,'the':1,'with':1,'day':1},'inducement':{'many':1},'surface--the':{'photosphere--is':1},'chins':{'and':1},'error':{'a':1,'we':1,'is':1,'here':1,'method':2,'to':1,';':1,'or':1,'must':1},'here':{'and':5,'says':1,'is':5,'within':1,'some':1,'it':1,'anticipating':1,'go':1,'seen':1,'again':4,'for':1,'also':1,'rather':1,'concerned':1,'since':1,'.':1,'to':3,'only':2,'cockchafers':1,'you':1,'was':2,'refer':1,'we':2,'let':1,'with':1,'nor':1,'a':1,'of':1,'spontaneously':1,'the':2,'stimulating':1,'are':1},'atoms':{'and':10,'being':1,'is':1,'an':1,'270':1,'whilst':1,'exist':1,'are':4,'have':1,'in':3,'seem':1,'seek':1,'containing':1,'indivisible':1,'from':1,'appear':1,'would':1,'with':1,'had':1,'.':5,'which':2,'got':1,';':2,'has':1,'was':1,'into':1,'do':2,'form':1,'were':4,'but':1,'atoms':2,'break':1,'most':1,'they':1,'put':1,'come':1,'themselves':1,'he':1,'for':1,'of':33,'enter':1,'the':2,'first':1,'at':1},'reported':{'to':1,'in':1,'that':1},'china':{'and':1},'evolutionist':{'s':1,'ideas':1,'suggestion':1},'fire.':{'chief':1,'saturn':1},'substance':{'in':1,'both':1,'from':2,'would':1,'is':1,'after':1,'glowing':1,'reaches':1,'.':3,'will':1,'to':1,'as':2,'but':1,'which':2,'were':1,'known':1,'has':1,'by':1},'contribute.':{'another':1},'k':{'.':1},'second--more':{'than':1},'reports':{'performances':1},'controversy':{'as':1},'forbes':{'observed':1,'tells':1,'history':1},'symmetrical':{'fishes.':1},'heidelbergensis':{'discovered':1},'appropriately':{'giants':1},'divide':{'a':1,'in':1},'owed':{'to':1},'explained':{'on':1,'because':1,'presently':1,'that':1,'later':1,'in':4,'by':1},'lengthen':{'the':1},'replace':{'the':4,'it':1},'brought':{'about':3,'to':3,'into':2,'up':1,'us':1,'their':1,'outside':1,'near':2,'through':1,'together':1,'in':1,'the':1,'its':1},'larger.':{'6':1},'female.':{'the':1},'obligation':{'works':1},'unit':{'body':1,'of':1,'for':1,'areas':1},'disproved--e.g':{'.':1},'spoke':{'of':3},'temperature.':{'if':1},'1892':{'.':1},'occupying':{'a':1},'vol':{'.':4},'untie':{'knots':1},'therefore':{'there':1,'is':2,'it':1,'one':2,'as':1,'are':2,'have':1,'even':1,'little':1,'since':1,'to':1,'survey':1,'means':1,'more':1,'form':1,'that':7,'imagine':1,'not':1,'conspicuous':1,'must':1,'a':2,'always':1,'so':1,'contain':1,'the':1,'called':1},'strike':{'a':1,'to':1,'the':2},'fossiliferous':{'beds':1},'until':{'comparatively':1,'some':1,'it':7,'one':1,'discovered':1,'at':3,'in':1,'its':2,'there':1,'when':1,'finally':1,'we':1,'recently':1,'that':1,'they':5,'such':1,'inconceivable':1,'a':3,'both':1,'i':1,'near':1,'the':3,'once':1},'skill.':{'illustration':1},'females':{'go':1,'the':1,'who':1,'use':1},'9.':{'instinctive':1},'successful':{'hunting':1,'accomplishment':2,'.':1,'notably':1,'race':1,'animal':1,'in':1,'performance':1,';':2,'class':1},'brings':{'about':1,'his':1,'this':1,'them':1,'us':1,'obvious':1,'the':1},'whirling':{'nebulae.':1,'gaseous':1,'streams':1,'motions':1,'electrons':1,'ring':1,'round':1},'glass':{'and':1,'on':1,'by':1,'blown':1,'wall':1,'of':1,'tube':1,'jar':1,'prism':3,'vulcanite':1,'.':2,'walls':1,'vibrate':1,'prism--a':1,'the':2,'tubes':1,'model':2},'inwards':{'each':1},'91':{'photo':1,'after':1,'pictorial':1},'90':{'photo':1,'from':1,'days':2,'per':1},'midst':{'of':1},'92':{'830':2,'as':1,'fossil':1},'95':{'photo':1,'from':1},'immature':{'sperm':1,'egg':1,'larval':1},'circumstances':{'and':1,'of':1,'it':1,'however':1,'indicate':1,'as':1},'locked':{'up':3},'mimickers':{'do':1,'live':1,'though':1,'survive--although':1},'pursue':{'further':1,'the':1},'accomplishment':{'of':2,'would':1},'plunged':{'in':1},'tell-tale':{'evidence':2},'temperatures':{'and':2,'as':1,'enormously':1,'but':1,';':1},'concepts':{'differ':1,'or':1},'plunges':{'into':1},'example':{'a':2,'passes':1,'of':5,'is':1,'three':1,'.':1,'the':1,'out':1},'type.':{'there':1,'steps':1,'it':1,'illustration':1},'encouragement.':{'evidences':1},'nitrates':{'which':1},'organized':{'under':1},'shore.':{'the':1},'dragons':{'and':1,'a':1,'for':1,'stalking':1,'which':1,'the':1,'or':1},'glued':{'to':1,'together':2},'caution':{'is':2,':':1,'in':2},'kingdoms':{'to':1},'want':{'to':1,'that':1},'oil-sheet':{'by':1},'absolute':{'cold':1,'calm':1,'zero':2},'disappearing.':{'thus':1},'travel':{'from':2,'for':1,'that':2,'fifteen':1,'is':1,'it':1,'.':2,'through':1,'at':3,'in':3,'rapidly':1,'with':1,'by':1,'round':1},'drying':{'up':1},'feature':{'of':2,'is':1,'in':2,'that':1},'machine':{'and':1,'readable':1,'which':1,'in':1},'how':{'beautiful':1,'this':2,'all':2,'useful':1,'striking':1,'vertebrates':1,'abundantly':1,'it':6,'long':4,'in':1,'curious':1,'your':1,'their':2,'thoroughly':1,'sunlight':1,'.':1,'to':9,'much':1,'--all':1,'he':1,'admirable':1,'is':1,'whipped':1,'noble':1,'we':4,'express':1,'do':4,'men':1,'but':1,'soon':1,'magnetism':1,'important':1,'infinite':1,'man':1,'a':1,'like':2,'these':2,'many':4,'could':2,'well':1,'swiftly':1,'did':1,'electrons':1,'can':1,'the':14,'professor':1,'are':2},'krait':{':':2,'should':1},'hop':{'.':1},'significance':{'of':3,'is':1,'.':1,'was':1,'that':1},'mueller':{'where':1},'uselessness':{'of':1},'utilise':{'their':1,'the':7,'atomic':1,'directly':1},'ptarmigan':{'very':1,'moults':1},'diagram':{'a':1,'and':1,'illustrating':3,'illustrates':2,'of':10,'showing':3,'.':4,'fig':2,'shows':2,'is':3,'constructed':1},'dinosaurs':{'and':1,'it':1,'which':1,'in':1},'wrong':{'and':1,'side':1,'though':1},'lattice-work':{'than':1,'but':1},'destined':{'to':3,'within':1},'twined':{'round':1},'pearl-bearing':{'river-mussels':1},'factor.':{'we':1},'types':{'and':2,'we':1,'like':2,'especially':1,'that':2,'of':10,'it':1,'.':2,'are':3,'which':3,'suited':1,'the':1,'has':1,'nearly':1},'calves':{'young':1},'effective':{'and':1,'substitutes':1,'ways':1,'camouflaging':1,'flying':1,'.':1,'action':1,';':1,'response':1},'endeavoured':{'instead':1},'attracts':{'every':1},'headquarters':{'of':1},'specks':{'faintly':1},'keeps':{'the':1,'as':1,'an':1},'back--till':{'we':1},'wing':{'and':1,'remains':1,'of':4,'is':3,'.':3,'while':1,'action':1,'has':1,'was':2},'wind':{'and':3,'tugs':1,'from':1,'around':1,'that':1,'pay':1,'.':1,'falls':1},'wine':{'decanter':1},'ovule':{'so':1},'restriction':{'attendant':1},'school.':{'as':1},'effect.':{'the':1,'illustration':1},'vary':{'a':1,'enormously':1,'.':1},'halfpennies':{'.':1},'microbe':{'or':1},'fore-limbs':{'and':3,'a':1,'emerging':1,'of':1},'elevated':{'into':1},'rewarded':{'the':2},'throne.':{'illustration':1},'wrought':{'on':1,'out':2,'in':1},'admirably':{'suited':1},'matures':{'or':1},'fit':{'and':2,'effected':1,'variations':1,'will':1,'to':2,'beautiful':1,'lasts':1,'the':1},'bodies--evolution':{'of':2},'heretofore':{'unimagined':1},'fix':{'dates':1,'after':1,'the':1},'occupations':{'and':1,'whether':1},'survivors':{'in':1},'woolly-haired':{'africans':1,'african':1},'anticipations':{'at':1},'fig':{'4':1,'.':36},'nobler':{'more':1},'hidden':{'disc':1,'from':1,'secrets.':1,'or':1},'alpine':{'heights':1},'admirable':{'indeed':1,'is':1,'adjustment':1,'in':1},'easier':{'to':4,'for':1},'bristle':{'.':1},'bolton.':{'the':3,'orang-utan':1,'chimpanzee':1,'cassowary':1},'f.r.s':{'.':1},'effects':{'and':1,'on':1,'from':1,'of':2,'due':1,'.':1,'are':1},'stars;':{'their':1},'coal-fields':{'is':1,'can':1},'devices.':{'vii':1,'illustration':1},'prize':{'is':1},'represents':{'a':2,'the':4,'an':1},'educable.':{'illustration':1},'humming-birds':{'we':1},'arrow':{'round':1,'shows':1},'obdurate':{'solid':1},'burial':{'customs':1},'financial':{'support':1},'telescope':{'and':1,'because':1,'show':1,'developed':1,'is':4,'it':1,'depends':1,'at':1,'in':1,'takes':1,'49':1,'remains':1,'.':3,':':1,'was':1,'brings':1,'construction':2,'with':1,'of':1,'mount':2,'weigh':1,'the':2},'garment':{'of':5,'by':1,'.':1},'spider':{'called':1,'203':1,'has':1,'that':1,'may':2,'dr':1,'ascends':1,'after':1,'reaches':1,'sunning':2,'jerks':1,'to':4,'s':1,'which':1,'--brushes':1,'with':1,'is':1,'ornithoscatoides':1},'parasites':{'a':1,'have':1,'may':1,'casual':1,'as':1,'are':2,'which':1,'or':1,'often':1},'armour--the':{'sea-urchin':1},'contracting':{'striped':1,'muscles':1,'mass':1,'the':1,'its':1},'depositing':{'eggs':1},'laboratory':{'cambridge':1,'would':1,'had':1,'but':1,'.':1,'at':1,'in':1,';':1,'or':1},'nerve-cell':{'s.c.':1,'m.c.':1,'a.c.':1},'message':{'travels':3,'is':2,'reaches':1},'borne':{'on':1,'just':1,'away':1,'in':1,'usually':1,'by':2,'out':1},'speed.':{'in':1},'excepting':{'the':1},'ice-sheets':{'retreated':1},'unrelated':{'types':1},'adapt':{'itself':1},'centauri':{'4.29':1,'estimated':1},'foundation':{'and':3,'web':1,'makes':1,'is':2,'as':1,'.':3,'project':1,'how':1,'s':3,'at':1,'in':1,'the':5,'was':1,'or':1,'are':1,'anyone':1},'stamping':{'a':1},'assured':{'that':1},'waddle':{'130':1},'strata':{'of':3,'is':1,'when':1,'contained':1,'have':1,';':1,'with':1},'solution':{'containing':1,'that':1,'may':1,'of':4,'within':1,'when':1,'has':1,'was':1},'sensory':{'nerve-fibre':2,'nerve-cell':1,'equipment':1,'nerve-cells':1,'stimulus':1,'fibres':1,'alertness':1},'born.':{'but':1},'crowned':{'with':1},'estimate':{'and':1,'obtained':1,'being':1,'how':1,'this':1,'of':2,'its':1,'these':1,'by':1},'universally':{'true':1},'enormous':{'distances':2,'energy':1,'number':1,'disc-like':1,'pressure--2-1':1,'size':1,'infantile':2,'vibration':1,'speed':1,'depths.':1,'amount':2,'increase':1,'pressures':1,'role':1,'store':1,'dilatable':1,'pressure':1,'jets':1,'velocities':1,'length':1,'activity':1,'velocity':1,'the':1},'bates':{'tells':1,'but':1},'exposing':{'it':1},'merychippus':{';':1,'miocene':1},'shelves':{'of':1},'hind-limbs':{'of':2},'perhaps.':{'moreover':1},'elements--we':{'have':1},'disturbed':{'development':1,'and':1,'.':2},'tempting':{'but':1,'one':1},'ineffectively':{'or':1},'speeds':{'to':1},'appreciable':{'atmosphere':1},'gas-bubbles':{'and':1,'in':1},'wasp':{'or':1,'beetle':2},'subtlety':{'in':1,'that':1},'maladies':{'to':1},'channels':{'or':1},'spinning':{'slowly':1,'threads':1,'round':1},'179':{'a':1,'photograph':1,'reproduced':1},'178':{'photo':1,'after':1},'likes.':{'illustration':1},'175':{'after':1},'174':{'after':1},'flagella':{'.':1},'172':{'000':1,'piltdown':1},'171':{'reproduced':1},'170':{'after':1,'from':1},'bitten':{'by':1},'service':{'to':1,'in':2,'abroad':1,'.':1},'similarly':{'for':1,'suggest':1,'when':1,'our':1,'the':3,'adapted':1,'out':1},'cooling':{'and':1,'white-hot':1,'of':3,'metal':1,'but':1,'down':3,'earth':1,'the':1},'needed':{'.':1,'for':1,'in':1},'master':{'of':1,'the':2,'different':1},'blossoms':{'.':1},'gilbert':{'white':1},'legs':{'and':4,'on':1,'free':1,'.':3,'to':1,'indents':1,'so':1,'are':1,'out':1},'genesis':{'of':1,'.':1},'treasure-house':{'of':1},'listen':{'it':1},'rewards':{'to':1},'fibrous':{'husk':1},'wisdom':{'of':1,'in':1},'egg-producer':{'.':1},'motionless':{'on':1,'at':1,'that':1},'predictable':{'and':1},'collaterals':{'hundreds':1,'.':1},'scarborough':{'and':2},'positively':{'say':2,'that':1,'into':1,'charged':1},'insect-visitors':{';':1},'surer':{'by':1},'showed':{'a':1,'on':1,'great':1,'for':1,'that':9,'is':1,'how':2,'simian':1,'the':1},'miniatures':{'of':1},'tree':{'and':2,'217':1,'notice':1,'of':5,'into':1,'struggles':1,'but':1,'.':2,'to':3,'near':1,'i.e':1,'with':1,'is':2,'before':1},'likely':{'to':5,'that':1,'unless':1,'it':1,'however':1},'idly':{'on':1,'why':1},'project':{'gutenberg-tm':56,'gutenberg':29,'gutenberg:':1,'gutenberg-tm.':1,'from':1},'fly-trap':{'77':1,'when':1,'one':1},'feeling':{'and':2,'of':1,'is':1,'.':1,'their':2,'things':1,'or':1},'acquisition':{'almost':1,'of':1,'made':1,'associated':1,'by':1},'life--the':{'first':2},'groaning':{'and':3},'objects':{'and':1,'do':1,'for':1,'very':1,'but':1,'.':2,'271':1,'take':1,'in':2},'similitude':{'of':2},'oxygen-capture':{';':1},'spectrum':{'and':2,'rays':1,'provides':1,'of':4,'is':2,'emitted':1,'analysis':2,'.':3,'will':1,'as':1,'are':1,'have':1,'the':2},'controversy.':{'in':1},'antagonistic':{'substances':1},'well.':{'illustration':1},'constricted':{'off':1},'oxygen-combustion':{'the':1},'dozen':{'eggs':1,'classes':1,'by':1,'years':1},'affairs':{'on':1,';':1,'would':1},'wholesome':{'superstitions':1},'yolk-forming':{'and':1},'person':{'often':1,'you':1,'or':3,'can':1},'eagerly':{'following':1},'metallic':{'vapours':1},'toothed':{'whales':1,'bird':2,'birds':1},'australia--all':{'sometimes':1},'absorbed':{'but':1,'so':1,'in':1,';':1,'with':1,'by':2},'doors':{'and':1,'of':1,'.':1,'depositing':1,'which':1,'were':1},'season':{'209':1,'it':1,'illustration':1},'concedes':{'the':1},'rhodesia':{'very':1,'178':1},'shall':{'be':2,'we':1,'deal':1,'give':1,'predict':1,'explain':2,'never':1,'content':1,'see':11,'have':1,'not':1,'see.':2,'find':2,'refer':1},'screwing':{'the':1,'it':1},'object':{'and':1,'we':1,'of':2,'.':1,'to':1,'too':1,'in':2,'drawn':1},'diminishing':{'in':1},'victoria':{'b':1,'british':2},'gill-cavity':{'and':1},'mouth':{'and':5,'of':1,'is':1,'there':2,'.':6,'allied':1,'are':1,'in':1,'the':1,'where':1,'into':1,'came':1},'long.':{'in':1},'letter':{'is':1,'there':1,'o':2},'drought':{'and':2,'is':1,'frost':1,'by':1,'extremes':1},'hide-and-seek':{'game':1},'difficulties.':{'illustration':1},'expound':{'their':1},'redistribution':{'is':1},'episode':{'in':1},'available.':{'many':1},'professor':{'holmes':2,'and':1,'thomas':2,'j':3,'tacchini':1,'rayleigh':1,'michael':1,'frederick':1,'chamberlin':1,'yerkes':3,'hickson':1,'starling':1,'lull':3,'church':2,'soddy':3,'eddington':4,'sir':8,'le':1,'royal':1,'young':1,'pickering':1,'soddy.':1,'john':1,'gamble':2,'soddy--as':1,'oscar':1,'perrin':1,'william':1,'flinders':1,'buller':1,'wood':1,'thorndike':3,'e':2,'whitman':1,'h':2,'later':1,'poulton':1,'l':2,'curie':1,'s':1,'r':6,'bayliss':1,'w':3,'of':3,'schuchert':2,'percival':2,'left':1,'schwalbe':1,'lloyd':2},'nineteenth':{'century.':2,'century':6},'mating':{'.':1},'incomplete':{'inaccurate':1,'.':1},'marvel':{'that':1},'hobhouse':{'has':1,'had':1},'insects':{'and':5,'belonging':1,'related':1,'extinct':1,'spring-tails':1,'pterodactyls':1,'whose':1,'by':2,'appear':1,'perhaps':1,'divided':1,'.':3,'to':1,'only':1,'which':1,'birds':1,'we':1,'that':2,'rest':1,'such':1,'with':1,'than':1,'on':1,'made':1,'like':1,'could':1,'carries':1,'can':1,'the':2,'where':1,'spend':1},'sea-snakes':{'such':1},'feather-stars':{'on':1},'apace':{'there':1},'touches':{'the':1,'some':1,'one':1},'flagellates--the':{'originators':1},'methods--one':{'using':1},'shuffling':{'a':1,'the':1},'quaint':{'insects':1,'lop-eared':1,'ways':1,'explorer':1,'creatures':2},'unrest.':{'many':1},'character':{'of':1,'set':1,'except':1},'bush':{'in':1},'touched':{'it.':1,'on':1,'by':1},'rich':{'repertory':1,'inheritance':1,'area':1,'seaweed':1,'in':4},'rice':{';':1},'plate':{'and':2,'reveals':1,'may':1,'of':3,'is':1,'there':1,'however':1,'.':4,'underneath':1,'to':1,'goes':1,';':1,'has':1,'holder':1},'well-advanced':{'stage':1},'wide':{'of':1,'range':2,'spread':1,'departures':1,'apart':1},'foremost':{'living':1},'pocket':{'and':1,'of':1,'is':1},'insect.':{'masking':1},'altogether':{'and':1,'we':1,'from':1,'obscure.':1,'there':1,'.':1,'lies':1,'inattentive.':1,'extinct':1,'the':1,'apart':1},'tips':{'of':1,'form':1},'transmissible.':{'given':1},'societies':{'.':1},'greens':{'and':1},'dipnoi':{'which':1},'patch':{'of':2,'which':1},'men.':{'we':1,'the':1},'fitly':{'use':1},'release':{'date':1,'harness':1},'them.':{'1':1,'we':1,'clodd':1},'hasten':{'matters':1,'however':1},'lesson.':{'we':1},'circling':{'eddies':1,'round':1},'protists':{'the':1,'which':1},'evolutionism':{'with':1},'traverse':{'matter':1,'we':1},'fair':{'to':1},'radium':{'and':6,'discharges':1,'270':1,'as':1,'sec':1,'in':1,'salts':1,'passes':2,'rays':8,'began':1,'that':1,'when':1,'.':2,'to':1,'rays.':1,'john':2,'was':2,'generates':1,'captivated':1,'may':1,'now':1,'a':1,'implied':1,'the':2,'or':2},'niche':{'of':2,'among':1},'radius':{'and':1},'result':{'we':1,'of':10,'is':1,'when':1,'.':1,'will':4,'as':1,'strange':1,'which':1,'in':1,'not':1,'was':2},'fail':{'to':4},'nocturnal':{'birds':1,'animal':1},'skulls':{'high':1,'of':1,'.':1},'best':{'methods':1,'for':1,'of':2,'explanation':1,'.':1,'to':1,'while':1,'suited':1,'thermometer':1,'illustrations':1,'i.e':1,'has':1,'dress':1,'conductors.':1},'oceanic':{'islands':1},'rings':{'and':1,'from':1,'of':1,'mighty':1,'are':1,'in':1,'the':1,'round':1},'frond-like':{'tassels':1,'tags':1},'stealthy':{';':1,'stalking':1},'pressures':{'the':1,'that':1},'score':{'of':1,'but':1,'which':1},'conceptual':{'as':1,'inference':1,'inference--or':1},'propagated':{';':1},'circulating':{'at':1,'the':1,'round':1,'as':1,'in':1},'glasgow':{'and':1},'magnesium':{';':1},'preserve':{'free':1},'claws':{'on':3,'especially':1,'.':1},'men':{'and':2,'indicated':1,'it':1,'as':1,'at':1,'have':1,'oftener':1,'still':1,'ancient':1,'.':5,'to':1,'that--':1,'who':4,'proving':1,'but':2,'arose':1,'with':1,'like':2,'of':19,'s':1,'so':1,'were':1,'the':1,'powers':1,'or':1},'extend':{'far':1,'our':1,'the':1,'towards':1,'outwards':1},'nature':{'and':3,'because':1,'less':1,'is':1,'some':1,'depends':1,'acts':1,'draws':1,'would':1,'there':1,'had':1,'.':5,'which':1,'messrs':2,'drawn':1,';':1,'has':2,'was':3,'more':1,'never':1,'but':1,'includes':1,'november':1,'the':1,'a':1,'about':1,'of':28,'s':8,'ninety-two':1,'messrs.':2,'or':1,'involves':2},'blood-containing':{'tufts':1},'twinkling':{'of':1},'cards':{'and':1,'with':1,'but':1,'.':1,'are':1,'come':1},'extent':{'and':1,'on':2,'what':1,'gauged':1,'of':1,'able':1,'intelligently':1,'by':1,'to':1,';':1,'permitted':1},'carbon':{'immersed':1,'compounds':4,'hydrogen':1,'until':1,'dioxide':1},'debt':{'repaid':1},'well-lighted':{'surface':1},'tyranny':{'of':3},'outcome':{'of':12,'is':2},'sacrificing':{'accuracy':1},'refinement':{'and':1},'country':{'then':1,'of':1,'to':1,'outside':1,'in':2,'nothing':1,'the':1},'conclusions':{'are':1,'which':1},'heating':{'process':1},'tree-toads':{'tree-snakes':1},'dents':{'or':1},'argue':{'fire':1},'adapted':{'for':14,'many':1,'.':1,'to':12,'itself':1,'so':1,'in':1},'asked':{'perhaps':1,'to':1,'what':1,'for':3},'exogamy':{'tending':1},'vain':{'and':1},'canyon':{'60':1,'many':1},'259':{'professor':1},'irresponsibly':{'they':1},'252':{'reproduced':1},'250':{'what':1,'000':2,'miles':1,'fathoms':2,'the':1,'inconceivable':1},'251':{'a':1},'grazing':{'mammals':1,'the':1,'herds':1,'bison':2,'in':1},'254':{'photo':1,'from':1,'reproduced':1},'255':{'reproduced':1},'101':{'after':1},'berenices':{'is':1,'.':1},'union':{'of':3,'with':1},'fro':{'about':1,'more':1},'.':{'secondly':1,'all':12,'three-toed':2,'sci':2,'skeleton':1,'chain':1,'holman':1,'mcintosh.':2,'four':1,'zinc':1,'foundations':1,'contributions':1,'magnifying':1,'certainly':1,'fahr.':1,'father':1,'young':2,'miall':1,'to':27,'finally':2,'romanes':1,'lord':1,'non-intelligent':1,'protective':1,'7':4,'very':5,'every':12,'dando':1,'radio-active':1,'well-finished':1,'f.r.s':1,'louis':1,'laying':1,'t.':1,'p':9,'hickson':1,'small':2,'indemnity':1,'round':1,'upper':1,'feathers':1,'yerkes':1,'electricians':1,'further':1,'langmuir':1,'blue':1,'what':24,'17.--a':1,'pariasaurus':1,'paintings':1,'section':1,'above':3,'dr.':1,'new':3,'movement':1,'cheetahs':1,'sci.':1,'men':1,'here':10,'hundreds':1,'anthropology':2,'let':7,'others':3,'along':3,'f.r.s.':1,'neville':1,'daughter':1,'dividing':1,'chalmers':1,'k':1,'compliance':1,'forbes':3,'usually':1,'adopting':1,'holmes':1,'saunders':3,'24.--the':1,'berridge':8,'newby':1,'cuttlefishes':1,'everybody':1,'from':21,'russell':3,'would':1,'remains':1,'positive':1,'two':5,'anatomical':1,'examination':1,'therefore':2,'6':6,'taken':2,'until':2,'on':19,'flying':3,'inclined':1,'berridge.':10,'chimpanzee':1,'lodge':1,'everywhere':1,'hilger':2,'baby':2,'bates':2,'ward':21,'huxley':3,'dando.':3,'none':2,'animals':2,'f':5,'this':102,'science':5,'when':39,'piltdown':1,'3--the':1,'making':1,'male':1,'history':3,'frogs':1,'high':1,'something':1,'story':1,'presently':1,'sir':2,'end':1,'starch':1,'astronomers':3,'how':7,'orang-utan':1,'occasionally':1,'s.':1,'intelligent':1,'side-view':2,'millikan':2,'information':3,'slipher':1,'perrin':1,'after':15,'deep-sea':1,'waves':1,'such':10,'man':4,'a':95,'forestier':3,'light':6,'clavius':1,'osborn':3,'so':24,'kippax':1,'iii.':1,'sc':1,'evolutionary':1,'barnard':2,'pelican':1,'indeed':4,'21.--typical':1,'murray':2,'thomson':7,'helena':1,'experiments':2,'still':2,'its':14,'soddy':1,'before':1,'25':1,'27':1,'21':1,'22':1,'28':1,'wilkinson.':2,'lowell':5,'23.--star':1,'fabre.':2,'26.--a':1,'estuaries':1,'they':99,'compound':1,'not':6,'olcott':1,'now':23,'nor':2,'nos':1,'6.--solar':1,'f.e.s.':1,'james':1,'radiant':1,'reid.':2,'scharff':1,'associative':1,'weighs':1,'everyone':2,'directly':1,'needless':2,'series':2,'fish':1,'journ':2,'macmillan':3,'12.--jupiter':1,'owing':1,'our':5,'hart':1,'special':2,'out':2,'living':4,'9.--the':1,'furthermore':1,'since':2,'may':1,'america.':3,'safety':1,'rational':1,'10.--solar':1,'sluggish':1,'red':1,'7.--the':1,'quite':1,'fourteen':1,'extraordinary':1,'experimenting':1,'besides':6,'put':3,'detecting':2,'keith':1,'ll.d':2,'organic':1,'g':1,'where':2,'hence':5,'first':3,'18.--a':1,'copper':1,'already':1,'plainly':1,'thereafter':1,'one':16,'another':9,'mercury':1,'given':2,'ancient':2,'limited':2,'similarly':4,'anyone':2,'their':13,'2':23,'caterpillars':1,'white':1,'speaking':2,'x-rays':2,'that':23,'19.--comet':1,'part':2,'somewhat':1,'gilbert':1,'11':1,'10':2,'13':2,'b':7,'15':1,'14':2,'17':1,'16':2,'second':2,'project':3,'matter':2,'r':3,'algol':1,'other':4,'are':1,'and':41,'clerk-maxwell':3,'ltd.':2,'pliocene':1,'ages':4,'lull':4,'sentences':1,'1':26,'apparently':1,'any':1,'viewed':1,'eels':1,'u.s':1,'mic':1,'gravity':1,'note':5,'also':1,'without':4,'take':1,'sirius':1,'even':16,'play':2,'unless':4,'wilson.':2,'though':1,'price':1,'who':2,'hincks':1,'most':6,'combustion':1,'nothing':1,'america':1,'nutritive':1,'constitution':1,'firelight':1,'22.--a':1,'dragon-flies':1,'professor':12,'later':2,'heat':2,'looked':1,'25--giant':1,'electrons':7,'prout':1,'normally':1,'laws':1,'stones':1,'hobhouse':1,'aquatic':1,'charles':2,'14.--the':1,'lloyd':1,'uranus':1,'earth':1,'hinkins':2,'copyright':1,'duncan':1,'only':4,'going':2,'molecules':2,'humdrum':1,'thompson':1,'8':5,'4.--the':1,'darwin':4,'thousands':1,'combe':1,'do':3,'his':1,'fossil':1,'meanwhile':2,'15.--mars':1,'there':106,'watch':1,'watson':1,'12':2,'nearly':2,'distinctly':1,'during':3,'silk':2,'dr':1,'crabs':1,'evolution':3,'h':27,'girdled':1,'twice':2,'discs':1,'20.--comet':1,'she':8,'gibson':1,'1922':1,'intelligence':1,'radium':2,'notice':3,'j.':2,'sec':1,'mud-nests':1,'mcgregor.':12,'5.--diagram':1,'tropisms':1,'federal':1,'artificial':1,'birds':1,'3':19,'between':5,'probably':2,'email':1,'crookes':2,'we':115,'tylor':1,'fox-bat':1,'however':5,'8.--the':1,'atoms':2,'both':7,'c':18,'wallace':1,'many':17,'taking':1,'according':6,'s':21,'1.--diagrams':1,'johnstone':1,'otherwise':1,'among':4,'goodrich':1,'simple':4,'had':1,'jeans':1,'whatever':3,'pycraft':1,'church':1,'moreover':9,'newbigin':1,'broadening':1,'marett':1,'geddes':1,'much':5,'sponges':1,'bragg':2,'life':3,'modern':1,'partly':1,'c.':1,'four-toed':1,'luther':1,'13.--saturn':1,'shepstone.':6,'races':1,'despite':1,'an':14,'161':1,'those':4,'sound':1,'adaptations':1,'unlike':1,'these':36,'lightner':1,'16.--the':1,'n':2,'while':2,'suppose':1,'viii':1,'2.--the':1,'fore-limb':2,'then':4,'vol':1,'vi':1,'is':4,'thus':48,'it':317,'iv':2,'ii':2,'middle':2,'in':152,'mcgregor':2,'if':76,'jenner':1,'headley':1,'perhaps':13,'things':1,'make':1,'sollas':1,'babies':1,'9':2,'several':1,'yucca':1,'higher':1,'ball':1,'see':4,'kelvin':1,'v.':1,'kinnaman':1,'moving':2,'lower':2,'i':3,'no':11,'mccabe':1,'contact':1,'furneaux':1,'comparisons':1,'the':569,'redistribution':1,'just':2,'being':1,'generally':1,'rest':1,'ideas':1,'disguise':1,'ritchie':2,'years':1,'paul':1,'yet':11,'like':1,'smith':1,'except':2,'potential':1,'4':15,'5':8,'putnam':2,'possibly':1,'boxes':1,'royalty':2,'five':1,'6.':1,'apart':4,'tail':1,'d':1,'lightning':1,'enregistered':1,'arthur':7,'donations':1,'t':1,'interbreeding':1,'webb':1,'old':1,'flattely':1,'triceratops':1,'some':37,'jupiter':2,'easygoing':1,'gradually':1,'for':44,'shall':1,'skeletons':1,'everything':2,'does':1,'subtlest':1,'newcomb':2,'11.--mars':1,'each':13,'illustration':2,'subconscious':1,'great':1,'although':4,'affording':1,'by':18,'macpherson.':1,'actual':1,'extending':1,'of':25,'o':1,'sea-horse':1,'whence':3,'larmor':1,'gregory':1,'consequently':1,'or':6,'naturalists':1,'serviss':1,'kapp':1,'reactions':1,'within':3,'chemists':1,'mic.':1,'mills.':2,'haddon':2,'protozoa':1,'swimmers':1,'nowadays':1,'theoretically':1,'technically':1,'doubtless':1,'linnaeus':1,'additional':1,'her':1,'placing':1,'brute':1,'long':1,'why':2,'moseley':3,'daniell':1,'stars':1,'duffus.':2,'energy':3,'naturally':1,'lowest':1,'gluten':1,'mammals':1,'but':138,'cloth':1,'curiously':1,'white.':1,'with':8,'he':39,'october':1,'whether':5,'j':40,'up':1,'idiosyncrasies':1,'stages':1,'similar':2,'sometimes':6,'taste':1,'certain':1,'metals':1,'general':2,'as':35,'ether':1,'at':22,'adams':2,'again':1,'compared':2,'curie':1,'9.':1,'c.:':1,'pickering':1,'electrical':1,'you':12,'picture':1,'energetic':1,'carpenter':1,'marshes':1,'fishes':2,'ramsay':1,'building':1,'e':5,'glass':1,'persistent':1,'together':1,'brocklehurst.':4,'mckready':1,'functionless':1,'keane':1,'once':1},'much':{'indebted':1,'harm':1,'smaller':2,'less':4,'wall':1,'intelligence':1,'subtlety':1,'alive':1,'parasites':1,'as':5,'disarranged':1,'right':1,'in':5,'sought':1,'beyond':1,'exhausted':1,'if':1,'nearer':2,'use':1,'cut':1,'from':1,'for':4,'.':2,'better':1,'to':10,'changed':1,'change':1,'progress':1,';':1,'has':1,'dreaded':1,'energy':2,'more':24,'scepticism':1,'used':2,'paperwork':1,'greater':5,'trace':1,'that':1,'importance':2,'gliding':1,'is':1,'controversy':1,'damaged':1,'denser':1,'speculation':1,'bigger':1,'simpler':1,'a':1,'on':1,'surer':1,'faster':1,'of':5,'larger':2,'stronger':1,'greater--a':1,'easier':1,'so':1,'truth':1,'light':1,'the':3,'movement':1},'pedigree--man':{'s':1},'104':{'after':1},'sponges':{'stinging':1,'zoophytes':1,'jellyfishes':1,'spongillidae':1,'are':1,'corals':1,'jellyfish':1},'smolts':{'and':1,'which':1},'fry':{'become':1,'about':2,'rises':1,'ltd.':2},'105':{'an':1},'exactness':{'with':1},'life':{'and':15,'among':1,'because':1,'although':1,'exists':1,'is':6,'it':1,'lies':1,'namely':1,'through':4,'are':3,'in':13,'palaeozoic':1,'best':1,'if':1,'depend':1,'for':1,'to':4,'remains':1,'began':1,'there':2,'had':1,'1914':1,'1':1,'.':17,'of':19,'whole':1,'which':3,';':4,'before':1,'was':2,'as':4,'than':1,'that':1,'after':1,'possible':1,'illustration':1,'but':4,'utterly':1,'during':1,'166':1,'continued':1,'by':1,'a':1,'on':18,'depends.':1,'has':4,'animals':1,'1921':2,'many':1,'depends':2,'will':1,'s':1,'can':1,'though':1,'each':1,'at':1,'taxed':1,'the':3,'history':1,'where':1,'or':1,'72':1},'latro':{'that':2},'retrospect':{'looking':1},'in-breeding':{'endogamy':1,'tended':1},'conifers':{'and':1,'ginkgos':1,'shall':1},'luther':{'the':1,'burbank':1},'shepstone.':{'light':1,'the':2,'modern':1,'100-inch':1,'lightning':1},'connaissance':{'du':1},'tree-mice':{'tree-porcupines':1},'child':{'of':4,'s':4,'does':1,'.':1,'that':1},'chili':{'where':1},'spin':{'round':1},'breast-pocket':{';':1},'control--a':{'promise':1},'adaptations':{'and':1,'of':1,'or':1,'to':5,'which':1,'such':1,'by':1},'heidelberg':{'man':5,':':2,'was':1,'sand-pit':1,'in':2},'contemp':{'.':1},'viii':{'foundations':1,'.':2},'flooding':{'space':1},'elaborate':{'burial':1},'picturing':{'a':1},'remembering':{'the':1,'that':1},'played':{'an':1},'equator':{'and':1,'of':1,'.':1,'seems':1,'i.e':1},'photographer.':{'as':1},'obeying':{'the':2},'player':{'is':1},'australia':{'perhaps':2,'is':1,'190':1,'it':1,'to':1,'neoceratodus':1,'which':1,'the':1,'95':1},'anticipating':{'the':1,'we':1},'south.':{'illustration':1},'plants.':{'sec':1,'illustration':1},'said.':{'illustration':1},'open-water':{'period':1,'turtles':1},'damaged':{'disk':1,'by':1},'feebler':{'and':1,'until':1},'things':{'and':6,'endowed':1,'is':1,'effectively':1,'as':1,'are':1,'in':2,'dr':1,'.':6,'to':1,'which':2,'wildly':1,';':1,'was':1,'horses':1,'do':1,'we':3,'that':5,'with':1,'you':1,'he':1,'on':1,'like':1,'e.g':1,'without':1,'mixed':1,'or':1},'format':{'other':1,'with':1,'used':1,'must':1},'killdeer':{'plover':1},'dissimilars':{'tends':1},'clucking':{'of':1},'gateways':{'to':1,'of':3},'double-breathers':{'dipnoi':1},'elliott':{'fry.':2,'fry':1},'emphatic':{'notice':1,'rejection':1},'european':{'fauna':1,'lynx':1},'increased.':{'electrons':1,'illustration':1},'fairly':{'what':1,'complicated':1,'mastered':1},'typhoid':{'fever':1},'georgics':{'to':1},'middle-aged':{'and':1},'effectively':{'to':1,'e.g':1,'conquered.':1,'.':1},'pioneers':{'men':1},'race-history':{'.':1},'tune':{'to':1},'registering':{'steps':1},'stupendous':{'energy':1,'collection':1,'.':1},'matters':{'little':1,'greatly':1},'erectus':{'found':1},'-mammal':{'and':1},'raindrops':{'and':1},'opinions':{'with':1},'boyhood':{'the':1},'sea-skimmers':{'halobatidae':1},'sleeps':{'upright':1},'golden':{'draperies':1,'plover':1,'age':5,'eagles.':1,';':1},'expensively':{'for':1},'distribute':{'a':1,'this':1,'copies':1,'it':1,'the':1,'or':2},'rotated':{'that':1},'beset':{'with':1},'disguise':{'and':1,'besides':1,'is':1,'.':3,'sec':1,'which':1,'differs':1,'the':1,'with':1,'or':1},'neanderthalers':{'and':1},'falcon':{'s':2},'glue-like':{'threads':1},'hen-pigeon':{'may':1},'rushing':{'torrent':1},'succeeding':{'ages':2},'lasso':{'minute':1},'99712':{'.':1},'spectacles':{'in':1},'seal':{'right':1},'old-fashioned':{'type':1,'way':1},'had':{'gone':2,'remained':1,'appeared':2,'dived':1,'some':1,'few':1,'increased':1,'brought':1,'wit':1,'at':1,'human':1,'seen':1,'swallowed':1,'enjoyed':1,'to':8,'really':1,'established':1,'given':1,'surmised':1,'proceeded':1,'rushed':1,'there':2,'been':18,'anatomical':1,'their':5,'only':1,'definitely':1,'emerged':1,'probably':1,'learned':2,'mainly':1,'claws':2,'his':1,'tried':1,'feathers':1,'gathered':1,'never':1,'extended':1,'anticipated':1,'its':4,'haunted':1,'no':4,'survived':1,'become':2,'not':6,'suspected':1,'disappeared':1,'undoubtedly':1,'a':10,'discovered':1,'great':2,'these':1,'many':1,'actually':1,'fish-like':1,'large':1,'passed':2,'teeth':2,'found':1,'the':1,'pulled':1,'waited':1,'something':1},'salmon--forming':{'new':1},'thickening':{'or':1},'saturn--the':{'moon--the':1},'collections':{'of':1},'easy':{'business':1,'for':1,'haunt':1,'.':4,'to':6,'times--glacial':1},'irresponsive':{'.':1},'botanists':{'that':1},'east':{'has':1,'when':1,'are':1,'which':1},'eocene':{'and':1,'n':1,'era':1,'n.':1,'period':1},'good-humoured':{'talkativeness':1},'up--a':{'clever':1},'elevation':{'and':1,'of':2},'survival':{'of':1,'with':1,'.':2},'semi-fluid':{'carbon':1},'possible':{'origin':1,'and':1,'instruments':1,'it':1,'according':1,'are':1,'in':1,'moreover':1,'yet':1,'enemies':1,'again':1,'evolution.':1,'for':4,'basis':1,'favouring':1,'.':1,'colours':1,'to':13,'that':6,'however':1,'but':1,'a':1,'kind':1,'outline':1,'when':1,'haunts':1,'seeds':1,'steps':1,'victory':1,'error':1,'or':1},'knife-blade-like':{'to':2,'larva':2},'firmer':{'though':1},'possibly':{'run':1,'show':1,'there':1,'outside':1,'attain':1,'have':1,'in':1},'indicative':{'not':1,'of':1},'birth':{'and':2,'of':2,'gestation':1,'.':3,'to':1,'the':1,'with':1},'shadow':{'and':1,'cast':2,'across':1,'on':1},'unique':{'and':1,'solution':1,'in':1,'property':1,'ensemble':1,'discovery':1},'12:30':{'p.m':1},'occurring':{'in':2},'desire':{'to':3,'that':1},'skull-walls':{'sir':1},'collection.':{'a':1,'lord':2,'charles':1,'sir':1,'j':1},'process--a':{'process':1,'building':1},'enregistered':{'reactions':1,'rhythms':1,'hereditarily':1,'it':1,'instinctive':2,'reactions.':1},'steps':{'followed':1,'of':1,'per':1,'which':1,'in':9,'by':1},'beneficial':{'partnerships':1,'partnership':1,'external':1,'.':1},'right':{'and':1,'into':1,'we':1,'as':1,'at':1,'in':1,'out':1,'indicate':1,'away':1,'to':2,'answer':1,'has':1,'146':1,'resting':1,'direction':1,'hand':1,'angles':4,'path':1,'with':1,'this':1,'of':4,'or':2},'old':{'quarters':1,'philosophical':1,'before':1,'terrestrial':1,'lady':1,'young':2,'.':1,'to':1,'going':1,'which':1,'entomologist':1,'editions':1,';':1,'red':2,'showing':1,'middle-aged':1,'they':1,'world':2,'with':2,'stone':4,'land':1,'word':1,'could':1,'haunts':1,'race':1,'so':1,'margin':1,'view':1},'creek':{'.':1},'crowd':{'of':1},'people':{'then':1,'would':1,'213':1,'just':1,'their':1,'arguing':1,'who':1,'.':1,'start':1,'s':1,'know':1,'have':3,'in':1,'fail':1,'wrongly':1},'predominance':{'of':1},'crown':{'of':3,'corona':1,'but':1},'deflection':{'of':3},'crows':{'but':1},'dragons--the':{'first':1},'animate':{'nature':5},'creep':{'slowly':1,'up':2},'enemies':{'a':1,'and':1,'for':1,'who':1,'except':1,'but':1,'.':5,'as':1,'which':1},'for':{'all':6,'aquatic':2,'untold':1,'unseen':1,'accurate':1,'seizing':4,'years':3,'egg-laying':1,'not':1,'existence.':2,'converting':1,'its':11,'negligence':1,'current':1,'rapid':1,'knowledge':1,'instance':25,'body-making.':1,'reasons':1,'believing':1,'capturing':1,'pursuing':1,'grasping':1,'weeks':1,'thousands':3,'over':3,'them':1,'good':1,'worse':1,'food':7,'gauging':1,'balancing':2,'existence--which':1,'every':3,'nearly':2,'they':8,'half':2,'mixing':4,'highly':1,'several':2,'identifying':3,'humming-birds':1,'this':8,'miles':1,'common':1,'activity':2,'speculation':1,'bone':2,'dexterity':1,'another':2,'intelligence':1,'radium':1,'some':4,'catching':4,'jupiter':1,'vocal':1,'existence':13,'our':4,'sport':2,'special':1,'blood-vessel':1,'crunching':1,'what':2,'three':1,'giving':1,'drifting':1,'brief':1,'increase':1,'new':3,'allowing':1,'receiving':1,'ever':4,'safety.':1,'measuring':1,'we':4,'reproduction':1,'parental':1,'example.':1,'terse':1,'of':1,'here':2,'water':2,'feeding':1,'nowhere':1,'although':3,'sedentary':1,'science':2,'dry':1,'comparison':1,'enormous':1,'actual':1,'respiration':1,'branch-gripping':1,'many':12,'violence':1,'adventures':1,'generations':1,'swimming':2,'nerve':1,'striking':1,'keenness':1,'obtaining':1,'seven':1,'one':1,'learning':1,'accepting':1,'.':1,'millions':14,'life--the':2,'man--the':1,'additional':1,'her':2,'their':2,'race-history':1,'there':8,'copies':2,'long':2,'by':1,'whom':1,'much':1,'motility':1,'themselves':1,'analysing':3,'fourteen':1,'hearing.':1,'more':6,'free':1,'exploring':1,'excavating':2,'himself':1,'north':1,'that':4,'ages':3,'releasing':1,'instance.':1,'about':1,'it':29,'carrying':1,'observations':1,'chasing':1,'coal--dissipation':1,'considerable':1,'it--radium.':1,'plants':1,'keeping':1,'animals':1,'thirty':1,'these':4,'us.':1,'access':1,'generating':1,'sifting':2,'life--water':1,'project':1,'while':1,'future':1,'midday':1,'thirty-five':1,'aesthetic':1,'life.':1,'example':6,'are':1,'and':1,'bearing':1,'amenity':1,'almost':1,'alongside':1,'mind':1,'life':6,'avoiding':1,'an':6,'as':2,'his':1,'evening':1,'something':2,'in':5,'counting':2,'any':5,'if':2,'utility':2,'us':3,'climate':1,'granted':1,'when':1,'offspring':1,'how':1,'damages':1,'holding':2,'so':1,'profiting':1,'higher':2,'supersaturated':1,'unpalatability':1,'centuries':1,'food.':1,'most':1,'moving':1,'two':1,'supposing':3,'such':1,'foothold':1,'sally':1,'man':8,'a':49,'muscle':1,'natural':1,'observation':1,'professor':2,'itself':2,'coal':2,'shore':1,'engulfing':1,'five':1,'fresh':1,'the':104,'crayfish':1,'playing':1},'bottom':{'may':1,'of':1,'and':1,'than':1,'.':2},'fox':{'all':2,'plays':1,'the':1,'or':1},'individuals':{'die':1,'who':1,'are':1,'each':1},'exposition':{'to':1},'landscape':{'effects':1},'invasions':{'of':1,'there':1},'surging':{'fire.':1},'man--body':{'and':1},'monkey-ape-man':{'.':1},'palatable':{'and':3,'butterflies':1,'flesh':1},'substitutes':{'for':2},'energy':{'and':7,'all':1,'force':1,'is':16,'it':2,'an':1,'produced':2,'as':4,'are':3,'in':6,'go':1,'if':1,'by':2,'or':1,'from':2,'would':2,'come':1,'since':1,'had':3,'expressed':1,'.':18,'to':3,'is.':1,'which':10,'tends':1,'streams':1,';':2,'has':1,'energy':1,'287':1,'greater.':1,'we':2,'that':4,'may':4,'sufficient':1,'derived':1,'but':1,'cannot':2,'let':1,'such':1,'originated':1,'than':1,'nor':1,'must':1,'a':1,'brought':1,':':1,'locked':2,'like':2,'this':1,'of':40,'into':1,'later':1,'equal':1,'across':1,'will':1,'so':1,'can':1,'ineffectively':1,'the':1,'disappears':1,'could':1,'came':1,'for':1},'dental':{'troubles.':1},'unfrozen':{'at':1},'life-or-death':{'quality':1},'substituted':{'for':1},'shifting':{'of':1},'losing':{'a':1,'the':1,'its':1},'memorable':{'because':1},'joule':{'who':1},'tide-producing':{'power':1},'emits':{'when':1,'rays--the':1},'shaken':{'.':1},'restlessness':{';':1,'an':1},'predisposition':{'to':1},'opossums':{'feigning':2,'are':2},'o':{'.':3,'as':1,'there':1,'in':1},'oneness':{'of':1},'wave-length':{'of':2,'is':1,'corresponds':1},'herring-gull':{'is':1},'slightly':{'from':1,'changed':1,'developed.':1,'simplified.':1},'lamprey':{'.':1},'raised':{'to':1,'higher':1,'from':1,'in':2,'many':1},'cloud-screen.':{'illustration':1},'statements':{'concerning':1,'that':1,'might':1,'.':1},'facility':{'of':2,'in':1},'non-protrusive':{'face':1},'son':{'of':1},'beings':{'on':1,'whose':1,'in':1},'raises':{'the':1},'sow':{'broadcast':1,'and':1,'again.':1},'spores':{'and':1,'of':1},'pairs':{'of':3},'shoots':{'and':1,'from':1},'polaris':{'76':1},'fields.':{'virgil':1},'fabric':{'of':1},'wonder-horse':{'with':1},'support':{'and':3,'a':1,'life':1,'of':1,'its':1,'to':1,'the':1,'has':1,';':1},'constantly':{'driven':1,'pouring':2,'rising':1,'splitting':1,'for':1},'width':{'.':1},'grasping':{'of':1,'the':1,'lifting':1},'physicists':{'and':3,'did':1,'of':4,'who':1,'but':1,'to':1},'greatness':{'and':1},'resulted':{'from':1,'in':2},'music':{'of':1,'had':1},'telegraph':{'and':1,'cables':1},'offer':{'serious':1,'rewards':1,'was':1,'no':1},'fascination':{'about':1},'forming':{'associations':2,'what':1,'good':1,'useful':1,'these':1,'of':1,'an':1,'part':1,'in':1,'vegetable':1,'new':1,'the':2,'ordinary':1},'shoot':{'out':3},'hemisphere':{'learned':1,'throughout':1},'thickness.':{'a':1},'survive':{'douching':1,'for':1,'being':1,'when':1,'prolonged':2,'but':1,'.':1,'high':1,'without':1,'the':2},'beech':{'a':1},'statement.':{'illustration':1},'otter':{'a':1,'is':1,'one':1,'239':1,'which':1,'or':1},'week':{'four':1,'or':2,'in':1},'death--procession':{'of':1},'inside':{'and':2,'a':2,'is':1,'are':1,'have':1,'the':3},'arrow-worms':{'in':1},'devices':{'it':1,'adaptations':1,'which':1,'.':1},'lays':{'stress':1,'her':2,'many':1,'an':1,'the':2,'its':1},'masterfulness':{'of':1},'soldering':{'of':1},'palm':{'and':2,'of':1},'procyon':{'10.5':1},'cormorants':{'and':1},'150':{'to':1,'000':5},'153':{'anatomical':1},'later':{'chapter':1,'on':2,'differ':1,'on.':1,'sir':1,'section':1,'there':1,'ages':1,'.':3,'discovered':1,'to':1,'stage':3,'which':1,'in':3,'the':2,'still':1,'than':1,'christened':1,'section.':1},'proved':{'what':1,'that':2,'very':1,'of':1,'equal':1,'but':1,'.':1,'to':2,'as':1,'too':1},'157':{'side-view':1,'photo':1,'the':1,'after':1},'156':{'photo':2},'158':{'darwin':1},'as-is':{'with':1},'palm;':{'and':1},'proves':{'fatal.':1},'exist':{'on':2,'all':1,'there':1,'would':1,'since':1,'.':2,'in':4,'between':1,'apart':1},'melan':{'dr':1},'sprouts':{'kale':1},'redolent':{'of':1},'stolidity':{'gives':1},'floor':{'of':7,'.':2},'glacier':{'that':1},'negatively-electrified':{'body':1,'ones':1},'uttered':{'until':1},'flood':{'of':4,'in':1},'nestling':{'bittern':1},'beginning--whatever':{'we':1},'deep-seated':{'connection':1,'difference':1},'entomologist':{'mr':1},'irresistible':{'.':1},'superfluous':{'length':1,'twig':1},'roll':{'themselves':1,'over':1},'friar-birds':{'of':1},'thoroughgoing':{'internal':1},'palms':{'and':1},'non-moulting':{'winged':1},'teats':{'injects':1},'mariner':{'s':1},'transported':{'in':1},'irs.':{'the':1},'scale':{'on':1,'we':1,'far':1,'of':4,'is':1,'in':2,'but':1,'to':1,'each':1,'the':4},'intent':{'efforts':1},'foot-print':{'of':1},'variable':{'monitor':2,'hare':2,'as':1,'stars':3,'in':1,'new':1,'before':1,'stock':1},'cleaver':{'of':1},'commensalism':{'with':1,'eating':1,'i.e.':1,'where':1},'fastened':{'to':1,'by':1,'up':1,'on':1},'microbes':{'such':1,'invading':1,'to':1},'packets':{'one':1},'coastlines':{'.':1},'ottawa':{'by':1},'time':{'and':11,'is':3,'it':2,'as':6,'in':5,'immemorial.':1,'thought':1,'rapidly':1,'for':1,'their':1,'with':3,'since':1,'when':5,'.':7,'to':5,'onwards':1,'swift':1,';':1,'until':1,'ahead.':1,'we':2,'energy':1,'that':5,'very':1,'than':1,'however':2,'much':1,'great':1,'a':1,'they':1,'during':1,'come':1,'by':1,'nor':1,'ago':1,'wide':1,'immemorial':1,'last':1,'like':2,'showed':1,'of':11,'required':1,'reminding':1,'appearing':1,'so':1,'she':1,'were':1,'about':1,'the':12,'or':1},'adult':{'and':1,'eel':1,'life':1,'by':1,'.':2},'peacock':{'and':1,'for':1},'irrigation':{'of':1},'chain':{'of':2,'instincts':1,'.':1},'perch':{'when':1},'colour-change':{'bony':1,'is':2,'sometimes':1,'expresses':1,':':2,'occurs':1},'lawlessly':{'they':1},'activated':{'by':1},'crocodile':{'pipes':1,'is':2,'would':1},'avalanche':{'.':1},'skate':{'and':1,'places':1},'93':{'000':2},'witmer.':{'peter':1},'ebooks.':{'':1},'hold':{'a':1,'all':1,'that':1,'of':2,'it':1,'their':2,'in':1,'the':1},'rottenness':{'eaters':1},'methodically':{'onwards':1},'94':{'photo':1,'from':1},'efficiencies':{'supply':1},'209':{'a':1,'homing':1},'chequered':{'by':1,'but':1},'walking-fish':{'or':2},'separated.':{'perhaps':1},'downloading':{'copying':1},'gisbert':{'electricity':1},'navigable':{'kingdom':1},'choice':{'of':1},'92.9':{'1.00':1},'gloomy':{'prognostications':1,'gorilla.':1},'bustle':{'of':1},'fullest':{'ears':1},'right-handed':{'and':1},'exact':{'and':1,'intensity':1,'it':1,'limits':1},'minute':{'and':2,'signs':1,'tag--but':1,'unicellular':1,'planets':1,'in':1,'diamond-like':1,'surfaces':1,'living':1,'rays':1,'organisms':2,'measurements':1,'.':1,'particles':1,'molecules':1,'6':1,'fragments':1,'that':1,'crustaceans':3,'after':1,'but':1,'hand':1,'waves':1,'satellites':1,'atoms':1,'transparent':2,'animals':2,'atom':1,'traces':1,'or':1},'tear':{'into':1,'asunder':1,'them':1,'are':1},'leave':{'me':1,'them':1,'this':1,'well':1,'atoms':1,'their':1,'the':4,'open':1,'him':1,'creatures':1},'solved':{'four':2,'there':1,'it':1},'settle':{'these':1,'on':1,'down':3},'team':{'at':2},'depository':{'of':2,'the':1,';':1,'he':1},'speculation':{'and':1,'about':1,'.':3,'is':2,'that':1},'unpaying':{'boarders':1},'prevent':{'you':1},'thinkers':{'the':1,'since':1,'have':2},'occurrence':{'of':5,'.':1},'chimpanzee--and':{'it':1},'insignificant':{'compared':1,'one':1},'trails':{'a':1},'milligram':{'of':1},'gnawed':{'the':1},'roof':{'of':3},'depressions':{'of':1},'mind--even':{'in':1},'parachuting':{'animals':1,'.':1},'educate':{'the':1},'leaf-butterfly':{'kallima':1},'axes':{'follow':1,'of':1},'melt':{'in':1},'current':{'rang':1,'is':6,'intellectual':1,'through':1,'275':1,'in':2,'279':1,'seems':1,'exhibits':1,'.':4,'to':1,'is.':1,'which':1,'instead':1,'was':2,'therefore':1,'donation':1,'not':1,'with':1,'the':2,'of':3,'passing':1,'where':1},'remembered':{'that':4},'looking':{'is':1,'backwards':6,'at':3,'extraordinarily':1},'period--its':{'length':1},'falling':{'and':1,'on':1,'stone':2,'into':1,'body':1,'water':2,'weights':1,'between':1,'particles':1},'ground':{'a':1,'on':2,'what':1,'his':1,'again.':1,'would':1,'though':1,'is':1,'or':2,'when':1,'by':1,'pushed':1,'as':1,'flapping':1,'in':1,'has':1,'the':2,'.':5,'was':1,'generate':1,'he':1},'coccyx':{'at':1},'climbs':{'on':2,'the':2,'up':1},'honour':{'of':1},'mauer.':{'d-e.':1},'understanding':{'and':1,'of':1},'exceptions':{'the':1,'as':1,'that':2},'magnetism':{'and':1,'we':1,'gravitation':1,'is':3,'supposes':1,'.':1,'differs':1,'he':1},'nemesis':{'of':2},'yards':{'and':1,'a':1,'off':1},'address':{'specified':1},'alone':{'is':2,'.':4,'swamp':1,'the':1,'has':1,'by':2},'along':{'a':3,'copper':1,'many':1,'lines':1,'two':1,'an':1,'its':1,'at':1,'which':3,'certain':2,'the':15,'with':9,'by':2},'dwindling':{'counterpart':1,'relic':1,'of':1,'structure--the':1,'race':1,'relics':1,'structures':1,'resources':1,'must':1},'anchoring':{'structures':1},'momentous':{'event':1,'step':1,'.':1,'except':1,'that':1},'testings':{'.':1},'neville':{'extinct':1},'brilliant':{'workers':1,'young':1,'or':1,'early':1,'experiment':1,'photosphere':1,'failures':1,'conquest':1,'coloration':1,'redness':1},'studied':{'a':1,'the':1,'was':1,'by':1},'wherever':{'the':2,'there':1},'commonly':{'found':1,'accepted':1},'brazilian':{'forest':1},'accomplished':{'in':1,'if':1},'ineffective':{'way':1,'movements':1},'vitiated':{'air':1},'studies':{'of':1},'unification.':{'we':1},'tasks':{'of':2},'love':{'as':1,'.':1,'hunger':1},'prefer':{'to':1},'relations.':{'when':1},'betraying':{'its':1},'deep-water':{'marine':1},'sky':{'means--light':1,'means':1,'no':1,'.':2,'will':1,'to':1,'overhead':2,'at':1,'in':1,'probably':1,'where':1},'engrain':{'capacities':1},'working':{'from':1,'of':2,'into':1,'methodically':1,'against':1,'powerfully':1,'which':1,'or':1,'out':1},'mankind--steps':{'in':1},'formulated':{'the':2},'positive':{'and':7,'knowledge':2,'electricity':6,'particles':1,'charge':1,'in':1,'the':1,';':1},'-fish':{'embryo':1},'anatomical':{'distinctions':1,'proof':2,'genius.':1,'structure':1,'evidence':1},'vigour':{'and':1,'of':1,'.':1},'down-breaking':{'disruptive':1},'opposed':{'to':1},'films':{'of':2},'scope':{'to':1},'theoretical':{'basis':1},'ten-miles-wide':{'moons':1},'perishes':{'for':1},'periophthalmus':{'of':1,'common':2},'chapters--the':{'feeding':1},'afford':{'food':1,'a':1,'to':2},'apparent':{'strokes':1,'suddenness':1,'.':1,'motion':1,'to':1,'stroke':1,'motions':1,'exceptions':1,'creeping':1},'assimilation':{'exceeding':1},'validity':{'there':1},'minnows':{'and':2,'learned':1,'were':1},'appendix':{'alone':1,'at':1,'which':1},'everywhere':{'forming':1,'there':1,'like':1,'in':1},'virtue':{'of':5,'as':1},'blood.':{'as':1},'disparagement':{'tentative':1},'easiest':{'of':1},'petrel':{'the':1,'or':2,'is':1},'logos':{'which':1,'.':1},'modernised':{'types':1},'originally':{'a':2,'derived':2,'intelligent':1,'supposed':1},'rutherford':{'and':2,'sir':1,'246':1,'one':2,'christened':1},'imagination.':{'the':1,'organic':1},'moulted':{'which':1,'in':1},'life--water':{'that':1},'believes':{'that':1},'printing':{'august':1,'april':4,'may':1,'june':4,'september':1,'sept':1},'values':{'most--control':1},'slowness':{'.':1},'stature':{'and':1,'than':1,'human':1},'believed':{'not':1,'to':1,'by':2,'that':2},'admired':{'the':1},'short-limbed':{'but':1},'frogs':{'and':3,'a':1,'show':1,'may':1,'sometimes':1,'herald':1,'jumping':1,'have':1,'meet':1,'along':1},'bulkiest':{'structure':1},'parachute':{'of':1,';':1,'wing':1,'before':1},'locks':{'.':1},'one--the':{'old':1},'238':{'photo':2,'whereas':1},'239':{'photo':1},'unveiled':{'in':1,'.':1},'allowed':{'to':1,'aliens':1,'for':1,'her':1,'of':1},'evidently':{'light':1,'puzzled':1},'232':{'photo':2},'233':{'photo':4},'winter':{'and':4,'by':2,'in':1,'of':1,'within':1,'freeze':1,'scene':2,'whiteness':1,'plumage':2,'.':1,'are':1,'sets':1,'nor':1,'the':1,'has':1,'dress':1,';':1,'retreat':1},'venation':{'of':1},'chromatophores':{'and':1,'in':1},'foul':{'waterholes':1,'with':1},'protozoon':{'and':1,'has':1,'or':1,'.':1},'s.':{'fairbanks':1,'illustration':1},'elephant':{'and':2,'rhinoceros':1,'a':1,'.':1,'helping':1,'at':1,'they':1,'was':1},'northwards':{'for':1},'divides':{'and':1,'into':2,'is':1},'edinburgh':{'the':1},'snaps':{'secure':1},'explores':{'a':1},'explorer':{'which':1},'motive-force':{'in':1},'spot':{'and':1,'on':2,'23':1,'though':1,'at':1,'where':1},'convincingly':{'the':1},'muellerian':{'after':1},'date':{'living':1,'from':1,'for':1,'on':1,'of':2,'contact':1,'at':1,':':1},'such':{'ingenious':1,'and':1,'remarkable':1,'publications':1,'constituents':1,'is':5,'metals':1,'well-known':2,'contrasts':1,'as':72,'diverse':1,'are':1,'planets':1,'in':1,'speed':1,'birds':1,'enemies':1,'dense':1,'things':1,'phrases':1,'unity':1,'wonderfully':1,'way':1,'instruments':2,'if':1,'conditions':1,'important':1,'movement':1,'that':3,'rock':1,'apparent':1,'furnaces':1,'depths':1,'wave-motions':1,'races':1,'fishes':1,'cases':2,'intelligent':1,'active':1,'stage':1,'a':19,'dangers':1,'changes':1,'occasions':1,'damage.':1,'betelgeux':1,'cells':1,'motion':1,'thing':4,'states':1,'hard-and-fast':1,'temperatures':2,'time':1,'similar':1,'order':1},'behaviour--experimenting':{'learning':1},'truly':{'wonderful':3},'data':{'transcription':1,'for':1},'codes':{'that':1},'lids':{'to':1,';':1},'waggons':{'at':1},'sy':{'1':1,'2':1},'forestier':{'of':3},'varieties':{'of':1,'which':1,'altogether':1},'conscious':{'guile':1,'agent':1,'imitation':1},'naturae':{'meaning':1,'the':1},'st':{'.':2},'inhabiting':{'this':1,'the':2},'castings':{'and':1},'remoter':{'part':1},'so':{'chicks':1,'they':2,'among':1,'fond':1,'subtle':1,'still':1,'generous':1,'slow':1,'young':1,'late':1,'to':3,'differently':1,'rich':1,'he':1,'clouded':1,'do':2,'good':1,'far':14,'safe':1,'apt':1,'closely':1,'vast':2,'easily':1,'like':2,'keenly':1,'shaped':1,'forth':3,'large':1,'stupid':1,'she':1,'small':2,'where':1,'simple.':1,'often':1,'attenuated':1,'are':1,'helpless':1,'pronounced':1,'for':1,'restricted':1,'below':1,'does':1,';':1,'numerous':1,'common':2,'we':6,'recently':1,'inextricably':1,'completely':1,'rapid':1,'strong':1,'by':1,'momentous':1,'gained':1,'on':16,'great':3,'many':7,'sensitive':1,'rudely':1,'striking':1,'powerful':1,'marked':2,'one':1,'long':3,'quickly':1,'readily':1,'fast':1,'from':1,'there':4,'sunlight':1,'.':3,'much':15,'clever':3,'that':43,'forming':1,'minute':1,'motionless':1,'mounted':1,'inconspicuous':1,'wide':1,'arranged':1,'this':1,'up':1,'will':1,'while':1,'obvious':1,'of':1,'similar':1,'bright--the':1,'is':3,'it':8,'an':1,'effectively':1,'as':6,'in':4,'clearly':1,'relatively':1,'proceeds':1,'very':3,'hot':1,'absorbed':1,'instead':1,'firmly':1,'watery':1,'may':1,'important':1,'conspicuous':1,'a':2,'short':1,'crowded':1,'clear':1,'well':1,'near':2,'deeply':1,'species':1,'fresh':1,'the':8},'sc':{'the':1},'mud-flats':{';':1},'pulled':{'.':1,'down':1,'twice':1,'at':1,'the':3,'by':4},'outflowing':{'network':2},'unsolicited':{'donations':1},'lighter':{'and':1,'materials':2,'in':1,'atomic':2,'.':1},'differences':{'separating':1,'of':3,'in':3,'between':2},'below.':{'1.f.':1,'illustration':2,'1.c':1},'copious':{'supply':1},'course':{'and':1,'associated':1,'is':1,'it':2,'an':1,'are':1,'in':1,'confirms':1,'her':1,'unknown':1,'there':2,'been':1,'to':2,'only':1,'5':1,'easy':1,'has':1,'be':2,'we':3,'cannot':1,'not':1,'with':1,'by':1,'he':2,'a':2,'for':3,'of':24,'the':2},'experiments':{'suggested':1,'towards':1,'proved':1,'chiefly':1,'showed':1,'that':1,'of':5,'in':4,'enabled':1,'.':4,'indicate':1,'without':1,'have':1,'which':1,'usually':1,'checked':1,'with':2},'frequents':{'two':1},'insurgence':{'and':2,'of':2},'tendency':{'to':11,'that':1,'among':1,'by':1,'of':2},'solitary':{'bit':1,'or':1},'limbs':{'is':1,'to':2,'at':1,';':1,'with':1,'or':1},'derive':{'their':1,'from':1},'yawning':{'in':2},'thumb':{'and':5,'th':1},'did.':{'looking':1},'hot':{'and':2,'gaseous':1,'for':1,'gas':1,'when':1,'but':1,'.':2,'as':1,'weather':1,'earth':1,'cinder':1,'or':1,'bodies':1},'decreases':{'.':1},'attraction':{'produces':1,'of':1,'is':1,'.':1,'can':1,'between':2},'creations':{'of':1,'.':1},'dwarfs':{'.':1},'constitutes':{'matter':2,'one':2},'instantly':{'fly':1},'conveying':{'it':1},'thereby':{'buoyed':1,'escapes':1},'earth--the':{'earth-knot':1},'youth.':{'sec':1},'experiment.':{'we':1},'indigenous':{'wild':2},'records':{'of':2,'the':1,'or':1,'.':1},'year.':{'in':1},'overpowering':{'and':1,'its':1},'water-shrew.':{'freshwater':1},'sorted':{'out':2},'twilight':{'by':1,'no':1},'runners':{'that':1},'one-seventh':{'and':1},'find.':{'fresh':1},'creation.':{'the':1},'establishing':{'itself':1,'or':1,'associations.':1},'veins':{'on':1,'of':1},'instability':{'and':1},'eighty-seven--and':{'that':1},'quarter':{'of':4,'days':2},'habitat-zones':{'and':1},'limb.':{'it':1},'turtle':{'found':1,'the':1,'that':1,'which':1,'of':1},'square':{'of':1,'.':1,'miles':2,'inch':2,'our':1,'the':1},'retrieve':{'its':1,'her':1},'receipt':{'of':1,'that':1},'parachutists--':{'flying':1},'prisms':{'the':1,'are':1},'woodcraft':{'the':1},'owing':{'to':4,'in':1},'entering':{'a':1,'the':4,'into':1},'beetle':{'running':1,'which':4},'instinct--the':{'mind':1},'neighbourhood':{'of':1},'crowding':{'there':1},'river-tortoises':{'which':1},'abide':{'by':1},'collisions':{'.':1},'contained':{'good':1,'meat':1,'in':4},'protections':{'against':1},'washington.':{'illustration':1},'suggesting':{'that':2},'granites':{'while':1},'ascendant':{'and':1},'soap-bubble':{'.':2},'siege':{'are':1},'million':{'millions':1,'square':1,'million':2,'stars.':1,'volts':1,'is':1,'trillion':1,'atoms':1,'meteorites':1,'miles':3,'electrons':1,'stars':1,'in':1,'horsepower':1,'250':1,'years':9,'.':1,'times':6},'envelop':{'the':1},'possibility':{'of':12,'is':1,'that':2,'in':1},'quite':{'uninterested':1,'certain':5,'direct':1,'comfortable':1,'as':1,'clever':1,'at':1,'impossible':1,'extinct':1,'indifferent':1,'readily':1,'different':5,'emancipated':1,'artificial':1,'difficult':1,'separated':1,'independent':1,'sure':2,'possible':2,'lively.':1,'invisible':1,'apart':3,'a':2,'easily':1,'novel':1,'clear':1,'so':3,'fundamental':1,'obscure':1,'away':1},'disintegrates':{'generates':1},'complicated':{'and':2,'elements':1,'than':1,'convolutions.':1,'atoms':1,'to':1,'atom':1,'cases':1,'wave':1,'by':1},'besides':{'even':1,'all':1,'his':1,'her':1,'turtles':1,'that':1,'this':1,'monkeys--in':1,'violent':1,'sunlight':1,'.':2,'these':1,'acting':1,'pulling':1,'struggle':1,'which':1,'instinctive':1,'the':4,'perceptual':1,'those':1},'remainder':{'of':1},'seventy':{'or':1},'vivum':{'e':1},'shores':{'and':1,'going':1,'which':1,'.':1},'training':{'given':1,'they':1,'nor':1,'.':1},'possum':{'lying':1},'tree-sloths':{'for':1,'tree-shrews':1},'undisguised':{'shore-animals':1},'ostrich':{'and':1,'with':1},'wanderers':{'.':1},'disguises':{'which':1},'massive':{'bulk':1,'jaws':1,'lower':1,'face':1},'routes':{'became':1,'round':1},'learning.':{'vi':1,'vii':1,'illustration':1,'animal':1},'puny':{'infant':1},'toads--it':{'serves':1},'emotion':{'as':1,'is':1},'saving':{'the':2,'clauses.':1},'symmetry':{'of':1,'is':1,'.':1,'well':1,'must':1},'serpent':{';':1},'spoken':{'of':1,'language':1},'one':{'over':1,'atom':3,'not':1,'mile':3,'whose':1,'cut':1,'group':1,'championed':1,'except':1,'should':3,'to':2,'primordial':2,'main':1,'might':2,'resting-place':1,'digit':1,'animal':1,'big':1,'colour--the':2,'answer':1,'year.':1,'cannot':1,'half':1,'foot':1,'rotation':2,'day':4,'three-hundredth':1,'reality--the':1,'name':1,'magnet':1,'fitness':1,'served':1,'side':5,'kernel':1,'revolution':1,'telescope':1,'second':1,'martian':1,'year':1,'close':1,'thinks':2,'living':1,'for':1,'disease':1,'time.':1,'discovers':1,'above':1,'example':1,'consisting':1,'body':6,'we':1,'state':1,'million':2,'here':1,'objects':1,'illustration':1,'key':1,'put':1,'sadly':1,'by':1,'momentous':1,'extreme':1,'on':4,'substance':1,'asks':1,'of':101,'local':1,'thing':3,'s':2,'place':3,'or':1,'comes':1,'family':1,'embodiment':2,'another':16,'comprises':1,'pulls':1,'cloud':1,'from':3,'would':3,'hundred-thousandth':1,'.':7,'water-shed':1,'crab':1,'half-hour':1,'was':2,'toe':1,'direction':1,'knows':2,'form':1,'that':3,'successful':1,'thousand':2,'but':1,'another.':1,'manifestation':1,'hopes':1,'line':1,'with':3,'must':1,'kind':3,'has':1,'type':1,'as':1,'will':1,'near':1,'obvious':1,'can':6,'country':1,'piece':1,'remembers':1,'and':8,'pound':3,'stream':2,'is':8,'hardly':1,'say':1,'way':2,'at':2,'in':3,'helium':1,'globe.':1,'end':6,'parish':1,'food-plant':1,'other':1,'which':3,'inch':1,'physical':1,'week':1,'snail':1,'may':1,'after':1,'molecule':1,'hand':2,'plane':3,'such':1,'class':2,'man':2,'planet':1,'owns':1,'colour':3,'electron':1,'element':1,'more':1,'time':5,'the':1,'lined':1,'egg':1,'order':1},'spanish':{'don.':1},'open':{'pipe':1,'sea':25,'jaws':1,'waters':2,'there':1,'up':1,'one':1,'water':1,'atlantic':1,'sea.':1,'doors':1,'sea--the':1,'the':1,'gateways':1},'city':{'ut':1,'like':1},'bite':{'of':1,'at':1},'indicate':{'a':2,'the':4,'that':1,'first':1,'an':1},'2':{'and':4,'among':1,'show':1,'gradual':1,'in':1,'it':1,'chromosomes.':3,'feet':1,'tons':1,'jupiter':2,'escape':1,'paternal':1,'egg':1,'nebulae':1,'factors':1,'physiological':1,'.':11,'0':1,'3':1,'holding':1,'newly':1,'500':3,'we':2,'maternal':1,'inches':2,'respectively':1,'instinctive':1,'canals':1,'with':1,'by':1,'a':1,'represents':1,'of':3,'the':13,'changes':1},'vapoury':{'tail':1},'stuffed':{'their':1},'bits':{'.':1},'lingering':{'influence':1,'here':1},'vapours':{'and':1,'that':1,'of':1,'whirling':1,'imaginable':1,'.':1,'above':1},'on.':{'we':1,'there':1,'illustration':1,'sec':1,'in':1,'the':3,'recent':1},'viviparous':{'the':1},'gently.':{'these':1},'proving':{'everything':1,'trying':1,'itself':1},'s.c.':{'on':1},'herds':{'extended':1},'absorbs':{'most':1,'the':2,'all':1},'photographic':{'emulsions':1,'plate':11,'negative':1},'structure.':{'differences':1,'in':1},'vapour.':{'millions':1},'meteors':{'and':2,'what':1,'showing':2,':':1,'approach':1,'or':2},'third':{'and':2,'case':1,'layer':1,'eyelid':2,'form':1,'of':3,'night':2,'rings':1,'digit':1,'haunt':1,'trial':1,'printing':1,'great':1,'have':1,'atom':1,'answer':1,'interglacial':3},'depressed':{'into':1},'himself.':{'when':1},'weapons--the':{'sea-anemone':1},'siding':{'we':1},'future':{'and':1,'for':1,'reproductive':1,'of':1,'holds':1,'.':6,'access':1,'cannot':1,'let':1,'need':1,'research':1,'generations.':1},'17-1':{'2':1},'trekking':{'to':1},'college':{'of':2,'observatory.':4},'wandering':{'about':1,'amoeboid':2,'.':1},'johnstone':{'j':1},'prospect':{'for':3,'.':1},'thousandths':{'of':1},'royalties':{'.':1,'under':1},'sac':{'beneath':1},'turned':{'towards':1,'from':1,'into':5,'round':1,'to':1,'sharply':1,'rapidly':2,'the':1,'its':1},'argument':{'supposes':1,'implies':1},'alley':{'at':1},'auroral':{'displays':1},'say':{'just':1,'is':1,'some':1,'it':2,'an':1,'brain':1,'as':1,'at':2,'in':1,'our':1,'its':1,'what':2,'for':1,'sodium':1,'much':2,'began':1,'there':3,'ignorabimus.':1,'.':2,'other':1,'therefore':1,':':1,'reflex':1,'more':4,'presently.':1,'we':2,'full':1,'that':26,'mammals':1,'here':1,'unification':1,'they':3,'half':1,'by':1,'a':1,'about':1,'like':1,'of':5,'enthusiastic':1,'according':1,'without':1,'ignoramus':1,'the':9},'buried':{'and':1,'eggs':1,'his':1,'egg':1,'alive':1},'horsepower':{'.':1},'1':{'and':3,'testing':1,'it':2,'an':1,'100th':1,'drawings':1,'in':1,'before':2,'67':2,'25':1,'giant':1,'for':1,'no':1,'sun':1,'except':1,'.':10,'1':1,'to':1,'340':1,'mars':1,'progress':1,'we':1,'300':1,'dam':1,'67000':1,'but':1,'000':2,'125':2,'367':1,'drought':1,'20417':1,'with':1,'by':1,'evolution':1,'1800':1,'of':4,'35':1,'1845':1,'the':12,'two':1},'sap':{'reminding':1,'and':1,'which':1},'saw':{'and':1,'a':1,'all':1,'that':1,'may':1,'is':1,'earlier':1,'about':2,'heard':1,'combine':1,'in':2,'the':1,'has':1,'was':1},'1903.':{'illustration':1},'law.':{'if':1},'unsuitable':{'and':1,'pools':1},'downwards':{'on':1,'along':1,'at':1},'aside':{'to':1,'conventional':1,'only':1},'zoo':{'with':1,'were':1},'note':{'that':1,'of':2,'is':2,'its':1,'how':2,'the':9,'still':1,'by':1},'take':{'frogs':1,'it':1,'an':3,'as':1,'in':1,'our':2,'its':1,'what':1,'from':1,'rather':1,'long':1,'1':1,'to':2,'much':1,'400':1,'place.':1,'photographs':1,'centuries':1,'advantage':1,'between':2,'about':1,'leaps':1,'one':1,'a':6,'great':2,'light':1,'up':1,'us':1,'place':1,'five':1,'the':10,'root':2,'50':1},'fruit-fly':{'drosophila':1},'wanting':{'of':1},'powers--man':{'still':2},'butterfly':{'kallima':2,'showed':1,'which':1,'an':1},'scents.':{'the':1},'hunt':{'insects':1,'from':1},'wilson.':{'peripatus':1,'rock':1},'opposite':{'pans':1,'direction':2,'electric':1,'ways':1,'of':1,'ends':1,'side':2,'picture.':1,'directions':3,'page':1},'knew':{'to':1,'what':1,'.':1,'but':1,'less':1},'molecule':{'of':4,'is':2,'contains':1,'as':1,'every':1,'therefore':1,':':1,'with':1},'talk':{'of':1},'detect':{'and':2,'a':2,'them':1,'less':1,'this':1,'as':2,'such':1,'the':2},'printed':{'cards':1,'on':2,';':1,'and':1,'editions':1},'remarks':{'of':1},'inserted':{'nuts':1},'pages':{'for':1},'adaptability':{'of':1},'average':{'distance':1,'would':1,'level':1,'of':1,'men':1,'molecule':1,'height':1,'depth':1,'5':1,'human':1,'estimate':1,'organism':1},'drive':{'electric':1},'crowd--we':{'cannot':1},'unabated':{'to':1},'messier':{'31':2},'atlantic':{'and':1,'cod-banks':1,'some':1,'.':1,'crowds':1,'overcome':1},'salt':{'and':1,'did':1,'of':1,'lake':2,'.':1,'water':2,'projects':1},'laws':{'and':1,'of':5,'alone':1,'regulating':1,'in':1},'walking':{'and':2,'on':1,'wood':1,'powers':2,'movements':1},'pencilled':{'above.':1},'definite':{'direction':2,'constant':1,'periodic':1,'positions':1,'function--we':1,'answers':1,'possibilities':1,'entities':1,'step':1,'race':1,'figures':1,'nervous':1,'learning':2,'mammals':2,'routes':1,'position':2,'concentric':1,'type':1,'order':1,'bronze':1},'imagines':{'when':1},'friction':{'and':1,'on':1,'.':1,'when':1,'of':1},'far-reaching':{'importance':1,'influences.':1,'with':1,'discoveries':1,'consequences':2},'bright':{'star':1,'globe':1,'lines':5,'central':1,'white':1,'cloudlets':1,'image':1},'fiord':{'estuary':1},'scarce':{'as':1,'multiplying':1},'imagined':{'the':1,'entity':1},'beetles':{'and':1},'slot':{'and':1,'of':1},'colony-making':{'protozoon':1},'slow':{'and':1,'like':1,'boiling':1,'one':1,'down':2,'to':3,'as':1,'vibrations':1,'although':1,'changes':1},'representation':{'of':6,'to-day':1},'gravers':{'and':1},'fox-terrier':{'turned':1},'liberation':{'and':1},'going':{'on':17,'appearing':1,'that':1,'back':5,'one':2,'to':4,'through':1,'farther':1,'on.':8,'beyond':1,'outward':1,'concern':1},'uppermost':{'portion':1,'layer':1},'helmholtz':{'lord':1},'dispute':{'as':1,'the':1},'evolution--but':{'even':1},'hindmost':{'pair':1},'guarded':{'against':1},'tail.':{'now':1,'it':1,'but':1,'man':1},'infallibly':{'between':1},'genera':{'and':1},'eel-fare':{'includes':1},'freezing':{'.':1,'point':1},'theory--had':{'a':1},'also--protection':{'for':1},'clearest':{'realities':1},'shallow-water':{'species':1},'keenly':{'aware':1},'parasitic':{'sporozoa':1,'death':1},'toads':{'newts':1,'and':2,'jump':1,'sometimes':1},'absurdly':{'small':1},'liable':{'to':3,'such':1},'where':{'and':1,'copper':1,'words':1,'it':10,'deep':1,'an':1,'sea':1,'any':1,'dense':1,'no':1,'there':5,'its':1,'their':1,'does':3,'routine':1,'you':1,'alertness':1,'we':3,'very':1,'they':2,'alone':1,'instinctive':1,'a':3,'this':2,'these':1,'each':1,'the':24},'sake--imitation--the':{'mind':1},'vision':{'and':1,'is':3,'holds':1,'than':1,'in':1},'press.':{'comparative':1},'proof--man':{'s':1},'attenuated':{'that':1},'electrons--and':{'the':1},'reign.':{'they':1},'silurian':{'and':1,'the':1,'when':1,'period':2,'rocks':1},'up':{'and':8,'individually':1,'intelligence':2,'into':14,'it':1,'general':1,'light-waves':1,'at':1,'questions':1,'in':10,'impressions':1,'rivulets':1,'the':26,'any':1,'living':1,'what':1,'from':2,'for':2,'how':1,'.':5,'to':8,'between':1,'estuaries':1,'new':1,'energy':1,'his':1,'an':1,'substances':1,'our':2,'nonproprietary':1,'trees':1,'but':1,'such':1,'one':1,'with':6,'by':10,'a':9,'on':5,'organic':1,'these':1,'light':1,'leaves':1,'carbon':3,'so':2,'of':9,'again':2,'everything':1,'photosynthesis':1,'or':4},'distended.':{'eventually':1},'impressions':{'go':1,'of':1,'.':1},'hastened':{'the':1},'830':{'000':2},'inequalities':{'of':1,'in':1},'compounds':{'to':1,'from':1,'activated':1,'like':1,'out':1},'representatives':{'of':3,'sometimes':1,'had':1,'except':1,'.':1},'under-skin':{'or':1,'.':1},'secondaries':{'are':1},'dormitory':{'instead':1},'--which':{'have':1},'moons':{'we':1,'of':4,'four':1,'to':1,'which':2,'certain':1,'round':1},'affecting':{'it':1,'nerve-cells':1},'man.':{'a':1,'on':1,'animals':1,'pariasaurus':1,'4':1,'triceratops':1,'it':1,'deperet':1,'according':1,'1':1,'illustration':1,'such':1,'eocene':1,'man':1},'volvox':{'a':1,'69':1,'the':1,'is':1,'.':1},'fir':{'cones':1},'spectroscopy':{'is':1},'vertical':{'line':1,'bars':1},'screen':{'and':1,'we':1,'for':1,'means':1,'where':1,'is':1,'.':4,'through':1,'which':1,'producing':1,'make':1,'glowed':1},'dome':{'like':1,'.':1},'ancestors--a':{'wolf':1},'big-brain':{'type':4},'proterozoic':{'ages':1,'eras':1,'era':1},'jets':{'of':2,'or':1},'engravings.':{'factors':1},'spark':{'on':1,'this':1,'.':1,'271':1,'274':1,'consists':1,'an':1,'or':1},'well-protected':{'pupa':1},'concentrated':{'upon':2},'circumference':{'so':1,'.':1},'many':{'insects':1,'instincts':1,'years':1,'bivalves':1,'experiments':2,'facts':1,'contributions':1,'birds':4,'young':2,'forms':4,'parts':2,'anticipations':1,'reptiles':2,'inventions':1,'thousands':2,'which':1,'tenses':1,'very':1,'crustaceans':1,'portions':1,'more.':1,'far-reaching':1,'minute':1,'fossils':1,'nerve-endings':1,'countries':1,'corners':1,'miles':2,'brownish':1,'small':4,'freshwater':1,'generations':1,'people':1,'animals':9,'fish':1,'parasites':1,'individual':1,'universes':2,'hundredfold':1,'creatures':2,'oceanic':1,'for':1,'ways':1,'migrations':1,'new':1,'open-sea':1,'levels--the':1,'we':1,'were':2,'hours':1,'broken':1,'directions.':1,'yards':1,'directions':3,'about':1,'brilliant':1,'of':23,'months':2,'haunts':1,'times':3,'shore-animals':2,'tree-loving':1,'already':1,'useful':1,'annelids':1,'another':1,'fees':1,'protozoa':2,'establish':1,'millions':5,'ancient':1,'would':1,'.':1,'tropical':1,'stars':2,'dangers':1,'more':1,'acquisitions':2,'that':2,'mammals':3,'regard':1,'sciences.':1,'amphibians':1,'cases':9,'an':1,'plants':1,'prehistoric':1,'unsegmented':1,'places':1,'apples':1,'planes':1,'drops':1,'similar':2,'and':2,'likewise':1,'days':3,'have':1,'domesticated':1,'occur':1,'different':5,'things':1,'shore':1,'astronomers':4,'other':9,'doors':1,'units':1,'mysteries':1,'kinds':1,'thoroughgoing':1,'eggs':1,'swiftly':1,'problems':1,'important':1,'waves':1,'fishes':1,'types':2,'a':3,'land':1,'minutes':1,'sometimes':1,'peculiarities':1,'electrons':1,'nuclei':1},'moon.':{'illustration':1},'estimates.':{'the':1},'thickly':{'peopled':2},'s':{'chicks':1,'atmosphere':3,'skeleton':1,'sentence':1,'stinging-cells':1,'instincts':1,'sheltering':1,'brain':3,'snapping-blades':1,'hairs--an':1,'skin':2,'chicken':2,'visceral':1,'principal':1,'web':3,'anvil':1,'interesting':1,'instruction':1,'monkeys':1,'hidden':1,'real':1,'beginnings.':1,'return':1,'orbit':1,'arboreal':3,'big':1,'theory--had':1,'famous':2,'shell--there':1,'sons':2,'moods':1,'saying':1,'hands':1,'press':7,'world':1,'rotation':4,'continued':1,'day':4,'runs':1,'establishment':1,'cry':1,'solution':1,'experiments':1,'activity':1,'sake--imitation--the':1,'ceaseless':1,'mental':2,'energy':2,'mongoose':1,'notice':1,'past':1,'affiliation':1,'books':1,'mighty':1,'year':1,'laboratory':1,'indirect':1,'ascent':2,'arm':1,'shining':1,'pedigree':2,'apparatus':2,'nebula':6,'crust':4,'finger':1,'rational':1,';':2,'eggs':1,'discovery':1,'body':8,'prerogative.':1,'theory':2,'leg':1,'beak-like':1,'men':4,'behaviour':1,'magnetism':2,'compass':1,'dwindling':1,'tide-producing':1,'intense':1,'advance':2,'great':2,'derivation':1,'side':1,'croaking-sacs':1,'patagium':1,'action':1,'history':2,'frequent':1,'skill':1,'point':4,'feelings':1,'inquisitive':1,'long':2,'beak':2,'theory.':1,'story':1,'sake':1,'initial':1,'frog':1,'.':26,'dropping':1,'pedigree--man':1,'structure':1,'danger-note':1,'white':1,'store':1,'mundane':1,'eyes':2,'hard':1,'flight':1,'relationship':4,'cluck':1,'training':1,'shard':1,'bulk':1,'heat':2,'surface':19,'ear':1,'food-canal':1,'essays':1,'he':1,'pull':2,'wise':1,'skull':3,'solid':2,'gravitational':1,'bill':12,'fly-trap':1,'light':4,'propeller':1,'head.':1,'earth.':1,'ein':1,'and':1,'words:':1,'discovery.':1,'ingenuity':1,'horns':1,'escape':1,'mind':3,'head':3,'apartness':1,'dog':1,'shell':1,'at':1,'cathedral':1,'wonderful':1,'clothing':1,'laws.':1,'movements':2,'cage':1,'rays':5,'maxim:':1,'diurnal':1,'inheritance':1,'heat.':1,'forceps':1,'blood-relationship':1,'food':1,'strange':1,'animal':1,'hedgehog-like':1,'predestined':1,'civilisation':1,'composition':1,'conclusion':1,'vestigial':1,'nest':1,'philosophy':1,'reach':1,'hand':1,'ancestors':4,'mouth':1,'device':1,'does;':1,'sand-grouse':1,'descent':3,'mysteries':2,'remote':1,'expert':1,'foot':1,'undeniable':1,'age':2,'handiness.':1,'coastlines':1,'star-book':1,'mass':1,'gill-plates.':1,'the':2,'wing':4,'goals':1},'mane':{'reaching':1},'expended':{'their':1},'flipper':{'of':3},'expression':{'of':6,'is':1,'as':1,'are':1,'familiar':1,'instinctive':1,'has':1},'moon;':{'it':1},'riddle':{'that':1},'stoats':{'hares':1},'ants':{'and':5,'beneath':1,'bees':3,'are':1,'hive':1},'air-breathing':{'insects':1,'arthropods':3,'amphibians':1,'invertebrates':1},'boar':{'and':1,'below':1,'coloured':1,'were':1},'extinct':{'and':2,'reptile':2,'apes':1,'animals':2,'volcanoes':1,'fish':1,'flying':3,'leaving':1,'monsters':1,'neanderthal':1,'reptiles':1,'types--':1,'race':1,'in':1,'not':1,'vegetarian':2,'type':1,'or':1,'pterodactyls':1,'flightless':2},'twig':{'and':1,'breaks':1,'for':1},'want.':{'illustration':1},'fitful':{'gleams':2},'collides':{'with':1},'cetaceans':{'some':1},'stretch':{'of':1,'vast':1},'mounting':{'of':1},'lettering':{'to':1},'diurnal':{'tint.':1,'variation':1},'collided':{'with':1},'combined':{'to':1,'operation':1},'finger-tip':{'they':1},'reflective':{'one':1},'covering':{'and':1,'many':1,'is':1,'of':2},'recaptures':{'it':1},'day--a':{'long':1},'enable':{'their':1,'the':1,'us':4},'gist':{'of':2},'lakelets':{'of':1},'thousand':{'and':1,'or':2,'trillion':2,'of':1,'cells':2,'million':2,'together':1,'years':10,'millions':1,'miles':3,'.':1,'steep':1,'thousand':1,'generations':1,'times':6},'formed':{'a':1,'then':1,'has':1,'from':3,'float':1,'young':1,'it':1,'solids':1,'at':1,'sandstones':1,'in':2,'the':4,'.':2,'by':2},'haunt':{'forever':1,'for':1,'of':8,'some':1,'stops':1,'includes':1,'so':1,'which':1,'has':1},'photos':{':':5},'indents':{'the':1},'observe':{'these':1,'and':1,'in':1},'infusorians':{'to':1,'like':1},'diffuse':{'and':1,'gas':1},'co-ordination':{'of':1},'prominence':{'to':1,'by':1,'would':1},'intimately':{'associated':1,'bound':1},'dints':{'impressed':1,'have':1},'confidently':{'say':1},'situation':{'.':5,'for':1,'in':1},'region':{'smaller':1,'of':5,'is':1,'when':1,'to':1,'at':1,'known':1,'the':4,'called':1,'south':2},'girth':{'.':1},'concatenation':{'of':1},'birth.':{'enough':1},'regularity':{'of':1},'rock-cod':{'requires':1},'ascii':{'start':1,'or':2},'adopted.':{'the':1},'binary':{'compressed':1},'beginning.':{'in':1},'shuts':{'on':1},'preparatory':{'to':1},'perpetually':{'giving':1},'coconuts':{'is':1},'emulsions':{'can':1},'way.':{'this':1,'bearing':1},'wires':{'as':1,'are':1,'in':1},'sickness':{'.':5},'edges':{'and':1,'of':4},'advertisement':{'impressing':2},'six':{'meant':1,'feet':1,'great':1,'main':1,'inches':1,'very':1,'thousand':1,'months':1,'quite':1,'colours':1,'to':2,'miles':1,'greatly':1,'years':1,'weeks':1,'stages':2},'volcanoes':{'.':1},'tentacle':{'touches':1},'know':{'and':2,'almost':1,'indeed':1,'is':1,'it':4,'not':1,'as':2,'are':1,'in':1,'if':1,'fire':1,'what':1,'from':1,'their':1,'when':3,'gases':1,'.':3,'to':2,'outside':1,';':1,'be':1,'that':17,'very':1,'but':1,'nothing':1,'now':2,'with':1,'a':1,'also':1,'about':1,'to-day':2,'whether':3,'of':4,'no':1,'definitely':2,'far':1,'life.':1,'the':5,'nothing.':1,'something':1},'peculiarities':{'and':1,'of':5,'.':1,'say':1,'in':2,'such':1},'costs':{'and':2},'engulfing':{'and':1,'large':1,'in':1},'unimagined':{'.':1},'persistently':{'used':1,'resorted':1},'216':{'photo':2},'summer':{'and':2,'full':1,'darkness':1,'of':1,'green-flies':1,'months':1,'scene':2,'day':1,'plumage':1,'s':1,'does':1,'at':1,'weather.':1,'than':1},'followed.':{'illustration':1},'manifold':{'significance.':1,'influence':1},'213':{'photo':2},'being':{'already':1,'closely':1,'swept':2,'blown':1,'unpalatable':1,'able':1,'moved':1,'investigated.':1,'an':3,'held':1,'as':1,'set':2,'dried':2,'human':1,'nonplussed':1,'swallowed':2,'any':1,'given':1,'built':1,'to':1,'washed':2,'due':1,'continually':1,'liberated':1,'outside':1,'incessantly':1,'deposited':1,'surveyed':1,'endowed':1,'polygamous':1,'more':2,'a':1,'affected':1,'evolved':1,'that':3,'very':1,'mammals':1,'formed':1,'what':1,'driven':1,'imperfectly':1,'nourished':1,'dissipated':1,'on':1,'than':1,'regrown':1,'thrown':1,'begins':2,'devoured':1,'indivisible':1,'embryos':1,'frozen':2,'consumed':1,'utilised':1,'replaced':1,'greatly':1,'hurled':1,'each':1,'quick':1,'the':3,'left':1,'reinforced':1},'drone-fly':{'is':1},'slime':{'from':1},'rest':{'and':1,'repair':1,'assured':1,'of':5,'is':1,'belong':1,'.':3,'till':1,'through':1,'in':1},'steamer':{'and':1},'crust.':{'on':1},'potentiality':{'of':1},'aspect.':{'illustration':1},'water-basins':{'or':1},'ligula':{'or':1},'weekly':{'nature':1},'occasional':{'light':1,'flash':1,'traces':1},'tactility':{'.':2},'geological':{'clock':1,'time-table':1,'estimates.':1,'tree':1,'middle':1,'periods':1,'time':1,'past.':1},'silver':{'on':1,'mirror':1},'instrument':{'and':1,'again':1,'used':2,'for':3,'that':1,'of':3,'however':1,'to':1,'which':2,'in':1,'the':2,'has':1,'ever':1,'gets':1},'formative':{'times':1},'continuation':{'of':2},'prominently':{'whenever':1,'displaying':1},'form-resemblance.':{'illustration':1},'skies':{'.':1},'aspects':{'of':3,'matter':1,'folk':1,'.':1},'around':{'sun':1,'the':8,'its':1,'us':1,'an':2},'decomposed':{'into':1},'dart':{'to':1},'dark':{'sprawling':1,'and':1,'absorbing':1,'spots--they':1,'in':1,'silent':1,'nebula':1,'moorland':1,'spots':1,'forms':1,'to':1,'only':1,'parts':1,'stars':1,';':1,'body':1,'bands':2,'water':1,'heat':1,'lines.':1,'markings':1,'areas':1,'varieties':1,'corners':1,'region':1,'fringe':1,'lines':3,'matter':1,'of':1},'bandage':{'which':1},'vacuum':{'tube--the':1,'tube':7,'tubes':1,'.':2},'world':{'and':2,'would':1,'new.':1,'throwing':1,'is':4,'within':1,'an':1,'as':1,'are':2,'in':2,'provokes':1,'if':1,'wondered':1,'internat':1,'when':1,'.':13,'without':1,'too':1,'which':2,';':2,'was':1,'over':1,'then':1,'knows':1,'means':1,'becomes':1,'who':1,'but':2,'than':2,'like':1,'a':1,'about':1,'for':2,'of':7,'professor':1,'monkeys':3,'will':1,'s':1,'became':1,'can':2,'always':1,'biological':1,'the':2,'entered':1,'settled':1,'came':1,'once':1},'breakage':{'plane':1},'vague':{'idea':1},'dare':{'not':1,'say':1,'one':1},'sensational':{'stories':1,'estimates':1,'discoveries':1},'60':{'spotted':1,'000':2,'reproduced':1,'days':1},'fossils':{'we':1,'e.g':1,'of':1,'when':1,'but':1,'coloured':1,'.':1,'in':1,'binding':1,'many':1,'by':1},'pole':{'to':2,';':1,'of':5,'was':1,'in':1},'claw':{'it':1},'stationary':{'.':1},'clap':{'of':1},'65':{'photo':1,'reproduced':1},'satisfactory':{'and':1,'fossils':1,'or':1,'way':1},'fives':{'or':1},'wattle':{'or':1},'law--senses':{'of':1},'lobster':{'swimming':1},'all-pervading':{'similitude':2},'diving':{'in':1,'flying':1,'capacity':1,'but':1,'suit':1},'racial':{'evolution':2,'profit.':1,'ventures':1,'strains':1,'vigour':1,'change':2,'qualities':1,'process':1,'qualities--notably':1},'armoured':{'fishes':1},'thinks':{'of':1,'the':1,'that':3,'less':1},'wrongly':{'call':1,'shows':1},'dissociated':{'and':1},'dimensions':{'11':1,'this':1,'.':2,'cannot':1,'in':1,'than':1},'cavity':{'the':2},'memories':{'and':1,'of':3},'noon':{'of':1},'tree-snake':{'is':1},'nook':{'of':1},'favourite':{'answer':1},'semotilus':{'atromaculatus':2},'918':{'miles':1},'happened':{'to':2,'over':1,'later':1,'in':2,'one':1},'levels--the':{'tendency':1},'transmutation':{'of':1,'brighten':1,'would':2},'refer':{'to':3,'throughout':1},'scientific':{'glories':1,'methods':1,'habit':2,'mind':2,'imagination':1,'caution':1,'weekly':1,'instruments.':1,'ideas':6,'way':1,'description':1,'description.':1,'american.':1,'men':2,'problems':1,'hypothesis':1,'statement.':1,'spirit':1,'man':1,'acquisitions':1,'definition':1,'study':1,'american':1,'way.':1,'spectator':1,'position':1},'power':{'used':1,'from':1,'stations':1,'of':37,'stations.':1,'that':1,'to':1,'enough':1,'in':1,'or':1,'is':2},'intimate':{'physiological':1,'part':1,'partnership':3,'physiology':1},'sprung':{'from':1},'precious.':{'illustration':1},'endogamy':{'tending':1},'five.':{'if':1},'lens':{'and':2,'weighs':1,'of':1,'is':1,'two':1,'.':3,'four':1,'near':1,'however':1,'at':2,'resolved':1,';':1,'called':1},'stone':{'implements':3,'and':1,'neolithic':1,'curlews':1,'generates':1,'hunting':1,'resting':1,'of':1,'age':3,'implements--knives':1,'until':1,'to':1,'running':1,'.':1,'into':1,'living':1,'the':2,'trying':1,'its':1,'or':1,'age.':3},'origins':{'are':1},'swarms':{'of':1},'industry':{'and':1},'slender':{'stream':1},'side':{'and':5,'for':1,'tells':1,'of':19,'actions':1,'.':8,'to':9,'below':1,'so':2,'are':1,'veins':1,';':1,'must':1,'was':2,'by':1,'view':1},'practicable':{'to':1},'act':{'though':1,'of':2,'was':1,'against':1,'as':2,'together':1,'experimentally':1,'instinctively':1,'with':1},'composed--':{'one':1},'johnston':{'in':1},'--brushes':{'off':1},'puzzle-box':{'at':1},'diversely':{'adapted':1},'fundraising':{'.':1},'burning':{'and':1,'coal':1,'wood':1,'of':1},'image':{'and':1,'of':2,'.':1},'electricity.':{'what':1,'4':1},'surinam':{'toad':4},'carey':{'s':2},'mic.':{'sci.':1},'sneering':{'curl':1},'wave-movements':{'on':1},'lively':{'cheerful':1,'and':1,'commotion':1,'.':1},'wade':{'cautiously':1},'excrementitious':{'material':1},'snakes':{'are':3,'.':1},'tropical':{'shores':1,'africa':2},'repertory.':{'from':1,'according':1},'her':{'and':1,'silken':1,'family':2,'supply':1,'almost':1,'advantage.':1,'hand.':1,'mind':1,'hindmost':1,'young':1,'chin':1,'in':1,'arm':1,'web':1,'ancestors':1,'two':1,'stealthy':1,'short':1,'to':2,'tail':1,'eggs':6,'body':2,'life':1,'maternal':1,'offer':1,'nest':1,'attention':1,'back':2,'behaviour':1,'nimble':1,'mouth-parts':1,'intent':1,'beak':1,'instinctive':1,'teacher':2,'clumps':1,'a':1,'perceptions':1,'cocoon':1,'limits':1,'performances':1,'except':1,'range':1,'race':1,'teeth':1,'mouth':1,'relation':1},'bristles':{'.':1},'reflectors':{'and':1,'.':1},'symbiosis':{'.':1},'secretion':{'such':1,'of':1},'hen':{'leave':1,'there':1,'which':1},'bubble':{'would':1,'of':3,'ascends':1,'coloured':1,'as':1,'are':1,'were':1,'the':1,'is':2},'survives':{'in':1},'journ':{'.':2},'continents':{'and':4,'are':1,'.':1},'secreted':{'strange':1,'from':2,'by':1},'semnopithecus':{'entellus':1},'mammals':{'and':9,'among':1,'there':2,'besides':1,'show':2,'enjoy':1,'it':1,'as':2,'including':1,'are':3,'have':2,'in':1,'ourselves':1,'whose':1,'by':2,'from':1,'hoofed':1,'did.':1,'burrowers':1,'.':13,'to':2,'master':1,'emerged':1,';':2,'save':1,'is':1,'we':2,'repeat':1,'which':1,'may':1,'but':1,'like':9,'arose':1,'they':2,'such':4,'flowering':1,'now':1,'adaptive':1,'possess':1,'off':1,'especially':1,'e.g':1,'these':1,'always':1,'will':1,'very':1,'the':2,'furnish':1},'nitrogenous':{'waste':2,'material':1},'foreheads':{'well-marked':1},'another.':{'investigation':1,'sec':1,'besides':1,'illustration':1},'survived':{'and':1},'elimination':{'of':3},'mice':{'learn':1},'with':{'all':8,'pointing':1,'less':1,'frontispiece.':1,'over':1,'particular':1,'worms':2,'yellow':1,'far-reaching':1,'hind-legs':1,'experiments':1,'human':1,'signs':1,'alternative':1,'its':12,'colour-associations':1,'one':4,'cave-bear':1,'remarkable':1,'decomposing':1,'much':5,'young':2,'reason--lays':1,'better':1,'insects':1,'neighbours':1,'internal':1,'microscopic':1,'4':3,'disgust':1,'gravel':1,'instincts':1,'awareness':2,'alternating':2,'them':3,'his':11,'increased':1,'permission':1,'arboreal':1,'capacities':1,'longish':1,'balancing':1,'negative':1,'words':2,'instinctive':1,'silk':1,'motor':1,'progressive':1,'sense-organs':1,'ageing':1,'large':4,'this':11,'coco-nut':1,'each':1,'perceptual':1,'traces':1,'engravings':1,'mental':1,'intelligence':2,'energy':2,'hard':1,'some':6,'plumage':1,'us':1,'our':3,'instinct--the':1,'rough':1,'folk':1,'planetesimal':1,'what':3,'definite':1,'fingers':2,'worship':1,'difficulties':1,'rational':1,'numerous':2,'public':1,'scientific':1,'zest':1,'cellulose':1,'seaweeds':1,'out-flowing':1,'extraordinary':1,'compressed':1,'tartan':1,'by':1,'universals.':1,'both':1,'great':7,'freshwater':2,'distinctness':1,'many':3,'parts':1,'motion':1,'benevolence':2,'grain':1,'greatly':1,'atoms.':1,'warning':1,'or':2,'embryo':1,'copper':1,'equally':1,'there':1,'peculiar':1,'sweet':1,'powerful':1,'marked':1,'hearing':1,'sympathy':2,'unicellular':1,'another':4,'such':3,'faraday':1,'.':1,'open':1,'your':1,'fossil-bearing':1,'startling':1,'little':1,'her':3,'shells':1,'positive':1,'flying':1,'two':1,'particulars':1,'anyone':1,'their':9,'2':2,'which':17,'reptiles':1,'vapours':1,'life':1,'only':1,'that':1,'becoming':1,'apparent':1,'flinty':1,'stone':1,'amphibians':1,'it':7,'offers':1,'determination':1,'external':1,'excellent':1,'prodigious':2,'an':11,'active':2,'considerable':2,'those':2,'animals':1,'adaptations':1,'glory':1,'these':4,'instinct':2,'sea-anemones':1,'project':2,'matter':2,'paragraph':2,'temperatures':1,'wicketed':1,'concepts':1,'wild':1,'about':1,'more':6,'beliefs':1,'something':2,'and':1,'associated':1,'protrusive':1,'almost':2,'certain':3,'universal':1,'suggestions':2,'few':1,'general':4,'as':1,'breathing':1,'numbers':1,'aristotle':1,'in':6,'partner':2,'mediocre':1,'agility':1,'any':2,'currents':1,'masterly':1,'astonishing':1,'different':2,'awkward':1,'no':2,'unsuitable':1,'ideas':1,'immense':1,'pectoral':1,'food':1,'other':3,'coconuts':1,'animal':1,'ordinary':1,'enormous':1,'calendar-keeping':1,'rude':1,'opposite':1,'mentality':1,'unsurpassed':1,'most':1,'mankind':1,'moss':1,'mendel':1,'astronomy':1,'buttonholes':1,'man':2,'a':72,'short':1,'branches':1,'traps':1,'conscious':1,'others.':1,'professor':1,'incredible':1,'eddies':1,'peculiarities':1,'points':1,'electrons':2,'very':1,'the':149,'mating':1,'reserve':1},'pull':{'of':3,'acting':1,'which':1,'each':1,'the':3,'than':2},'rush':{'violently':1,'through':1,'of':2},'october':{'10':1,'3':2,'5':2},'stoneless':{'plum':1},'world-cloud':{'of':1},'universe--astronomical':{'instruments.':1},'nearest':{'planet':1,'to':5,'star':2,'stars':2,'of':1},'agree':{'rather':1,'to':7,'.':1,'with':1,'that':2},'darker':{'in':1},'gone':{'furthest':1,'far':1,'back.':1,'to':1,'through':1,'in':1,'wild':2,'further':1,'beyond':1,'by':1},'haunts--such':{'as':1},'certain':{'comets':1,'individuality':1,'abilities':1,'hormones--itself':1,'facial':1,'repertory':1,'is':2,'pre-arrangements':1,'number':1,'actions':1,'sounds':1,'internal':1,'depth':1,'from':1,'degree':2,'microbes':1,'that':15,'peculiarities':1,'parts':1,'black':1,'units':1,'ancestor':1,'lichens':1,'long-headed':1,'backgrounds':1,'we':1,'clever':1,'kinds':1,'desires':1,'substances':1,'ductless':1,'however':1,'effective':1,'atoms':1,'sensory':1,'dinosaurs':1,'chemicals':1,'words':1,'cases':3,'minerals':1,'types':2,'areas':1,'plants':1,'dark':2,'kind':1,'difficulties':1,'predisposition':1,'commands':1,'lines':2,'strange':1,'amount':7,'implied':1,'limit':1,'of':1,'fixed':1},'ak':{'99712':1},'cuttles':{'or':1},'am':{'of':1},'an':{'ovule':1,'impression':4,'atmosphere':1,'evolutionary':1,'earthworm':5,'astronomical':1,'egg-cell':1,'infant':3,'aquatic':1,'atomic':2,'intricate':2,'earth':1,'abundant':2,'imagined':1,'outer':1,'anvil':1,'interesting':13,'apple--out':1,'endeavour':1,'instrument':4,'advanced':1,'easy':2,'orange':1,'electrical':2,'adequate':1,'unprecedented':1,'equilibrium':1,'increased':2,'advantage':1,'arboreal':3,'inspiriting':1,'indubitable':1,'educative':1,'account':1,'indigenous':2,'answer':3,'unimportant':1,'historic':1,'asymmetrical':1,'aerolite.':1,'awful':1,'instinctive':2,'emergence':1,'antiquity':2,'association':1,'eye-piece':1,'old-established':1,'evolution':1,'onion':1,'organ':3,'extremely':1,'unnecessary':1,'absurdly':1,'emphatic':1,'intensification':1,'activity':1,'entirely':2,'automatic':3,'essential':3,'associative':1,'adaptation':1,'unsatisfied':1,'abbreviated':1,'old':1,'x-ray':2,'insignificant':1,'energy':2,'animalcule':1,'hour.':1,'inkling':2,'astronomer':2,'individual':5,'all-pervading':2,'exuberant':1,'ascent':1,'extinct':5,'electric':20,'index':1,'apparatus':2,'opaque':1,'open':1,'ice':1,'hereditary':1,'increase':2,'appreciative':1,'indian':1,'eight-armed':2,'economical':1,'inborn':2,'indication':1,'antler':1,'increasing':2,'eagle':1,'evolving':2,'earlier':4,'explosive':1,'aeroplane':2,'intimate':1,'ever-lengthening':1,'exudation':1,'illustration':6,'outfit':1,'egg':1,'extraordinary':2,'experimenting':1,'immature':2,'expansion':2,'arithmetical':1,'invisible':2,'entrancing':1,'exciting':2,'advance':1,'enormous':10,'instant':1,'indivisible':1,'envelope.':1,'exceptionally':1,'amount':1,'ineffective':1,'anthropoid':3,'invitation':1,'offshoot':1,'observation':1,'expression':1,'elongated':1,'untutored':1,'utterly':1,'exuberance':1,'intellectual':1,'echo':1,'active':1,'appropriate':1,'eleventh':1,'extraneous':1,'eventful':2,'elementary':1,'inorganic':3,'immensely':1,'electronic':1,'ether':4,'ancient':3,'elastic':1,'eclipse.':1,'alligator':2,'unknown':1,'indispensable':1,'outline':2,'approximate':1,'immense':7,'intermediate':1,'examination':2,'inner':2,'interest':1,'ounce':1,'egg-layer':1,'exploring':1,'extensive':1,'imperfect':2,'amoeba':1,'inclined':1,'immediate':1,'idea':1,'appreciation':1,'external':2,'impulse':2,'atom':16,'upright':1,'improved':1,'institution':1,'encyclopaedia':1,'otter':1,'abundance':1,'exception':1,'apprenticeship':2,'hour':2,'eclipse':3,'harmonious':1,'obvious':1,'empty':2,'historical':1,'emotional':1,'outflame':1,'average':2,'undercharged':1,'assemblage':1,'enforced':1,'angel':1,'almost':2,'expanding':1,'expedient':1,'ant':3,'aristotle':1,'element':2,'apparently':1,'everyday':1,'open-water':1,'angle':2,'infantile':1,'awkward':1,'alphabet':1,'eloquent':1,'american':2,'event':1,'instance':1,'epoch':1,'internal':2,'inquiry':1,'oar':1,'animal':19,'elephant':1,'inch':19,'ordinary':6,'intelligent':6,'explanation':2,'unutterably':1,'independent':1,'extended':1,'easygoing':1,'opposite':1,'actual':2,'object':3,'astounding':2,'insect':5,'important':6,'appreciable':1,'advertisement':1,'infinite':3,'alpha':1,'irretraceable':1,'advantageous':1,'older':1,'undeniable':1,'age':2,'electron':8,'innocent-looking':1,'ocean':2,'intruder.':1,'exceedingly':1,'experimental':2,'african':2,'inhabitant':1,'opportunity':2,'order':1},'as':{'peacock':1,'all':2,'hunger':1,'being':1,'when':2,'mackerel':1,'dancers':1,'soon':1,'rest':1,'symbols':2,'brain':1,'bright':1,'dog':1,'vastly':1,'go':1,'graptolites':1,'expressions':1,'fine':1,'yet':4,'before':2,'one':6,'slow':1,'thrilling':1,'greenwich':1,'fit':1,'sodium':2,'possible.':1,'deposits':1,'examples':2,'to':38,'must':1,'wood':1,'smolts':1,'molecules':1,'ours':1,'gills':1,'has':6,'noctiluca':1,'frogs':1,'good':1,'pre-dravidians.':1,'easily':1,'very':1,'big':1,'locusts':1,'sappers':1,'possible':2,'dark':1,'every':1,'nearly':1,'they':17,'instinctive':1,'now':1,'dr':1,'crabs':1,'worlds':1,'evolution':1,'fossils':1,'heat-waves':1,'cavendish':1,'gifted':1,'modern':1,'large':3,'rods.':1,'stuff':1,'mind-body':1,'relics':1,'each':1,'beasts':1,'amoebae':1,'imprints':1,'mathematical':1,'reactions':1,'set':3,'rats':1,'grouse':1,'curved':1,'radium':2,'creation':1,'some':1,'dead':1,'parasites':1,'miniatures':1,'among':1,'are':2,'specified':1,'body-mind':1,'our':2,'fear':1,'best':1,'happens':2,'established':1,'shown':9,'palaeolithic':1,'for':1,'1850':1,'fingers':1,'food':3,'may':1,'health':1,'monkeyish':1,'copper':1,'public':1,'iron--and':1,'can':1,'granites':1,'we':59,'wheat':1,'inert':1,'cauliflower':1,'nature':1,'equivalent':1,'valuable':1,'atoms':1,'water':2,'basalts':1,'members':1,'represented':1,'oxalic':1,'safer':1,'dwindling':1,'by':1,'change':1,'on':1,'great':2,'kids':1,'of':1,'taking':1,'chamberlin':1,'thinking':1,'cormorants':1,'other':1,'grilse.':1,'peripatus':1,'heavy':2,'equally':1,'there':6,'bricks':1,'explained':1,'powerful':2,'marked':1,'parachutists':1,'walt':1,'freely':1,'einstein':1,'thick':1,'obliging':1,'earthworms':1,'he':3,'described':1,'crocodiles':1,'distinct':1,'twenty':1,'cradles':1,'two':1,'long':9,'quickly':1,'their':4,'much':4,'sponges':1,'man':1,'was':1,'empty':1,'clever':1,'corresponding':1,'that':7,'leptocephali':1,'shoots':1,'mentality':1,'about':1,'amphibians':1,'glass':1,'heat':2,'regards':11,'external':1,'mounted':1,'with':1,'those':9,'inconspicuous':1,'darwin':2,'hour':1,'brusque':1,'reliable':1,'this':2,'sea-anemones':1,'lungbooks':1,'will':1,'matter':3,'projecting':1,'thin':1,'many':6,'cats':1,'primitive':2,'refractors':1,'distinguished':2,'ants':2,'something':2,'collecting':1,'stubborn':1,'bullhead':1,'defined':1,'is':11,'year':1,'it':60,'an':14,'professor':5,'well.':1,'pieces':1,'numbers':1,'aristotle':1,'in':30,'handle':1,'lambs':1,'any':1,'if':16,'cave-men':1,'sir':3,'different':1,'compared':2,'no':1,'shell-shock':1,'means':1,'uranium':1,'far':5,'internal':1,'useless':1,'pure':1,'elephant':1,'resembling':1,'you':2,'volplanes':1,'higher':1,'open-water':1,'used':1,'beauty':1,'though':1,'contrasted':1,'mutual':1,'rain':1,'most':2,'but':1,'significant':1,'such':2,'elvers':1,'commensalism':1,'probable':1,'a':95,'crystals':1,'safe':1,'pithecanthropus':1,'light':1,'clear':1,'sun-spots':1,'well':11,'grilse':1,'donkeys':1,'having':1,'beds':1,'these':2,'electrons':1,'mechanical':1,'at':1,'the':98,'drawing':1,'restored':2},'associating':{'certain':1},'at':{'distances':1,'all':21,'rest':2,'four':1,'london':1,'its':10,'20':1,'work.':2,'mauer':2,'paris':1,'those':1,'heidelberg':1,'dates':1,'seventy':1,'his':2,'washington.':1,'mathura':1,'birth':1,'half':1,'12:30':1,'least.':1,'colonising':1,'night':9,'fixed':1,'right':4,'learning':1,'some':4,'coldrum':1,'home':4,'once.':1,'sunrise':1,'3':1,'various':3,'between':1,'nine':2,'each':1,'things--that':1,'hundreds':1,'here':1,'nightfall':1,'by':3,'great':2,'last':4,'many':2,'dublin':1,'so':1,'times':1,'http:':6,'first':9,'cambridge':1,'successive':1,'one':6,'another':2,'250':2,'total':2,'from':1,'twenty':1,'three':1,'least':20,'.':1,'their':2,'2':1,'186':2,'gibraltar':1,'leisure.':1,'500':1,'flight':1,'www.gutenberg.org':2,'that':6,'about':1,'but':1,'92':1,'present':12,'this':7,'work':3,'piltdown':1,'abrupt':1,'4557':1,'1.':1,'and':1,'it':1,'an':7,'niagara':1,'in':1,'any':9,'these':3,'different':4,'no':3,'perhaps':1,'things':1,'other':3,'sobral':2,'which':3,'new':1,'ordinary':1,'enormous':1,'simplicity':1,'opposite':1,'our':1,'earlier':1,'hand':2,'most':1,'two':1,'last--that':1,'such':1,'a':43,'lower':1,'e':1,'ottawa':1,'st':1,'809':1,'sunset':1,'the':123,'drawing':1,'once':11},'fumbling':{'at':1},'walks':{'of':1,'slowly':1,'erect':1},'watched':{'and':1},'tranquil':{'world':1},'dawn':{'of':10,'breaking':1,'to':1},'uplifts':{'of':1},'collie':{'at':1},'pliohippus':{'about':1},'2001':{'the':1},'predestined':{'plan.':1},'puppy':{'came':1},'contemporaries':{'in':1},'fry.':{'sir':1,'j':1,'but':1},'indemnify':{'and':1},'vocabulary':{'so':1},'walk.':{'how':1},'terra':{'firma':3},'gifts':{'as':1},'herbs':{'and':1},'environing':{'difficulties':2},'dives--':{'--carrying':1},'waterhouse':{'hawkins':1},'partitioned':{'box':1},'tricks':{'given':1},'mask':{'their':1,'the':1},'mimic':{'the':1,'is':1},'mass':{'and':3,'condensed':1,'of':20,'is':2,'spinning':1,'333':1,'persisted':1,'in':2,'gave':2},'dislodgment':{'is':1},'original':{'ancestors':1,'form':2,'plain':1,'nebula':1,'crust':1,'moorings':1,'greek':1,'peculiarities':1,'cradle':2,'home':3,'hole':1,'first':1},'external':{'methods':1,'opening':1,'hangers-on':1,'of':1,'partnership':1,'pouch;':1,'registration':1,'gills':2,'pouch':1,'method':1},'period--the':{'twenty':1},'sci':{'.':2},'consider':{'a':1,'what':1,'that':1,'.':1,'possibilities.':1,'the':7,'man':1},'elements.':{'sec':1},'31900':{'4':1},'instincts':{'and':1,'where':1,'are':1,'but':1,'.':2},'landlocked':{'corners':1,'dwindling':1},'debris':{'and':1,'of':1},'upkeep':{'of':1},'welfare':{'of':2},'reasoning':{'that':1,'man':1,'.':1},'causes':{'and':1,'of':1,'sleeping':4,'.':1,'the':1,'an':3},'particles':{'and':2,'move':1,'as':1,'are':4,'suspended':1,'in':2,'250':1,'even':1,'.':3,'which':3,'travelling':2,'was':1,'more':1,'may':1,'upon':1,'he':1,'on':1,'of':17,'will':1,'were':2,'the':2,'or':1},'careful':{'and':1,'comparison':1,'reading':1,'calculation':1,'observers':1,'piecing':1,'experiments':1,'way':1,'education':1},'disciples':{'of':1},'hunting':{'enabling':1,'on':1,'leopards':2,'or':2,'small':1},'spirit':{'of':4,'.':2},'to':{'all':6,'consider':4,'remarkable':1,'land-snails':1,'relieve':1,'yellow':1,'four':2,'mild':1,'skate':1,'go':13,'follow':1,'discern':1,'whose':1,'calculate':2,'animal':1,'paris':1,'shrinkage':1,'send':1,'environment':4,'charge':1,'reptiles':1,'swoop':1,'vegetation.':1,'include':1,'crest':4,'shoot':1,'point':3,'arboreal':2,'dispense':2,'induce':1,'me':2,'smack':1,'every':2,'trough':1,'fall':4,'affect':2,'converge':1,'monkeys':2,'look':6,'exaggerate':1,'tear':1,'try':2,'this':19,'settle':2,'us.':1,'speculation':1,'tortoises':2,'prevent':1,'force':1,'ten':1,'discover':4,'jump':1,'surrounding':1,'pass':7,'link':1,'further':2,'changefulness':1,'folk':1,'paralyse':1,'inspire.':1,'what':5,'giving':1,'disentangle':1,'asia':1,'him.':1,'experiment':4,'new':3,'alertness':1,'elsewhere.':1,'fend':1,'berthelot':1,'slow':2,'sink':1,'making':1,'evolutionist':1,'100':1,'fifteen':1,'interpret':1,'wait':1,'dry':9,'great':4,'receive':2,'30':1,'alaska':1,'anchor':1,'credit':3,'amount':1,'social':1,'climb':1,'otters':1,'changes':1,'say--of':1,'secure':2,'complying':1,'africa':1,'replace':2,'put':3,'decrease':2,'instinct--a':1,'establish':2,'estimate':3,'manipulate':1,'everybody':1,'use':5,'proceed':1,'prove':1,'two':5,'almost':1,'live':4,'doubt':2,'call':2,'strike':3,'survive':2,'themselves':1,'evolve.':1,'tell':4,'more':4,'breathe':5,'substances':1,'expose':1,'impress':1,'about':2,'extinction.':1,'particular':2,'scale.':1,'hold':1,'effort':1,'fly':2,'account':6,'pursue':1,'science':1,'work':2,'pieces--a':1,'reproduce':1,'learn':15,'meet':5,'pick':1,'control':2,'compare':1,'type.':1,'tap':1,'give':17,'sense':1,'accept':2,'pieces':1,'high':1,'his':10,'something':2,'slip':1,'arise':2,'handle':1,'keep':4,'attract':1,'occur':2,'huge':1,'end':2,'sit':1,'provide':3,'travel':10,'1':1,'how':1,'vital':1,'hop':1,'answer':4,'over-population':1,'stir':1,'both.':1,'utilise':5,'sir':2,'lag':1,'eighty':1,'germinal':1,'moult':1,'produce':1,'lighting':1,'lay':2,'date':1,'such':2,'bloom':1,'grow':1,'man':15,'a':76,'attempt':2,'remember':1,'light':5,'spout':1,'element':2,'inquire':4,'maintain':2,'deposit':1,'allow':4,'enter':3,'order':1,'punting':1,'contraction.':1,'help':3,'move':7,'vary':1,'stability':1,'insurgence':1,'its':16,'perfect':1,'26':1,'fit':2,'fix':3,'water-weed':1,'equalise':1,'absence':1,'overcome':1,'them':6,'good':1,'return':5,'greater':1,'introduce':1,'break':3,'mention':1,'conquer':2,'half':1,'accumulate':2,'speculate':2,'realize':1,'maintaining':1,'possess':3,'subtler':1,'form.':1,'evade':2,'condense':2,'vibrations':1,'realise':5,'each':2,'cliffs':1,'side':5,'mean':3,'square':1,'retrieve':2,'mental':2,'generation':2,'recapitulate':1,'tip':2,'expect':2,'measure':3,'our':13,'happen':1,'witness':1,'clothe':1,'depress':1,'profit':2,'open':3,'abide':1,'strangers':1,'sustain':1,'adapt':1,'7':1,'impart':1,'medicine':1,'twenty-five':1,'cause':1,'red':1,'metchnikoff':1,'assist':1,'associate':2,'interpose':1,'given':1,'sneak':2,'reason':1,'base':1,'struggle':1,'ask':2,'obliteration':1,'cough':1,'generate':1,'reflect':1,'prepare':1,'language':1,'david':1,'turn':4,'place':2,'deep-sea':1,'loud':1,'think':12,'south':1,'predominate':1,'feed':3,'striking':1,'feel':3,'one':6,'another':13,'carry':4,'radiate':1,'ring':1,'fiji':1,'172':1,'millions':1,'guess':1,'their':13,'bite':1,'construct':2,'anyone':1,'indicate':2,'master':2,'king-crabs':1,'white':1,'bits':1,'listen':1,'efface':1,'nutrition':1,'hug':1,'x-rays':1,'that':11,'continuous':1,'serve':2,'direct':1,'part':2,'peck':1,'insect-visitors--began':1,'10':1,'require':1,'tree':2,'project':3,'matter':1,'fruits':2,'gigantic':1,'and':6,'exert':1,'modern':1,'say':46,'lull':1,'have':19,'accompany':1,'any':2,'eels':1,'offer':1,'isolate':1,'gravity':1,'note':1,'blushing':1,'build':5,'which':31,'destroy':2,'begin':8,'acquire':1,'electric':1,'trace':2,'wind-blown':1,'reach':7,'complexity.':1,'most':3,'detect':4,'eight':1,'glow':6,'expound':1,'seize':1,'professor':1,'gather':2,'science.':1,'drive':1,'face':3,'furnish':1,'weigh':1,'justify':2,'institutions':1,'incomplete':1,'show':14,'fifty':1,'bring':3,'determine':3,'tree.':1,'melt':1,'earth':2,'find':19,'wriggle':1,'generation.':1,'knowledge':1,'environing':1,'explain':9,'storms':1,'eat':1,'surroundings':1,'betray':1,'darwin':3,'hope':1,'do':17,'waltz':1,'hit':2,'get':17,'beat':1,'express':1,'watch':1,'bear':3,'instinctive':1,'dr':1,'him':3,'comply':1,'reveal':1,'evolution':1,'investigate':1,'release':1,'them.':1,'freshwater':1,'where':2,'respond':1,'traverse':1,'set':1,'resist':1,'see':9,'sea':3,'violet':1,'fail':1,'find.':1,'gravitation':1,'sail':1,'birds':2,'pressures':1,'various':1,'conceptual':1,'donate':2,'glasgow':1,'man.':3,'notice':8,'extend':1,'parental':1,'deliver':1,'succeed':1,'wear':2,'travellers':1,'distinguish':2,'come':3,'improve':1,'both':2,'protect':3,'last':3,'many':2,'contract':1,'laplace':1,'plants':1,'admit':2,'cylindrical':2,'lash':1,'swallow':1,'radio-activity':1,'supply':2,'smother':1,'kin-sympathy':1,'subscribe':1,'pole':2,'air-breathing':3,'250':1,'technicalities':1,'speak':5,'decline':1,'raise':2,'deep':1,'teach':1,'create':2,'three':1,'.':2,'whom':1,'much':1,'change':2,'mars':2,'waste':1,'500':1,'life':2,'describe':3,'flight':1,'amphibians':1,'assert':1,'observe':2,'understand':9,'reason.':1,'an':14,'diffuse':1,'those':6,'sound':1,'adaptations':1,'these':2,'leave':4,'twigs':1,'britain':1,'near':1,'suppose':9,'guide':2,'spawn':4,'apprehend':1,'lapland':1,'it':7,'sting':1,'itself':2,'blame.':1,'everyday':1,'capture':4,'different':1,'develop':1,'perform':1,'suggest':3,'make':23,'cross':1,'unite':1,'check':1,'them--as':1,'split':1,'copying':1,'crustaceans':1,'several':1,'dusk':1,'kelvin':1,'nest':1,'drink':1,'hang':1,'effect':1,'viewing':1,'moving':1,'experiment.':1,'patagonia':1,'expend':1,'in':1,'miss':1,'mother':1,'very':2,'the':388,'left':1,'mingle':1,'being':1,'uranium':1,'accurate':1,'obtain':1,'rest':1,'electrification':1,'select':1,'harmonise':1,'identify':1,'human':2,'colonise':2,'fearful':1,'readers':2,'conclude':1,'deposits':1,'board':1,'snap':1,'save':2,'humanity':1,'scientific':1,'take':11,'swim':1,'read':4,'big':2,'possible':1,'dart':1,'five':1,'know':8,'decipher.':1,'press':1,'immediately':1,'tick':2,'insert':1,'rotate':6,'backboned':1,'electronic':1,'hunt':1,'tons':1,'roll':1,'collect':2,'continue':2,'seashore':1,'soft':1,'herons':1,'side--a':1,'shed':1,'right':1,'deal':8,'titan':1,'some':21,'play':2,'certain':1,'deduce':1,'convey':1,'escape':1,'star':1,'scale':2,'avoid':2,'separate':1,'ether':1,'leap':1,'behave':1,'cloud':1,'quote':1,'prof':1,'warranties':1,'trout':1,'illustrate':2,'be':180,'incandescence':1,'obey':2,'reaching':1,'rock':1,'breed.':1,'utter':1,'become':7,'instinct':3,'littoral':1,'five.':1,'throw':4,'shine':1,'stone':1,'age.':1,'conceal':1,'practical':1,'her':2,'act':2,'or':3,'imitation':1,'within':1,'guard':1,'promise':1,'sow':1,'excrementitious':1,'propel':1,'acquiesce':1,'support':2,'transform':1,'sunlight':2,'start':2,'suit':1,'enregister':3,'attach':1,'manufacture':1,'north':2,'complete':2,'form':13,'educate':1,'ascend':1,'believe':6,'regard':1,'heat':2,'hear':1,'another.':2,'heap':1,'atom':4,'promote':1,'considerable':2,'donate.':1,'count':3,'folk-ways':1,'us':24,'record':1,'convince':1,'grasp':2,'demonstrate':1,'stages':2,'similar':2,'agree':1,'150':3,'cover':3,'year':1,'rubble':1,'muscular':1,'disease':1,'as':1,'exist':4,'paraguay':1,'domesticated':1,'trip':1,'fill':2,'discriminate':5,'inborn':1,'compel':1,'other':8,'5':1,'branch':2,'test':1,'you':5,'shrink':2,'picture':1,'repeat':1,'indemnify':1,'mankind':1,'living':1,'walk.':1,'drift':1,'terra':3,'overtax':1,'recognise':6,'scores':1,'astronomy':1,'land':3,'sail.':1,'cling':2,'assume':1,'age':2,'lift':2,'time':1},'tail':{'and':2,'often':1,'is':1,'it':1,'as':1,'are':1,'in':1,'if':1,'from':1,'seems':1,'two':1,'.':5,'rivals':1,'which':2,';':1,'by':1,'projects':1,'a':1,'always':1,'coiled':1,'of':2,'served':1},'postglacial':{'times.':1},'th':{'.':1},'lankester':{'to':1,'has':1,'says:':1,'between':1},'animals--birds':{'and':1},'degeneration':{'may':1},'case':{'we':2,'better.':1,'although':1,'no':1,'these':1,'of':38,'is':2,'there':1,'it':3,'.':3,'leads':1,'to':1,'that':1,'however':2,'they':1,'in':2,'known':1,'probably':1,'the':2,'with':2,'than':1},'cause.':{'section':1},'cloud-belts':{'and':1},'puzzled':{'over':1,'when':1},'discrepant':{'.':1},'floated':{'on':1},'square-jawed':{'short-limbed':1},'trillions':{'of':9},'c-f.':{'the':1},'interpreting':{'the':1,'in':1},'instinct.':{'the':1},'m.d':{'.':2},'condition':{'of':2,'the':1,'had':1,';':1,'.':1},'s.f.':{'3':1},'accompanying':{'diagram':1},'marvellous':{'still':1,'atom':1},'ageing':{'.':1},'laying':{'down':2,'aside':1},'joined':{'to':1,'them--a':1},'large':{'and':3,'telescope':1,'insects':1,'fish':2,'in':1,'colony':2,'number':6,'bath':1,'brain':1,'as':3,'planets':1,'mirror':2,'skulls':1,'size':2,'rhinoceros':1,'scale':3,'heads':1,'lungs':1,'ventral':1,'masses':1,'proportion':1,'.':2,'terminal':1,'internal':1,'red':2,'we':1,'testes':1,'degree':1,'that':1,'quantities':1,'eggs':1,'ovaries':1,'however':1,'haunt':1,'lens':4,'meteorites':1,'coil':1,'marine':2,'telescopes':1,'areas':1,'a':1,'animals':1,'eye-sockets':1,'gape':2,'ones.':1,'magnet':1,'gibbon':1,'amount':1,'amphibian':1,'of':1,'excesses':1,'ready-made':1,'section':1,'anthropoid':1},'dinosaur':{'about':1,'reptiles.':1,'stock':1},'sand':{'and':3,'of':1,'over':1,'so':1,'.':2},'swirling':{'seething':1},'three-millionth':{'of':2,'part':1},'harry':{'johnston':1},'small':{'and':2,'shark':1,'family':2,'insects':1,'ears':1,'spider':2,'one':1,'bright':1,'spiders':1,'such':1,'globes':1,'intestine':1,'patch':1,'frog-hoppers':1,'creatures':1,'web':1,'compared':1,'group':1,'pin':2,'organisms':1,'water-animals':1,'gossamer':1,'organism':1,'per':1,'.':3,'particles':3,'to':3,'individuals':1,'vocabulary--he':1,'fraction':3,'units':1,'figures':1,';':1,'molecules':1,'coal-field':1,'tortoise-shell':1,'polyps':1,'fry.':1,'ripples':1,'multiple':1,'minority':1,'degree':1,'that':2,'may':1,'mammals':3,'tides':2,'whirling':1,'but':2,'it':1,'lens':1,'moths':1,'scale':2,'fishes':2,'number':1,'importance':1,'quantity':2,'volume':1,'about':1,'animals':4,'pests':1,'bullet':1,'items':1,'batteries':1,'corona':1,'bee':1,'staff.':1,'part':2,'donations':1,'anthropoid':1,'shore-animals':2,'arboreal':1,'sea-anemone-like':2,'marble--there':1,'crab':3,'are':1},'mammal':{'and':1,'essentially':1,'sucks':1,'is':1,'when':1,'mind':1,'s':1,'as':1,'mind.':1,'in':1,'the':1,'stocks':1,'with':1},'autotomy.':{'in':1},'abbreviated':{'recapitulation':1},'quicker':{'than':1},'methodical':{'habits':1},'proof--embryological':{'proof--man':1},'197':{'diagram':1,'000':1},'196':{'the':1},'191':{'hornbill':1,'life-history':1,'avocet':1,'spoonbill':1,'puffin':1,'falcon':1},'hour.':{'these':1,'the':1},'193':{'early':1},'192':{'hind-leg':1,'photo':1},'past':{'and':5,'a':1,'all':1,'generation.':1,'in':1,'century.':1,'ages--for':1,'generation':1,'there':1,'upon':1,'it':1,'amphibians':1,'one':1,'.':3,'at':1,'which':1,'time':1,'the':1,'still':1,';':1,'persisting':1},'displays':{'its':1,'.':1},'pass':{'on':2,'gradually':1,'from':3,'vertically':1,'suddenly':1,'over':1,'amongst':1,'by':1,'to':4,'behind':1,'through':11,'between':1,'along':2,'straight':1,'before':1},'situated':{'near':1,'at':1},'17.--a':{'map':1},'richard':{'owen':1},'clock':{'we':1,'would':1,'.':1,'struck':1,'beating':1,';':1},'section':{'of':2,'later':1,'1':1,'3':2,'2':1,'through':3,'4':2,'5':1},'reproduction':{'a':1,'both':1,'from':1,'for':1,'may':1,'is':2,'.':5,'which':1},'scientists':{'confront':1},'method':{'and':1,'used':1,'that':1,'simple':1,'of':6,'is':2,'exactly':1,'.':1,'namely':1,'much':1,'are':1,'which':1,'you':1,'was':2,'by':2,'if':1},'contrast':{'this':1,'to':3,'with':1,'between':2},'revealing':{'an':2},'full':{'and':1,'on':1,'terms':2,'license':1,'inheritance':1,'of':5,'stop':1,'stop.':1,'project':7,'flood':1,'daylight':1,'individual':1,'fathoms':1,'extent':1,'refund':2,'dawn':1,'resources':1},'escaping':{'pursuit':1},'installations':{'.':1},'argonaut':{'in':1},'leaping':{'a':1,'at':2},'7.--the':{'visible':1},'hours':{'on':1,'we':1,'from':1,'afterwards':1,'immediately':1,'of':1,'after':1,'days':1,'forty':1,'early':1,'to':1,'old':1,'in':1,'it':1,'i.e':1,';':1,'.':4,'until':1,'before':2},'concluding':{'this':1},'november':{'19':2,'6':1},'transformation':{'of':5,'comes':1,'such':1},'refractors':{'and':1,'are':1},'riviera':{';':1},'introductory':{'note':1,'the':1},'compliance':{'with':2,'requirements':1,'for':1,'.':1},'247':{'photo':2},'experience':{'and':2,'or':1,'for':1,'though':1,'of':1,'no':1,'it':1,'but':1,'.':1,'to':1,'nothing':1,'which':2,'in':2,'not':1,'known':1,'with':1,'by':1},'anthropologists':{'and':1},'bulges':{';':1},'periodic':{'shrinkages':1,'the':1,'variations':1,'tax':1},'social':{'group':1,'intercourse':2,'becoming':1,'person.':1,'face':1,'environment':1,'life--of':1,'systems':1,'heritage':2,'institutions--all':1},'action':{'and':2,'on':1,'like':2,'facility':1,'not':1,'of':4,'is':1,'it':1,'.':4,'how':1,'in':1,'following':1,';':1,'by':1},'matter--but':{'no':1},'slope':{'to':1,'from':2,'of':1},'struggle':{'all':1,'through':1,'for':21,'against':2,'out':1},'followed':{'on':1,'rapidly':1,'that':1,'with':1,'in':1,'some':1,'up':1,'without':1,'year':1,'from':1,'the':2,'was':1,'by':2,'roentgen':1},'moorland':{'.':1},'vii':{'the':1,'.':2},'aeschylus':{'gave':1},'hard-and-fast':{'boundary':1,'lines':1},'beheld':{'in':1},'pulls':{'the':2,'every':1},'substance.':{'it':1},'coercion':{'and':1},'nerve-centres':{'keep':1},'eddington':{'even':1,'of':1,'professor':1,'tells':1},'granular':{'appearance':1},'attendance':{'on':1,'fertilises':1},'magnitude--and':{'these':1},'educability.':{'young':1},'petroleum':{'ten':1},'6':{'1914.':1,'and':1,'great':1,'inches':1,'then':1,'.':5,'1919':1,'tadpole':1,'other':1,'the':2},'evolve.':{'viii':1},'more':{'limited':1,'developed':1,'accurate':2,'dynamic':1,'purely':1,'distant':1,'abundant':1,'rapid':4,'rapidly':2,'knowledge':1,'fit':2,'interesting':3,'complex':4,'passive':1,'to':3,'willing':1,'convoluted':1,'portentous':1,'inconspicuous':1,'familiar':1,'courage':1,'nearly':1,'trouble':1,'advanced':1,'debatable':1,'generalised':1,'masters':1,'like':3,'oxygen':1,'marvellous':1,'fully':1,'radiant':1,'loosely':1,'prolonged':1,'possibilities':1,'economically':1,'intelligence':2,'energy':1,'direct':2,'likely':2,'intelligible.':1,'besides.':1,'advantageous':1,'sail':1,'uniform':1,';':2,'numerous':3,'advantageously':1,'we':1,'explosive':1,'intimate':1,'importance':1,'masterful':1,'free':3,'atoms':2,'curved':1,'complicated':5,'besides':4,'flowering':1,'intelligent':1,'intense':1,'promiseful':1,'chapter':1,'about':3,'of':5,'thickly':1,'sensitive':3,'smoke':1,'adapted':1,'or':14,'frequent':1,'and':10,'primitive':2,'powerful':2,'marked':1,'highly':2,'quickly':2,'readily':3,'startling':1,'ancient':1,'illumined':1,'erect':1,'.':4,'wonderful':2,'resolute':1,'dome-like':1,'vigorous':1,'complete':2,'successful':1,'continuous':1,'mentality':1,'conspicuously':1,'but':1,'strenuous':4,'upright':1,'natural':1,'general':1,'than':64,'must':1,'parts':1,'romantic':1,'instructive':1,'grey':1,'discriminating':1,'matter':1,'actively':1,'promising':2,'drops':1,'ascetic':1,'varied.':1,'conjectural':1,'certain':1,'it':1,'comfortable':1,'in':1,'controlled':4,'convenient':1,'emancipated':1,'eloquent':2,'till':1,'vital':2,'gateways':1,'which':1,'so':1,'smell':1,'difficult':3,'clear-cut':1,'felt':1,'convincing':1,'alert':1,'important':3,'blood':1,'nutritive':1,'freely':1,'remote':1,'for':1,'effective':1,'mobile':1,'light':1,'definitely':1,'electrons':3,'wide-awake':1,'the':2,'marsupials':1},'door':{'and':1,'is':1,'two':1,'.':1},'testes':{'.':1},'substances':{'such':1,'or':1,'like':1,'give':1,'this':1,'disintegrate':1,'near':1,'but':1,'coloured':1,'as':1,'therefore':1,'permeating':1,'which':2,'in':1,'become':1,'the':1,'has':1,';':2,'are':5},'inquisitiveness':{'a':1,'and':1},'company':{'as':1,'with':1},'berridge.':{'shoebill':1,'woolly':1,'young':1,'surinam':1,'an':1,'common':1,'harpy-eagle':1,'the':3},'one-sided':{'as':1},'tested':{'for':1,'.':1},'foundations':{'of':4},'stampings':{'.':1},'keeping':{'this':1,'the':3,'his':1},'fatal':{'as':1,'.':1},'science':{'and':1,'lenard':1,'liquefies':1,'vol':3,'is':8,'it':1,'an':1,'produced':1,'as':1,'in':1,'should':1,'for':1,'introduction':1,'.':4,'to':1,'which':1,'surpasses':1,'has':3,'was':1,'naturally':1,'we':1,'after':1,'that':1,'who':1,'but':1,'tries':1,'were':1,'arrived':1,'encourages':1,'must':1,'a':1,'on':1,'this':1,'ever':2,'reads':1,'so':1,'of':5,'the':2,'makes':1},'centrifugal':{'force':1},'agoing.':{'illustration':2},'indicating':{'the':1,'that':1},'evolved':{'a':1,'and':2,'we':1,'from':5,'all':1,'but':1,'one':1,'reptiles':1,'amphibians':1,'hand':1,'in':2,'.':2,'or':1},'learn':{'and':2,'all':1,'more':2,'that':4,'.':1,'to':7,'its':2,'how':3,'the':2,'an':1,'with':1,'by':2,'quite':1,'if':1},'knocked':{'it':1},'lamp-shell':{'lingulella':1,'ligula':1},'male':{'and':2,'parent':1,'with':1,'of':3,'fish':2,'who':2,'or':1,'sea-horse':1,'mounts':1,'s':2,'helps':1,'kurtus':1,';':1,'has':3,'makes':1,'side':1},'plants--romance':{'of':1},'beautiful':{'and':2,'stone':1,'spectacles':1,'zoological':1,'is':2,'object':1,'one':1,'flint-shelled':1,'experiments':4,'green':1,'are':1,'sight':1,'pink-flush':1,'cradle':1,'brine-shrimp':1,'robe':1,'red':1,'opalina':1},'stated':{'that':1},'cosmic':{'dust':2,'rubbish':1},'wave.':{'illustration':1},'brain-mind':{'we':1},'suggestions':{'may':1,'of':2,'have':1},'accept':{'a':1,'the':1,'all':1},'states':{'and':2,'do':1,'we':1,'copyright':1,'of':2,'who':1,'.':3,'to':1,'without':2,'swims':1,'the':1,'where':1,'check':1},'obliquely':{'on':1},'sense':{'separated':1,'a':1,'and':2,'still':1,'of':19,'except':1,'but':1,'one':1,'born':1,'which':1,'in':1,'it':2,'such':1,'the':1,'.':2},'plan.':{'in':1},'dress':{'is':3,'it':1,'that':1},'struck.':{'there':1},'salts':{'of':3,'but':2,'.':2,'to':1,'as':1,'using':1},'axis':{'cylinder':1,'that':1,'of':3,'is':1,'but':1,'.':2,'to':1,'as':1,'at':1,'in':4,'once':3},'huge':{'electric':4,'paw':1,'family.':1,'agglomerations':1,'increase':1,'carcase':1,'crocodilian':1,'cavern':1,'three-horned':1,'extinct':2,'sieve':1,'electronic':1,'infantile':1},'respective':{'bodies':1},'instruments.':{'ii':1,'the':1},'imminent':{'destruction':1},'emancipated':{'more':1,'from':1,'.':1},'fruition':{'of':1},'gannets':{'and':1},'oligocene':{'the':1,'times':1,'period':1,'n':1},'glowing':{'metal':1,'into':1,'gas':1,'gases':4,'coal':1,'mass':2,'in':1,'hydrogen':4,'with':1},'cling':{'to':1,'on':1,'together':3,'firmly':1},'relinquished':{'the':1},'creature':{'and':2,'being':1,'is':3,'fond':1,'as':2,'standing':1,'from':1,'.':4,'to':2,'too':1,'expresses':1,'save':1,'reproduced':1,'eminently':1,'that':2,'with':3,'has':2,'like':1,'retreated':1,'whether':1,'of':2,'sometimes':1,'s':2,'the':1,'profits':1},'rungs':{'of':2},'plant':{'and':2,'we':1,'would':1,'may':1,'of':1,'about':1,'called':2,'as':1,'preparing':1,'or':1},'salt.':{'this':1},'lanky':{'legs':1},'intended':{'to':2},'thickened':{'skin':1},'perrin':{'the':1,'jean':1},'plane':{'of':6,'is':1,'namely':1,'.':1,'near':1,'in':1,'the':1},'waves':{'and':4,'longer':1,'give':1,'is':1,'whatever':1,'see':1,'are':5,'in':4,'279':1,'still':1,'ether':1,'from':1,'breaking':1,'.':9,'1':1,'sparkle':1,'only':1,'too':1,'which':5,';':1,'cause':1,'sent':1,'we':1,'used':1,'that':1,'our':1,'enter':1,'like':1,'five':1,'they':3,'must':1,'carried':1,'are--measuring':1,'light':1,'culminating':1,'transmitted':2,'can':1,'of':11,'the':4,'its':1,'or':1},'mendel':{'.':1},'acquisitions':{'gradually':1,'that':1,'of':3,'as':1,'in':1,'the':2},'resemble':{'a':2,'the':1},'boarders':{'those':1},'register':{'themselves':1,'the':2},'tentacles':{'and':1,'around':1,'some':1,'it':1,'can':1,'radiate':1,'round':1,'minute':1,'are':1},'cases.':{'using':1,'the':1},'fundamental':{'substance':1,'to':1,'nature':1,'importance':1,'instruments':1,'food-supply':1,'bodily':1,'entities--matter':1,'entities':2,'unity':1,'way':2,'existences':2,'facts':1,'impressions':1,'realities':1,'matter':1},'triassic.':{'comparatively':1},'grasshoppers':{'orthoptera':1},'replied':{'is':1},'passages':{'and':1},'barnard':{'yerkes':2},'self-destructively':{'would':1},'incessantly':{'bombarded':1},'reminded':{'that':1,'in':1},'trade':{'from':1},'attitude':{'and':1,'of':1,'as':2,'there':1},'paper':{'on':1,'nautilus':3,'bait':1,'exactly':1,'packet':1,'.':1,'were':1,'in':1,'edition.':1,'lying':1},'signs':{'and':1,'of':1,'printed':1},'looks.':{'illustration':1},'its':{'precise':1,'summer':1,'walking':1,'remarkable':1,'disturbances':1,'constituents':1,'beak':1,'mission':1,'years':1,'four':1,'brain':1,'shape':1,'disc':1,'existence.':1,'victim':2,'skin':2,'existence':1,'partisans':1,'previous':1,'completion':1,'particles':2,'limbs':2,'different-lengthed':1,'outer':1,'thumb':1,'anvil':2,'striking':1,'possessors':1,'young':3,'environment':4,'surroundings':2,'tail':2,'concavity':1,'microscopic':1,'molecules':1,'tail.':1,'gyges':1,'gills':2,'main':1,'position--it':1,'first':1,'giants':1,'breathing':1,'victims':2,'cloud-belts':1,'reptilian':1,'means':1,'far':1,'big':2,'oceans':1,'mouth':2,'young.':1,'germ-cells':1,'encircling':1,'emerald':1,'rotation':1,'far-reaching':1,'wings':4,'retreat':1,'lineage':1,'evolution':1,'name':1,'course':2,'bearings':1,'solution':1,'possibilities':1,'race':2,'activity':1,'soft':1,'lesson.':1,'exquisite':1,'ears':1,'upper':2,'habitat':1,'appearance':1,'energy':3,'fully-formed':1,'back':1,'collaterals':1,'prolonged':1,'opposite':1,'legacy':1,'bare':1,'measurement':1,'home':1,'functioning':1,'mother':3,'best':3,'mottled':1,'cilia':1,'leaf':1,'probable':1,'borrowed':1,'endowment':1,'self-effacement':1,'intimate':1,'definite':2,'frond-like':1,'dormitory':1,'venom':1,'new':1,'peg':1,'hind-legs':2,'speed':1,'body':7,'core':1,'toes':1,'business':1,'leg':1,'strata':1,'atoms':3,'extraordinary':2,'magnetism':1,'salient':1,'formation':1,'egg-cocoons':1,'trunk':1,'early':1,'path':2,'canals':1,'whiteness':1,'evolution.':1,'colours':1,'enormous':1,'shaggy':1,'brilliant':1,'many':2,'leaves':1,'parts':4,'greater':1,'counterpart':1,'wave-length':1,'pattern':1,'nucleus':1,'tongue':2,'whole':2,'relatives.':1,'origin':1,'diameter':1,'primitive':1,'own':18,'heart':1,'marginal':1,'coming':1,'habitual':1,'primary':3,'race.':1,'height':1,'utilisation':1,'date':1,'eggs':2,'brain.':1,'formidable':1,'owner':2,'table':1,'mere':1,'size':3,'wings.':1,'strong':2,'eye':1,'temperature':2,'width':1,'tremendous':1,'own.':1,'two':1,'spiral':1,'long':2,'plains':1,'secret':1,'wonderful':1,'prey':1,'pool':1,'way':5,'typical':1,'diving-bell':1,'legs':1,'voracity':1,'501':1,'interests':1,'mountains':1,'head':1,'stomach':1,'fiery':1,'high-pitched':1,'wits':1,'successful':1,'feathers':1,'great':1,'validity':1,'climax.':1,'neighbour':2,'heat':3,'cranial':1,'tentative':1,'constituent':1,'hole':1,'highest':1,'effort':1,'present':3,'kind':1,'lifetime':1,'skull':2,'characteristic':1,'straight':1,'bill':1,'attached':1,'gravitational':2,'father':1,'nine':1,'vitality.':1,'growing':1,'distribution':2,'millennia':1,'history':1,'predecessor':1,'climax':4,'influence':1,'faintness':1,'surface':7,'general':1,'return':1,'partner':1,'comparative':1,'sharp':1,'mouth.':1,'dress':1,'own--a':1,'swim-bladder':2,'huge':1,'ancestors':1,'stolidity':1,'winter':2,'paw':2,'flight':2,'air-dome':1,'centre.':1,'bell-like':1,'shoulders':1,'forests':1,'reality':1,'arboreal':1,'relatives':1,'strange':1,'sentiments':1,'special':1,'influences':1,'talons':1,'estuaries':1,'mammoth':1,'ordinary':1,'axis':13,'composition':2,'development':1,'immediate':1,'electric':1,'beginnings':1,'centre':4,'neck.':1,'nest':2,'teeth':1,'reach':1,'surface--before':1,'substitute':1,'companion':1,'gill-cavity':1,'dimensions':1,'journey':3,'moving':1,'colouring':1,'saucer-shaped':1,'share':1,'movements':2,'capacity':1,'burrow':2,'structure':1,'eyes':1,'so-called':1,'short':1,'branches':2,'gullet':1,'surprising':1,'revelations':1,'light':3,'colour':5,'starting-point':1,'life':2,'persistent':1,'benefactress':1,'tale':1,'inhabitants':1,'edge':1,'mass':2,'greatest':1,'broad':1,'volunteers':1,'path.':1,'original':3,'immensity':1,'function.':1},'roots':{'and':1,'to':2,'of':2},'imaginings':{'of':1},'rapidly':{'and':4,'on':2,'we':1,'towards':1,'altering':1,'revolving':1,'between':1,'round':1,'to':1,'in':1,'changing':1,'revolved':1,'alter':1},'shifts':{'the':1,'for':4},'man-ape':{'and':1,'to':1},'coarser':{'vibrations':1},'conjugation':{'of':1},'bell-animalcules':{'a':1},'adepts':{'at':1,'in':1},'isaac':{'newton':5},'travelling':{'and':2,'rapidly':1,'faster':1,'at':5,'the':1,'with':1,'round':2},'pinions':{'.':1},'atom--that':{'what':1},'formosa':{'those':1},'tentatively':{'just':1,'sets':1},'lowell':{'evolution':1,'made':2,'who':1,'to':1,'mars':1,'observatory.':1},'entire':{'shell':2,'uselessness':1,'system':1,'absence':1,'cessation':1,'belt':1},'secondarily':{'wingless.':1},'agitated':{'and':2,'communicate':1,';':1,'electrons':1},'saltatory':{'display':1},'iridescent':{'colours':1},'weeds':{'in':1},'speculate':{'where':1,'that':1},'laboratory.':{'a':1,'an':1},'sea-urchins':{'sea-lilies':1,'and':1,'we':1},'cambrian':{'and':1,'period':5,'correspond':1,'to':1,'reached':1,'the':1},'likeness':{'to':2},'fowlers':{'and':1},'all.':{'sec':1},'loosely':{'connected':1,'.':1},'20417.txt':{'or':1},'piping':{'cry':1},'nautiloids':{'and':1,'to':1,'began':1},'found':{'the':2,'is':1,'it':1,'an':1,'at':2,'in':22,'close':1,'next':1,'its':1,'elsewhere':1,'for':1,'their':1,'there':1,'long':1,'well-formed':1,'to':4,'out':1,'vigorous':1,'around':1,'in:':1,'that':11,'far':1,'gliding':1,'however':1,'but':1,'hundreds':1,'most':1,'everywhere':1,'not':1,'along':1,'quite':1,'by':2,'he':1,'a':5,'on':3,'practically':1,'no':1,'up':1,'.':2,'eighty-seven--and':1,'e.g':1},'energetically':{'rub':1,'through':1},'physiologically':{'expensive':1,'best':2,'.':1},'reactions':{'and':2,'to':1,'.':2,'which':1,'between':2},'england':{'and':1,'.':1},'oyster-catcher':{'and':1},'resolute':{'.':1},'fewer':{'and':1,'mistakes':1},'measurement':{'.':1},'blues':{'and':1,'are':1},'niger':{'120':1,'is':1},'really':{'a':1,'radiating':1,'taking':1,'move':1,'had':1,'occurred':1,'two':1,'excessively':1,'tell':1,'are':2,'travelling':1,'gigantic':1,'important':1},'try':{'to':4,'walking':1},'neanderthal':{'and':2,'men':4,'race':2,'ravine':1,'species':2,'man':10},'psychology':{'and':1,'that':1},'sea-meadows':{'and':1,'of':1,'as':1,'to':1},'boxed-in':{'energy':1},'research':{'on':1,'.':2,'as':1,'justified':1,'has':1,'shows':1,'must':1},'misses':{'the':1},'reward.':{'the':1},'kelvin':{'and':2,'who':1,'56':1,'one':1,'s':1,'lord':1},'denoted':{'by':1},'climatic':{'conditions':2},'occurs':{'even':1,'on':2,'about':2,'from':1,'is':1,'in':1,'with':1},'chapelle-aux-saints':{'175':1,'the':1},'belief':{'is':1,'that':2,'in':2},'risen':{'three':1},'drifting':{'past':1,'life':2},'porcelain':{'are':1},'qualify':{'the':1},'gravelly':{'bed':1},'imagine':{'them':1,'that':2,'could':1,'some':1,'how':2,'the':1},'stomach':{'and':1,'to':1},'rises':{'a':1,'to':5,'and':2,'why':1,'.':2},'occur.':{'illustration':1},'producers':{'using':1,'or':1},'albatross':{'and':1,':':2},'reared':{'themselves':1},'retained':{'in':1},'english':{'serial':1,'character':1,'disciples':1},'w':{'.':30},'expedient':{'by':1,'.':1},'mangrove-trees':{'or':1,'.':1},'exhibited':{'by':1,'in':1},'delicate':{'embryo':1,'body':1,'shell':2,'larva':1,'ctenophores':1,'experiment':1,'build':1,'films':1},'impart':{'violent':1},'reversing':{'layer':2},'slipped':{'on':1,'over':1,'from':1},'thereafter':{'perhaps':1},'mimetic':{'resemblance':1},'number':{'and':2,'on':1,'develop':1,'being':1,'of':42,'is':3,'one':1,'she':1,'which':1,'mr':1,'not':1,'.':2},'slipper':{'animalcule':3},'animals--beginnings':{'of':2},'annelids':{'related':1},'star-clouds':{'will':1},'differ':{'considerably':1,'from':1,'chiefly':1,'rather':1,'as':1,'very':1,'only':1,'greatly':1,'in':3},'heads':{'and':1,'the':1,'selected':1,'breaking':1,'it':1},'world...':{'.':1},'introduction':{'of':2,'3':1,'there':1,'every':1},'cradles':{'for':1},'calculations':{'based':1,'show':1},'essays':{'on':1},'molecular':{'motion.':1,'reality':1,'motion':1,'motions.':1,'motions':2,'disintegration':1,'movement':1},'elaboration':{'known':1},'relationship':{'and':1,'with':6,'between':1},'immediate':{'access':2,'surroundings':1,'precursors':2,'cradle':1,'circle':1},'appreciation':{'of':5},'self-mutilation':{'or':1},'zeppelin':{'or':1},'licensed':{'works':1},'calendar-keeping':{'and':1},'modes':{'of':6},'diffusion':{'or':1},'ungrateful':{'to':1},'observatory':{'greenwich.':6,'of':2,'victoria':2,'near':1,'fig':1,'such':1,'the':1,'or':1,'at':1},'vocal':{'and':1,'organs':2,'cords':2,'powers':1},'determined':{'beyond':1,'by':1},'fishermen':{'whom':1},'hot.':{'crossing':1},'algol':{'is':2,'has':1},'remembers':{'that':1},'streamed':{'night':1},'possibilities.':{'illustration':1},'well-developed':{'forehead':1,'head':1,'luminous':1,'form':1},'colour-resemblance':{'was':1},'vitally':{'interlinked':1,'important':1},'germ-cells--the':{'ovum':1},'reorganisation':{'which':1},'cleverness':{'.':1,'it':1,'in':1},'odd':{'cells':1,'which':1},'fashion.':{'finally':1},'internat':{'.':1},'commotion':{'is':1},'silvery':{'jacket':1,'air-bubble--air':1,'smolts':1,'halo':1},'also':{'among':1,'rang':1,'because':1,'followed':1,'unpalatable':1,'land-snails':1,'contribute.':1,'in':5,'it':1,'marked':1,'one':1,'mild':1,'are':1,'pass':1,'seen':1,'visible.':1,'handicapped':1,'opened':1,'for':3,'belong':1,'able':1,'due':1,'anatomical':1,'to':3,'implied':1,'aerates':1,'burrow.':1,'caused':2,'has':1,'more':1,'breathe':1,'be':6,'noteworthy.':1,'towards':1,'that':1,'very':3,'offered':1,'formed':1,'serve':1,'cheaper':1,'react':1,'produce':1,'rudimentary':1,'govern':1,'known':1,'necessary':1,'the':8,'proceed':1,'a':3,'on':1,'arranged':1,'driving':1,'showed':1,'receive':1,'of':3,'drop':1,'will':1,'defective':1,'became':1,'involved':1,'found':1,'enacted':1,'changes':1,'experimental':1,'something':1},'internal':{'surfaces':4,'partnership':1,'furnishings':1,'revenue':1,'tides':1,'adjustments':1,'as':1,'surface':1,'parasites':1,'source':1,'heat':3,'secretions':1,'game':2,'atomic':1,'secretion':1,'experimenting':1,'gills':1,'structure':2,'unpaying':1},'centrosomes':{'one':1},'seized':{'the':1,'by':2},'play':{'a':2,'among':1,'we':1,'for':1,'of':3,'is':2,'an':2},'index':{'of':1},'swiftly':{'gliding':1,'electrons':1},'nasal':{'bones':1},'complexity.':{'corpuscles':1},'virus':{'or':1},'plan':{'.':1},'accepting':{'unsolicited':1,'it':1},'colliding':{'and':1,'of':1},'head-end':{'remains':1},'demand':{'a':2,'which':1},'galway':{'that':1},'whalebone':{'whales':2,'plates':2},'lessons':{'both':1,'for':1,'of':1,'began':1,'had':1,'learned':1},'long-headed':{'square-jawed':1},'sometimes':{'work':1,'almost':1,'hard':1,'marked':1,'one':1,'niggardly':1,'as':1,'manages':1,'at':1,'have':1,'seen':1,'sought':1,'slumped':1,'happens':2,'to':4,'leading':1,'make':1,'there':1,'justifies':1,'few':1,'only':1,'much':1,'helps':1,'replaced':1,'several':1,'thousands':1,'difficult':1,'swim':1,'alongside':1,'far':1,'however':1,'but':1,'sooner':1,'they':1,'competitive':1,'an':1,'a':2,'many':1,'no':1,'constitutional':1,'used':2,'deposit':1,'found':1,'the':4},'cover':{'the':2,'itself':1,'in':1,'an':1},'firma':{'and':2,'also':1},'artistic':{'race':2,'drawings':1,'sense':1},'donkeys':{'.':1},'attacking':{'a':2},'hydatina--has':{'nine':1},'far-flung':{'fire-mists':1},'golf':{'ball':2},'hoar-frost':{'or':1},'gold':{'constituted':1,'leaf':2,'is':2,'.':1,'will':1,'to':1,'in':1,'has':1,'into':1},'evaporation':{'and':1},'agassiz':{'once':1},'fatal.':{'it':1},'pill-like':{'ball':1},'hinkins':{'son.':2},'impact':{'of':2},'ape-man':{'reconstructed':1,'to':1,'as':2,'and':1},'food-signal':{'.':1},'spineless':{'cactus':1},'writes':{':':1,'so':1},'fauna--the':{'two':1},'failed':{'.':1},'life--of':{'which':1},'factor':{'which':1,'that':1},'indifference':{'to':1,'that':1},'armour':{'of':1,'or':1},'giants':{'and':2,'over':1},'noctiluca':{'whose':1,'which':1},'sand-pit':{'at':2,'must':1},'dependent':{'on':6},'liquid':{'and':1,'we':1,'when':1,'air':3,'can':1,'cling':1,';':1,'the':1,'.':3,'or':2},'adventurers':{'all':1},'flowing':{'of':1,'through':1,'out':2},'sunny':{'side':1,'bank':1},'clavius':{'the':1},'oceans.':{'they':1},'closely':{'comparable':2,'investigated':1,'corresponding':1,'resemble':1,'interwoven':1,'wrapped':2,'to':2,'resembling':1,'similar':2},'compass':{'and':1,'there':1,'possible':1},'man-of-war':{'there':1,'119':1},'4230':{'2':1},'enemy':{'home.':1},'devoured':{'by':1,'.':1},'avocet':{'s':2},'progressive':{'evolution':1,'mammals':1,'conquest':2,'mammals.':1,'.':1,'simian':1},'paddling':{'with':1,'in':1},'body.':{'this':1,'what':2,'illustration':1,'if':1},'sojourn':{'.':1},'surrendering':{'the':1},'croatia':{'and':1},'liver-fluke':{'of':1},'obscure':{'the':1,'but':2},'river':{'and':2,'heads':1,'.':3,'in':1,'the':1,'or':2},'approaching':{'the':1},'bulky':{'fuel':1},'body':{'and':14,'equally':1,'up':1,'acquired':1,'is':14,'thus':1,'one':1,'as':3,'at':1,'during':2,'in':1,'into':1,'if':1,'again':1,'containing':1,'or':2,'from':2,'possible.':1,'that':2,'decreases':1,'.':15,'to':6,'which':3,'engulfing':1,'before':1,'was':1,'until':1,'shows':1,'locate':1,'do':1,'though':1,'may':2,'becomes':1,'breaks':1,'of':11,'but':4,'were':1,'such':1,'with':2,'by':3,'sways':1,'on':1,'has':2,'always':2,'might':2,'could':2,'say':1,'worth':1,'will':1,'so':3,'overcharged':1,'keeps':1,'far':1,'the':1,'clearness':1,'called':1,'elongated':1,'are':2},'delicately':{'and':2,'built':2},'set':{'off':1,'encoding':1,'of':5,'up':4,'free':3,'electrons':1,'in':6,'forth':8,'apart':1},'ferments':{'.':1},'temperatures.':{'but':1},'enabled':{'to':3,'physicists':1,'us':1},'vertebrates':{'are':1,'or':1,'arose':1,'except':1},'sex':{'another':1,'for':1,'often':1},'see':{'among':1,'right':1,'reference':1,'is':1,'in':7,'it':1,'billions':1,'at':2,'signs':1,'our':1,'.':1,'theoretically':1,'if':1,'again':1,'what':5,'for':1,'explain':1,'that':12,'when':1,'next':1,'how':3,'much':1,'fig':1,'evidences':1,'sections':1,'into':1,'life':1,'means':1,'edge-on':1,'photograph':1,'diagram':1,'them':1,'violet.':1,'now':1,'a':8,'on':2,'evolution':1,'this':2,'later':1,'us':1,'whether':1,'paragraph':2,'so':1,'these':1,'the':7},'sec':{'.':77},'migration':{'and':1,';':1,'or':1,'up':1,'in':2},'sea':{'and':15,'cambridge':1,'salt':1,'is':2,'it':1,'117':1,'including':1,'are':3,'in':3,'.':13,'by':1,'stood':1,'for':2,'pelagic':1,'there':2,'shore':1,'should':1,'to':3,'2':1,'too':1,'has':1,'was':1,'we':1,'that':1,'very':1,'but':2,'others':1,'128':1,'rises':1,'desert':1,'a':2,'especially':1,'of':2,'as':2,'while':1,'gathers':1,'does':1,'usually':1,'the':9,'where':1,'or':2},'aberdeen':{'with':1},'outward':{'behaviour':1,'from':1,'by':1},'shower':{'of':3},'eminently':{'educable.':1,'educable':1},'foraminifer':{'polystomella':2},'taming':{'of':1},'jewels.':{'there':1},'dilutes':{'as':1},'exudation':{'of':1},'endure':{'the':1},'europe':{'a':1,'from':2,'for':1,'.':2,'so':1,'have':1,'were':1,'such':1,'slopes':1,'was':2,'or':1},'jaws.':{'power':1},'eustachian':{'tube':2},'incident':{'is':1},'mingling':{'of':1,'with':1},'things--that':{'fits':1},'energy--may':{'appear':1},'prospects':{'of':1},'lingulella':{'of':1},'improved':{'nervous':1,'habits':1,'by':1},'barely':{'separated':1},'harpy':{'occurs':1},'possible.':{'the':3,'for':1,'illustration':1},'connection':{'with':12,'however':1,'between':2},'amoeba':{'pelomyxa':1,'is':1,'61':1,'greatly':1,'overtakes':1,'pursues':1},'lash':{'large':1,'or':1},'everything.':{'sheer':1},'whole':{'prospect':1,'solar':1,'follows':1,'series':1,'is':1,'creation':1,'it':3,'earth':6,'floating':1,'civilisation':1,'declined':1,'physical':1,'stretch':1,'integrative':1,'to':1,'of':4,'world.':1,'body':1,'we':1,'universe.':1,'originated':1,'sufficient':1,'material':2,'but':1,'grilse':1,'somewhat':1,'world':3,'structure':1,'simpler':1,'a':1,'progressive':1,'bubble':1,'thing':1,'truth':1,'universe':3,'the':1,'extent':1,'or':1,'history':2},'1919':{'to':1,':':1,'.':1,'one':1},'loaf':{'taken':1},'volcanic':{'material':1,'ash':1,'gases':1,'activity':1},'bell':{'be':1,'becomes':1,'is':1,'however':1,'at':1,'which':1,'the':1,'its':1},'etre':{'of':1},'seems':{'a':1,'little':1,'transitional':1,'that':8,'almost':1,'certain':1,'clear':1,'no':2,'possible':1,'an':1,'to':19,'so':1,'at':1,'permissible':1,'of':1,'not':1,'impossible':1,'highly':1,'far':1},'acted':{'on':1},'corresponds':{'to':5,'with':1},'race.':{'the':1},'hollow':{'caves':1,'flattened':1},'unicellular':{'and':1,'protozoa':1,'plants':1,'algae':2},'agents':{'and':1},'adaptation':{'of':2,'to':5,'.':1},'church':{'pictures':1,'is':1,'there':1},'sees':{'and':1},'reflective--which':{'is':1},'belt':{'of':1,'the':1},'moon--the':{'mountains':1,'earth':1},'publishing':{'co':2},'originators':{'of':3},'lizards':{'and':2,'paddling':1,'the':1,'turtles':1},'acceptance':{'.':1},'clay.':{'the':1},'intricacies':{'of':1},'extravagant':{'in':1},'scions':{'of':1},'extreme':{'changes':1,'is':2,'end':1,'cold--an':1,'rarity':1},'firm':{'of':1,'fulcrum':1,'basis':1},'resting':{'on':2,'or':1,'during':1},'pliocene':{'and':1,'that':1,'period':1,'.':1,'as':1,'were':1,'before':1,'n':1,'or':1,'times':1},'squirrel':{'and':2,'making':1,'is':2,'with':1},'high-pitched':{'voice':1},'fire':{'a':1,'on':1,'and':1,'for':2,'is':1,'but':1,'as':1,'which':1,';':2,'until':1},'amphibians':{'and':4,'frogs':1,'some':1,'known':1,'as':1,'before':1,'sprang':2,'fed':1,'from':1,'for':1,'had':1,'.':4,'which':1,'was':1,'we':1,'towards':1,'led':1,'that':1,'burrowing':1,'altogether':1,'fishes':1,'with':3,'by':1,'retained':1,'implied':1,'were':1,'called':1},'fritz':{'mueller':1},'races':{'brethren':1,'and':1,'to-day':1,'of':6,'than':1,'met':1,'as':1,'--which':1,'go':1,'the':1,'or':2,'must':1},'representative':{'and':1,'of':6,'fauna':1,'illustrations':1,'--from':1},'formless':{'gaseous':1},'sixes':{'fives':1},'handling':{'organ':1},'uncertain':{'.':2,'some':1,'but':1,'ground':1},'7700':{'0':1},'reliable':{'a':1,'calculations':1},'admire':{'in':1},'receive':{'specific':1,'a':1,'the':3,'from':1,'them':1},'formats':{'will':1,'readable':1},'amniota':{'in':1},'projecting':{'filaments':1,'upper':1,'wire':1},'robin':{'redbreast':1},'secluded':{'retreat.':1},'pound':{'of':5,'to':1},'jettisons':{'the':1},'agitation':{'of':1},'moth':{'emerges':1,'emerging':1,'e.g':1,'is':1,'should':1,'76':1,'are':1,'the':1,'has':2,'settled':1,'automatically':1},'von':{'indetal':1},'owen':{'said':1},'binding':{'the':1},'level.':{'yet':1},'36':{'seconds':1,'photo':1},'feather-wing':{'a':1},'cerebrum':{'the':1},'owes':{'much':1},'beautifully':{'worked':1,'modified':2},'vanish':{'.':1},'acquires':{'a':1},'greenwich.':{'comet':1,'the':1,'fig':3,'typical':1},'processes--':{'1':1},'cyclostomes':{'such':1},'shorten':{'and':1},'beune':{'throughout':1,'179':1},'shorter':{'and':4,'the':1,'in':1,'period--its':1,'waves':3},'read':{'partly':1,'that':2,'these':1,'it':1,'this':1,'understand':1,'the':3,'by':1},'pecking':{'scratching':1},'serum':{'of':1},'survey':{'of':4,'the':1},'specimen':{'of':3},'knitting':{'needle':1},'snail':{'chopped':1,'and':2,'is':1,'s':2},'comprehensive':{'articles':1},'blue-greens':{'harmonise':1},'alert':{'very':1,';':1,'than':1},'viewing':{'displaying':1},'levels':{'.':2,'in':1},'leaps':{'violently':1,'along':1,'from':2,'through':1},'necessity':{'and':1,'has':1,'for':2},'mussel':{'cannot':1,'.':2},'recent':{'observation':1,'advances':2,'study':1,'eclipse':1,'discovery':1,'british':1,'times':3,'discoveries':3,';':1,'years':5,'research':2,'achievement':1,'view':1},'race-continuing':{'adaptations':1},'expend':{'this':1,'considerable':1},'inches.':{'i':1,'illustration':1},'food-plant':{'to':1,'in':1},'concrete':{'suggestions':1,'mental':1},'regulating':{'and':1,'charities':1},'qualities--notably':{'health':1},'ltd.':{'a':1,'electric':1,'this':1,'professor':1,'charles':1,'an':1,'rotating':1,'the':3},'crayfish':{'and':1},'body-building':{'by':1},'woodward':{'s':1},'abbreviation':{'the':1},'hercules':{'a':1,'108':1,'37':1},'spinners':{'let':1},'plant-like':{'animal':2},'tribe.':{'keen':1},'readers':{'who':1,'wishing':1},'recommended':{'to':1},'making.':{'but':1},'resemblances':{'to':1},'causing':{'an':1},'parents':{'and':2,'bring':1,'thrusting':2,'in':1},'types--':{'lost':1},'physics--the':{'wonders':1},'sojourning':{'for':1},'surprised':{'by':1},'putnam':{'s':2},'provisional.':{'illustration':1},'clutches':{'.':1},'victims':{'such':1,'or':1},'demands':{'.':1,'general':1},'couple':{'of':1},'wives':{'are':1},'stockholm.':{'a':1,'wing':1},'suffering':{'from':1},'sea-lettuce':{'or':1},'shading':{'off':1},'emergence':{'of':11},'projects':{'freely':1,'from':1},'heightened':{'.':1},'sorting':{'out':2},'imposed':{'by':1},'dislodged':{'sea-anemone':1},'hue.':{'there':1},'aridity':{'set':1,'led':1},'sulphite':{'screen':1},'communications':{'in':1},'well-poised':{'head':1},'continue':{'consistently':1,'on':1,'its':2,'to':5},'spiny':{'ant-eaters':1},'exquisitely':{'beautiful':1},'tribes':{'of':1},'horsetails':{'which':1},'disorder':{'and':1,'of':1},'interbreeding':{'of':1,'.':1},'irresistibly':{'suggests':1},'methods':{'and':1,'we':1,'used':1,'like':1,'that':1,'of':10,'is':1,'it':1,'.':3,'to':1,'have':1,'really':1},'spring':{'and':2,'wheat':2,'of':1,'tides':2,'tide':2,'flower-perfumed':1,'out':1},'leptocephali':{'a':1},'obscure.':{'seasonal':1,'when':1,'illustration':1,'hunger':1},'mighty':{'theory':1,'swarms':1,'globe':1,'dead':1,'swarm':1,'flame':1,'animal':1,'shadow':1},'sight':{'and':2,'this':1,'of':1,'who':1,'.':2,'in':2,'not':1,'hearing':1,'more':2},'steam-engine':{'.':1},'curious':{'about':1,'organ':1,'sideways':2,'is':1,'blood-containing':1,'thing':1},'battalion':{'of':1},'committing':{'ourselves':1},'gill-clefts--':{'a':1},'stamens':{'kneads':1,'holding':1},'measurements':{'1':1,'at':1,'which':1,'.':1},'behave':{'as':2,'like':1},'newcomb':{'popular':1,'is':1,'the':1},'dating':{'from':1},'lowell.':{'the':1},'answers.':{'the':1},'inclination':{'to':1},'be':{'invariable':1,'splitting':1,'founded':1,'sunk':1,'spaced':1,'reshufflings':1,'poorly':1,'compact':1,'to':2,'fatal':1,'separated.':1,'brown':1,'counted.':2,'radio-active':1,'exact':1,'transformed.':1,'illustrated':1,'perceived':2,'dealt':4,'small':1,'ultra-violet':1,'noted':4,'ten':1,'invaded':1,'dried':1,'picked':2,'further':1,'estimated':1,'expressive':1,'even':2,'giving':1,'beaten':1,'liberated':1,'prejudicially':1,'learned':2,'told':2,'met':1,'active':1,'implicit':1,'obtained':1,'great':1,'broken':4,'involved':1,'accomplished':1,'periodic':1,'settled':1,'composed':1,'named':1,'followed':2,'explained':3,'visible':4,'readily':2,'fed':1,'working':1,'positive':1,'wiped':1,'two':2,'therefore':1,'taken':4,'more':6,'inclined':1,'suffused':1,'known':1,'producing':1,'modified':1,'evolved':1,'following':1,'cited':1,'something':1,'allowed':1,'terrestrial':1,'influenced':1,'white-hot.':1,'unavailable.':1,'six':1,'1':1,'located':1,'called--it':1,'fostered':1,'undergoing':1,'reconciled':1,'earlier':1,'wrong':1,'understanded':1,'waves':1,'a':27,'overtaken':1,'light':1,'rather':1,'so':2,'pulled':1,'counted':2,'over':1,'interpreted':1,'produced':2,'still':2,'negotiated':1,'actually':1,'better':1,'permanent':1,'overcome':1,'affected':1,'easily':2,'indivisible.':1,'always':1,'identified':1,'applied':1,'found':11,'physiologically':1,'suspended':1,'investigated':1,'our':2,'avoided':1,'borne':1,'shown':3,'washed':1,'hastily':1,'content':2,'laid':1,'believed.':1,'given':1,'completely':1,'put':3,'universally':1,'enormous':1,'created':4,'blown':1,'omitted':2,'one':4,'done':2,'adopted':1,'directly':1,'impossible':2,'earthworms':1,'little':2,'approximately':1,'too':7,'final':1,'discovered':2,'that':11,'released':1,'somewhat':1,'eliminated':2,'convinced':1,'ungrateful':1,'frankly':1,'splendidly':1,'determined':1,'supposed':1,'17-1':1,'and':1,'lightly':1,'well':1,'confessed':1,'turned':2,'buried':1,'seen':22,'clearly':2,'built':1,'thoroughly':1,'able':5,'lit':1,'absorbed':1,'green':1,'sure':2,'clearer':1,'paid':1,'said':19,'nothing':1,'measured':2,'considered':4,'calculated':1,'sometimes':1,'inferred':1,'looked':1,'accounted':2,'left':3,'shot':1,'supported':1,'fifty':1,'rotating':1,'carefully':1,'enormously':1,'slow':2,'based':1,'going':1,'judged':2,'credulous':1,'employed':1,'guarded':1,'exceptional':1,'between':2,'liable':1,'nibbled':1,'delicately':1,'set':1,'swept':1,'seas':1,'observed':2,'luminous':2,'best':1,'subject':1,'invoked':1,'halved':1,'enough':1,'unable':1,'allotted':1,'drawn':3,'profitable':1,'we':1,'renamed.':1,'however':2,'clues':1,'improved':1,'many':1,'called':14,'plants':1,'conquered':1,'adapted':1,'asked':3,'otherwise':1,'regulated':1,'deflected':1,'associated':4,'unearthed':1,'destroyed':2,'described':6,'three':2,'quickly':1,'recognised':2,'expected':1,'copied':1,'life':3,'robbed':1,'sufficient':1,'gas':1,'worked':1,'present':1,'inconspicuous':1,'sound':1,'abandoned':2,'freely':2,'almost':1,'violently':1,'thus':1,'helped':1,'examined':2,'in':8,'reminded':1,'linked':1,'stimulated':2,'patient':1,'split':2,'agitated':1,'several':3,'difficult':1,'used':5,'upon':1,'compared':2,'arrived':1,'prophesied':1,'circumvented':1,'kept':1,'older':1,'changes':1,'constitutional':1,'thought':3,'very':11,'the':11,'realised':1,'departed':1,'less':1,'stored':1,'handed':1,'useful':4,'recapitulated':1,'rapid':1,'regarded':7,'lured':1,'transformed':2,'easy':1,'engulfed':1,'increased':1,'read':1,'dissected':1,'required.':1,'dark':1,'accepted':2,'advanced':1,'necessary':1,'like':4,'admitted':5,'either':1,'translated':3,'simply':1,'reduced':1,'right':1,'often':1,'exposed':1,'some':2,'understood':2,'curious':1,'dissociated':1,'gradually':1,'expressing':1,'eating':1,'bold':1,'remembered':4,'analysed':1,'precious.':1,'accompanied':1,'about':2,'cautious':1,'carried':1,'getting':1,'entailed':1,'of':6,'discussed':2,'urged':1,'avoided.':1,'within':1,'bound':2,'due':1,'.':4,'mere':1,'indispensable':1,'there':1,'noticed':3,'much':2,'infected':1,':':1,'forming':1,'satisfactorily':1,'removed':1,'true':4,'made':11,'arranged':1,'embedded':1,'placed':3,'below':1,'converted':2,'mature':1,'pumped':1,'clear':1,'darker':1,'proud':1,'proved':1,'moved':1,'slowing':1,'an':5,'as':5,'at':2,'constructed':1,'effected':1,'beyond':1,'inborn':1,'no':15,'discerned':1,'when':1,'dimmed':1,'other':1,'transported':1,'included':1,'fastened':1,'utilised':2,'doubted':1,'far':1},'paloloworm':{'of':1},'obscures':{'them':1},'agreement':{'and':2,'disclaim':1,'by':1,'for':2,'shall':2,'amongst':1,'.':3,'will':1,'you':3,'the':1,'with':1,'violates':1,'nor':1,'before':1},'departures':{'among':1,'from':2,'of':2,'or':2,'behaviour-variations':1,'they':1,'in':2,'occur':1},'1919.':{'taken':1},'method.':{'illustration':1},'tidal':{'action':1,'energy':1,'river':1,'theory':1,'waves':1},'-273':{'deg':1},'by':{'saying':1,'all':4,'endeavour':2,'less':1,'being':3,'gradual':1,'both':1,'seizing':1,'worms':1,'rest':1,'rotating':1,'experiments':1,'animals':1,'ice':1,'human':1,'disadvantageous':1,'glue-like':1,'budding':3,'abundant':1,'its':4,'pterodactyls':1,'homology':2,'limbs':1,'dividing':2,'consistently':1,'dubois':1,'glowing':1,'passage':2,'coaxing':1,'insects':2,'other':2,'reptiles':1,'helmholtz':1,'hideous':1,'meadows':1,'it.':1,'division':1,'them':1,'someone':1,'influences':1,'means':18,'food':1,'overflows':1,'dr.':1,'permission':20,'cutting':1,'friction':1,'prof':5,'instinctive':1,'dr':4,'day':4,'association':1,'viscid':2,'moist':1,'name':1,'profound':1,'h':1,'bay':1,'involution':1,'surrendering':1,'vibrations':2,'ductless':1,'bats':1,'mr':3,'automatic':1,'legions':1,'liberating':1,'immigrants':1,'ferments':1,'burying':1,'intelligence':1,'radium':1,'some':7,'rivers':1,'crows':1,'full':1,'sight':1,'defences':1,'our':5,'civilisation':1,'tracheate':1,'intercrossing':1,'even':1,'what':2,'still':1,'superposing':1,'ejecting':2,'driving':1,'deliberate':1,'memories':1,'circulating':1,'representatives':1,'artificial':1,'birds':2,'e-mail':1,'acting':1,'experiment':2,'various':3,'vascular':1,'out-side':1,'new':1,'falling':2,'reading':2,'numerous':2,'u.s':1,'contrast':1,'columbus':1,'blowing':1,'scientific':1,'cellulose':1,'nature':2,'men':2,'water':1,'pressure':1,'experimenting':2,'threads':1,'others':3,'holding':1,'hiding':1,'comparison':1,'great':1,'accident':1,'your':1,'g':1,'freely':1,'ribs':1,'larger':1,'lichens':1,'experience':8,'plunging':1,'periodic':1,'radiation':1,'social':1,'passing':3,'changes':1,'frequent':1,'this':3,'discharging':1,'volcanic':1,'gas-bubbles':1,'burning':1,'striking':1,'suddenly':1,'churning':1,'powerful':1,'one':2,'spinning':1,'very':1,'air-breathing':1,'incandescent':1,'motor':1,'such':3,'collisions':1,'shortening':1,'revolutionising':1,'relapses':1,'squirting':1,'considering':1,'accumulating':1,'to':1,'taking':1,'people':1,'two':3,'.':1,'their':6,'cooling':1,'physicists':1,'calculations':1,'which':13,'dalton':1,'themselves':1,'variational':1,'reflex':1,'more':1,'introducing':1,'endeavour.':1,'that':2,'fire':1,'frost':1,'amphibians':1,'jellyfishes':1,'heat':2,'carrying':1,'blood.':1,'domestication.':1,'careful':1,'travelling':1,'those':1,'plants':2,'keeping':1,'migrants':1,'applying':1,'understanding.':1,'contracting':1,'solid':1,'thousands':1,'severe':1,'air-tubes':1,'air':2,'gills':2,'many':6,'growing':1,'making':2,'providing':1,'laplace':1,'clock-work':1,'imitation':1,'and':4,'firing':1,'roentgen.':1,'biologists':1,'almost':1,'j':19,'it':1,'an':6,'collision':1,'pressing':1,'grazing':1,'numbers':1,'planets':1,'sense':1,'anything':1,'any':2,'increased':1,'terrestrial':1,'sir':2,'different':2,'beginning.':1,'no':1,'studying':1,'tucking':1,'sending':1,'uranium':1,'ideas':4,'astronomers':1,'brian':2,'mr.':1,'strange':1,'geographical':1,'peoples':1,'over-population':1,'absorbing':1,'smell':2,'continuous':1,'accidental':1,'students':1,'amphibians.':1,'hand':1,'watching':1,'chance':3,'gravitation':1,'moving':1,'kin':1,'coercion':1,'successive':2,'fishes':1,'changing':1,'causing':1,'inconceivable':1,'moons':1,'man':4,'a':57,'night':3,'using':4,'fully':1,'pithecanthropus':1,'professor':7,'circumventing':1,'itself':3,'hungry':1,'sudden':1,'these':1,'peculiarities':1,'big-brained':1,'far':1,'fresh':1,'the':161,'starting':1,'drawing':1,'contingents':1},'analysing':{'light':4,'portion':1},'evolved--destined':{'in':1},'anything':{'and':1,'for':1,'was':1,'wot':1,'into':1,'else':1,'the':1,'with':1},'modernity':{'in':1},'nautilus':{'a':1,'nautilus':1,'pompilius':1,'is':1,'it':1,'186':3,'argonauta':2,'the':1,'hardly':1,'or':1,'are':1},'ear-bones':{'of':1},'deserves':{'to':1},'hatched':{'larvae':1,'salmon':1,'.':1,'bird':2,'in':1,';':1,'the':1},'repair':{';':1,'change':1},'into':{'flippers':2,'gold':1,'being':1,'ocean-troughs':1,'existence':1,'its':10,'masses':1,'lake':1,'forms':1,'internal':1,'combination-boxes':1,'sound':1,'his':1,'very':2,'dark':1,'boxes':1,'every':2,'shreds.':1,'this':2,'glass-eels':1,'activity':2,'freshwater':1,'unit-bodies':1,'reactions':1,'smaller':1,'radium':1,'some':2,'zones':1,'our':1,'canada':1,'organisms':1,'space':4,'definite':1,'safety':1,'new':2,'fragments':1,'red':1,'power':1,'water':1,'active':2,'simpler':1,'about':1,'many':1,'mutually':1,'connection':1,'one':4,'puzzle-boxes':1,'another':1,'thick':1,'little':1,'man--the':1,'distinct':1,'two':11,'their':3,'stars':1,'white':1,'energy':2,'empty':1,'continents':1,'account.':1,'heat':1,'races':1,'pieces':1,'plants':1,'these':1,'work':1,'britain':1,'this.':1,'matter':1,'gigantic':1,'something':3,'gas.':1,'it':5,'deep':1,'an':3,'as':1,'itself':1,'eras':1,'close':2,'mountain':1,'different':1,'things':1,'unity':1,'vital':1,'electrical':1,'which':2,'emphatic':1,'independent':1,'effect':1,'waves':1,'dust':1,'such':1,'extremely':1,'man':1,'a':24,'varieties':1,'electrons':1,'the':45},'encasements':{'with':1},'appropriate':{'action':1,'trigger-pulling':1,'trigger':1,'conditions':1,'one':1},'chalk-forming':{'animals':3,'foraminifera':1},'primarily':{'restricted':1},'repaid':{'when':1},'harnessed':{'electricity':1},'claspers':{'and':1},'spending':{'our':1},'gases':{'on':1,'from':1,'exposed':1,'of':1,'is':2,'in':1,'.':3,'spread':1,'can':1,'which':1,'between':1,'with':1,'into':1},'thirdly':{'every':1,'when':1},'double-armed':{'spiral':1},'burrow.':{'evolution':1},'suit':{'and':2,'of':2,'various':1},':':{'seasonal':1,'summer':1,'all':1,'skeleton':1,'photo':80,'magnetic':1,'rotating':2,'rischgitz':6,'disintegration':1,'its':1,'before':1,'death':1,'baron':1,'royal':8,'hermit-crab':1,'to':1,'only':1,'fig':11,'stephen':2,'darwin':1,'dead-leaf':1,'protective':2,'wave':1,'early':1,'falcon':1,'silk':1,'minute':1,'james':7,'cagcombe':2,'vortex':1,'h':6,'side-view':1,'greenland':1,'life-history':1,'national':2,'spoonbill':1,'yerkes':3,'astrophysical':2,'jupiter':1,'are':1,'leadbeater.':2,'conjectures':1,'what':2,'paintings':1,'ten-armed':1,'new':10,'discovery':2,'volvox':1,'variability':1,'we':3,'full':1,'reproduced':11,'underwood':2,'harvard':4,'ernest':2,'by':1,'suggested':1,'c':2,'improved':1,'g':6,'o':2,'whence':1,'pictorial':1,'hence':1,'origin':1,'pelican':1,'elliot':1,'surinam':1,'lafayette.':1,'proterospongia':1,'throughout':1,'from':13,'there':1,'imperial':4,'storm':1,'inclined':1,'flinty':1,'albatross':1,'photos':2,'true':1,'photograph':3,'avocet':1,'f':2,'this':1,'science':1,'mount':8,'j':24,'will':1,'w':22,'reproduction':1,'gambier':6,'making':1,'male':1,'laplace':1,'http:':1,'and':1,'nautilus':1,'is':1,'modern':1,'thus':1,'it':2,'surface':1,'an':5,'arrangements':1,'niagara':1,'british':12,'in':1,'woodpecker':1,'ascii':1,'if':1,'dying':1,'january':1,'six':1,'when':1,'puffin':1,'1':4,'how':2,'rischgitz.':2,'lafayette':1,'elliott':3,'lick':4,'hornbill':1,'electric':1,'okapi':1,'after':6,'diagram':5,'genealogical':1,'restoration':2,'such':1,'inconceivable':1,'man':1,'a':28,'natural':2,'for':2,'whenever':1,'light':1,'professor':3,'daily':2,'electrons':1,'english':1,'the':38,'egg':1,'wing':1},'opens':{'and':1,'many':1,'with':1,'up':1},'considerably':{'in':1,'less':1},'excavating':{'a':2},'elsewhere':{'as':1,'.':1,'in':1,'e.g':1},'inches':{'high':1,'square':2,'off':1,'of':1,'away':2,'long':5,'one':1,'shorter':1,'to':1,'below':1,'long.':1,'in':7,';':1,'per':1},'vicissitudes.':{'the':1},'slums':{'in':1},'moon--meteors':{'and':1},'archaic':{'mammals':1,'animal':1},'link':{'lives':1},'pacific':{'and':1,'golden':1,'west':1,'oceans':1,'oceans.':1,'ocean':1,'in':1},'legs.':{'illustration':1},'atom':{'and':5,'is':7,'within':1,'it':1,'as':2,'itself':1,'are':1,'in':2,'passes':1,'amounts':1,'there':1,'.':6,'to':6,'which':1,';':2,':':1,'was':3,'energy':1,'gives':1,'known':2,'such':1,'by':1,'a':1,'of':17,'can':1,'were':1,'the':4,'or':1},'coldest':{'places':1},'line':{'represents':1,'or':1,'from':1,'that':1,'of':21,'is':2,'capable':1,'but':1,'.':2,'to':1,'can':1,'altogether':1,'seen':1,'the':1,'gave':1,'with':2,'between':1,'across':1,'at':1},'considerable':{'and':1,'force':1,'mental':1,'evidence':1,'periods':1,'.':1,'strength':1,'uniformity':1,'heights':1,'dispersion':1,'results.':1,'degree':1,'loss':1,'fascination':1,'part':1,'effort':2,'distance':3,'amount':2,'magnitude':2,'time':2,'aid':1,'changes':1,'quantity':2},'posted':{'on':1,'with':3,'at':1},'open.':{'but':1},'ut':{'84116':1},'spectroscope':{'and':3,'reveals':1,'we':3,'enables':1,'splits':1,'for':1,'49':1,'any':1,'is':5,'in':1,'it':1,'an':1,'will':3,';':2,'can':1,'which':1,'sorts':2,'the':2,'.':3,'by':1,'shows':1},'burrows':{'circulating':1},'moths.':{'illustration':1},'us':{'and':6,'consider':2,'plainly':1,'feel':1,'is':2,'others':1,'phenomena':1,'back':2,'see':2,'through':1,'something':1,'directly':1,'in':2,'pulls':1,'precisely':1,'its':1,'select':1,'even':1,'better':1,'by':2,'for':2,'how':2,'inquire':1,'there':1,'when':1,'except':1,'.':11,'particles':1,'to':19,'take':2,';':1,'across':1,'picture':1,'return':2,'little.':1,'that':7,'very':2,'some':1,'stop':1,'bear':1,'indulge':1,'not':1,'with':3,'than':2,'a':8,'on':1,'about':1,'to-day':1,'remember':1,'this':1,'many':1,'as':2,'keep':1,'try':1,'turn':1,'so':1,'of':2,'the':3,'once':1,'say':2,'at':2},'paired':{'fins':1},'ball.':{'illustration':1},'mature':{'sperm-cell':1,'egg-cell':1,'animal':1,'.':1},'laplace':{'10':1,'s':3,'one':1,'spoke':1,'to':1},'side.':{'--i':1,'--1':1},'storing':{'fishes':2,'up':1},'genial':{'climatic':1},'aerial':{'and':1,'but':1,'journeys':2},'protrusive':{'lips':1,'face':2},'creature.':{'there':1,'sec':1},'defined':{'is':1,'primitive':1},'likewise':{'a':2,'have--there':1,'evolution':1,'react':1,'connected':1,'crumbs':1,'were':1,'simpler':1},'influence':{'and':2,'on':1,'of':5,'well':1,'retreats':1,'will':1,'in':1,'the':1,'or':1,'must':1},'surpassing':{'themselves':1},'char':{'that':1},'duration':{'of':2},'diverse':{'forms':2,'territory':1,'description':1,'angles':1,'results':1},'nautical':{'almanac':2},'pontobdella':{'an':1},'living.':{'some':1,'parental':1},'element.':{'two':1},'intrepid':{'explorers':1},'puzzling':{'and':1,'phenomenon':1},'tuft':{'as':1},'fixing':{'itself':1},'uranium':{'and':1,'then':1,'x.':1,'for':1,'would':1,'may':1,'should':1,'itself':1,'salt':1,'.':3,'spontaneously':1,'are':1,'in':1,'has':1,'changes':1,'by':1,'he':1},'preventing':{'their':1,'the':1},'close-packed':{'refractive':1},'conceptions':{'of':1},'points':{'one':1,'we':1,'that':1,'clearly':1,'of':4,'away':1,'back':1,'should':1,'to':2,'in':1,'forward':1,'.':1,'or':2,'out':3},'sails':{'for':1},'revision':{'.':1},'elements':{'a':1,'on':2,'commands':1,'for':1,'oxygen':1,'that':1,'may':1,'sun':1,'into':1,'in':2,'about':1,'.':2,'to':1,'as':2,'are':4,'have':1,'each':1,'it':1,'such':1},'small-brained':{'archaic':1},'energetic':{'particles':1,'men':1,'electrons':1,'actions':1},'beginnings':{'of':4,'.':1,'on':1},'sal-ammoniac':{'but':1},'faintly':{'lit':1,'visible':2},'bibliographies':{'appended':1},'habits--the':{'truly':1},'sides':{'and':1,'of':7,'nor':1,'to':1},'ago':{'and':2,'is':2,'in':3,'it':2,'as':1,'at':1,'178':1,'174':1,'for':1,'regarded':1,'when':3,'.':10,'to':1,'that':1,'may':1,'illustration':1,'they':1,'others':1,'with':1,'a':1,'showed':1,'the':4,'or':1,'are':1},'furthest':{'in':1},'land':{'and':3,'ran':1,'is':2,'surface':1,'skimming':1,'at':2,'have':1,'.':11,'bridges':1,'tending':1,'to':1,'there':1,'had':3,'actually':1,'also':1,'5':1,'between':1,'has':3,'was':2,'over':1,'meant':1,'but':1,'by':1,'continued':1,'than':2,'plants':1,'flora':1,'animals':10,'should':2,'animals--the':1,'leaving':1,'implied':1,'many':2},'sail.':{'the':1},'reasoned':{'discourse':2},'marble--there':{'are':1},'rescued':{'triumphantly':1},'diffraction':{'grating':2},'walked':{'about':1,'through':1},'cryptozoic':{'or':1},'opposing':{'the':1},'came':{'a':2,'about':6,'from':3,'barking':1,'into':1,'to':11,'slowly':1,'in':1,'first':1,'before':1},'harks':{'back':1},'fresh':{'waters--the':1,'racial':1,'contacts':1,'starts':1,'waters':2,'air':1,'water':7,'invention':1,'gulps':1,'offshoot':1,'supplies':1,'experiments':1,'expression':1,'or':2},'having':{'a':4,'little':1,'implies':1,'no':1,'comparatively':1,'somehow':1,'to':1,'only':1,'entangled':1,'planets':1,'not':1,'learned':1,'the':2},'placentals--show':{'a':1},'repeopled':{'by':1},'hampton':{'court':3},'code':{'of':1},'partial':{'counts':1,'eclipse':1,'or':1},'rubbish':{'is':1},'illustrates':{'very':1,'the':3,'part':1,'evolution':1},'scooped':{'the':1,'out':1},'knotted':{'spiral':1},'results':{'a':1,'what':1,'which':1,'of':6,'in':1,'.':2,'to':1,'are':2,'have':1,'were':1,'affecting':1,'the':2},'existing':{'lizards':1},'illustrated':{'and':1,'on':1,'when':1,'its':1,'in':1,'the':1,'by':3},'stops':{'struggling':1,'with':1,'its':1},'broader':{'palates':1},'dainty':{'and':1},'seemed':{'then':1,'for':1,'no':1,'almost':1,'to':2,'so':1},'tearing':{'small':2,'away':1},'club-mosses':{'and':1},'iii':{'adaptations':1,'.':2},'concerned':{'chiefly':1,'is':1,'here':1,'simply':1,';':1,'with':1},'hunger':{'and':2,'is':2,'in':1},'rufous':{'brown':1},'young':{'and':2,'emerge':1,'mound-birds':1,'reeds':1,'cheetahs':2,'water-bird':1,'fish':1,'woodpeckers':1,'orang':1,'foxes':1,'one':2,'crocodile':2,'as':1,'ducklings':1,'at':1,'in':2,'earth':1,'herring':1,'birds':5,'creatures':2,'eels':4,'described':1,'for':1,'liberated':1,'perhaps':1,'bittern':2,'frog':1,'.':4,'crocodiles':1,'fishes.':1,'fry':1,'bird':1,'elver':1,'then':1,'life':1,'thrush':1,'form':1,'that':1,'mammals':1,'ones':17,'twined':1,'text-book':1,'man':1,'a':1,'about':1,'animals':1,'turtles':1,'e.g':1,'this':1,'science':1,'frog-hopper':1,'toads':1,'moorhen':1,'plovers':1,'can':2,'mammal':1,'the':1,'stages':1,'are':3},'send':{'donations':1,'it':1,'out':2},'universes--':{'island-universes':1},'citing':{'these':1},'outwards':{'from':1,'for':1},'resources':{'and':1,'of':2,'upon':1,'are':1,'more':1},'inference.':{'on':1},'matter--other':{'new':1},'garden':{'on':1},'continues':{'to':3,'the':1,'sitting':1},'waters.':{'the':1},'mouth-parts':{'the':1,'.':1},'mixing':{'colours':4,'with':1,'in':1},'continued':{'and':1,'elevation':1,'conquest':1,'.':1,'to':3,'through':1,'in':1,'the':1,'over':1},'minerals':{'the':1,'.':1},'squids':{'various':1},'archaeopteryx':{'jurassic':1,'after':1,'.':1,'91':1,'the':1,'was':1},'earth-knot':{'of':1},'back-teeth':{'were':1},'anxious':{'warning':1},'race':{'because':1,'is':1,'depends':1,'well-defined':1,'owes':1,'if':1,'living':2,'would':2,'since':1,'.':9,'to':2,'which':1,'between':1,'was':1,'lived':1,'that':1,'after':2,'but':1,'includes':2,'they':1,'now':1,'by':1,'possess':1,'a':1,'of':3,'as':1,'without':2,'through':1,'or':3,'say':1},'trypanosome':{'which':2,'that':1},'others--the':{'placentals--show':1},'trypanosoma':{'gambiense':2},'mediterranean':{'region':1,'or':1,'for':1},'wavy-to':{'curly-haired':1},'unprofitable':{'for':1},'imply':{'enormous':1,'an':1,'ether':1,'it':1},'burrower':{'which':1},'munitions':{'which':1},'primeval':{'supporting':1,'coherence':1,'vegetation':1,'amphibians':1,'stuff':2},'make.':{'the':1},'that.':{'now':1},'apparatus':{'and':1,'for':3,'being':1,'of':1,'to':1,'which':1,'fine':1,'by':1},'waning':{'of':2,'remain':1},'expressed':{'by':1,'is':1,'.':1,'itself':1,'in':1,'along':1,'the':1},'hereditary':{'and':1,'enregistration':1,'obligations':1,'items':1,'pre-arrangements':1,'qualities':1,'capacity':1,'or':1,'enemies':1},'consistently':{'the':1,'presenting':1,'offer':1},'vapours--the':{'reversing':1},'indestructible':{'and':1,'it':1},'expresses':{'emotion':1,'the':1,'itself':2,'his':1,'its':1},'guinea-pigs':{'we':1},'bird':{'flies':1,'multiplying':1,'into':1,'dived':1,'it':1,'migration':1,'in':3,'feeding':2,'had':1,'sails':1,'.':5,'to':2,'without':1,'has':3,'was':2,'shows':1,'then':1,'we':1,'showing':2,'but':1,'with':1,'than':1,'about':1,'mimicry':2,'archaeopteryx':2,'of':6,'looked':1,'s':8,'allied':1,'the':1,'or':2,'hesperornis':2},'thin':{'dry':1,'atmosphere':1,'gas':1,'gases':1,'as':1,'sheets':1,'coatings':1,'out':1},'scenery':{'on':1,'effects':1,'if':1},'advantageously':{'sensitive':1},'scepticism':{'at':1},'led':{'eventually':3,'.':1,'to':7,'our':1,'was':1,'by':1},'license.':{'1.e.6':1},'convergences':{'and':1},'leg':{'to':1,'is':2,'but':1,'.':1,'broken':1,'in':1,'across':1},'respectively':{'.':1},'gathered':{'five':1,'together':1,'obviously':1},'dressed':{'but':1},'let':{'go':1,'the':2,'themselves':1,'them':2,'us':20},'octave':{'of':1},'consideration':{'of':2,'that':1},'invented':{'to':1,'cannot':1,'by':1,'something':1},'fifteen':{'thousand':1,'or':1,'miles':1,'in':1,'minutes':2,'feet--the':1},'physiology':{'and':2,'of':1,'would':1,'.':1},'darwinism':{'and':1},'substratum':{'on':1,'was':1,'.':1},'great':{'restriction':1,'evolutionary':2,'deliberateness':1,'effect.':1,'friction':1,'swooping':1,'philosopher':1,'skill':1,'speed':2,'projection':1,'resemblance':1,'patches':1,'density':1,'distances;':1,'auk':1,'storms':1,'improvement':1,'source':1,'collections':1,'majority':5,'division':2,'advantage':2,'advances':1,'oceans':1,'theme.':1,'coal-fields':1,'school':1,'clouds':1,'gift':1,'naturalist':1,'investigator':1,'aridity':1,'rocks':1,'excellence':1,'red':1,'truth':1,'waterfalls':1,'biological':1,'river':2,'italian':1,'dexterity':1,'wariness':1,'thinkers':1,'telescope':1,'deal':4,'series':1,'globe':1,'yerkes':1,'astronomer':1,'individual':1,'measure':1,'racial':1,'factors':1,'cerebral':1,'nebula':4,'southward':1,'ice':4,'abysses':4,'increase':1,'importance':4,'leap':2,'difficulties':3,'safety':1,'steps':8,'contrast':2,'claws':2,'beetling':1,'scientific':1,'power':1,'educability':1,'french':2,'difficulty':1,'reason':1,'extent':1,'congestion':1,'cities':1,'orb':1,'change':1,'advance':1,'search':1,'piece':1,'cavities':1,'pressure':1,'many':1,'step':5,'range':1,'comet':2,'canopy':1,'changes':1,'tongues':1,'groups':1,'unrest.':1,'height':1,'channels':1,'improvements':1,'doctrine':1,'illumination':1,'ridge':1,'service':2,'outbreaks':1,'depths.':1,'question':1,'nebular':1,'.':3,'swarm':1,'secret':2,'development':1,'interest':5,'brazilian':1,'length':1,'100-inch':1,'war':2,'fire-mists':1,'gaseous':1,'fiery':1,'quantities':1,'whirling':2,'it':1,'bulk':1,'part':3,'gain':1,'wheatfields':1,'abundance':1,'divisions':1,'fold':1,'deeps':2,'plain':1,'strides':1,'official':1,'value':1,'excitement':1,'sun-spot':2,'freedom':1,'refractors':1,'and':2,'tracts':1,'discovery.':1,'comet--the':1,'modern':1,'influence':1,'haunt':1,'haunts':1,'cluster':1,'as':4,'reptiles.':1,'glaciation':1,'numbers':1,'in':1,'diversity':2,'cleverness':1,'continents':1,'pink':1,'compared':1,'club-moss':1,'variety':3,'things':1,'forests':1,'flood':1,'electrical':1,'significance':1,'intelligence':1,'physical':1,'scarlet':2,'staying':1,'ball':1,'volumes':1,'disadvantages':1,'invasions':1,'gallery':1,'spot':1,'claw':1,'falls':1,'depths':2,'leaps':1,'invasion':2,'bustard.':1,'types':1,'acquisitions':2,'zooelogical':1,'accumulations':1,'complexity':1,'races':1,'mass':1,'fundamental':1,'velocity':1,'laboratories':1,'salt':1},'engage':{'the':1},'credits':{'every':1},'technical':{'section':1,'improvements':1},'involved':{'astronomers':1,'a':2,'this':1,'in':3},'resulting':{'from':1,'spectrum':1},'opinion':{'seems':1,'as':1,'now':1,'says':1,'about':1},'residents':{'in':2},'amphibians;':{'but':1},'pleistocene':{'perhaps':3,'period':2,'while':1,'era':1,'or':1,'before':1},'involves':{'a':1,'much':1,'hard':1,'nutritive':1},'holmes':{'kept':1,'writes':1,'poked':1},'chains':{'bind':1,'is':1,'or':1,'which':1},'halfpenny':{'it':1},'complying':{'with':3},'333':{'432':1},'mariners':{'before':1},'it--whatever':{'that':1},'hedgehog-like':{'test':1},'tools':{';':1},'fit.':{'at':1},'standing':{'stones':1,'on':1,'out':1,'with':1,'before':1},'bloweth':{'where':1},'recalling':{'even':1,'the':1},'whipping':{'in':1},'self-luminous':{'.':1},'next':{'set':1,'generation':1,'period':1,'grade':1,'stroke.':1,'year':1,'tooth':1,'to':2,'few':1,';':1,'article.':1,'notice':1,'that':1,'moult':1,'chapter.':1,'atom':1,'great':1,'room':1,'morning':1,'offshoot':1,'the':1,'page':1},'eleven':{'years':1},'doubt':{'and':1,'about':1,'for':1,'that':20,'whether':1,'many':1,'there':1,'some':1,'it':1,'as':7,'at':1,'the':1,'by':1},'animal.':{'illustration':1},'doubling':{'of':1},'midday':{'work':1},'pencil':{'on':1,'upon':1},'occurred':{'about':1,'without':1,'in':1,'the':1,'along':1,'more':1},'bodily':{'and':4,'life':2,'frame':2,'immortality':1,'attributes':1,'along':1},'carrying':{'a':1,'them':3,'her':2,'an':1,'the':1,'its':2},'extinction.':{'the':1},'baby':{'reveals':1,'orang':2,'had':1,'orang-utan':2,'chimpanzees':2,'learning':1},'balls':{'on':1},'animals':{'show':2,'abundant':1,'had':1,'should':1,'to':5,'overcome':1,'take':1,'division':1,'breathing':1,'showing':1,'cannot':1,'not':2,'monkeys':1,'like':6,'where':1,'enjoy':1,'illustrating':1,'often':1,'191':1,'began--a':1,'namely':1,'sec':1,'are':12,'living':5,'hide':1,'lead':1,'below':1,'tend':2,';':2,'we':2,'were':4,'however':1,'illustration':1,'sink':1,'put':1,'come':2,'on':2,'began.':1,'e.g':2,'of':7,'allied':1,'or':5,'secure':1,'physophora':2,'61':1,'1872':1,'protozoa':1,'illustrate':1,'from':2,'would':2,'there':4,'.':14,'live':2,'themselves':1,'was':1,'that':3,'but':1,'with':2,'must':2,'made':1,'these':1,'say':1,'remain':1,'learn':1,'called':1,'and':16,'do':1,'likewise':2,'is':6,'it':2,'as':1,'have':19,'in':5,'radiolarians':1,'thoroughly':1,'began':1,'burrow':1,'globigerinid':1,'which':7,'many':1,'important':1,'such':5,'man':1,'a':2,'lower':1,'especially':1,'together':2,'without':1,'the':5,'left':1},'retreated':{'northwards':1,'within':1},'this':{'freak':1,'impression':1,'selection':1,'phenomenon':1,'being':1,'when':1,'sporting':1,'leads':1,'distant':1,'consists':1,'earth':1,'oldest':1,'reasoning':1,'tendency':1,'seemed':1,'colony-making':1,'certainly':1,'outer':2,'advance--the':1,'work.':3,'common':1,'sheaf':1,'state':3,'instrument':2,'magnetic':1,'does':2,'has':5,'might':2,'over':1,'happened':1,'kingdom':1,'then':1,'good':1,'greater':1,'advantage':1,'means':5,'very':1,'period':5,'early':2,'hermon':1,'diary':1,'probably':1,'not':1,'world':2,';':1,'vapour':1,'organ':1,'progressive':1,'did':1,'pinch':1,'pillar':1,'dinosaur':1,'stuff':1,'she':1,'reasonable':1,'succession':1,'small':1,'ultra-violet':1,'movement':2,'page':1,'view':3,'system':1,'the':6,'namely':1,'picture':2,'colossal':1,'garment':1,'globe':1,'notochord':1,'persistent':1,'relative':1,'second':1,'owing':1,'result':1,'mirror':1,'ruse':1,'belief':1,'blue':1,'project':3,'still':1,'for':1,'waning':1,'distinctive':1,'away':1,'thickness':1,'case':8,'time.':1,'race':1,'vascular':1,'new':2,'falling':1,'before':1,'method':2,'law':1,'discovery':2,'body':1,'variability':1,'wheat':1,'theory':9,'fish':1,'creature--far':1,'applies':2,'agreement':16,'possibility':1,'like':1,'extraordinary':1,'surely':1,'web':1,'marquis':1,'vigorous':1,'path':1,'estimate':2,'respect':2,'by':1,'change':2,'stage':1,'chapter':1,'on':1,'great':3,'substance':1,'license':2,'argument':1,'of':2,'motion':3,'quaint':1,'range':1,'regular':1,'lively':1,'pictorial':1,'argue':1,'makes':2,'or':1,'inference':1,'family':1,'point':9,'simple':3,'image':1,'within':2,'colony':1,'number':1,'incessant':2,'will':2,'fiery':1,'raises':1,'littoral':1,'inorganic':1,'drawing':2,'electronic':3,'attendant':1,'sympathetic':1,'little':1,'ancient':1,'lens':2,'would':2,'attraction':1,'important':1,'outline':5,'question':3,'spiral':1,'.':2,'immense':1,'wonderful':2,'low':1,'statement':1,'ocean':1,'mysterious':1,'australian':1,'scheme':1,'was':15,'energy':7,'minor':1,'gives':1,'sort':2,'direction':1,'partly':1,'way':11,'that':4,'explanation':1,'continuous':1,'gas':1,'took':1,'but':1,'haunt':1,'implied':1,'instrument.':1,'reason.':1,'particular':1,'implies':3,'rivalry':1,'white':2,'must':2,'steel':1,'pull':3,'kind':5,'made':1,'conception':1,'conviction':1,'characteristic':1,'work':11,'sifting':1,'air':1,'planet':1,'below':1,'paragraph':1,'fertilisation':1,'can':3,'cannot':1,'were':2,'merely':1,'property':1,'x-ray':2,'distance':6,'and':3,'layer':2,'constant':1,'resemblance':1,'century':1,'process':1,'molecular':1,'is':63,'modern':1,'turned':1,'it':5,'swarm':1,'an':1,'sample':1,'cluster':1,'as':1,'ether':1,'at':2,'file':2,'sense':3,'relic':1,'mysteriously':1,'apparently':1,'internal':1,'film':1,'absolute':1,'again':2,'law.':1,'moves':1,'twofold':1,'woodpecker':1,'age-old':1,':':2,'eloquent':1,'radiation':1,'thorough':1,'any':1,'note':1,'field':1,'strange':2,'inquiry':1,'ante-natal':1,'answer':1,'subject':1,'shows':1,'conclusion':1,'tension':1,'neolithic':1,'book':3,'living':1,'may':7,'ebook':6,'to':3,'diagram':2,'scale':2,'nucleus':1,'purpose':2,'position':1,'discharge':1,'bodily':1,'opportunity':1,'wonder-world':1,'a':1,'in':2,'amoeboid':1,'observation':1,'imply':1,'light':1,'voice':1,'shift.':1,'dog':1,'obviously':1,'points':1,'principle':1,'time':2,'velocity':1,'effect':2,'egg':1,'order':1,'fact':4},'cuvier':{'1769-1832':2},'pour':{'from':1},'reproduce':{'it.':1,'tell':1},'publications':{'as':1},'of':{'dissolution':1,'comparatively':1,'four':4,'straws':1,'chameleons':1,'electricity':18,'ceylon':1,'out-breeding':2,'lord':1,'arboreal':4,'pigment':2,'thinopus':1,'every':2,'radio-active':3,'vastly':1,'monkeys':5,'kataleptic':1,'unrelated':1,'relics':3,'venus':5,'clothes':1,'force':2,'senescence':1,'infancy':1,'direct':1,'surrounding':1,'second':1,'microscopists':1,'even':1,'change.':1,'organisms':2,'thunder':1,'nature.':2,'asia':1,'children':2,'change;':1,'salt-accumulation':1,'fossil':1,'new':6,'increasing':3,'ever':2,'men':7,'unexhausted':1,'atoms':25,'anthropology':1,'100':1,'cardboard':1,'dry':2,'luther':1,'light.':3,'smoke':1,'changes':1,'golden':1,'feelings':1,'patience':1,'negative':5,'civilisation.':1,'telegraph':1,'thorndike':1,'musk':2,'x-rays--the':1,'glass':3,'continual':3,'things.':1,'93':1,'92':1,'work':3,'mammalian':1,'parachuting--a':1,'mr':1,'radiance':2,'india':1,'corroborating':1,'present-day':2,'absolute':1,'reptiles--snakes':1,'nuts':1,'damages.':1,'how':2,'messrs':1,'ordinary':1,'after':1,'vicious':1,'long-continued':1,'parallel':1,'types':1,'effective':1,'carbonic':1,'order':1,'wind':1,'over':7,'crumbs':1,'symmetry':2,'bodies--evolution':2,'better':2,'them':36,'widely':1,'penetration':2,'molecules.':1,'pinkish':1,'silver':1,'oxygen':7,'brightness':1,'each':10,'telescope':2,'spider':2,'parasites':1,'armour--the':1,'hive-bees':1,'forty':1,'particles':3,'heavenly':1,'millions':6,'stamping':1,'turning':1,'monkeys--activity':1,'eternal':1,'strata':3,'free':2,'sensory':1,'struggle':1,'mastering':1,'calcareous':1,'detecting':3,'monkey':2,'enormous':2,'perhaps.':1,'cosmic':1,'days':1,'hearing':4,'another':3,'scissors':1,'thick':1,'electronic':4,'mercury':2,'ten':2,'pelagic':1,'legs':3,'dogs':1,'hydatina--has':1,'project':8,'matter':67,'torpedo-net.':1,'iron':10,'feeling':3,'oxygen-capture':1,'mind':10,'spectrum':1,'controversy.':1,'oxygen-combustion':1,'relatively':1,'affairs':3,'snow':3,'metallic':1,'chitin':2,'australia--all':1,'knowledge--the':1,'blue':1,'anatomy':1,'drought':2,'nutritive':3,'observation':1,'fitter':1,'professor':4,'metal':1,'swamps':1,'dover':1,'pollen':1,'hunger':1,'insects':8,'nerve-cells':3,'counteractive':1,'lessons':1,'latent':1,'sugar':1,'structure.':1,'fluid':1,'energy--what':2,'tuberculosis':1,'saturn':2,'dr':1,'to-day--the':1,'fields':1,'shape':1,'progress.':2,'architecture':2,'freshwater':1,'steam':3,'head-brains':1,'radium':15,'testing':1,'combustion':2,'rings':1,'artificial':1,'paternal':1,'luminescent':1,'finger':1,'caves':1,'profitable':1,'nature':18,'were':2,'wear':1,'carbon':1,'flowering':3,'caledonia':1,'out-flowing':1,'climate':3,'air--a':1,'distinction':1,'inquisitive':1,'tons':2,'250':1,'merchantibility':1,'three':2,'quickly':1,'much':4,'sponges':1,'parents':1,'life':50,'in-breeding':2,'chili':1,'air':8,'horse-power':1,'zoologists':1,'balance':1,'amphibians--the':1,'remembering':1,'seven':1,'is':1,'it':16,'brake':1,'in':1,'comparative':1,'things':5,'daughter-units':1,'damages':1,'colonies':1,'capacities':1,'typhoid':1,'rain':1,'hand':1,'kin':1,'patagonia':1,'turtle-backs':1,'opportunity':1,'butter':1,'engrained':1,'neptune':1,'contact':1,'greatest':1,'the':1665,'kinship':1,'deep-red':1,'indigo':2,'newton':2,'disguise':3,'human':9,'life-preserving':1,'yet':1,'evolution.':5,'vibration':1,'leibnitz':1,'alchemy':1,'transformed':1,'innocent':1,'humanity':1,'survival':1,'possible':3,'it--for':1,'desire':1,'melting':2,'insurgence':1,'plants--romance':1,'haunts--such':1,'homing':1,'people':1,'dead':2,'deflection':1,'jupiter':5,'escape':1,'animate':4,'proceeding':1,'ice':1,'everything':1,'conquering':2,'man--body':1,'palatable':1,'losing':1,'self-preserving':1,'primitive':4,'successive':3,'obtaining':2,'intellectual':1,'bats':2,'palaeozoic':1,'support':2,'flying':2,'jealousy':1,'sunlight':2,'grasping':1,'head':2,'forming':4,'becoming':3,'heat':14,'solar':1,'crystal':1,'meteorites.':1,'temper':1,'paragraphs':1,'muscular':1,'evidence':2,'prayer':1,'physical':1,'discriminate':1,'lungs':1,'inborn':1,'no':4,'font-de-gaume':2,'reality':1,'tin':1,'holding':1,'smell':5,'white-hot':2,'clear-cut':1,'diet':1,'rising':1,'authorities':1,'to-day':15,'potato':1,'time':10,'serious':1,'remarkable':2,'colour-change':2,'varying':1,'computation':1,'skin':7,'passage':1,'reptiles':6,'protective':3,'exact':1,'feeble':1,'minute':5,'level':1,'magnet':1,'coincidences':1,'excellence':1,'slouching':1,'backboneless':2,'speculation':1,'perceptual':2,'tortoises':1,'thinkers':1,'radium.':1,'mind--even':1,'bacteria':1,'water-plants':1,'constitution':1,'uniform':2,'wave-motion':1,'falling':1,'flame.':1,'tibet':1,'hairs':1,'mauer.':1,'water':19,'meteorites':3,'magnetism':1,'galileo':1,'change':4,'box':1,'brilliant':1,'smoke-like':1,'exploitation':1,'sex--beginning':2,'ineffective':1,'locomotion':2,'useful':2,'relations.':1,'illumination':1,'sympathetic':1,'working':2,'positive':8,'uncritical':1,'france':3,'prey':2,'assimilation':1,'cases':2,'capturing':2,'haddington':1,'avoiding':1,'nature--on':1,'inveterate':1,'stature':1,'following':1,'making':4,'warm-bloodedness':1,'breeds':1,'spy':1,'development--that':1,'238':1,'mankind--steps':1,'hydrogen':9,'rays':3,'winter':1,'condensation.':1,'species':4,'vital':3,'huge':2,'may':1,'mankind':3,'such':9,'man':52,'natural':6,'neck':1,'liquid':1,'st':1,'lagoon':1,'years':25,'course':35,'experiments':1,'cold':3,'still':3,'birds':13,'limbs':1,'apes':3,'forms':1,'physics--research':1,'ours':3,'fire-mist':1,'years--but':1,'tails':1,'half':1,'twilight':1,'name':1,'times':4,'creation.':1,'establishing':2,'rock':1,'square':1,'elephants':1,'receipt':2,'prisms':2,'woodcraft':1,'catching':1,'entering':1,'wheat--changes':1,'living':17,'space':10,'these--which':1,'looking':3,'receiving':1,'picture-logic':1,'california':1,'marine':1,'advance':2,'sparrows':1,'language':1,'tree-sloths':1,'british':1,'motion':6,'thing':1,'deep-sea':1,'learning.':1,'adventure':4,'surviving':1,'coming':1,'one':18,'gases':1,'them--':1,'field-voles':1,'rome':1,'size':2,'little':5,'man--the':1,'anyone':2,'cooling':1,'2':1,'alfred':1,'white':1,'exploring':1,'that':14,'centipedes':1,'flowers':1,'eohippus':1,'12':1,'meteors':5,'third':1,'sailing':1,'three-spined':2,'trekking':1,'cards':1,'gigantic':3,'wandering':1,'and':3,'gathering':1,'chlorophyll':1,'psychical':1,'any':20,'1903.':1,'bavaria':1,'coal':3,'efficient':1,'physiologists':1,'equipment':1,'potential':1,'hydrogen--which':1,'invertebrate':1,'printed':1,'men--conspicuous':1,'america':2,'greyish':1,'dragon-flies':1,'average':1,'later':1,'science.':2,'wing':1,'salt':2,'precise':2,'far-reaching':1,'bright':2,'uranus':1,'slow':2,'only':1,'wood':1,'flood.':1,'awareness':1,'masking':1,'space.':1,'nearly':3,'lighter':3,'primates':2,'aluminum':1,'miles':13,'girdles':1,'vision':4,'famine':1,'weapons--the':1,'registering':1,'ways':2,'definite':2,'colours':2,'man.':7,'crookes':1,'vertical':1,'parental':10,'style':1,'dome':1,'rapidly':1,'cities':1,'vaporous':1,'many':15,'contract':1,'disappointment':1,'equatorials':1,'expression':2,'radio-activity':3,'bricks':1,'colony':1,'ants':2,'60':1,'air-breathing':2,'straws.':1,'learning':3,'67':1,'extinct':2,'technicalities':1,'one-celled':2,'mars':10,'reflex':2,'500':2,'observers':1,'external':1,'attentive':1,'diffuse':1,'those':9,'sound':1,'specialised':1,'these':71,'danger.':1,'life.':5,'mound':1,'trackless':1,'sudden':1,'ferns':1,'rock-cod':1,'helium':2,'everyday':1,'movements':1,'different':15,'lava':1,'shifts':2,'speech':1,'intermediary':1,'noble':1,'oil':6,'arctic':2,'insects.':1,'persons':1,'fruit':2,'delicate':1,'waves.':1,'implements':1,'fixing':1,'bodies':2,'summer':1,'being':8,'slime':1,'actions':1,'violent':3,'touch':1,'water-basins':1,'death':3,'thinking':4,'rose':1,'geological':1,'clay.':1,'4':3,'grip':1,'around':1,'larva':1,'crustaceans':1,'dark':3,'quickness':1,'using':1,'meaning':1,'acute':1,'fossils':2,'heat-waves':1,'heredity':2,'lightning':1,'donations':1,'coal--a':1,'chronology':1,'racial':3,'ascent':2,'self-effacement':1,'semotilus':2,'critical':1,'expressing':1,'transmutation':2,'measuring':1,'iron-forming':1,'wheat':2,'scientific':3,'uneasy':1,'sixty':2,'stone':2,'beavers':1,'chamberlin':2,'mutually':1,'corals':1,'or':3,'cambridge':2,'goethe':1,'communication':3,'electricity.':1,'wave-movements':1,'your':1,'mental':2,'her':8,'camouflaging':1,'dispersion':1,'low':1,'stars':16,'energy':35,'continents':1,'wits':1,'mammals':9,'water-vapour':1,'practically':1,'grass':1,'taste':2,'certain':5,'deep':1,'general':2,'as':1,'lichen':1,'associating':1,'planets':1,'retiring':1,'meteorites--pieces':1,'deviation':1,'separate':1,'teeth':2,'fresh':1,'rainbow-colour':1,'building':3,'condensation':2,'remote':1,'bilateral':1,'dislodgment':1,'starting':1,'all':34,'suns':1,'worms':2,'seals':1,'zinc':4,'reasoning':1,'careful':1,'red-hot':2,'meteorites--a':1,'wyoming':1,'postglacial':1,'devonian':1,'very':6,'combustible':1,'fat':1,'coloured':2,'trillions':5,'interpreting':2,'instinct.':1,'condition':1,'elusiveness.':1,'prolonged':2,'large':4,'dinosaur':1,'sand':2,'small':10,'mount':2,'rats':1,'methodical':1,'past':2,'invention':2,'1904-5':1,'further':1,'creatures':2,'babylonia':1,'what':25,'sun':1,'emotions':1,'thickness':1,'public':1,'movement':7,'condensed':1,'escaping':1,'malaria':1,'answers':1,'behaviour':14,'1843':1,'compliance':2,'experimenting':3,'miniature':2,'social':2,'action':2,'matter--but':1,'sticking':1,'family':3,'transit':1,'africa':1,'inorganic':2,'eye':1,'discriminative':1,'distinct':1,'petroleum':1,'two':7,'comparing':1,'promoting':2,'minor':1,'more':5,'horses':2,'substances':2,'chimpanzee':2,'particular':2,'stampings':1,'weathering':1,'science':29,'nine':1,'spontaneous':1,'beautiful':1,'messages':1,'stinging':3,'niagara':3,'sharp':1,'flint':1,'offspring':2,'terrestrial':6,'viviparity':1,'glowing':7,'civilisation':2,'germinal':1,'blood':1,'waves':10,'prospecting':1,'a':310,'life-forms':1,'pithecanthropus':8,'sun-spots':2,'renewing':1,'shore':1,'tentacles':2,'cases.':1,'perception':2,'healthfulness':1,'music.':1,'egg':2,'playing':2,'paper':3,'existence':1,'its':73,'club-mosses':1,'25':2,'26':1,'20':1,'solving':1,'gentleness.':1,'late':1,'microscopic':3,'it.':1,'good':2,'food':13,'compound':1,'association':4,'instructions':1,'mystery':1,'exquisite':1,'predatory':1,'heavy':1,'england':2,'restless':2,'nitrogenous':1,'fish':1,'hard':1,'energy.':1,'trilobites--jointed-footed':1,'neanderthal':3,'research':1,'nautiloids':2,'safety':3,'7':1,'celebes':1,'meteoric':2,'rejuvenescence':1,'bass':1,'extraordinary':2,'reason':2,'rainbow-tinted':1,'metamorphosis':1,'computers':1,'round':1,'copper':4,'limestone':1,'mimetic':1,'soapy':1,'star-clouds':1,'earthworms':1,'horse':3,'temperature':6,'twenty':2,'186':4,'gibraltar':1,'einstein.':1,'molecular':1,'aristocracy':1,'relationship':1,'1919':1,'1918':1,'part':1,'half-made':1,'sheer':2,'dissection--or':1,'egg-cells':2,'messrs.':1,'ages':7,'germ-cells--the':1,'atoms--the':2,'flaming':2,'scotland':2,'moist':1,'labour':6,'useless':2,'sea-perches':1,'eggs':7,'most':5,'achievement':1,'branching':1,'galway':1,'evolution--factors':1,'mobile':1,'seething':1,'electrons':32,'physics':6,'lying':2,'stones':1,'hoar-frost':1,'gold':6,'disturbances':2,'to-day.':1,'hereditary':3,'fine':1,'giant':2,'securing':1,'mauer':1,'nervous':2,'fishes--the':1,'less':1,'gills':1,'darwin':3,'his':27,'trees':2,'germ-cells':2,'rest':1,'instinctive':5,'silk':4,'stone.':1,'birds.':1,'common':2,'activity':2,'experiments;':1,'body':4,'art':1,'intelligence':12,'sex':1,'individual':5,'aberdeen':1,'practice':1,'gravitation':3,'pictures':2,'classes':1,'various':8,'conditions':1,'europe':3,'responses':1,'craters':1,'invisible':1,'both':2,'attainment':1,'foreign':1,'tactility':1,'amoeba':2,'experimental':1,'distress':1,'supply':1,'simple':3,'whatever':2,'whelk':2,'unicellular':1,'incandescent':1,'zeta':2,'decline':1,'damp':1,'brick':1,'meeting':1,'treatment':1,'modern':20,'flight':11,'fire':3,'gas':8,'amphibians':8,'reason.':1,'magnetised':1,'plants':4,'opportunity.':1,'solid':4,'straight':1,'ape-like':1,'lenard':1,'moth':1,'itself':2,'currents':1,'saline':1,'communal':1,'trial':2,'pecking':1,'yucca':1,'higher':5,'development':3,'brooding':1,'moving':4,'birch':1,'recent':5,'lower':2,'luminescence':1,'sight.':1,'chickens':1,'concrete':1,'body-building':1,'pigeons':2,'matter.':4,'space;':1,'atomic':1,'matter;':1,'praying':1,'letting':1,'cut':1,'internal':5,'deliberately':1,'heidelberg':3,'chess':1,'australia':7,'reptilian':1,'showing':1,'stockholm.':2,'life--a':1,'wings':1,'insect':1,'ponds':1,'individuals':1,'mathematical':2,'methods':1,'spring':1,'creation':4,'some':25,'yolk':3,'sight':3,'curious':1,'sieves':1,'pitchblende':2,'civilization':1,'300':2,'lakes':1,'tidal':2,'starlings':1,'intense':1,'analysing':1,'feigning':1,'prothyl':1,'modernity':1,'deepish':1,'chaps.':1,'naturalists':1,'chalk-forming':2,'deep-violet':1,'statistics':1,'placing':1,'long':3,'mimicry':2,'mountains':1,'inches':1,'adjusting':1,'frost':1,'fisheries':1,'atom':1,'energy--traceable':1,'migrating':1,'considerable':2,'hair':1,'skull':2,'characteristic':2,'spectroscope':1,'sifting':3,'us':3,'similar':2,'non-living':1,'flow':1,'sepia':1,'warning':2,'dragging':1,'whirligig':2,'tentative':1,'heat.':1,'endurance':1,'uranium':3,'occasional':1,'explaining':3,'elements':2,'energetic':1,'problems':1,'astronomy.':1,'allowing':1,'fishes':11,'cuttlefish':1,'structure':3,'temperament':1,'land':4,'reasoned':2,'age':1,'attaining':2,'conjugal':1,'ready-made':1,'knotted':1,'existing':1,'disintegration':1,'rufous':1,'young':2,'stable':1,'indicating':1,'breathing':1,'matter--other':1,'moribund':1,'putting':3,'intelligence--of':1,'minerals':1,'race':1,'smaller':1,'gripping':1,'rivers':2,'fermenting':1,'unavailable':1,'opaque':1,'giving':2,'slight':1,'habituation':1,'atoms--different':1,'experiment':1,'bird':1,'scenery':1,'let':2,'fifteen':1,'physiology':1,'extreme':1,'great':21,'evolution--the':1,'amphibians.':1,'haunts':1,'leaving':1,'evading':2,'stars--the':3,'opinion':2,'marmosets':1,'it--whatever':1,'tools':1,'cloud':2,'lime':2,'use':2,'from':4,'doubt':1,'contentment':1,'crab':1,'oily':1,'visibility':2,'bodily':1,'opposing':1,'animals':21,'this':81,'us.':1,'crickets':1,'reeds':2,'calculation':1,'high':3,'birnam':1,'something':4,'water.':3,'sir':7,'counting':1,'six':2,'animal':17,'hormones':2,'intelligent':4,'tension':1,'maternal':1,'them--simple':1,'sugar-bird':1,'primers':1,'tethering':1,'light':49,'lines':1,'predacious':1,'evolutionary':1,'unpalatable':1,'130':1,'agricultural':1,'ease.':1,'burning':1,'la':2,'water-weed':2,'surgeons':1,'vibration.':1,'labor':1,'instruments':1,'derivative':1,'greater':1,'material':2,'billiard':1,'rotation':2,'day':1,'worlds':2,'profound':2,'slipping':1,'truth':2,'pools':1,'lung':1,'evolution--how':1,'doing':3,'cultivated':2,'whitish':1,'books':2,'separating':2,'our':53,'sexual':1,'special':2,'gossamer':4,'time.':1,'exporting':1,'red':7,'lizzie':2,'electricity--electric':1,'mares':1,'organic':4,'behaviour.':2,'south':1,'disembodied':2,'activity.':1,'quality':2,'ancient':5,'nebulae':3,'all--the':1,'their':48,'nebular':1,'time--man':1,'mankind--notably':1,'hearing.':1,'inner':1,'x-rays':9,'negro':1,'manipulation':1,'branches':1,'july':2,'shrapnel':1,'isolation':1,'reproduction':1,'negatively':1,'steep':1,'poisons':1,'apparently':1,'food-supply':1,'gravity':2,'which':46,'unsettled':1,'soap':2,'vegetation':4,'digestive':2,'cracking':1,'preliminary':2,'sally':1,'dorsal':1,'volunteers':1,'disease':1,'mechanical':3,'mother-of-pearl':1,'fact':2,'atmosphere':1,'charles':1,'woolly':1,'seaweed':3,'utter':1,'fear':1,'trying':1,'knowledge':4,'millennia':1,'surroundings':1,'spontaneity':1,'molecules':3,'emitting':1,'thousands':6,'means':1,'perfection':2,'words':2,'crabs':1,'evolution':46,'brain':1,'numerous':1,'amphibia':1,'light--is':1,'view':8,'multiplying':3,'elusiveness':2,'powder':1,'violet':2,'humane':1,'wire':2,'genius':1,'mind.':3,'identification':1,'routine':1,'progress':2,'open-sea':2,'joy':1,'agencies':1,'pilgrims':1,'equal':2,'migration.':1,'passing':3,'preparedness':1,'stars--to':1,'sea-worms':1,'tremendous':1,'armadillos':1,'immense':1,'waste':1,'phosphorescent':1,'antlers':1,'sex--emotions':1,'environment.':1,'tactics--self-effacement':1,'an':58,'volunteer':1,'economised':1,'asexual':1,'air-tubes':1,'britain':1,'wild':2,'almost':1,'surface':1,'zoophytes':1,'perhaps':1,'forceps':1,'ante-natal':3,'habitats':1,'locomotion.':1,'neolithic':2,'lichen;':1,'cubic':1,'clouds--some':1,'colouring':1,'dust':4,'britain.':1,'whale':2,'poultry':1,'colour':8,'nebulous':2,'thought':3,'position':4,'flesh':1,'domestic':1,'radium--the':1,'sea-dust':2,'skill':2,'rapid':2,'battery':1,'slits':1,'government':1,'utah':1,'mistake.':1,'facial':1,'backboned':2,'perpetual':1,'electrons.':4,'works':1,'soft':2,'inexperienced':1,'replacement':3,'feelers.':1,'phenomena':2,'gossamer.':1,'ideals':2,'homo':1,'kinds':2,'peter':1,'recognition':1,'lead':1,'cabbages':1,'ether':3,'mutation':1,'reaching':1,'cellulose':1,'stellar':2,'pressure':2,'enregistering':1,'instinct':4,'about':8,'rare':1,'getting':5,'mendelism':1,'biscuit':1,'sea-horse':1,'swimming':1,'warranty':1,'reptile':1,'washington':1,'promise':1,'registration':2,'protozoa':2,'properties--ready':1,'mississippi':1,'spiral':2,'invisibility':5,'fundy':1,'north':2,'interest':3,'surgeons.':1,'hundreds':2,'shark-like':1,'marquis':2,'cells':3,'variations':1,'graphite':1,'penetrating':1,'rabbits':2,'universal':1,'reptiles.':1,'periods':1,'ink':1,'crystals':2,'agriculture':1,'40':1,'other':7,'branch':1,'disposing':1,'star':1,'tides':4,'astronomy':5,'coloration':1,'association--why':1,'15-20':1,'liver':1},'newts':{'and':1},'scatter':{'over':1,'them':1},'weaker':{'stocks':1},'bent':{'out':2},'reeds':{';':1,'the':1,'are':1,'143':1},'process':{'and':2,'by':1,'like':1,'for':1,'may':1,'of':22,'is':2,'had':1,'.':3,'does':2,'went':1,'has':2,'was':1,'the':1,'advanced':1},'lock':{'that':1},'slim':{'contracting':1},'purposes':{'of':1,'which':1,'.':1},'pieces':{'and':1,'because':1,'of':11,'is':1,'.':1,';':1},'high':{'and':2,'rounded':2,'authority':1,'rate':1,'frequency':1,'something':1,'speed':2,'forehead':1,'temperature':1,'there':1,'.':3,'chemical':1,';':2,'mountains':2,'degree':1,'water':5,'foreheads':1,'perfection':1,'places':1,'level':3,'grounds':1,'at':1},'slip':{'down':1,'into':1},'class.':{'a':1},'educational':{'corporation':1},'sand-grouse':{'into':1},'mutually':{'beneficial':4},'destroying':{'sheep':1},'cycads':{'and':1,'our':1,'which':1},'astronomers':{'rely':1,'regard':1,'calculate':1,'wondered':1,'that':1,'of':1,'believe':4,'who':2,'prefer':1,'we':1,'however':1,'to':2,'now':1,'have':4,'in':1,'hold':1,'.':1,'think':6},'pair':{'of':5},'animal':{'and':6,'settles':1,'often':1,'family':1,'intelligence':1,'is':10,'it':1,'accumulates':1,'one':1,'as':2,'in':2,'frequents':1,'plankton.':1,'life--story':1,'well':1,'will':1,'enters':1,'from':1,'world...':1,'world--even':1,'ways':1,'heat.':1,'except':1,'.':3,'to':2,'or':3,'which':1,'youth.':1,';':1,'has':3,'divides':1,'more':1,'kingdom':4,'play':1,'complete':1,'may':4,'about':1,'but':1,'aware':1,'behaviour':6,'heat':1,'races':1,'lives':2,'tended':1,'somewhat':1,'instinct':2,'world':1,'with':2,'population':3,'a':3,'evolution':1,'microbes':1,'of':4,'could':1,'depending':1,'life':8,'behaviour.':4,'like':6,'remains':1,'s':3,'can':1,'man':1,'trypanosome':1,'the':1,'makes':2,'called':2},'hormones':{'has':1,'or':2,'which':1},'mysteries':{'of':1,'the':1,'which':1,'.':1},'palates':{'than':1},'establishment':{'of':13},'paler':{'type':1},'yellowish':{'then':1,'tinge':1},'stow':{'them':1},'await':{'an':1},'tied':{'on':1},'purpose.':{'1.f.5':1},'permanent':{'inhabitants':1,'caterpillar':1,'as':1,'future':1,'markings':1,'in':1,'residents':2},'lines.':{'these':1,'in':1},'men--primitive':{'men--races':1},'fits':{'the':1},'cabbage':{'found':1},'hawk':{'moth':1},'solidarity':{'with':1},'varied':{'from':3,'face':1,'electrical':1,'at':1,'in':1,'stock':1},'ingersoll':{'s':2},'voracity':{'.':1},'prawns':{'and':2},'element':{'from':1,'giving':2,'is':3,'after':1,'uranium':1,'.':3,'as':1,'going':2,'can':1,'in':7,'known':1,';':1,'into':1},'allow':{'them':1,'for':1,'disclaimers':1,'chemical':1,'part':1,'the':3,';':1},'okapi':{'and':2,'is':1,'was':1},'alloy':{'that':1},'food-canals':{'to':1},'volunteers':{'and':4,'associated':1,'with':1},'moulton.':{'according':1},'counted':{'the':1,'by':1,'for':1,'.':1},'archimedes':{'.':1},'thigh':{'on':1},'produces':{'a':2,'the':2,'only':1,'tides':2,'its':1},'frontispiece.':{'illustration':1},'phalanger':{'flying':1},'peck':{'their':1,'without':1},'move':{'on':1,'about':4,'towards':1,'up':1,'to':1,'through':1,'at':1,'in':1,'the':1,'with':1,'across':1},'produced':{'a':1,'on':2,'and':1,'by':13,'in':2},'nerve-cord':{'.':1},'existence.':{'when':1,'5':1,'if':1},'triassic':{'blue':1,'reptile':2,'for':1,'mammals':1,'when':1,'period':2,'era':1,'attained':1,'precede':1},'perfect':{'weather':1,'.':1},'saturn':{'and':1,'886.0':1,'is':3,'next':1,'itself':1,'uranus':1,'in':1,'november':1,'revolve':1},'broiling':{'heat':1},'progeny':{'from':1},'surgeons':{'of':1},'equalise':{'temperatures.':1},'coral-reefs':{'where':1,'are':1},'hermit-crab':{'and':3,'which':1,'stock.':1,'fixes':1,'s':1,'passed':1,'with':2},'meantime':{'with':1},'degrees':{'a':1,'from':1,'of':2,'.':1,'below':1,'centigrade':1},'spoiling':{'the':1},'instruments':{'and':2,'multiplied':1,'great':1,'used':1,'would':1,'for':1,'have':1,'of':2,'.':2,'as':1,'cannot':1,'sec':1,'are':2,'which':1,'or':1,'can':1},'tubeful':{'of':1},'derivative':{'works':3},'forest':{'and':1,'life':1,'to':1,'tract':2,'.':2,'primeval.':1,'in':1,'was':1},'rill.':{'no':1},'piecing':{'together':1},'existences':{'such':1,'which':1},'outlined':{'it':1,'.':1},'innermost':{'region':1},'ship':{'and':1,'when':1,'without':1,'through':1,'.':1},'billiard':{'table':1,'balls':1},'snake':{'to':1,'dasypeltis':1,'with':2,'pushes':1},'rotation':{'on':1,'increased':1,'caused':1,'it':1,'.':3,'of':6,'than':1},'cage':{'professor':1,'in':1},'realize':{'the':1},'intelligent':{'and':2,'control':1,'use':1,'interest':1,'they':1,'efficiency':1,'educability':1,'way':1,'attention':1,'beings':1,'actions':2,'behaviour':4,'appreciation':2,'insect':1,'student-citizen':1,'learning':1,'activity':1,'device':1,'learning.':1,'creatures':1},'traced':{'on':1,'back':1,'its':1},'concave':{'and':1},'sufficiently':{'close':1,'generous':1,'shallow':1,'hard':1,'low':1},'vibrations':{'and':1,'of':1,'in':2,'constituting':1,'must':1},'truth':{'that':1,'of':1,'though':1,'but':1,'they':1,'in':4},'invertebrates':{'and':1},'persia':{'turkestan':1},'accompanied':{'by':2},'beneath':{'shines':1,'the':8},'stock':{'separated':1,'and':3,'of':4,'spreading':1,'took':1,'marked':1,'.':5,'to':2,'as':1,'common':1,'in':1,';':1,'has':1,'was':1,'the':4},'traces':{'of':4,'are':1,'which':1,'in':1},'enigmatic':{'objects':1},'profile':{'view':4},'salps':{'related':1},'beginner':{'s':1},'doing':{'clever':1,'damage.':1,'things':1,'work':1,'when':1,'.':1,'this':1,'apparently':1},'sidelight':{'on':1},'society':{'society':1,'the':1,'made':1},'frequency':{'of':2,';':1},'static':{'to':1},'irritation':{'may':1},'agriculture':{';':2},'wander':{'separately':1},'witness':{'a':1,'an':1},'fundamentally':{'instinctive':1},'colour-varieties':{'there':1,'which':1},'knickerbocker':{'press':1},'bad':{'debts.':1,'business':1},'venom':{'on':1},'dominated':{'by':1},'adaptive':{'to':1,'radiation.':1,'device--more':1},'architecture':{'though':2},'harvest-mouse':{'constructing':1},'shut':{'our':1,'to':1,'their':1},'thrush':{'seized':1,'s':3,'managed':1,'at':2,'which':1},'perish':{'if':1},'incalculable':{'and':1,'abundance':1,'millions':1},'decay.':{'sec':1},'body-cavity':{'fluid':1},'surely':{'a':1,'follows':1,'is':1,'have':1,'the':1,'difficult':1},'steering':{'.':1},'shortest':{'waves':2,'.':1},'things.':{'lord':1,'reliable':1,'contrast':1},'apprehend.':{'the':1},'pursuits.':{'everything':1},'could':{'just':1,'be':20,'it':2,'resist':1,'see':2,'skate':1,'exist':1,'at':1,'have':1,'measure':1,'extract':1,'use':1,'make':2,'actually':1,'survive':1,'then':1,'we':1,'run':1,'form':1,'stop':1,'discover':1,'possibly':2,'produce':2,'not':8,'believe':1,'fly':2,'photograph':2,'boast':1,'keep':1,'harness':1,'support':1},'tube-feet':{'are':1},'david':{'fife':2},'length':{'and':1,'about':1,'may':1,'of':14,'is':1,'.':6,'as':1,'7':1,'were':1,';':1,'has':1},'removing':{'any':1},'stimulate':{'organs':1},'gamekeeper':{'but':1},'granules.':{'from':1},'respond':{'to':1,'when':1},'blown':{'by':1,'to':1,'into':1,'away':2,'back':1},'scene':{'of':1,'showing':1,'with':1,'in':6},'earth':{'and':21,'receives':1,'often':1,'escapes':1,'revolves':1,'is':13,'within':1,'rotated':1,'it':4,'slowing':3,'down':1,'as':2,'259':1,'are':2,'in':4,'yet':1,'before':1,'even':1,'passes':1,'from':4,'for':3,'to':4,'giving':1,'began':1,'there':3,'when':3,'except':1,'.':36,'how':1,'does':1,'take':1,'which':5,'mars':1,'passing':2,';':3,'must':1,'was':3,'naturally':1,'circles':1,'became':1,'we':3,'turning':1,'passed':1,'that':1,'may':1,'completed':1,'were':3,'but':2,'92.9':1,'although':2,'included':1,'during':2,'on':2,'with':3,'by':1,'he':1,'a':1,'rotating':1,'has':2,'to-day':2,'would':3,'14':1,'always':1,'did':3,'of':2,'no':1,'itself':2,'against':1,'will':3,'s':24,'owing':1,'so':1,'had':2,'intercepts':1,'the':6,'pulled':1,'or':2,'turns':1,'at':3},'owner':{'and':1,'would':1,'of':3,'.':1,'s':1,'any':1},'blows':{'its':1},'scent':{'a':1,'of':1,'no':1},'interest.':{'as':1},'buoyed':{'up':1},'two.':{'illustration':1,'but':1},'light--visible':{'and':1},'fascinating':{'study':1,'tantalising':1,'spectacle':2},'behaves':{'so':1,'in':1},'system':{'and':7,'comets':1,'is':2,'as':2,'sec':1,'are':3,'in':2,'would':1,'once':1,'there':1,'.':11,'to':1,'revolving':1,'has':1,'was':2,'then':1,'we':1,'full':1,'ranged':1,'formed':1,'but':2,'with':1,'by':1,'must':1,'for':1,'of':9,'will':1,'the':5,'mean':1,'at':1},'sea-lilies':{'crustaceans':1,'water-fleas':1},'world--even':{'the':1},'opossum':{'carrying':2},'time--man':{'s':1},'king-crabs':{'.':1},'travelled':{'far':1,'at':1},'egg-layer':{'in':1},'thick.':{'the':1,'we':1},'interests':{'it':1},'accompany':{'actual':1},'stars':{'and':5,'comets':1,'enormously':1,'show':1,'being':1,'is':1,'within':1,'visible':1,'as':1,'sec':1,'are':13,'have':1,'in':4,'whose':1,'tending':1,'appear':1,'stretch':1,'circulating':1,'.':13,'to':1,'varies':1,'does':1,'which':6,'going':1,'themselves':1,'has':3,'across':1,'can':1,'we':3,'form':1,'that':1,'forming':1,'let':1,'with':1,';':2,'a':1,'pull':1,':':2,'like':1,'of':1,'into':1,'will':1,'thin':1,'were':2,'the':4,'planet':1,'or':3,'at':1},'quarry':{'.':1},'depressing':{'energy':1},'stimulation--giving':{'off':1},'prominent.':{'the':1,'5':1},'steel':{'we':1,'civilisation':1},'quietness':{'of':1},'migrating':{'of':1,'from':1},'poulton':{'s':1},'extraordinarily':{'efficient':1,'mammal-like':1,'like':2,'gaunt':1},'wicketed':{'sides':1},'negatively':{'electrified.':1,'charged':1},'steep':{'and':1,'mountain':1,'ladder':2,'cliff':1},'torrent':{'.':1},'undercharged':{'body':1},'ingenious':{'methods':2},'platypus':{'of':3},'partnership':{'commensalism':1,'is':2,'with':3,'between':2},'poisons':{'including':1,'which':1,'.':1},'gently':{'through':1,'with':1},'gentle':{'reactions':1},'affinities':{'both':1,'to':1},'clearly':{'necessary':1,'that':1,'defined':1,'of':1,'showing':1,'marked':1,'or':1,'seen':1,'visible':1,'in':2,'drawn':1,'worked':1,'outlined':1},'viewed':{'copied':1,'or':1},'food-debris':{'millennium':1},'depict':{'quite':1},'studying':{'head':1,'the':2},'possibility.':{'it':1},'mechanism':{'of':1},'decomposing':{'animal':1},'ashore':{'.':1},'photosphere':{'that':2,'there':2,'but':1,'.':2,'surrounding':1,'as':1,';':1,'beneath':1,'shows':1},'scooping':{'in':2,'out':1},'sirius':{'the':1,'8.7':1},'persistence':{'of':1},'accuracy':{'when':1,'than':1,'.':1},'worldwide':{'task':1},'brazil':{'18':1},'regard':{'them':1,'these':1,'it':1,'to':15,'as':1,'the':3},'shaped':{'as':2,'like':1,'something':1,'in':1},'seed-box':{'but':1,'.':1},'device':{'whereby':1,'for':1,'this':1,'of':1,'is':1,'to':1},'so-called':{'flying':1,'abdominal':1,'grouse':1,'chameleon':1,'sargasso':1,'rings':1,'electro-magnetic':1,'rays':1,'anvil':1},'river-mussels':{'yielded':1},'predacious':{'creatures':1},'tramps':{'the':1},'bred':{'to':1},'stronger':{'and':1,'.':1,'should':1},'curiously':{'enough':1,'wasplike':1},'face':{'a':2,'tentatively':1,'set':1,'certain':1,'is':1,'illustration':1,'.':1,'to':4,'allowing':1,'directly':1,'of':4,'166':1,'with':1,'region':2},'perceiving':{'moving':1},'kipling':{'s':1},'mechanical':{'skill':1,'energy':5,'apparatus':2,'means':1},'wounded':{'in':2},'brer':{'rabbit--who':1},'fact':{'a':1,'about':5,'led':1,'for':1,'that':35,'remains':1,'of':8,'is':16,'less':1,'means.':1,'.':2,'to':1,'so':1,'too':1,'which':1,'in':1,'emphasized':1,'was':1,'the':1},'atmosphere':{'and':4,'heavy':1,'all':1,'from':1,'of':3,'is':1,'it':1,'but':1,'.':4,'will':2,'without':1,'envelops':1,'catch':1,'absorbs':1,'the':1,'rises':1,'was':1,'or':1,'nor':1},'best-defined':{'period':1},'nest-building':{'and':1,'in':1},'woolly':{'rhinoceros':2,'opossum':2,'caterpillars':1},'bring':{'me':1,'about':3,'modern':1,'down':3,'their':1,'forth':2},'14.--the':{'moon':1},'evolutionary':{'prospect':3,'process':1,'results':1,'spiral':1,'tack':1,'steps':1,'significance':1,'method':1,'change':1},'manchester':{'used':1,'chemist':1},'lloyd':{'morgan':4},'rough':{'surfaces':1,'awns':1},'principal':{'of':1,'office':1},'trying':{'time':1,'to':7,'first':1,'it':1,'one':1},'championed':{'evolutionism':1},'jaw':{'and':1,'from':1,'of':3,'belong':1,'seems':1,'but':1,'which':1,'the':1},'jar':{'and':1,'the':1},'should':{'it':2,'see':3,'expect':2,'have':7,'go':1,'find':1,'differ':1,'there':1,'also':2,'naturally':1,'be':19,'get':2,'they':1,'not':4,'fly':1,'remember':1,'gather':1,'say':2,'experience':1,'greatly':1,'think':1,'at':1},'buttons':{'on':1,'occasionally':1},'unpalatable':{'mimicked':1,'insects':1,'things':1,'.':2,'sponge':1,'caterpillars':1,'or':1},'planted':{'in':1},'molecules':{'is':1,'deep':1,'as':1,'are':2,'have':2,'in':2,'250':1,'travel':1,'.':4,'thick.':1,'cling':1,'into':1,'then':1,'which':2,'form':1,'that':1,'cannot':1,'let':1,'by':1,'of':16,'large':1,'small':1,'at':1},'volts':{'.':1},'hope':{'to':1,'that':4,'.':1},'meant':{'a':2,'even':1,'for':1,'many':1,'to':3,'much':2,'utilising':1,'entering':1,'in':1,'the':3,'total':1,'transcending':1,'by':3,'more':1},'handle':{'there':1,'off':1,'than':1,'in':1},'means':{'over':1,'an':3,'in':1,'any':1,'power.':1,'for':3,'no':1,'.':1,'much':1,'girdling':1,'more':1,'we':1,'that':15,'half':1,'losing':1,'a':5,'mastery':1,'of':30,'foresight':1,'were':1,'making':1,'the':5,'first':1},'intellectually':{'.':1},'prohibition':{'against':1},'fronds':{'are':1},'a.c.':{'.':1},'h':{'the':1,';':1,'.':43},'molecule.':{'single':1},'taxes':{'on':1,'.':1},'summon':{'it':1},'hemispheres':{'and':1,'destined':1},'are.':{'for':1},'coco-nut':{'fibre':1,'shell':1,'palm':1},'stuff':{'from':2,'which':1,'into':1,'.':1,'they':1,';':1,'began':1,'out':1},'bayliss':{'has':1},'inter-relation':{'established':1},'memory-image':{'of':1},'tap.':{'watch':1},'strengthened':{'when':1},'frame':{'the':2},'shreds':{'as':1},'packet':{'containing':1,'no':1,'turned':1,'though':1},'elusiveness':{'there':1,'so':1},'bolivia.':{'illustration':1},'5.--diagram':{'showing':1},'once.':{'in':1},'carboniferous':{'blue':1,'flora':1,'forests':1,'period':4,'epoch':1,'eras':1,'were':1,'the':2,'.':1,'era':1},'frog-hoppers':{'while':1},'packed':{'with':1,'together':1},'ascends.':{'illustration':1},'wire':{'or':1,'that':1,'is':1,'an':1,'to':1,'so':1,'they':2,'between':1,'leaves':1,'the':2,'its':1},'growths':{'on':1},'jurassic':{'archaeopteryx':1,'is':1,'period':2,'yellow':1,'era':1,'which':1},'nuclear':{'bodies':1},'migrations':{'were':1,'are':1,'have':1,'occurred':1},'germ-cell':{'just':1},'quickest':{'to':1},'white-hot':{'metal':2,'hydrogen':1,'iron':1,'.':1},'membrane':{'and':1},'open-sea':{'or':1,'animals':4,'cetaceans':1,'crustaceans':1,'young':1,'knife-blade-like':1,'prawns':1,'bacteria':1},'self-preservative':{'fashion':1},'email':{'contact':1,'newsletter':1,'business':1},'ends':{'and':2,'on':1,'of':2,'marked':1,'lizzie':1},'explosive':{'manifesting':1,'life':1,'rush':1,'by':1},'trilobite':{'90':1,'trilobites':1,'in':1},'ancestry--are':{'branches':1},'seaweeds':{'and':2,'among':1,'are':1,'which':1,'growing':1,'the':1},'ignorance':{'of':1,'preyed':1},'wave-motions':{'of':1,'are':1,'can':1},'wingless':{'insects':1,'larval':1,'creatures':1},'hoatzin':{'inhabits':2},'reappears':{'in':1},'restrictions':{'whatsoever':2},'drum':{'to':2},'migration.':{'looking':1},'figures':{'to':1,'we':1,'with':1,'are':3,'.':1},'cinder':{'.':1},'humanoid':{'to':2,'precursors':1,'stock':4},'adjusted':{'on':2,'coloration':1,'in':1},'co':{'.':2},'conflagration':{'had':1,'that':1},'conclude':{'our':1,'that':1},'ca':{'the':1},'mid-rib':{'and':2},'vibration.':{'no':1},'sea-worms':{';':1},'cv':{'the':1},'hawkins':{'from':1},'palm-bones':{'and':1,'the':1,'cmc':1},'8.7':{'procyon':1},'trigger-pulling':{'.':1},'dazzling':{'light':1},'body-cells.':{'it':1},'poured':{'a':1,'on':1},'looting':{'and':1},'duckweed':{'usually':1},'feather':{'as':1,'which':1},'waste':{'matter':2,'energy':1,'to':1,'heat':1,'products':1,'its':1},'descent.':{'retrospect':1},'c.':{'punnett':1},'coherence':{'of':2},'mammals.':{'the':1,'now':1,'what':1,'cretaceous':1},'tycho':{'upper':1},'neighbour':{'succeed':1,'.':1},'accident':{';':1,'.':1},'forests.':{'the':1},'domestication.':{'instinctive':1},'expounded':{'with':1},'spain':{'this':1,'showing':2,'179':1,'show':1},'gradual':{'building':1,'unfolding':1,'evolution':1,'establishment':1,'alterations':1,'sifting':1,'increase':2,'migration':1,'emancipation':1,'shading':1,'assortment':1,'ascent':1,'emergence':1,'change':2},'nerve-fibre':{'branches':1,'ends':1,'s.f.':1,'from':1,'or':1},'triggers':{'of':1},'reminiscence':{'as':1},'lung-fishes':{'or':1,'that':1},'lichen':{'and':1,'where':1},'pictures':{'guesses':1,'for':1,'that':1,'of':1,'.':2,'they':1,'the':1},'deductible':{'to':1},'discoveries':{'made':2,'which':2,'that':1,'of':4,'.':1,'have':2,'in':2},'spectrum--should':{'be':1},'salmo':{'all':1},'omne':{'vivum':1},'vm':{';':1},'adventures':{'at':1},'excessively':{'small':1,'minute':3},'raison':{'d':1},'jenner':{'weir':1},'carbohydrates':{'e.g':1},'of.':{'a':1},'fashioning':{'of':1,'beautifully':1},'spends':{'the':1},'romance':{'of':5,'to':1},'concealed':{'among':1,'beneath':1},'colony.':{'within':1},'estuaries':{'and':3,'while':1,'are':1,'penetrated':1},'outbreak':{'must':1},'nebulae.':{'some':1,'illustration':1,'in':1},'unimaginable':{'energy':1},'lichen;':{'one':1},'mud-skipper':{'periophthalmus':3},'emotionally':{'excited':1},'dusk':{'of':1,'is':1,'does':1},'wisest':{'not':1},'upon':{'it.':1,'a':3,'them':1,'another':1,'marquis':1,'insects':1,'men':1,'request':1,'it':3,'one':1,'water':1,'and':1,'as':1,'itself':1,'they':1,'the':26,'an':1,'its':3,'by':2},'v.':{'experiential':1},'infinite':{'temporal':1,'space':2,'in':1,'number':1,'time':1},'britain.':{'iv':1},'identity':{'of':1},'transformation--the':{'heat':1},'genus':{'eoanthropus':1,'oncorhynchus':1,'which':1},'off':{'and':1,'the':19,'into':1,'as':2,'at':2,'another':1,'in':4,'throughout':1,'fine':1,'again':1,'rays':1,'from':8,'intruders':2,'.':3,'other':1,'crowds':1,'neolithic':1,'his':1,'intruding':1,'half':1,'such':1,'by':3,'a':4,'on':1,'natural':1,'this':1,'of':1,'electrons':1,'gigantic':1},'mention':{'briefly':1,'the':1,'one':1},'tinge':{'is':1,'.':1},'colour':{'and':9,'almost':1,'is':1,'as':1,'in':1,'affects':1,'that':1,'.':6,'also':1,'does':1,'permanently':1,'disclosed':1,'which':1,'has':1,'seen.':1,'gives':1,'be':2,'corresponding':2,'means':1,'becoming':1,'with':1,'a':1,'being':1,'yellow-brown':1,'of':8,'depends':1,'the':1,'changes':2},'polyp':{'about':1},'directly.':{'some':1},'patterns':{'.':1},'cutting':{'down':1,'off':1,'at':1},'ear-passage':{'to':1,'into':1},'drawing':{'a':1,'shows.':1,'planetesimals':1,'food':1,'flying':1,'their':2,'by':4,'shows':2},'asymmetrical':{'flat-fish':1},'reefs':{'that':1},'negligence':{'strict':1},'flesh':{'and':2,'exposed':1,'of':1,'but':1,'are':1,'or':1,'available.':1},'moments':{'at':1},'gulls':{'pick':1},'flywheel':{'a':1,'and':1,'would':1,'.':2,'or':1,'if':1},'sea-dust':{'and':1,'always':1,'which':1,'.':1},'rooms':{'but':1},'predicts':{'the':1},'years':{'and':3,'required':1,'ago--a':1,'acquired':1,'life':1,'comprised':1,'1921':1,'as':1,'are':1,'in':4,'old':2,'yet':1,'before':4,'mercury':1,'invented':1,'would':1,'till':1,'with':1,'there':1,'.':13,'to':7,';':2,'must':1,'we':1,'ago.':3,'may':2,'after':1,'reached':1,'but':2,'it':1,'sink':1,'during':1,'elapsed':1,'dr':1,'he':1,'ago':28,'for':1,'these':1,'of':4,'work':1,'dealt':1,'the':4,'or':1},'paul':{'s':1},'glue':{'probably':1},'web':{'on':1,'of':2,'is':3,'site':4,'page':1,'which':1,'has':1,'pages':1},'generous':{'to':1,'lines':1,'if':1},'bibliography':{'elmhirst':1,'the':2,'darwin':1,'arrhenius':1},'lanugo':{'which':1},'apple--out':{'of':1},'transparent':{'layers':1,'all':1,'coating':1,'arrow-worm':1,'early':2,'azure':1,'open-sea':1},'ichthyosaurs':{'plesiosaurs':1},'combine':{'and':1,'to':1},'wet':{'cloth':1,'all':1,'weather':1,'moss':1},'5':{'and':1,'what':1,'has':1,'ft':1,'limbless':1,'1909':2,'mind':1,'per':1,'.':8,'feet':2,'matter':1,'000':5,'5':1,'in':1,'the':1,'mimicry':1,'500':1,'shows':1},'practise':{'self-effacement':1,'parental':1},'increased':{'power':1,'freedom':1,'its':1,'liberation':1,'masterliness':1,'difficulties':1,'at':1,'in':1,'our':1,'the':2,'still':1,'by':1,'production':1},'government':{'or':1},'biologists':{'have':1,'that':1},'new--a':{'restless':1},'smithsonian':{'report':10},'mathura':{'on':1},'increases':{'our':1,'.':1,'in':1},'five':{'digits':1,'hundred':3,'minutes':1,'of':1,'million':1,'times':3,'feet':1,'to':1,'straws':1,'she':2,'in':1,'--and':1,'vertebrae':1,'years':1,'.':1,'or':3,'millions':1},'belgium':{'the':1},'tick':{'a':1,'for':1,'one':1},'descendant':{'of':2},'backboned':{'race':1,'animals':9,'animals.':1},'onion':{'round':1},'258':{'the':1,'electrons':1},'parasite':{'and':1,'to':1,'from':1,'like':1},'glass-eels':{'about':1},'two-thousandths':{'of':1},'ductless':{'glands':2},'nerves':{'and':1,'of':1,'which':1,'.':1},'inexperienced':{'enemies':1},'replacement':{'of':1,'copy':2,'or':3},'gaining':{'a':1,'strength':2},'indications':{'even':1},'habitat':{'and':1,'penetrate':1,'or':1},'underwent':{'great':1,'an':1},'gossamer.':{'on':1},'daylight':{'.':1},'choosing':{'times':1},'paving-stones':{'green':1},'restlessness.':{'they':1},'transport':{'as':1},'avoid':{'a':1,'the':2,'reading':1},'dago':{'dagoes':1},'mars.':{'but':1},'does':{'we':1,'no':1,'this':4,'energy':1,'comparatively':1,'it':2,'but':1,'.':3,'much':1,'so':4,'at':2,'cannot':1,'in':1,'not':35,'the':1,'its':1},'passion':{'plunged':1},'cylindrical.':{'5':1},'mammoth.':{'the':1},'biology':{'of':1,'in':1},'blowing':{'upon':1},'predispositions':{'to':1,'of':1},'selecting':{'individual':1,'out':1},'tenability':{'of':1},'performances.':{'a':1},'pressure':{'and':2,'would':1,'inside':1,'so':1,'in':2,'the':2,'etc.':1,'currents':1},'enregistering':{'these':1,'the':1,'within':1},'century.':{'during':1,'illustration':2},'abdominal':{'ribs':1},'germination':{'and':1},'r':{'and':1,'.':14},'cribb.':{'boiling':1,'transformation':1},'hiding':{'them':1},'gained':{'most':1,'racial':1,'considerable':1,'proof':1},'mammoths':{'.':1},'asks':{'at':1,'why':1,'that':1},'seeds':{'and':1,'because':1,'for':1,'of':3,'.':1,'can':1,'become':1,'themselves':1,'with':1},'bounded':{'by':1},'swimming':{'and':2,'gently.':1,'experience':1,'ostrich':1,'persons':1,'near':1,'in':5,'diving':1,'across':1},'letters':{'of':2,'in':1},'elephants.':{'the':1},'hermit-crabs':{'hide':1,'place':1,'it':1,'have':1},'lung':{'and':1,'the':1,'.':1},'tiny':{'knob':1,'bags':1,'freshwater':1,'rill.':1,'irregular':1,'shift':1,'molecules':1,'fragments':1,'drops':1,'whirlpool':1},'cultivated':{'plants':6,'the':1,'wheat':1,'ear.':1,'in':1},'protozoa':{'and':2,'to-day':1,'which':1,'is':1,'should':1,'to':1,'as':1,'are':1,'sponges':1,'in':2,'animals':1,':':1,'like':1},'offices.':{'sec':1},'swimmers':{'and':2,'include':1,'nekton':1},'charities':{'and':1},'mere':{'density':1,'molluscs':1,'bulk':1,'visible':1,'cooling':1,'specks':1,'position':1,'association':1},'parentage':{'of':2},'67000':{'inch':1},'larvae':{'hanging':1,'or':1,'which':3,'in':1},'slow-worm':{'is':1},'half-monkeys':{'or':1},'larval':{'state':1,'stages':2,'salmon':1,'period':1,'stage':1},'spots':{'and':1,'on':2,'like':1,'of':1,'or':1,'increase':1,'are':1,'which':1,'the':2,'where':1,';':1,'must':1},'scanty':{'remains':2,'and':1,'fossil':1,'plankton':1},'recognised':{'and':1,'for':1,'as':1,'in':2,'moreover':1,'by':2},'hundred-millionth':{'of':1},'place.':{'illustration':1,'one':1},'specimens':{'of':1,'in':1,'were':1},'naturally':{'prolific':1,'give':1,'trails':1,'finds':1,'expect':1,'came':1,'appears':1,'opens':1,'he':1},'function':{'of':1,'in':1},'funnel':{'through':1},'cosmopolitan':{'in':1},'surgeons.':{'every':1},'washerwoman':{'and':1},'construction':{'underwent':1,'from':1,'of':2},'convergence':{'the':1},'basin':{'of':1},'contraction.':{'uranium':1},'count':{'them':1,'the':1,'for':3},'marquis':{'wheat':4,'.':1},'evident':{'in':1},'shrunk':{'by':1},'gravitational':{'pull':2,'influence':2,'theory':1,'attraction':2},'official':{'project':1,'observatory':1,'version':1,'page':1},'smooth':{'continuance':1,'carapaces':1,'formation':1,'atoms':1},'triumphant':{'flight':1},'excitement':{'though':1,'.':1},'placed':{'a':1,'on':3,'them':2,'for':1,'exactly':1,'an':1,'to':1,'at':1,'in':2},'frugivorous':{'stock':1},'convince':{'us':1},'monument':{'of':1},'problem':{'no':1,'of':10,'could':1,'.':2,'as':1,'surely':1,'the':1,'is':2},'profusion':{'.':1},'bearing':{'protrusible':1,'on':1,'batteries':1,'this':1,'the':1},'irish':{'elk':1},'ferocious.':{'embryological':1},'recognize':{'water':1},'nearness':{'to':1,'of':2},'rubble':{'innumerable':1},'faintness':{'.':1},'slowing':{'down':8,'down--the':1},'arms.':{'this':1},'beach.':{'but':1},'leptocephalus.':{'2':1},'aristotle':{'observed':1,'s':1,'or':1},'ink':{'in':1},'www.gutenberg.org':{'this':1,'title':1,'you':1,'2':1,'1.e.2':1},'effected':{'a':2,'within':1,'by':3,'in':1},'planting':{'it':1},'expensiveness':{'of':1},'readjustments':{'of':1},'radiolarians':{'and':1,'of':1,'with':1},'variety':{'and':1,'of':16,'is':1,'after':1,'surpassed':1,'.':2,'has':1,'with':1},'tenth':{'printing':1},'eastern':{'baltic':1},'forests':{'and':2,'a':1,'from':1,'which':1,'that':1,'of':4,'there':1,'.':1,'roamed':1,'in':1,'the':2,'he':1},'slumbers':{'in':1},'reach.':{'animal':1},'details':{'of':2,'is':1,'revealed':1},'behold':{'a':1},'thickness--a':{'sea':1},'outlines':{'of':1,'at':1,'spectroscopy':1},'repeat':{'all':1,'gives':1,'that':1},'again.':{'moreover':1,'illustration':2,'that':1},'in:':{'http:':1},'tides':{'and':3,'we':1,'which':2,'than':1,'of':1,'had':1,'it':1,'but':1,'.':6,'will':1,'to':1,'ranked':1,'are':4,'have':1,'act':1,'at':1,';':1,':':1,'the':1,'290':1,'must':1},'casque':{'is':1},'subtlest':{'of':1},'again:':{'the':1},'in.':{'with':1},'13.--saturn':{'november':1},'ideals':{'which':1,'in':2},'shattering':{'itself':1},'veil':{'of':1},'coloration':{'and':1,':':2,'is':1,'when':1,'serves':1,'coloured':1,'will':1,'the':1,'.':1,'or':3},'exposure':{'to':1,'of':1},'draperies':{'gliding':1},'bivalve':{'mollusc':1,'shell.':1},'lasted':{'beyond':1,'or':1,'for':1},'rule':{'and':1,'feed':1,'we':1,'that':1,'is':1,'two':1,'exist':1,'in':1,';':1,'out':1},'eddies':{'of':1,'rising':1},'pitt':{'offered':1},'gardens':{'in':1},'practicability':{'of':1},'three-toed':{'horse':2},'surrounding':{'stimuli.':1,'space':2,'colour':1,'flesh':1,'them--are':1,'sky--this':1,'world':1,'the':2,'gravel':1,'conditions':1,'ether':1,'bodies':1},'magnetic':{'force':1,'storm':1,'circuits':1,'phenomena':1,'sense':1,'storms':2,'effect':1,'deflection':2,'field':7,'circuit':2,'field--which':1,'action':1},'saves':{'their':1},'desirable':{'for':1},'rapid':{'and':3,'abbreviation':1,'precisely':1,'often':1,'power':1,'striking':1,'colour-change':3,'series':1,'that':2,'passage':1,'motion':1,'as':1,'way':1,'waves--the':1,'elimination':1,'succession':1,'changes':1,'than':1,'change':1,'movement':1},'nursery':{'for':1},'controversial':{'stage':1},'crete':{'greece':1},'oldest':{'known':3,'of':1,'rocks':1,'stars':1,'egyptian':1},'worked':{'flints':1,'up':1,'itself':1,'steadily':1,'the':1,'by':1,'out.':1,'out':8},'1915.':{'a':1,'magnetic':1,'electrons':1,'geological':1},'ceases':{'to':1,'.':1},'physiological':{'life':1,'expensiveness':1,'point':1,'equilibrium':1,'partnership':1,'evidence':1,'characters.':1,'inequilibrium':1,'action':2,'difference':2,'types':1,'proof':1},'ventral':{'lungs':2,'scales':1},'centrosome':{'introduced':1},'neighbours':{'of':1,'.':1},'microscopist':{'named':1},'mckready':{'a':1},'diverted':{'into':1},'worth':{'remembering':1,'dwelling':1,'having':1,'.':1},'alternating':{'current':1,'occurrence':1,'yellow':2},'them--which':{'give':1},'aurora':{'borealis':4,'is':1},'waters--the':{'dry':1},'impinged':{'on':1},'coal-measures':{'the':2,'were':1},'alevins':{'which':1},'slowed':{'down--sometimes':1},'exaggerate':{'the':1},'pinch':{'of':2},'cmc':{';':1},'globule':{'about':1},'nondescript':{'not':1},'jungle-fowl':{'of':1},'290':{'photo':1,'the':1},'291':{'photo':1},'dwindled':{'away':1,'vestiges':1},'speck':{'of':2,'against':1},'tree-kangaroos':{'tree-sloths':1},'labyrinthodonts':{'some':1},'surmounting':{'the':1},'overlying--the':{'photosphere':1},'seas.':{'perhaps':1,'evolution':1,'like':1,'recent':1},'microscopists':{'and':1},'------':{'------':2,'866400':1,'2163':1},'others.':{'1.d':1},'them--are':{'of':1},'alsatian':{'wolf-dog':2},'neap':{'tides':1},'580':{'000':1},'calcium':{'vapour':1},'gatepost':{'208':1,'the':1},'lizard':{'which':2,'is':1,'they':1,'chlamydosaurus':1,'draco':1,'called':1},'consequent':{'changes':1,'aridity':1},'lampreys':{'petromyzon':2},'glands':{'notably':1,'such':1,'of':1,'on':1},'salt-accumulation':{'is':1},'reconstruction':{'of':2,'by':2},'toll':{'to':1},'suppose':{'for':1,'that':8,'it':1,'at':1,'each':1,'the':2},'consisting':{'of':2},'told':{'edited':1,'in':1,'author':1,'us':1,'that':1},'crunch':{'with':1},'machine.':{'a':1},'simultaneously':{'.':1},'sinks':{'down':1,'again':1,'and':1,'into':1},'lithosphere':{'is':1},'human':{'and':1,'embryo':7,'development.':1,'ingenuity':1,'being':2,'sense':1,'mind':2,'society':1,'beings':2,'thought.':2,'in':3,'knowledge.':1,'use':1,'eye':2,'ovum':1,'remains':2,'.':1,'tail':1,'civilisation.':1,'progress':5,'type':1,'body':3,'progress.':1,'kind':1,'gestures':1,'races':1,'blood':3,'characters':1,'ear':2,'mind.':1,'evolution':1,'branches':1,'evolution--factors':1,'skull':4,'brain':4,'was':2,'ascent.':1,'face':1,'race':3,'limit':1,'qualities':1,'teeth':1,'life.':1,'institutions':1},'kindred':{'and':1,'on':1,'animals':1,'especially':1,'.':1},'residual':{'gases':1},'out-flowing':{'lobes':1,'processes':1},'protection':{'for':1,'of':2,'possessed':1,'.':1,'also--protection':1,'implied':1,'every':1,'before':1},'pursuit':{'and':1},'ploughed':{'field':1},'promiseful':{'life':1},'obtained':{'our':1,'by':1,'would':1,'.':1},'aerial.':{'the':1},'daughter':{'colonies':1},'items':{'and':1,'among':1,'are':1,'tend':1},'frog-hopper':{'becomes':1,'makes':1},'anchor':{'.':1},'smoke':{'a':1,'no':1,'in':1,'that':1},'browsing':{'by':1},'bettered':{'surroundings':1},'otters':{'and':1,'it':1,'foxes':1},'glittering':{'points':1},'diameter':{'and':1,'for':1,'of':7,'is':2,'there':1,'number':1,'.':4,'lifts':1,'are':1,';':2,'one':1,'whereas':1},'secure':{'a':1,'and':1,'that':1,'survival':1,'evidence.':1,'position':1,'the':4,'floating':1},'discontinuous':{'variation':1},'-cell':{'with':2},'highly':{'probable':8,'endowed':1,'interesting':1,'magnified.':1,'developed':3,'probably':1,'intelligent':1,'specialized':2,'perfected':1},'lafayette.':{'the':1},'opportunities':{'to':1,'animals':1,'for':1,'.':1},'glance':{'at':1},'total':{'loss':1,'or':1,'of':2,'energy':1,'number':1,'thickness':2,'amount':1,'solar':2,'emancipation':1,'length':1,'age':1,'as':1,'quantity':1},'experimentation':{'in':1},'plot':{'at':1},'answers-back':{'that':1},'alligator':{'yawning':2},'grounds':{'of':1,'.':1},'negative':{'and':1,'electricity':10,'electricity.':1,'taken':1,'pole':2,'are':1,'units':1,'the':1},'reid.':{'sir':1,'common':1},'crocodilian':{'various':1},'mightiest':{'elevators':1},'knoll':{'and':1},'girdling':{'the':2},'thorndike':{'s':1,'says':1,'hits':1,'is':1},'recuperate':{'by':1},'separated':{'from':2,'freshwater':1,'off':4,'by':1,'.':2},'traceable':{'back':1},'ascribe':{'it':1},'aware':{'of':7,'that':1},'separates':{'the':1,'monkeys':1,'it':1},'continual':{'sinking':1,'motion':1,'motion.':1,'occurrence':1},'allies':{';':1,'in':1},'dando.':{'orang-utan':1,'young':1,'chimpanzee':1},'society.':{'professor':2},'twenty-one':{'miles--in':1},'antenna-bearing':{'segmented':1},'crest':{'to':4,'.':1,'so':1,'or':1,'of':1},'books.':{'each':1},'work':{'and':7,'associated':2,'is':6,'within':1,'as':1,'in':8,'any':1,'electronically':2,'out':2,';':2,'from':1,'recorded':1,'.':10,'to':2,'offers':1,'which':1,'under':1,'you':2,'if':1,'badly':1,'that':1,'may':1,'with':1,'by':1,'on':3,'b':1,'of':6,'well':2,'against':1,'without':2,'can':1,'the':3,'or':8},'eclipse':{'may':2,'of':7},'worm':{'invasion':1,'the':1,'on':1,'.':1},'worn':{'down':1,'and':1},'theories':{'may':1,'of':5,'to':1,'have':1,'dispense':1,'put':1},'mammalian':{'heart':1,'evolution':1,'mother':1,'golden':1},'eighteen':{'to':1},'era':{'and':2,'what':1,'there':1,'miocene':1,'jurassic':1,'of':2,'silurian':1,'when':1,'corresponds':1,'.':6,'in':3,'after':1},'transparency':{'or':1},'already':{'a':2,'existed':1,'we':1,'learnt':1,'likened':1,'spoken':1,'use':1,'dead':1,'and':1,'known':1,'been':1,'have':1,'mentioned':1,'seen':1,'the':1,'referred':2,'at':1},'ascetic':{'non-growing':1},'radiance':{'from':2},'indicated':{'to':1,'by':3,'in':1},'cited':{'as':1},'india':{'146':1,'and':1,'into':1,'it':1,'malay':1,'persia':1,'.':1},'indicates':{'a':3,'the':2},'fanciful':{'imaginings':1},'present-day':{'and':1,'forms':1,'animals':1,'science':1,'theories':1,'survivors':1,'mud-fishes':1},'immemorial.':{'in':1},'aerated':{'and':1},'handiness.':{'the':1},'inhabitants':{'of':2,'is':1},'finger-post':{'on':1},'crumbs':{'from':3},'egyptian':{'tombs':1},'nuts':{'these':1,'it':1,'193':1,'for':1},'makes':{'a':4,'and':1,'for.':1,'for':1,'no':2,'this':1,'adjusting':1,'some':1,'it':5,'us':1,'an':1,'against':1,'the':9,'tree-stems':1,'its':3,'more':1},'far':{'and':1,'less':1,'over':3,'back':1,'as':9,'at':1,'in':1,'south.':1,'beyond':1,'out':1,'given':1,'end':1,'for':1,'away':2,'since':1,'exceeding':1,'been':1,'.':2,'behind':1,'too':4,'above':2,'surpasses':1,'east':3,'more':5,'north':3,'greater':1,'that':1,'from':6,'transcending':1,'advanced':1,'on':1,'off':1,'ahead':1,'up':2,'below':2,'swing':1,'the':3,'south':1},'aerates':{'the':1,'them':1},'ordinary':{'fish':1,'tissues':1,'flower-vase':1,'single':1,'questions':1,'education':1,'tadpoles':1,'temperature':1,'chemical':1,'way':2,'mammals':1,'conditions':1,'protozoon':1,'life':2,'star':1,'wheats':1,'big':1,'routine':1,'pressure':1,'routine--not':1,'bony':1,'cells':2,'standards':1,'matter':3,'familiar':1,'mammal':1,'acceptation':1},'beach':{'which':1,'.':1},'gamble':{'writes':1,'continues':1},'discoveries.':{'already':1},'guanin':{'.':1},'fever':{'and':1},'transforming':{'the':1},'ladder':{'of':3},'after':{'and':1,'all':2,'they':3,'generation':1,'some':1,'it':1,'an':1,'satisfaction':1,'itself':1,'well-being':1,'lull':2,'another':7,'our':1,'repeated':1,'its':2,'what':1,'death':1,'fuller':1,'her':1,'cache':1,'hour':1,'by':1,'their':2,'millennium':1,'which':1,'marsh':2,'sojourning':1,'he':2,'head':1,'his':2,'branch':1,'undergoing':1,'that':2,'max':2,'william':2,'fritz':1,'five':1,'nearly':1,'birth':2,'new':1,'fifteen':1,'themselves':1,'man':1,'a':10,'spawning':2,'exposing':1,'being':1,'this':1,'floods':1,'professor':2,'prolonged':1,'element':1,'planet':1,'race':1,'t':2,'mr':1,'the':14,'marsh.':2,'wandering':1,'age':2,'lloyd':1},'movable':{'tongue':1,'.':1},'customs':{'point':1},'lay':{'their':2,'eggs':1,'there':1,'them':1,'emphasis':1},'outbursts':{'of':2,'have':1},'maxim:':{'it':1},'law':{'of':3,'.':1,'in':1,'but':1,'that':1},'meaningful':{'situation':1},'nipped':{'in':1},'elusive':{'and':1,'.':1},'cools':{'to':1},'appreciate':{'water':1,'a':1,'the':1},'greek':{'helios':1,'logos':1,'word':1,'tortoise':1,'eagle':1,'alphabet':1,'philosophers':1,'meaning':1,'thinkers':1},'verb':{'to':1},'green':{'chlorophyll':1,'yellow':1,'in':3,'plants.':1,'blue':2,'flagellates--the':1,'surroundings':1,'variety':1,'tree-snake':1,'frog':1,'hydra':2,'herbage':1,'plants':2,'ball':1,'seaweeds':1,'pigment':2,'ones':1,'phase':1,'box':1,'on':1,'grains':1,'of':1,'leaves':2,'lizard':1,'alga':1,'or':2},'parish':{'to':1},'coral-snake':{'can':1},'order':{'and':2,'than':1,'that':1,'diverging':2,'of':12,'is':1,'.':1,'to':4,'in':1,'the':1,'monkeys':1},'sandstones':{'and':2,'mudstones':1},'office':{'is':2},'borealis':{'the':1,'is':1,'would':1,'coloured':1},'satisfied':{'with':1},'pascal':{'s':1},'ancients':{'seem':1,'were':1},'japan':{'to':1},'bubbles':{'which':1},'breeding-place':{'represents':1,'corresponds':1},'yellow-crowned':{'penguin':2},'sheaf':{'of':2},'production':{'of':3,'as':1,'promotion':1},'precipitate':{'when':1,'which':1,'.':2},'split':{'so':1,'off':1,'up':5,'longitudinally.':1},'then':{'there':5,'rubs':1,'they':2,'able':1,'is':3,'violet':1,'it':8,'are':2,'have':2,'another--to':1,'consists':1,'follow':1,'intact':1,'find':1,'waited':1,'for':1,'may':1,'since':2,'uranium':1,'to':4,'another':1,'has':1,'sent':1,'supposed':1,'be':3,'we':3,'partly':1,'that':2,'our':1,'pecked':1,'took':1,'drew':1,'sprinkle':1,'imperfectly':1,'visits':1,'although':1,'endure':1,'dives--':1,'diminish':1,'unless':1,'he':2,'illustration':1,'perceived':1,'necessary':1,'succeeded':1,'wafts':1,'follows':1,'inhabiting':1,'departs':2,'a':2,'so':1,'red':1,'the':7,'round':1,'comes':1,'arose':1},'them':{'and':9,'the':3,'penetrating':1,'on':2,'insulators':1,'stream':1,'show':2,'is':2,'fall':1,'an':1,'down':1,'against':1,'as':3,'116':1,'including':1,'are':7,'have':4,'in':9,'protecting':1,'32':1,'before':2,'even':1,'sir':1,'he':1,'astronomy':1,'from':2,'would':1,'no':1,'perhaps':1,'deeply':1,'away':1,'there':1,'when':2,'off':1,'.':19,'up':2,'to':8,'call':1,'which':1,'black':1,';':2,'sluggish.':1,'was':1,'until':1,'more':1,'weigh':2,'that':2,'may':1,'after':1,'bipeds--we':1,'illustration':1,'were':1,'jumping':1,'if':1,'know':1,'they':1,'coming':1,'such':1,'now':1,'with':2,'by':2,'apart':1,'a':2,'both':1,'about':1,'give':1,'for':2,'indifferent.':1,'face':1,'always':1,'into':1,'but':1,'namely':1,'together':1,'grows':1,'though':1,'electrically':1,'conquer':1,'gigantic':1,'requires':1},'affected':{'by':4},'babies':{'born':1},'fragment':{'of':2},'locusts':{'and':1,';':1},'safe':{'and':1,'among':1,'both':1,'situations':1,'to':5,'as':1,'cradle':2,'in':2},'fabre.':{'a':1,'the':1},'young.':{'our':1,'the':1,'sec':1},'band':{'of':1,'across':1},'giraffe':{'the':1,'s':1,'coloured':1},'reconverted':{'in':1},'sack':{'of':1},'they':{'represent':2,'all':2,'show':4,'move':1,'soon':1,'go':2,'find':1,'seemed':1,'derive':1,'also':3,'swam':2,'had':5,'send':1,'actually':1,'only':1,'persist':1,'practise':1,'happened':1,'grip':1,'eventually':1,'return':1,'get':2,'propelled':1,'cannot':3,'please.':1,'affect':1,'now':1,'possess':3,'perceived':1,'showed':1,'called':1,'did':3,'die':2,'seldom':1,'hunt':1,'settle':1,'found':2,'require':1,'enjoy':1,'successively':1,'often':1,'began':3,'resist':1,'imply':1,'decided':1,'are':130,'pass':4,'differ':2,'what':1,'said':1,'stood':1,'appear':2,'served':1,'tend':1,'attracted':1,'experiment':1,'radiated':1,'got':1,'learned':1,'ever':1,'correct':1,'can':13,'crunch':1,'obey':1,'never':1,'analysed':1,'disappeared':2,'were':27,'succeed':1,'let':1,'sink':1,'become':3,'put':2,'wanted':1,'come':1,'tenant':1,'receive':1,'could':4,'keep':1,'turn':1,'range':1,'act':2,'usually':1,'think':1,'feed':3,'emerge':1,'secure':1,'render':1,'point':1,'walk':1,'fast':1,'sow':1,'beheld':1,'reached':1,'illustrate':3,'use':1,'would':9,'create':1,'breed':1,'vibrate':1,'mark':1,'swarm':1,'call':1,'too':2,'then':1,'strike':1,'inflate':1,'tell':1,'therefore':1,'manufacture':1,'enable':1,'form':4,'fall':1,'corresponded':1,'must':5,'count':1,'account':1,'include':1,'look':3,'consist':2,'wish':1,'mount':1,'originate':1,'see':1,'will':5,'remain':1,'supposed':1,'learn':1,'meet':1,'emit':1,'and':1,'sometimes':2,'proved':1,'do':9,'likewise':1,'escape':2,'say':1,'have':33,'need':3,'seem':4,'made':6,'cool':1,'occur':1,'fill':1,'lie':1,'squat':1,'migrated':1,'built':1,'deserve':1,'travel':2,'generally':1,'extracted':1,'split':1,'test':1,'roll':1,'begin':2,'may':12,'absorb':1,'knew':1,'reach':5,'gradually':2,'reflect':1,'produce':2,'develop':1,'grow':1,'died':1,'varied':1,'cause':3,'give':4,'remember':1,'resemble':2,'nevertheless':1,'register':1,'appreciate':1,'correspond':1,'walked':1,'directly':1,'justify':1,'make':3,'came':1,'left':1},'molecules.':{'there':1,'illustration':1},'lifelong':{'study':1,'external':1},'bank':{'and':3,'or':1,'.':1},'bread':{'of':1},'1.00':{'7918':1},'rocky':{'shore-pool':1,'peninsula':1,'slopes':1},'oxygen':{'and':1,'available':1,'form':2,'of':1,'.':3,'to':1,'dissolved':1,'at':1,'which':1,'in':1,'taken':1,'than':1},'respiration.':{'illustration':1},'reasonably':{'that':1,'interpreted':1},'classified':{'.':1},'backgrounds':{'such':1},'l':{'bearing':1,'.':3},'rocks':{'and':4,'on':1,'since':1,'like':1,'may':1,'of':1,'is':2,'there':1,'according':1,'but':1,'.':1,'to':1,'were':1,'so':1,'are':1,'have':1,'which':1},'--':{'fig':1,'moon':1},'reasonable':{'objection':1,'to':1,'compass':1,'fee':1,'view':1},'heaved':{'off':1},'feeds':{'on':1,'are':1,'.':1},'associative':{'cell':1,'or':2,'learning.':1},'lifted':{'into':1,'off':1},'shows.':{'sec':1},'voyages':{'discovering':1},'prawn':{'hippolyte':1,'s':1,'takes':1,'.':1},'12.--jupiter':{'showing':1},'webbed':{'fingers':1},'pigments':{'enable':1,'compounded':1},'network':{'of':4},'forty':{'seconds':1,'inches.':1,'minutes':1,'inches':1},'fellows':{'can':1},'strangers':{'it':1},'vulgalis':{'1':1},'moisture':{'and':1,'heat':1,'about':1,'in':1},'medicine':{'but':1},'forth':{'and':1,'on':1,'.':1,'their':1,'in':8,';':1,'its':2,'the':1},'swamped':{'by':1},'disputed':{'whether':1,'and':1,'that':1},'nowadays':{'called':1,'an':1},'built.':{'illustration':1},'tops':{'of':1},'monkeys--activity':{'both':1,'for':1},'sunning':{'her':2},'admits':{'of':1},'forcibly':{'ejected':1},'detecting':{'a':2,'this':1,'the':1,'by':1,'its':1},'nebulae':{'and':1,'we':1,'from':1,'like':1,'would':1,'may':1,'is':1,'there':1,'it':1,'.':1,'as':1,'promise':1,'fig':1,'besides':1,'such':1,'are':5},'rarity':{'of':3},'created':{'to':1,'from':2,'or':2,'nor':1,'in':1},'appendages':{'and':1,'the':1},'shunted':{'.':1},'creates':{'a':1},'baltic':{'to':1,'.':1,'must':1},'clouding':{'after':1},'18.--a':{'diagram':1},'render':{'the':1},'synonymous':{'with':1},'another':{'remarkable':1,'feature':1,'aspect':1,'cuts':1,'glimpse':1,'source':1,'factor':1,'save':1,'very':1,'specimen':1,'they':1,'sowing':1,'lost':1,'solution':1,'truth':1,'works':1,'side':3,'fascinating':1,'series':1,'mighty':1,'are':1,'flower':1,'plays':1,'for':1,'though':1,'expressed':1,'experiment':1,'new':1,';':1,'method':2,'note--that':1,'fourteen':1,'on':1,'of':2,'distinguished':2,'thing':1,'s':1,'tack':1,'place':2,'consequence':1,'or':1,'inducing':1,'ring':1,'quality':1,'from':2,'one--of':1,'there':2,'.':10,'way':6,'was':1,'that':1,'four-toed':1,'but':1,'part':4,'solar':1,'with':1,'flightless':2,'kind':2,'has':1,'word':1,'example':2,'acquisition':2,'and':8,'is':1,'modern':1,'it':1,'deep':1,'high':1,'as':1,'in':2,'turn':1,'possibility.':1,'till':2,'amoeba':1,'star':3,'trundles':1,'molecule':1,'effect':1,'offshoot':1,'important':1,'interval':1,'portion':1,'time':2,'the':1,'having':1,'lying':1},'twig-like':{'angle':1},'thick':{'for':1,'as':1,'but':1,'.':1,'enough':1,'treacly':1,'in':1,'mist':1,'or':1,'vapours':1},'tangle':{'of':1},'electronic':{'constitution':1,'cyclones':1,'work':11,'works.':1,'activity':1,'works':15},'illustrate':{'a':1,'evolution':1,'natural':1,'we':1,'.':1,'the':6},'power.':{'the':1},'approximately':{'and':1,'equally':1,'22':1,'calculated':1,'twenty-seven':1,'to':3,'278':1},'youthfulness':{'a':1},'colossal':{'expenditure':1,'family':1,'reservoir':1},'accretion':{'may':1,'of':1},'compromise':{'is':1},'observations':{'bearing':1,'showing':1,'he':1,'furnish':1,'of':1},'inflate':{'their':1},'john':{'and':1,'dalton':1,'the':1,'murray':3,'dewey':1},'dogs':{'are':1,'do':1,'for':1,'have':1,'elephants':1},'kiwi':{'another':2},'intestine':{'with':1},'happily':{'included':1},'diversified':{'ooze':1},'rejected':{';':1},'nurse-frog':{'alytes':1},'scorpions':{'and':2},'cereal':{'.':2},'corresponded':{'to':1},'flightless':{'and':1,'toothed':2,'bird':2,'wings':1},'greater.':{'and':1},'guile':{'illustration':1},'magnet':{'and':1,'a':1,'is':4,'there':1,'.':4,'to':1,'62':1,'279':1,'the':2,'282':1,'lifting':1},'air.':{'the':1,'iv':1},'preformed':{'weak':1,'bandage':1},'damage.':{'1.f.3':1,'it':1},'unmistakably':{'to':1},'iron':{'and':2,'copper':2,'last.':1,'an':1,'are':1,'in':1,'further':1,'blue':1,'for':1,'behaves':1,'should':1,'to':1,'which':1,'you':1,'has':1,'until':1,'filings':2,'but':1,'would':1,'age':1,'will':1,'or':2,'attracting':1},'tackled':{'a':1},'contrasted':{'with':3},'powers':{'156':1,'of':1,'is':1,'.':1,'note':1,'hitherto':1},'encumbered':{'with':1,'by':1},'regulus':{'98.8':1},'respecting':{'the':1},'lull':{'and':2,'organic':1,'calls':1,'to':1,'s':1,'describes':1,'the':1,'r':1,'points':1},'vigorous':{'and':2,'palaeolithic':1,'as':1,'but':1,'race--many':1,'race':1,'animal':1,'the':1},'contents':{'introduction':1,'is':1},'forced':{'to':1,'the':1,'molten':1},'strength':{'and':1,'enormous':1,'prompted':1,'unabated':1,'of':1,'able':1,'to':1,'in':1,'the':1},'prehensile':{'suckers':1,'tail':2},'convenient':{'to':1,'unit':1},'latter':{'will':1,'is':2,'there':1,'we':1,'part':2},'half-brutish':{'prehistoric':1},'little.':{'illustration':1},'foam-bells':{'on':1},'subjects':{'with':1},'forces':{'of':7,'animals':1},'transmit':{'vibrations.':1},'swims':{'on':1,'about':1,'right':1,'well':1,'actively':1,'in':1,'with':1},'explanation':{'even':1,'we':1,'that':1,'of':3,'what':1,'.':1,'to':1,'offers':1,'once':1},'circles':{'without':1,'round':3},'benefactress':{'while':1},'ebook':{'outline':2,'for':1,'of':2,'is':2,'complying':1,'20417':1,'or':2},'anatomy':{'physiology':1,'.':1},'extending':{'below':1},'echoes':{'of':1},'phase':{'amid':1,'adapted':1,'of':1},'nutritive':{'reproductive':1,'chains':3,'material':2,'yolk':1,'sea-dust':1,'contributions':1},'grave':{'difficulties':1,'error':1},'nostrils':{'very':1,'on':1},'calculated':{'and':1,'to':1,'that':3,'using':1,'.':1},'inferred':{'from':3},'swamp':{'and':2,'our':1,'.':1},'accounted':{'for':3,'for--may':1},'deeply':{'saturating':1,'being':1,'into':4,'here':1,'buried':1,'with':1},'eel.':{'illustration':1},'notion':{'of':3},'fitted':{'a':1,'to':1},'reserve':{'.':1},'spectroscopic':{'point':1},'eminent':{'astronomers':3,'physicists':1},'sea-anemone':{'a':1,'may':1,'is':2,'gripped':1,'s':1,'72':1,'which':1,'sixty':1,'with':1,'can':1},'subtle':{'processes':1,'that':1,'inter-relations':2,'chemical':1,'cleaver':1,'inter-relations--the':1},'enjoyed':{'about':1},'sharks':{'the':1},'resemblance':{'142':1,'to':7,'being':1,'of':1,'is':2,'in':2,'camouflage':1,'lies':1,'so':1,'between':3,';':1,'hawk':1,'tells':1},'vaporised':{'by':1},'guidance':{'of':1},'appended':{'to':1},'entities--matter':{'ether':1},'geologist':{'utilises':1,'is':1},'deepest':{'sense.':1},'clefts':{'openings':1,'are':1},'pursuing':{'food':1,'what':1},'adequate':{'idea':1,'for':1,'lasting':1},'dynamo--magnetism--ether':{'and':1},'position--it':{'is':1},'fathoms':{'and':1,'though':1,'it':1,'five':1,'have':1,'so':1,';':1},'predecessor':{'.':1},'do':{'and':2,'nothing':2,'in':3,'.':5,'copyright':1,'when':2,'actually':1,'stories':1,'we':7,'that':1,'very':2,'they':2,'not':56,'with':9,'man':1,'occur.':1,'keeping':1,'practically':1,'this':4,'still.':1,'so':2,'the':2,'or':1,'otherwise':1},'leisure':{'to':1,'time--wherein':1,';':1},'yielded':{'to':1,'two':1},'space--ether':{'pervades':1},'watson':{'showed':1},'haunted':{'the':1},'roundabout':{'road':1},'conservator':{'of':1},'vividly':{'what':1,'interprets':1},'du':{'temps':1},'dr':{'.':18},'runs':{'through':1,'totteringly':1,'so':1,'for':1,'in':1},'tantalising':{'dream':1},'sky.':{'the':1},'web-footed':{'bird':1},'irregularities':{'of':1},'iron--and':{'is':1},'rung':{'on':1,'or':1},'voice--surely':{'one':1},'analytical':{'work':1},'freshwater':{'animals':5,'snail':1,'basins':2,'mammals':1,'fish':1,'polyp':1,'mussels.':1,'but':1,'.':1,'hydra':2,'race':1,'floods':1,'mussel':2},'steam':{'and':2,'or':2,'which':1},'captures':{'its':1},'venatici':{'is':1},'observer':{'the':1,'through':1},'condensed':{'and':2,'matter':1,'the':1,'to':1,'in':1},'observed':{'that':4,'phenomena':2,'had':1,'however':1,'one':1,'through':1,'in':1,'the':1,'.':1,'with':1,'by':1,'more':1},'tree-sloth':{'of':1},'arthropods':{'and':1,'such':1,'like':1,'which':1},'donations.':{'to':1},'torrents':{'of':1},'cattle':{';':1,'the':1},'miserable':{'specimen':1},'disappear.':{'illustration':1},'draws':{'for':1},'1917.':{'a':1,'this':1,'glass':1},'away':{'and':2,'the':3,'into':2,'back':1,'an':2,'down':1,'in':5,'from':10,'beneath':1,'when':2,'.':8,'chewing':1,'under':1,'is':1,'trillions':1,'altogether':1,'immediately':1,'by':3,'e.g':1,'many':1,'leaving':1,'entirely':1,'or':3},'sites':{'of':1},'unable':{'to':3},'drawn':{'on':2,'across':1,'into':3,'approximately':3,'.':1,'to':1,'in':4,'engraved':2,'by':2,'out':1},'previous':{'chapter':4,'energy':1,'experience':1,'one--the':1,'article':1,'line':1,'page':1,'day--a':1},'encounters':{'occur':1},'hatching.':{'reflex':1},'co.':{'harpy-eagle':1,'penguins':1},'circle--which':{'means':1},'we':{'forget':1,'soon':1,'discovered':1,'not':1,'go':3,'follow':1,'find':18,'discern':1,'had':2,'should':18,'to':2,'include':1,'might':3,'hope':2,'then':2,'get':18,'read':1,'watch':2,'cannot':29,'know':50,'presume':1,'mentioned.':1,'judge':1,'now':6,'dare':2,'arrange':1,'easily':1,'ever':1,'conceive':1,'leave':1,'continue':1,'lose':1,'found':2,'hasten':1,'mean':6,'often':1,'ascend':1,'briefly':1,'see':36,'are':47,'pass':2,'fail':1,'penetrated':1,'will':5,'detect':1,'confess':1,'may':41,'state':1,'learned':1,'approach':1,'exercise':1,'refer':1,'notice':1,'knew':1,'learn':1,'ascribed':1,'here':1,'imagine':1,'put':2,'come':3,'obtained':1,'received':1,'study':2,'owe':6,'agree':1,'turn':4,'usually':2,'think':6,'already':1,'can':39,'feel':1,'lengthen':1,'actually':1,'miss':2,'speak':6,'stare':1,'use':3,'described':1,'spoke':1,'would':3,'next':1,'start':1,'live':1,'call':26,'breathe':1,'wish':1,'understand':2,'gain':1,'believe':4,'must':42,'count':1,'look':4,'recall':1,'handle.':1,'aim':1,'suppose':1,'ought':1,'were':3,'could':13,'expect':1,'control':1,'compare':1,'have':124,'do':24,'almost':1,'describe':1,'moved':1,'consider':4,'say':6,'want':1,'need':4,'seem':3,'saw':13,'thought':1,'no':1,'belong':1,'take':4,'behold':1,'picture':1,'draw':2,'repeat':1,'connect':1,'utilise':1,'shall':23,'confined':1,'stop':1,'await':1,'reach':4,'reflect':2,'admire':1,'lay':1,'recognise':1,'remember':1,'emphasise':1,'reproduce':1,'allow':2,'hear':1},'rudimentary':{'gills':1},'terms':{'imposed':1,'of':21,'will':1,'experimenting':1,'from':1,'than':1},'discussion.':{'some':1},'wm':{'.':1},'bipeds--we':{'must':1},'enters':{'a':1,'the':3},'travellers':{'which':1},'clues':{'which':1,'in':1},'caledonia':{'which':1},'stricter':{'sense':1},'linkage':{'of':1,'between':1},'kitchen':{'.':1},'received':{'opinion':1,'the':4,'from':1,'written':1,'less':1},'climate':{'and':4,'a':1,'calls':1,'for':1,'of':2,'is':1,'became':1,'has':2},'pelomyxa':{'sometimes':1},'cox':{'arrangement':1},'ill':{'all':1,'suited':1},'nordics':{'afghans':1},'germinates':{'after':1},'cod':{'feeding':1,'family':1},'receives':{'a':1,'160':1},'unsunned':{'.':1},'disappears':{'before':1,'from':2,'in':1},'collecting':{'into':1,'centre':1,'centres':1},'tough':{'living':1},'soap':{'made':1,'bubble':4,'which':1},'ganymede':{'a':1},'engulfs':{'its':1,'it':1},'tons':{'on':2,'.':1,'in':1,'to':1,'of':6},'866400':{'--':1},'eventful':{'life-history':1,'thing':1,'day':1,'retention':1},'merchantibility':{'or':1},'speak':{'of':12,'the':1,'picturesquely':1,'unpacked':1,'got':1},'broadening':{'still':1},'sperm-cells.':{'the':1},'engines':{'.':1},'flexible':{'mounting':1},'thrice':{'the':1},'leech':{'called':1},'spermatozoon':{'has':1,'fertilises':1,'or':1},'repelled':{'by':1},'families':{'genera':1,'like':2},'innocent':{'seaweed':1,'creatures':1},'plebeian':{'crab-apple':1},'attacked':{'by':1,'however':1},'concerning':{'life':1,'tax':1,'the':1},'overtax':{'the':1},'millionth':{'of':2},'coherent':{'vane':1,'.':1},'them--a':{'common':1},'elvers':{'come':1,'snuggle':1,'.':1},'applied':{'to':7,'the':2,'however':1},'has':{'migrated':1,'enormously':1,'just':1,'developed':1,'over':1,'discovered':2,'ceased':2,'its':10,'captured':2,'certainly':1,'much':2,'torn':1,'had':3,'laid':1,'destroyed':1,'to':14,'only':2,'suffered':1,'guided':1,'happened':1,'meant':2,'his':1,'far':1,'attained.':1,'begun.':1,'five':1,'got':1,'not':8,'sorted':1,'now':3,'continued':1,'learned':2,'four':2,'annihilated':1,'lost':2,'always':2,'solved':1,'mastered':1,'become':14,'cooled':1,'declared':1,'often':3,'ten':1,'some':1,'somehow':1,'calculated':1,'gnawed':1,'begun':1,'led':2,'penetrated':2,'even':1,'shown':3,'said':2,'for':1,'frond-like':1,'yet':1,'written':2,'various':1,'moons':1,'probably':1,';':2,'ever':3,'claws':1,'attended':1,'recently':2,'risen':1,'however':1,'disappeared':1,'broken':1,'found':2,'put':1,'dissipated':1,'come':5,'thrown':2,'received':1,'great':1,'mingled':1,'language':1,'of':3,'changed':3,'conquered':2,'consequently':1,'raised':1,'already':1,'followed':1,'slipped':2,'instruments':1,'transit':1,'two':3,'brought':2,'agreed':1,'been':136,'reached':2,'precisely':1,'spawned':1,'given':5,'from':1,'fallen':1,'harnessed':1,'remained':1,'three':1,'long':1,'screened':1,'2':1,'wonderfully':1,'therefore':1,'passed':1,'taken':5,'slowly':1,'entered':2,'.':1,'more':2,'suggested':1,'himself':1,'thus':1,'completed':1,'occurred':1,'but':1,'known':1,'worked':1,'gills':1,'arisen':1,'carried':1,'made':3,'this':1,'shrunk':1,'moulted':1,'nine':1,'many':1,'tackled':1,'called':1,'gone':5,'proved':1,'played':1,'almost':4,'likewise':1,'turned':1,'an':4,'helped':1,'in':3,'affinities':1,'occupied':1,'shown.':1,'grown':1,'influenced':1,'built':1,'no':3,'divided':3,'also':1,'absorbed':1,'adapted':1,'degenerated':1,'effected':1,'added':2,'gradually':1,'eight':1,'plenty':1,'a':20,'succeeded':3,'endeavoured':1,'moved':1,'upset':1,'implied':2,'so':3,'very':1,'the':8,'realised':1,'left':1},'conviction':{'the':1,'that':1},'comprehension.':{'illustration':1},'air':{'and':4,'all':1,'there':3,'just':2,'is':6,'reaches':1,'as':1,'through':1,'at':3,'in':3,'from':1,'acts':2,'when':1,'.':13,'to':1,'which':3,'6':1,';':2,'has':4,'was':1,'into':1,'be':1,'we':1,'over':1,'goes':1,'on':1,'but':1,'underneath':1,'262':1,'struggle':1,'waves':1,'with':2,'by':3,'must':1,'a':3,'water':5,'of':1,'35':1,'loses':1,'will':1,'the':2,'or':1},'aim':{'of':2,'at':1},'voluminous':{';':1},'abrupt':{'and':1},'applies':{'also':1,'the':1,'whatever':1,'to':3},'aid':{'of':1,'.':1},'voice':{'we':1,'rose':1,'is':1,'broadened':1,'due':1,'but':1,'.':1,'became':1,'expresses':1,'the':1,'was':2,'becoming':1},'amphibians--the':{'reptilian':1},'cavern':{'of':3,'the':2,'179':1},'cylinder':{'of':1},'plover':{'has':1,'from':1},'have':{'planetary':2,'followed.':1,'quoted':1,'migrated':1,'scattered':1,'discovered':4,'sunk':2,'mentioned':2,'its':1,'just':9,'regarded':1,'had':2,'to':14,'only':4,'spread':2,'meant':2,'then':1,'good':1,'returned':1,'very':3,'furnaces':1,'words':1,'shared':1,'not':12,'now':1,'illustrated':3,'failed':1,'lost':1,'ceased':1,'always':1,'traced':1,'prolonged':1,'watched':1,'mastered':1,'dealt':1,'served':1,'cooled':3,'dwindled':1,'tenanted':1,'often':1,'burst':1,'acquired':1,'some':2,'direct':1,'identified':1,'carefully':1,'taught':2,'safeguarded':1,'further':1,'living':1,'shown':4,'said':9,'discovered--pulling':1,'missed':1,'apparatus':1,'definite':1,'behind':1,'won':1,'emerged':1,'moons':1,'rotted':1,'got':4,'learned':1,'ever':1,'told':1,'we':1,'full':1,'originated':1,'peculiarly':1,'sprung':1,'here':1,'reason':2,'will':1,'found':7,'put':3,'proceeded':1,'come':4,'gained':2,'on':2,'great':1,'reared':1,'journeyed':1,'of':4,'changed':1,'greatly':1,'conquered':1,'fallen':1,'already':5,'gone':3,'appeared':1,'delighted':1,'visible':1,'maintained':1,'another':2,'reached':1,'risen.':1,'given':2,'described':1,'become':8,'exposed':1,'three':1,'been':88,'their':7,'recognised':1,'combined':1,'passed':1,'resulted':1,'travelled':1,'closed':1,'thrown':1,'from':1,'lived':2,'lungs':1,'both':1,'moved':1,'differences':1,'occurred':1,'but':1,'taken':2,'heat':1,'races':1,'protections':1,'known':1,'probably':1,'worked':1,'removed':1,'entered':3,'arisen':4,'partially':1,'made':6,'succeeded':2,'this':1,'neap':1,'considered':1,'evolved':2,'many':2,'more':1,'called':1,'at':1,'admired':1,'seven':1,'chlorophyll':1,'proved':4,'remained':2,'is':1,'thus':1,'an':3,'astonished':1,'heard':2,'as':1,'something':1,'planets':1,'in':9,'seen':18,'apparently':1,'any':1,'grown':1,'varied':2,'inborn':1,'no':14,'rather':1,'lit':1,'also':2,'stimulated':1,'read':1,'several':1,'used':1,'what':2,'most':1,'discredited':1,'plenty':1,'nothing':1,'such':1,'yielded':1,'revealed':1,'a':25,'profited':1,'scarcely':1,'to-day':3,'bilateral':2,'stupendous':1,'nevertheless':1,'thought':1,'implied':1,'so':1,'lamented':1,'mechanical':1,'the':5,'counted':1,'bodies':1,'left':2},'crowning':{'instance':1,'examples':1,'advantage':1},'exceptionally':{'smooth':1},'sting':{'the':1,'which':1,'.':1},'trilobites':{'crustaceans':1,'illustration':1,'were':1},'brake':{'on':1,'.':1},'blame.':{'after':1},'comparative':{'anatomy':1,'distances':1,'nearness':1,'psychology':1,'sizes':3},'undulatory':{'movement':1},'brilliantly':{'luminous':1},'m.c.':{'.':1},'descent':{'of':6,'that':1,'from':1,'to':1},'conclusions.':{'the':1},'patent':{'and':1},'demonstration':{'of':1},'centre.':{'as':1},'punctuation':{'of':1},'varies':{'as':1,'.':1,'greatly':1,'periodically':1},'parasitism':{'it':1},'diplodocus':{'as':1},'sheltered':{'may':1,'life':1},'accumulating':{'a':1,'and':1,'age':1,'.':1},'monarch':{'of':1},'lithium':{'three':1},'crevices':{'among':1},'wheel':{'be':1,'rapidly':1,'that':1,'when':1,'is':1,'turned':1,'will':1,'as':3,'animalcule':1,'was':1},'independent':{'methods--one':1,'of':1,'orbits':1,'stellar':1,'lives':1,'existence':1},'86500':{'9':1},'hang':{'on':1},'evil':{'associations':1},'hand':{'feed':1,'and':8,'holds':1,'is':1,'some':1,'gregariousness':1,'as':2,'in':2,'miss':1,'from':1,'there':1,'when':3,'.':1,'till':1,';':1,'was':2,'thus':1,'it':1,'with':1,'made':1,'of':8,'sometimes':1,'so':1,'the':2,'where':1},'kinnaman':{'taught':1},'patagonia':{'there':1,'.':1},'nip':{';':1},'centred':{'in':1},'kept':{'lizzie':1,'from':2,'by':1,'for':1},'whereby':{'new':1,'the':1,'distinctively':1,'energy':1},'likes--and':{'the':1},'engrained':{'instinctive':1,'enregistered.':1},'wisps':{'of':1},'contact':{'information':1,'sy':2,'links':1,'information:':1,'.':1,'the':1,'with':2},'elongated':{'and':1,'palm-bones':1,'mobile':1,'outermost':3,'oval':1,'bodies':1},'furneaux':{'life':1},'centres':{'of':7,'drawing':1},'the':{'limited':1,'practicability':1,'psycho-analyst':1,'magnetic':5,'comparatively':1,'dynamic':1,'four':3,'chameleons':1,'aegir':4,'controversial':1,'oldest':6,'muzzle':1,'brackish':1,'physiological':3,'similarity':2,'sunlit':1,'fine-grained':1,'thinnest':2,'under':3,'humerus':1,'risk':5,'arboreal':5,'aurora':5,'oceans':1,'pigment':1,'smack':1,'coal-measures':1,'gratification':1,'east.':1,'fingers.':1,'conception':2,'bringing':1,'monkeys':2,'vast':9,'internally':1,'prize':1,'parrot':1,'present.':1,'correct':1,'danger-signal':1,'succession':2,'jumna':1,'jungle-fowl':1,'breast-bone':3,'cave-lion':1,'achievements':2,'force':3,'monotonous':1,'faintest':1,'excited':1,'feathers':6,'seas.':2,'nail':2,'surrounding':9,'second':18,'street':2,'infiltration':1,'inanimate':1,'blue':6,'change.':1,'unborn':3,'beaten':1,'consequent':1,'rest.':1,'reconstruction':2,'chromosphere':4,'new':21,'net':1,'protozoon':1,'surface--the':1,'evolving':1,'lithosphere':1,'men':6,'residual':1,'atoms':26,'seven-weeks-old':1,'protection':2,'ploughed':1,'aid':1,'active':4,'evolutionist':2,'cardboard':1,'contraction':2,'dry':19,'connaissance':1,'surface-atoms':1,'frog-hopper':1,'light.':1,'credit':3,'changes':5,'skull-cap':3,'diameter':3,'stray':1,'straw':1,'highly':1,'skull-walls':1,'visible':2,'medium':5,'total':6,'unit':2,'answers-back':1,'remainder':1,'arms':6,'dog-toothed':1,'mightiest':1,'calm':1,'water-spider':2,'type':2,'pistil':1,'females':3,'lungs':1,'wary':1,'horsetail':1,'whirling':1,'glass':6,'warm':2,'adult':3,'continual':1,'organic':1,'midst':1,'circumstances':1,'abundance':3,'word':10,'mimickers':4,'accomplishment':1,'eclipse':1,'worm':3,'roof':3,'theories':2,'mammalian':1,'era':2,'appendage':1,'animal.':1,'clock-work':1,'mud-fishes':1,'phrase':7,'alternating':1,'allantois':2,'serpent':1,'climax':3,'shore.':1,'powerfulness':1,'caution':1,'oil-sheet':1,'present-day':4,'advancing':3,'absolute':2,'end':22,'thing':2,'song':1,'nuts':2,'very':19,'hot':1,'significance':3,'answer':9,'ordinary':12,'ancestor':1,'massive':2,'poker':4,'rise':2,'minority':1,'mouths':2,'ptarmigan':2,'abdomen':1,'diagram':9,'dinosaurs':1,'wrong':2,'pearl-bearing':1,'vase':1,'domed':2,'types':1,'amoeboid':1,'leplay':1,'third':11,'spout':1,'headquarters':1,'greek':7,'green':8,'ultimate':4,'things':1,'sun.':13,'order':9,'wind':9,'blind':1,'interpretation':3,'alternation':1,'sheltering':1,'orang':7,'underside':1,'fore-limbs':4,'thesis':1,'ancients':2,'spontaneous':2,'famille':1,'breeding-place':2,'fit':1,'crew':1,'better':2,'woolly-haired':1,'production':3,'hidden':1,'gateways':1,'sea-water':3,'swim-bladder':1,'combination':2,'tree-stems':1,'young.':1,'revelations':1,'giraffe':1,'effects':2,'monarch':1,'stars;':1,'bank':2,'bread':1,'shadows':1,'dingo':2,'rocks':9,'good':4,'fertilised':8,'victory':1,'arrow':2,'side':4,'associative':1,'telescope.':1,'development':10,'telescope':10,'series':2,'principles':3,'solution':4,'contracting':1,'wave-lengths':1,'laboratory':3,'dawn':9,'ring':2,'pigments':1,'gibbon':5,'quality':5,'ice-sheets':1,'method':9,'reader':6,'heavenly':2,'revolving':1,'newly':4,'size':25,'langur':1,'foundation':12,'perception':1,'carcass':1,'wave-length.':1,'eternal':1,'strata':1,'free':4,'standard':1,'sensory':3,'skin.':1,'ancient':6,'formation':5,'struggle':15,'estimate':1,'heat':11,'ultra-violet':1,'publication':1,'enormous':5,'grasses':1,'days':1,'adjustment':1,'baltic':2,'purpose':2,'arrows':1,'wasp':2,'unlit':1,'peculiarity':1,'scissors':1,'thick':1,'ditch':2,'electronic':2,'mercury':1,'pelagic':1,'top':11,'neck':4,'heights':1,'legs':2,'genesis':1,'vapoury':1,'kiwi':2,'fiery':1,'instreaming':1,'fibrous':1,'diversified':1,'sciences.':1,'bell.':1,'floor.':1,'wisdom':1,'nurse-frog':1,'glumes':1,'somewhat':2,'evil':1,'peculiar':2,'flightless':1,'distance':13,'yerkes':7,'tree':2,'atom.':1,'final':5,'project':31,'matter':7,'flame':1,'historical':2,'shore-waters':1,'feeling':1,'acquisition':1,'groaning':1,'pliocene':5,'mind':18,'spectrum':9,'raw':4,'seed':1,'manner':1,'nervures':1,'rock-pool':1,'relatively':8,'strength':1,'prehensile':1,'thoroughly':1,'latter':7,'potentialities':1,'snow':3,'sound':3,'toothed':1,'subjects':1,'doors':2,'beta-rays':1,'shallow':2,'permian':8,'multicellular':1,'king-crab':1,'centres':1,'changefulness':1,'vermiform':2,'mouth':10,'letter':2,'echoes':1,'coil':4,'nutritive':1,'refractor':2,'ultramicroscope':1,'photosphere.':1,'episode':1,'professor':1,'metal':3,'dog':5,'orderly':1,'points':2,'principle':5,'sun':188,'nineteenth':8,'notion':2,'marvel':1,'pollen':1,'spikelets':1,'insects':2,'sea-anemone':4,'attempts':1,'subtle':1,'availability':1,'lessons':1,'ear.':1,'resemblance':5,'quaint':2,'pleistocene':2,'sentence':1,'geologist':2,'fifty-foot':2,'rich':1,'gods':1,'population':3,'plate':4,'mixture':2,'above':11,'fluid':2,'foremost':1,'bat':3,'covering':1,'bay':1,'discs':1,'contrast':2,'freshwater':6,'ears':1,'lettering':1,'observer':1,'habit':5,'radium':4,'outgoing':1,'zones':1,'tree-sloth':1,'full':14,'radius':1,'result':15,'disturbing':1,'rarity':2,'best':4,'subject':4,'pebbles':1,'capacity':2,'palaeolithic':2,'rings':1,'artificial':1,'paternal':1,'mud':7,'score':2,'toad':3,'simplest':9,'approach':1,'hatching.':1,'discovery':23,'terms':12,'nature':23,'confusion':1,'weak':1,'physicist':5,'sand-crab':1,'lurching':1,'larynx':1,'aquarium':1,'extent':2,'carbon':1,'flowering':1,'debt':1,'well-lighted':1,'kitchen':1,'tyranny':3,'behaviour':16,'climate':3,'outcome':13,'sperm-producer':1,'triggers':1,'earth.':7,'heating':1,'feathering':1,'cod':2,'distinction':2,'genus':1,'fore-leg':2,'repertory':1,'discolorations':1,'inquisitive':1,'purling':1,'path':5,'grazing':1,'sperm-cells.':1,'basis':3,'union':3,'three':6,'tiny':3,'trigger':6,'interest':1,'fry':2,'exactness':1,'spermatozoon':3,'life':7,'beach.':1,'deeper':2,'plebeian':1,'eastern':1,'abyssal':1,'conifers':1,'millionth':2,'mazy':1,'child':6,'elvers':1,'centrosome':1,'ether.':1,'exception':1,'adaptations':1,'air':39,'aim':1,'neat':1,'fainter':1,'property':1,'study':6,'natives':1,'seven':3,'crowning':1,'equator':5,'photographer.':1,'player':1,'comparative':3,'undulatory':1,'mouse':1,'descent':2,'belle':1,'punctuation':1,'daughter-units':2,'siamang':1,'complex':1,'peopling':3,'belly':1,'reptilian':2,'vegetable':1,'snow-line':1,'several':1,'european':2,'wheel':7,'independent':1,'georgics':1,'milky':13,'tops':1,'rain':1,'hand':9,'characters':1,'tune':1,'tassel':3,'stimuli':1,'ocean':5,'materials':1,'greatest':13,'arrow-worms':1,'claims':1,'marsupials':1,'musical':1,'left':5,'sea-skimmers':1,'just':1,'planetesimals':1,'vaporisation':1,'sporting':1,'mending':1,'disguise':2,'neanderthalers':1,'human':25,'facts':15,'yes':1,'emergence':7,'previous':3,'thyroid':3,'terrific':1,'hills':2,'infinitely':1,'old-fashioned':1,'royal':1,'salmon--forming':1,'evidences':3,'thickening':1,'long-lost':1,'board':1,'gaboon':2,'east':1,'eocene':2,'laying':1,'elevation':1,'advances':1,'survival':1,'sussex':1,'vulture':1,'possible':3,'forester':1,'photosphere':9,'birth':2,'partridge':1,'shadow':2,'rough-and-tumble':1,'shoulder':1,'war.':2,'insurgent':1,'precise':3,'sand-hoppers':2,'autumn.':1,'x-rays.':1,'enregistered':2,'mosquito':2,'night':1,'amoebae':1,'portuguese':2,'right':12,'old':13,'people':2,'crown':2,'dead':1,'clawed':1,'winds':1,'inorganic':2,'rill':1,'intellect':1,'orchid':1,'dense':1,'rhine':1,'bottom':6,'ear':7,'opposite':5,'fox':2,'distrust':1,'ice':3,'flounder':2,'loins':1,'tertiary':1,'seals.':1,'colour-cells':2,'beating':2,'monkey-ape-man':1,'palatable':1,'energy':36,'illustration':5,'cork':1,'shifting':1,'capacious':1,'flinty-shelled':1,'blackest':1,'properties':2,'chapter':1,'skin-twitching':1,'limitation':1,'boiling':1,'cloudlets':1,'ribs':1,'o':1,'wave-length':1,'horizon':1,'herring-gull':1,'efforts':1,'ores':1,'lamprey':1,'primitive':3,'cloud-screen.':1,'dilemma':1,'variations':1,'scantier':1,'peppered':1,'son':1,'contrasts':1,'bricks.':1,'doctrine':1,'spores':1,'palaeozoic':4,'indispensable':1,'flying':9,'sunlight':7,'class':2,'conservation':1,'physicists':2,'fraction':1,'dorsal':1,'war':4,'lowest':5,'head':8,'marten':1,'form':10,'fully-formed':1,'becoming':1,'differences':2,'peninsula':1,'quiet-flowing':1,'same.':1,'solar':35,'minuteness':2,'true':5,'otter':3,'continuance':3,'reproductive':2,'ancestral':1,'bounds':1,'centipede':1,'economic':1,'bird-dropping':1,'egg-eating':1,'palm':1,'cosmos':1,'stages':1,'temper':1,'passenger':1,'juvenile':2,'strengthening':1,'hotter':1,'heidelberg':4,'seeds--and':1,'mirror':2,'palm;':1,'evidence':2,'candle':1,'ship':3,'physical':4,'mediterranean':3,'solicitation':1,'inborn':3,'floor':8,'font-de-gaume':2,'negatively-electrified':1,'tip':4,'reality':3,'successful':2,'nestling':1,'setting':2,'papers':1,'superfluous':1,'robber-crab':5,'picture':7,'ordovician':2,'palms':1,'teats':1,'braking':1,'diet':1,'genealogical':2,'irs.':1,'dullest':1,'discharge':2,'thorax':1,'immemorial':1,'stamens':2,'bullet':2,'daily':1,'collared':1,'gorilla':4,'reception':1,'time':19,'skull-cap.':1,'serious':1,'nuclei':1,'tigris':1,'breadth':1,'irrigation':1,'concept':1,'chain':1,'limbless':1,'colour-change':1,'varying':3,'brownian':4,'focus':1,'hind-legs':2,'nerve-cord.':1,'skin':14,'jointed-footed':1,'primeval':4,'retention':1,'layers':2,'inverse':1,'essentials':1,'father':5,'passage':4,'environment':4,'unpleasant':1,'reptiles':2,'walking-fish':2,'ulna':1,'division':1,'protective':2,'month.':1,'advantage':2,'rotifer--we':1,'liability':1,'aesop':3,'first-known':1,'nesting':1,'exact':2,'minute':3,'cool':1,'dim':1,'level':4,'sedimentary':3,'gum':1,'magnet':4,'crustacean':1,'backboneless':2,'speculation':1,'accumulation':1,'upper':23,'work':19,'occurrence':3,'findings':1,'full-grown':2,'piltdown':5,'hair.':1,'trent':4,'bacteria':2,'spectral':1,'leaf-butterfly':1,'constitution':4,'assistance':1,'axes':1,'stomach.':1,'current':6,'supporting':2,'coccyx':1,'honour':1,'hairs':3,'evolution-idea':4,'anvil.':1,'whiteness':1,'water':49,'guise':1,'cave-bear':1,'twentieth':1,'address':1,'dwindling':2,'teacher':1,'change':5,'pearly':8,'brilliant':1,'shift':2,'dublin':1,'trial':2,'stomachs':1,'suggestion':3,'weird':1,'copper.':1,'mimicked':4,'elect':1,'seashore':8,'littoral':2,'cuttlefishes':3,'working':2,'sake':1,'positive':2,'anatomical':2,'prey':2,'flaunting':1,'negroes':1,'australian':6,'angels':1,'fish-eating':1,'diurnal':1,'water-ouzel':1,'apparent':3,'malay':1,'minnows':2,'appendix':1,'virtue':1,'cases':1,'easiest':1,'opossums':2,'sum-total':1,'sea-anemones':2,'cat':1,'hardest':2,'jetsam':1,'mortality':1,'following':6,'making':7,'fauna':6,'coral':3,'stimulating':1,'streak':1,'heart':6,'portals':1,'wrist-bones':1,'reflector':2,'figure':5,'frogs':1,'bulkiest':1,'stroke':1,'chin':1,'octopus.':1,'rays':15,'requirements':1,'winter':5,'comb-bearers':1,'inheritance':1,'dispositions':1,'means':4,'species':3,'chemical':6,'vital':5,'candle.':1,'fourth':4,'elephant':4,'dominance':1,'economy':1,'burrowing':1,'southern':3,'date':2,'behaviour--experimenting':1,'man':6,'branches':10,'outline':9,'liquid':4,'unimportant':1,'corona':3,'darkened':1,'african':2,'basket':1,'bolometer':1,'outflowing':2,'shield':1,'gradual':6,'pointed':1,'years':1,'brain':23,'experiments':6,'statements':1,'cold':4,'insurgence':2,'birds':3,'tendency':5,'nucleus.':2,'solitary':1,'limbs':1,'ice-fields':2,'thumb':5,'rhizopods':2,'interesting':3,'presence':4,'flesh-and-blood':1,'aquitania':1,'attraction':1,'creations':1,'spacious':1,'main':28,'meridian':2,'bird.':1,'evolution':45,'records':3,'archaeozoic':1,'tails':1,'water-shrew.':1,'not':1,'widespread':1,'halo':1,'term':2,'name':4,'seaweed-growing':1,'advent':1,'gill-slits':1,'careless':1,'jellyfish':2,'rock':9,'turtle':2,'sugary':2,'square':3,'reeds':1,'torch':1,'treacherous':3,'challenger':1,'fires':1,'year':6,'monitors':1,'neighbourhood':1,'living':18,'factors':6,'amnion':2,'greeks':3,'increase':2,'miles':1,'ladder':1,'overflowing':1,'ascendant':1,'theory':14,'soap-bubble':1,'divergence':3,'possibility':12,'quite':1,'quart':2,'intruding':1,'advantages':2,'sunlight.':1,'fuller':1,'obligation':1,'marine':2,'inevitable':1,'card':2,'care':1,'advance':2,'language':1,'selections':1,'transition':5,'british':5,'ostrich':1,'motion':2,'disguises':1,'place':8,'invalidity':1,'deep-sea':4,'close-set':1,'star':6,'frequent':2,'first':71,'origin':14,'one':21,'long':15,'conifer':1,'message':6,'open':29,'millions':3,'sheep':3,'little':5,'law':3,'silent':1,'spiral.':1,'bite':1,'callous':1,'plastic':1,'stimulation':1,'plains':2,'cooling':2,'2':1,'pockets.':1,'moisture':1,'white':11,'lingering':1,'vapours':1,'gravelly':1,'eyes':8,'way':18,'starfish':1,'brains':2,'canine':1,'seat':3,'photographic':9,'splendid':1,'pterodactyls':2,'cracks':1,'effective':1,'three-spined':1,'crowded':1,'coco-palm':1,'future':11,'fertilisation':1,'cards':2,'gigantic':1,'mariner':1,'photosynthesis':1,'sublime':3,'coconut':1,'rooks':1,'spectroscope:':1,'ant':3,'spectroscope.':1,'lens-shaped':2,'buried':1,'maximum':1,'zoo':1,'snout':2,'sciences':1,'potential':1,'fracture':1,'online':2,'interior':7,'performance':2,'jungle':5,'closer':1,'sure':1,'chromosomes':1,'normal':4,'azores':1,'indelible':2,'price':1,'molecule':1,'falls':2,'visitors':1,'beta':5,'successive':5,'pair':1,'thigh-bone':1,'average':7,'freshwaters':9,'hungry':1,'bustard':1,'tooth':1,'idea.':1,'quiescent':2,'salt':1,'laws':4,'detective':1,'walking':1,'discoverer':1,'merit':1,'gill-cover.':1,'bright':3,'threshold':1,'line':7,'ground':23,'slot':2,'nemesis':2,'ratio':2,'gulf':1,'germ-cell':1,'treasure':1,'proportion':2,'only':13,'down-breaking':1,'black':5,'uppermost':1,'down-rushing':1,'lighted':1,'supra-renal':2,'bittern':1,'freezing':1,'midriff':1,'truly':1,'duckmole':4,'remoter':1,'mud-flats':1,'negative':4,'lighter':2,'primates':4,'clearest':1,'pollen-nucleus':1,'fanciful':1,'parasitic':1,'morning':2,'naked':2,'penguins':1,'sea--the':2,'london':1,'pituitary':1,'vision':1,'kernel':1,'oven':1,'seas':6,'lancelets':1,'silurian':4,'stars--or':1,'relative':4,'1921':1,'stigma':1,'concentric':1,'wonder':2,'ways':5,'subsequent':1,'sites':1,'under-skin':2,'colours':4,'outside':4,'chimpanzees':1,'moons':2,'man.':2,'volvox':1,'notice':1,'parent':10,'eye':20,'screen':7,'rapidly':1,'big-brain':4,'sea.':5,'proterozoic':1,'article':2,'cities':1,'dates':1,'successes':1,'many':1,'region':2,'sodium':1,'quiet':1,'altamira':4,'man-ape':2,'flipper':3,'wheels':1,'expression':4,'surface.':2,'moon;':1,'generalisation':1,'brightly':1,'color':1,'colony':3,'period':7,'spinthariscope':1,'learning':1,'boar':1,'constant':1,'pod':1,'skeletons':2,'sun-spots':1,'fitful':2,'late':5,'west':3,'shortening':2,'combined':1,'reflex':1,'exhaustion':1,'fiftieth':1,'direction':9,'gist':2,'circumference':2,'haunt':1,'sea-horses':1,'external':3,'infusorians':1,'careful':2,'spirit':2,'robber':1,'case':37,'breast.':1,'caucasians':1,'developing':4,'co-ordination':1,'mount':4,'prominence':1,'dints':1,'situation':2,'margin':3,'moon.':1,'coolest':2,'characteristics':2,'nautical':2,'middle':5,'regularity':1,'sudden':3,'tse-tse':1,'eras':1,'unsounded':1,'beaver':5,'jackdaw':1,'floating':6,'movements':9,'rungs':2,'helmet':1,'different':8,'alphabet':1,'same':99,'eggs--up':1,'food':10,'inquiry':2,'agitated':1,'grain':1,'status':1,'oyster-catcher':1,'oil':1,'vestigial':2,'arctic':1,'director':1,'running':1,'edges':5,'delicate':3,'equatorials':1,'changing':2,'perennial':1,'constitutional':1,'severe':2,'frontispiece':1,'bottle':1,'model':1,'otherwise':1,'bodies':1,'overcrowding':2,'summer':3,'money':1,'armour':1,'egg-cell':1,'rest':6,'down-drifting':1,'rule.':1,'potentiality':1,'differentiation':1,'speed':16,'captured':1,'death':2,'widest':3,'hint':1,'bricks':3,'golden':1,'geological':6,'meteorite':1,'hind':2,'dovecot':1,'heavier':3,'skies':1,'real':2,'bitterling':3,'spectacular':1,'rules':1,'outermost':1,'non-digitate':1,'tissues':2,'early':13,'water-measurers':1,'vacuum':1,'cavern':3,'world':46,'part':7,'left-hand':3,'sensational':1,'fossils':2,'oxygen':3,'exquisitely':1,'velocities':1,'multifarious':1,'sieves':1,'benefit':1,'downward':1,'sharp':1,'twelve':1,'night-light':1,'exposed':1,'splash':1,'cathode':1,'pacific':2,'astronomer':6,'duration':1,'pasture':1,'racial':1,'ascent':6,'extinct':3,'gross':1,'calculating':1,'prolific':2,'intricacy':1,'memories':2,'tube':11,'moon':76,'pioneer':3,'critical':2,'lunar':2,'particles':12,'others--the':1,'welcome':1,'wheat':2,'buckling':1,'power':16,'sixth':2,'nails':1,'stereotyped':2,'substratum':1,'broken':1,'alps':1,'resurrection':1,'comparison':1,'stone':1,'ear-trumpet':2,'central':9,'piety':1,'insect':9,'shrimp':1,'addition':1,'wolf':3,'act':3,'pre-human':1,'amber':1,'freeing':1,'lands':2,'fertile':2,'sea-grass':1,'burning':1,'instruments':1,'spreading':1,'surinam':1,'spinal':4,'sneering':1,'rising':1,'elementary':1,'mark':1,'shrinking':2,'shells':1,'bristles':1,'literal':1,'dispersion':1,'strict':3,'world--weighs':1,'low':1,'stars':39,'house':2,'macaques':1,'hen':1,'bubble':4,'fish':6,'continents':3,'mammals':4,'prawn':1,'manipulative':2,'strenuous':1,'elimination':1,'parasites':2,'hottest':1,'land.':1,'wild.':1,'pull':1,'largest':9,'circulation':2,'stoneless':1,'multiplicity':1,'electroscope':1,'nearest':7,'pre-cambrian':1,'grasp':1,'shell.':1,'grass':3,'mimicked.':1,'moles':2,'vedda':1,'dangerous':1,'sinking':1,'lingula':1,'deep':10,'general':23,'imagination':3,'sun--measuring':1,'at':1,'planets':19,'cathedral':1,'corresponding':3,'film':3,'tedious':1,'beds':2,'inflated':1,'shore-haunt':6,'field':4,'prism':3,'polar':8,'vocabulary':1,'bacillus':1,'shelter':2,'planet.':1,'carnegie':2,'important':5,'nucleus':12,'marshes':1,'environing':1,'queensland':1,'sun--a':1,'pool':3,'network':1,'building':1,'condensation':2,'remote':1,'difficulties':7,'mimic':2,'tree-tops':1,'ovary':1,'starting':1,'original':13,'pheasant':1,'skeleton':2,'founder':1,'peacock':1,'lack':1,'muscle-fibres':1,'milt':1,'month':9,'light-waves':1,'upkeep':1,'welfare':2,'plodding':1,'causes':1,'synthetic':2,'stored-up':1,'number':14,'remarkable':2,'inexhaustible':2,'former':1,'tail':10,'boiling-point':1,'friction':1,'safety':3,'presentation':1,'activities':1,'turnips':1,'worse':1,'devonian':8,'chameleon':2,'far':9,'coloured':5,'worm.':1,'psychologist':1,'verb':1,'fan':1,'sandstones':1,'fall':3,'difference':2,'forking':1,'accompanying':1,'stimulus':2,'ceaseless':1,'list':1,'applicable':1,'caucasian':1,'large':9,'sand':1,'three-millionth':3,'small':11,'mammal':6,'locomotive':2,'trumpeting':1,'still':2,'fringing':1,'cannonade':1,'197':1,'reins':2,'past':16,'intricate':1,'rate':10,'invention':1,'double-slide':2,'creatures':1,'lung-fishes':1,'swampy':1,'darkness':2,'consumers':1,'clock':3,'deeply':1,'crust':2,'emotions':1,'thickness':3,'public':3,'multitude':1,'movement':2,'creature.':1,'toes':1,'malaria':2,'martians':1,'compilation':1,'loose':3,'component':1,'answers':3,'hours':1,'threads':2,'trunk':1,'directions':1,'strong':2,'transformation':2,'search':2,'teeth':5,'difficulty':1,'riviera':1,'experimenting':3,'unproved':1,'amount':3,'social':3,'action':4,'slope':2,'narrow':2,'elongated':2,'cataract':1,'tides.':1,'family':1,'spawning':3,'utilisation':2,'chalk':1,'globes':2,'vertebrae':2,'extinction':1,'herring':1,'life-histories':2,'taker':1,'eye--we':1,'two':30,'almost':4,'cultivation':1,'soil':3,'mysterious':4,'jurassic.':1,'ovules':2,'minor':1,'more':18,'scotia':1,'door':2,'substances':1,'text.':3,'emission':1,'chimpanzee':5,'instrumental':1,'stick':3,'particular':9,'foundations':1,'straight-haired':1,'weathering':3,'presumed':1,'fleece':1,'primate':2,'science':3,'centrifugal':1,'moisture-laden':1,'lung-fish':1,'lamp-shell':2,'male':18,'radiations':1,'history':14,'beautiful':6,'shark':1,'nautilus':1,'brown':8,'wave.':1,'brain-mind':1,'autumn':2,'sphere':1,'sense':10,'pond':3,'dress':1,'offspring':2,'salts':3,'axis':1,'terrestrial':4,'huge':3,'upbuilding':1,'starting-point':2,'breaking':1,'milk':1,'oligocene':2,'everyday':2,'glowing':2,'friction.':1,'sacred':1,'freezing-point':3,'daughter-cells':1,'creature':17,'simplicity':1,'plant':5,'salt.':1,'paloloworm':1,'trial-and-error':1,'triumphs':2,'plane':1,'pupae':1,'adventure':1,'polynesian':1,'waves':20,'invasion':4,'inconceivable':1,'a':1,'short':4,'dispersion--that':1,'coat':1,'spectra':1,'buns':1,'coal':1,'shore':34,'tentacles':2,'fundamental':8,'egg':4,'triassic.':1,'bustle':1,'pans':1,'infant':1,'earthworm':3,'help':1,'copper':1,'winged':1,'much-disputed':1,'mission':1,'cross':2,'attitude':1,'scientist':1,'lanugo':1,'existence':5,'kinetic':1,'visceral':1,'roots':2,'thirtieth':2,'arteries':1,'thrilling':1,'systema':1,'tickings':1,'lateral':1,'conjugation':1,'actually':2,'bell-animalcules':1,'absence':4,'parts':4,'microscopic':4,'founders':1,'mammal--instinctive':1,'partitions':1,'sheaves':1,'lowell':1,'evening':1,'reappearance':1,'motley':1,'males':2,'primary':5,'framework':2,'walls':5,'iridescent':1,'foot':2,'linking':1,'adventurous':1,'association':2,'cambrian':8,'mystery':2,'slipper':3,'mathematician':3,'ashes':1,'positions':1,'neanderthalers--the':1,'cavendish':1,'physiologically':1,'heavy':3,'reactions':1,'mental':4,'weight':1,'wall-like':1,'colder':1,'hare':3,'notochord':3,'ripple':1,'balance':3,'event':1,'croaking':2,'really':1,'mottled':1,'neanderthal':12,'pigeon':3,'abysses':3,'nautiloids':1,'fountain':1,'dying':1,'issue':1,'prominences':1,'meteoric':1,'foreground':1,'belief':1,'protruding':1,'story':19,'extraordinary':4,'reason':8,'base':6,'brightest':1,'members':7,'heads':2,'earliest':7,'beginning':39,'revolutionary':1,'producers':2,'albatross':1,'american':1,'fruit':1,'circuit':2,'expedient':1,'mangrove-trees':2,'solidly':1,'knots':2,'flood':1,'reversing':1,'moorhen':2,'probability':5,'radical':1,'bullies':1,'song-thrush':2,'antiquity':2,'well-known':3,'dust':2,'scots':1,'warty':3,'soapy':1,'earthworms':2,'idea':10,'horse':10,'tadpoles':2,'temperature':16,'introduction':2,'leading':1,'light-gatherer':1,'least':5,'assumption':1,'statement':2,'scheme':1,'danger-call':1,'muscles':3,'storm':2,'glow':1,'tides--another':1,'immediate':3,'basal':1,'treasures':1,'parr':1,'rifle':1,'prodigious':1,'selenium-cell':1,'modes':1,'kind':5,'observatory':1,'tunic':1,'kindly':1,'parent--little':1,'double':2,'vocal':1,'recording':1,'contrary':1,'risks':5,'egg-cells':1,'head.':1,'playing':3,'anthropoid':10,'stickleback':3,'outstanding':1,'heaviest':3,'ages':8,'well-developed':1,'colour-resemblance':1,'elaboration':1,'egg.':3,'hare--with':1,'organs':1,'gathering':1,'mountain':5,'dancing':3,'speculative':1,'cave':1,'peculiarities':1,'majority':3,'internal':4,'lip':1,'useless':1,'day.':1,'play':3,'electric':13,'capillaries':1,'eggs':21,'measures':1,'salmon':17,'depths':5,'most':67,'alpha':2,'extremely':2,'approved':1,'head-end':1,'equatorial':2,'whalebone':1,'prolongation':2,'clear':1,'instrument':6,'transmissibility':1,'seething':1,'electrons':15,'artistic':1,'velocity':5,'notch':1,'organism':6,'stones':5,'far-flung':1,'open-minded.':1,'gold':1,'fins':1,'wayside':1,'relation':2,'heavens':18,'fine':7,'find':1,'impact':2,'giant':1,'copyright':6,'spineless':1,'nervous':1,'earth-moon':1,'experiment':3,'quadrupedal':1,'circle':1,'indifference':1,'cromagnards':1,'hip':1,'dominant':1,'gains':3,'permission':2,'adventurers':1,'sunny':1,'shore-pools':3,'germ-cells':6,'earth--as':1,'actions':1,'compass':1,'journey.':1,'eye-piece':3,'chick':1,'sleeve':1,'body.':1,'alteration':1,'underlying':1,'common':9,'liver-fluke':1,'river':6,'californian':1,'rhodesian':4,'bars':1,'estuaries':1,'intelligence':3,'touch':2,'individual':15,'migration':1,'long-fingered':1,'walking-stick':1,'close':1,'precursors':1,'arm':3,'spirited':1,'probable':1,'distinctive':1,'taming':1,'smallest':8,'various':13,'conditions':7,'aeons':1,'supposed':1,'beetling':3,'iron':5,'unconscious':2,'web':1,'sole':2,'jaws.':1,'craters':1,'spectroscopic':1,'eustachian':2,'incident':1,'invisible':7,'inertia':1,'colonisation':1,'prospects':1,'last':16,'reverse':1,'distinctively':1,'annual':1,'harpy':1,'sensitive':1,'connection':2,'amoeba':1,'picture.':1,'earth--an':1,'cloud-like':1,'whole':42,'experimental':1,'sloth':1,'point':6,'simple':7,'others':1,'proton':1,'newborn':2,'unicellular':1,'puzzle-boxes':1,'incandescent':1,'unsuccessful':1,'lamprey--a':1,'startling':1,'moon--the':1,'java':8,'miocene':3,'originators':2,'crocodiles':1,'damp':1,'vertebrate':1,'intricacies':1,'secret':6,'maintenance':1,'widening':1,'yolk-laden':1,'empty':4,'modern':25,'flight':1,'squirrel':2,'fire':2,'gas':2,'amphibians':4,'gap':1,'races':1,'formless':1,'indivisible':1,'plants':5,'top--the':1,'solid':5,'straight':1,'bill':1,'routes':1,'pace':1,'error':1,'robin':1,'underground':2,'fore-limb':3,'century':1,'moth':2,'obstacle':2,'cerebrum':1,'simian':3,'atom--the':1,'currents':1,'twofold':1,'forewing':1,'undersides':1,'beune':2,'shorter':1,'stimulated':1,'shad':1,'ray':3,'yucca':6,'composition':2,'higher':14,'unwary':1,'used':1,'optic':1,'u.s.':1,'moving':6,'user':1,'dark':9,'lower':16,'older':1,'spectrum.':1,'people.':1,'consistence':1,'obviously':1,'person':4,'edge':5,'meridian.':1,'scouring':1,'distances':4,'endeavour':1,'migratory':1,'matter.':1,'isolated':1,'shape':7,'atomic':2,'questions':1,'useful':2,'praying':2,'continent':2,'spinners':1,'profitable':3,'superficial':1,'conclusions':1,'scales':3,'humanoid':3,'source':8,'parents':3,'remaining':3,'silken':2,'overhanging':1,'forces':6,'big':11,'sensatory':1,'game':1,'necessary':1,'bit':1,'earth--making':2,'wings':11,'vapour':1,'ponds':1,'photosphere--the':1,'tail.':2,'neanderthaler':1,'shapes':1,'bootlace':1,'well-poised':1,'individuals':1,'popular':3,'disorder':1,'essential':9,'gibbon.':1,'methods':3,'course':24,'spring':3,'last.':1,'back':15,'yolk':1,'diamond.':1,'martian':1,'mighty':1,'sight':1,'steam-engine':1,'curious':1,'gradually':1,'scale':6,'microbes':1,'flux':1,'fifty-millionth':1,'bushy-tailed':1,'pounding':1,'comet':5,'egg-shell':2,'scaly':1,'life-history':3,'object':3,'universe.':3,'protrusible':1,'nasal':1,'agreement':1,'forming':1,'stem':1,'step':1,'more-pork':1,'race--there':1,'nerves':1,'tidal':1,'intense':1,'analysing':1,'web-wing':1,'tortuous':1,'ear-bones':1,'range':2,'gamma':1,'conquest':5,'appropriate':2,'chalk-forming':2,'deep-violet':1,'question':12,'gases':1,'frog':4,'mimicry':2,'mountains':4,'glamour':1,'moon--meteors':1,'atlantic':5,'legs.':1,'atom':27,'adults':1,'coldest':1,'crane':2,'dull':1,'drifters':1,'skull':5,'characteristic':2,'spectroscope':32,'sifting':4,'stalking':1,'planet':17,'exploration':1,'mature':1,'diameter.':1,'sea-urchin':1,'x-ray':1,'non-living':1,'aerial':1,'protrusive':1,'flow':5,'paving-stones':1,'influence':2,'entrance':3,'metals':1,'char':1,'problem.':1,'single':1,'diving':1,'kidney':1,'cotton':1,'rainbow':4,'intrepid':1,'puzzling':1,'prerogative':1,'uranium':2,'occasional':1,'reputation':1,'electrical':1,'amphibian':2,'milk-glands':1,'elements':4,'small-brained':1,'energetic':1,'beginnings':3,'crouching':1,'backbone':8,'problems':1,'lens':2,'meaning':9,'restoration':7,'fruit-fly':1,'fishes':8,'stoppages':1,'sides':4,'structure':8,'land':7,'age':8,'orbit':2,'unhatched':2,'big-brained':2,'once':3,'hampton':2,'saying':1,'results':9,'mantle':2,'aristocrat':1,'conservative':1,'disintegration':2,'magnifying':1,'depletion':1,'young':42,'arid':2,'cradle':5,'blaze':1,'masculine':2,'coco-palms':1,'details':2,'gravel':1,'little-brain':5,'stupefying':1,'breathing':2,'club-moss':1,'wave':1,'electron':19,'entire':7,'archaeopteryx':2,'stiff':1,'fur':1,'button':1,'anxious':1,'race':10,'verdict':1,'sedentary':3,'poles.':1,'blood-fluid':1,'elk':1,'smaller':5,'booty':1,'lightest':3,'procession':3,'euphrates':1,'rivers':9,'noise':1,'munitions':1,'sifting-out':1,'makers':1,'scientific':9,'south':10,'zest':1,'opaque':1,'waning':1,'paddle':1,'hereditary':1,'ape-man':1,'indian':3,'poles':4,'flowing':1,'bird':18,'body':50,'hypothesis':3,'degree':3,'leg':4,'kangaroo':1,'outlying':1,'youngest':2,'growing':1,'river.':1,'boot.':1,'separation':2,'frilled':1,'consideration':1,'physiology':1,'little-brained':1,'extreme':1,'stellar':4,'great':80,'northern':1,'wandering':1,'larger':5,'haunts':3,'resulting':1,'mussel':1,'guidance':1,'apple':1,'danger':1,'round-mouths':1,'wit':3,'motor':5,'oval':2,'precursor':1,'singing':1,'ape':2,'nest':13,'use':9,'fee':2,'adaptation':2,'stream':8,'remains':9,'cretaceous':3,'next':14,'few':1,'contractile':1,'crab':9,'vehicle':2,'eagles':1,'doubling':1,'simpler':2,'mammoth':2,'sort':1,'grandest':3,'clever':1,'inclined':4,'rarest':1,'bodily':2,'rabbit':1,'baby':1,'gambian':2,'harvest':2,'sea-floor':2,'animals':11,'embryos':5,'lapse':1,'recession':1,'obvious':1,'thin':1,'closing':3,'interlinked':1,'proof':1,'control':3,'weaker':1,'corpuscular':1,'process':10,'purposes':1,'pieces':1,'high':5,'electro-magnet':1,'non-radiant':1,'water.':1,'bones':2,'wonderful':7,'voice':8,'class.':1,'united':13,'varied':2,'defective':1,'shasta':1,'nearness':2,'arrangement':4,'cycads':1,'need':2,'seeds':4,'forest':7,'animal':43,'hormones':1,'mysteries':1,'intelligent':2,'stock':1,'cave-men':1,'maternal':1,'yolk-sac':1,'gill-clefts':1,'waters':7,'thunderstorm':2,'collection':2,'tack':1,'wrist':2,'trees':7,'multiplication':4,'venation':1,'famous':2,'snail':3,'light':39,'lines':6,'interrupted':1,'element':3,'chief':9,'okapi':2,'alloy':1,'locomotor':2,'mud-minnows':1,'immensity':1,'longest':7,'spider':8,'evolutionary':4,'thigh':1,'unpalatable':1,'minnow':1,'egg-laying':1,'nerve-cord':1,'earth':193,'triassic':6,'polished':1,'brittle':1,'bunch':1,'industries':1,'1':2,'outer':7,'exclusion':1,'positively-electrified':1,'coral-reefs':2,'hermit-crab':7,'meantime':1,'beginning--whatever':1,'permanent':1,'duckweed':1,'molten':1,'world.':2,'image':1,'originator':2,'epoch-making':1,'junction':1,'future.':1,'orthodox':1,'dam':1,'material':9,'innermost':1,'cock-paidle':1,'phagocytes':1,'snake':1,'hands':2,'front':6,'rotation':5,'cage':1,'day':15,'articles':1,'crumb-of-bread':1,'mastery':2,'establishment':9,'university':2,'sky.':1,'concave':1,'blazing':1,'vibrations':1,'trap':1,'truth':1,'pools':3,'cocoon':1,'paler':1,'traces':1,'erratic':1,'female':12,'tension':1,'scanty':3,'globe':6,'cultivated':1,'mollusc':1,'frequency':1,'sands':2,'irregularities':1,'special':1,'ebooks':1,'suctorial':2,'cerebral':1,'knickerbocker':1,'inch':1,'gossamer':1,'protoplasm':1,'cross-fertilisation':1,'oriental':1,'pendent':1,'adaptive':1,'cause':2,'red':9,'harvest-mouse':1,'thrush':6,'spot':2,'withering':1,'activity':3,'incalculable':1,'body-cavity':1,'usual':7,'qui':1,'primus':1,'sitting':1,'shortest':3,'young--a':1,'allies':1,'g':1,'route':1,'area':4,'times':2,'length':9,'keel':1,'modernising':1,'barriers':1,'empire.':1,'gamekeeper':1,'embryo':6,'finest':3,'baleen':1,'powerful':1,'scene':2,'bonnet':1,'improvements':1,'placental':1,'owner':4,'scent':1,'two.':1,'salient':1,'monkey':2,'system':4,'ripples':1,'nebular':8,'accretion':1,'caterpillars':2,'under-water':1,'nut':2,'inner':7,'shell':12,'x-rays':8,'explanation':4,'secretion':1,'natural':12,'waist':1,'plumage':1,'photograph':5,'glow-worm':1,'quietness':1,'isolation':1,'well-established':1,'discriminating':1,'heavens.':1,'dynamo':3,'stricter':1,'steep':2,'spurs':1,'ingenious':1,'imaginative':2,'sea':46,'lightly':1,'wood-cock':1,'partnership':1,'poisons':1,'variable':2,'mongolian':1,'throat':1,'apparently':2,'bark':1,'seed-box':2,'complete':3,'pollen-tubes':1,'eye-hole':1,'outward':1,'pectoral':1,'ungirt':1,'tree-frogs':1,'centre':8,'digestive':1,'eight':2,'roadside':1,'flat-fish':1,'emancipation':2,'cleverest':2,'food-canals':1,'profoundest':1,'ancestors':5,'so-called':6,'inexorable':1,'consequences':2,'deccan':1,'ovum-producer':1,'face':3,'animal--perhaps':1,'mechanical':1,'occasion':3,'fact':31,'impression':4,'atmosphere':9,'selection':1,'best-defined':1,'chances':1,'text':4,'woolly':1,'pinhead':1,'sabre-toothed':1,'seaweed':3,'rough':1,'darkest':1,'photograph.':1,'principal':1,'water-vapour':2,'knowledge':1,'jaw':4,'mid-europe':1,'jar':1,'surroundings':3,'insectivores':1,'molecules':17,'inherited':1,'b':1,'local':1,'hope':2,'photographs':2,'handle':2,'exceptional':1,'familiar':2,'background':3,'words':2,'striped':1,'emmer':1,'areas':1,'processes':1,'belts':1,'numerous':4,'cells':1,'taxes':1,'insectivorous':1,'coco-nut':1,'stuff':3,'inter-relation':1,'limpet':1,'making.':1,'embryonic':1,'generations':1,'view':4,'spotted':1,'interstices':1,'universe--the':2,'packet':1,'distantly':1,'intensity':3,'legacy':1,'cenozoic':3,'violet':1,'cleverer':2,'luminous':2,'carboniferous':13,'humblest':2,'nebulae':1,'wire':5,'pedigree':1,'jurassic':5,'pattern':1,'nebula':5,'genius':1,'state':5,'quickest':1,'carapace':2,'hebrides':1,'routine':3,'progress':3,'open-sea':2,'kidneys':3,'attention':3,'explosive':1,'ability':1,'rotating':1,'importance':4,'hurrying':1,'seaweeds':2,'kea':2,'efficiency':1,'wingless':1,'hoatzin':2,'acquisitions':2,'key':3,'eyes.':1,'precious':2,'swift':1,'problem':14,'sediments':1,'limits':5,'cranial':1,'minds':2,'pulp':1,'figures':1,'sexes':2,'plankton':1,'chest':2,'conflagration':1,'wall':2,'wavy-to':1,'mid-rib':2,'animalcule':1,'table':1,'zinc':4,'provinces':1,'palm-bones':1,'tremendous':1,'discrimination':2,'trademark':3,'dazzling':1,'immense':4,'reindeer':2,'squatting':1,'slowly':1,'curtain':1,'feather':1,'waste':1,'senses':3,'controlled':1,'received':1,'coherence':1,'sub-aquatic':1,'bulk':1,'environment.':1,'angler':3,'food-canal':5,'present':15,'associated':1,'crowds':1,'appearance':5,'will':1,'country':1,'wild':8,'discoveries':2,'supply':2,'comets':1,'spectrum--should':1,'food-debris':1,'streams':2,'chaotic':1,'blood':20,'bumbling':1,'surface':50,'raison':1,'bugbear':1,'greater':1,'watchful':1,'jaws':1,'pit':1,'carbohydrates':1,'richness':1,'radiation':2,'forceps':2,'fashioning':1,'romance':5,'strange':1,'exuberance':1,'flower':2,'geographical':1,'ante-natal':2,'well-grown':1,'firmament':1,'neolithic':3,'ball':1,'dusk':2,'appearances':2,'effect':6,'experimenter':1,'colouring':1,'student':2,'fierce':2,'frequently':1,'whale':3,'wonder-world':1,'colour':12,'banded':1,'larvae':1,'ear-passage':2,'english':2,'position':1,'wreckage':1,'drawing':1,'latest':2,'reefs':1,'enormously':4,'flesh':2,'wren':1,'faunal':1,'domestic':1,'flywheel':2,'satellites':1,'ermine':2,'stored':1,'distant':3,'inturned':1,'cuckoo-spit':2,'protecting':1,'glue':1,'wrens--to':1,'grappling':1,'rapid':2,'ovum':3,'work.':1,'antarctic':2,'bell':5,'sky':7,'deposits':2,'transparent':3,'reasons':3,'wet':2,'usage':1,'ought':1,'characteristically':1,'meteor':1,'fate':2,'disappearance':1,'biologists':1,'smithsonian':10,'originative':1,'prominent':2,'loss':1,'backboned':1,'like':11,'success':1,'safest':1,'parasite':2,'colonising':1,'leaves':2,'works':2,'soft':4,'radiant':1,'heel':2,'wonders':3,'glare':2,'ages--evolution':1,'thymus':1,'phenomena':4,'mosquitoes':1,'eventfulness':1,'growth':3,'warmer':1,'past.':1,'proper':2,'trammels':1,'employment':1,'mother':12,'recognition':1,'possibilities':1,'leaf':6,'broad':4,'separate':1,'ether':27,'tadpole':3,'magnitude':2,'board.':1,'fruition':1,'biology':1,'scapula':1,'butterfish':1,'decline':1,'tenability':1,'paper':4,'pressure':3,'host':5,'instinct':2,'germination':1,'brain-box':1,'dredge':1,'transformations':1,'actual':8,'extension':2,'electron--the':1,'universe':37,'certainty':1,'preen':1,'andes':1,'carrier':1,'dominion':1,'rock-record':1,'flattened':1,'tongue':3,'contending':1,'letters':1,'fresh':2,'primal':1,'chemists':1,'wearisome':1,'promise':1,'erect':3,'times.':1,'registration':1,'protozoa':3,'swimmers':1,'mere':4,'endeavours':1,'parentage':1,'sticklebacks':2,'additional':2,'zoologist':1,'slow-worm':1,'museum':2,'larval':3,'spiral':3,'spots':4,'continental':1,'much':4,'invisibility':1,'cell.':1,'biggest':2,'maze':1,'breeding':4,'mouth.':3,'function':1,'funnel':1,'north':11,'gait':1,'repeated':1,'construction':1,'highest':8,'bug':1,'bud':1,'eel':2,'tactics':2,'cohesion':1,'places':2,'volplaning':1,'gravitational':3,'official':2,'smooth':1,'triumphant':1,'poker.':1,'record':1,'projecting':1,'lynx':2,'static':1,'distribution':1,'piece':4,'stirring':1,'supreme':1,'mesozoic':7,'universal':5,'penny':2,'whelk':2,'persistent':1,'water-vole':1,'ten-millionth':1,'elaborate':1,'tide.':1,'education':1,'domesticated':1,'atom--that':1,'mutual':2,'variety':4,'deadly':1,'fore-arm':3,'forests':2,'other':65,'boom':1,'branch':3,'mass':8,'wing':5,'chemist':1,'conclusion':6,'sunshine':2,'kinds':1,'tides':17,'variation':1,'enlargement':2,'astronomy':1,'exposure':1,'ranks':2,'space':1,'pigment-cells':1,'rule':4,'forest.':1,'eighties.':1,'inset':1,'half-second':1,'meteoritic':1,'sun--the':2},'marsupials':{'insectivorous':1,'on':1,'where':1},'musical':{'genius':2},'kinship':{'would':1},'deep-red':{'light':1,'waves':1},'unified':{'by':1},'macaque':{'second':1,'genus':1},'indigo':{'and':1,'to':1,'salicylic':1,'for':1,'in':1},'kale':{'and':1},'quoted':{'tells':1},'photo':{'press':1,':':164,'press.':1},'newton':{'because':1,'for':4,'except':1,'s':1,'taught':1,'worked':1,'was':1},'wasps':{'exhibit':1,';':1,'are':1,'.':1},'cap.':{'illustration':1},'thanks':{'to':2},'victim':{'to':1,'unawares.':1,'.':1},'upturned':{'side':1},'triticum':{'hermonis':1},'electronically':{'the':1,'in':1},'thyroid':{'and':1,'the':1,'.':1},'fearful':{'crime':1},'hills':{'and':2,'the':1},'evidences':{'perhaps':1,'of':5},'passive':{'the':1,'drifters':1,'in':1},'alchemy':{'but':1},'belongs':{'to':1,'was':1,'illustrates':1},'transformed':{'for':1,'descendants':1,'into':2,'directly':1,'guise':1,'by':1,'descendant':1},'board':{'a':1,'nail':1,'ship':1,'with':1,'in':1},'marginal':{'tentacles':1},'industrious':{'but':1},'openings':{'from':1},'photographed':{'from':1,'in':2},'boxed':{'in':1},'them--as':{'a':1},'required.':{'it':1},'caps':{'may':1,'on':1},'it--for':{'several':1},'fusion':{'of':3},'god.':{'nevertheless':1},'argonauta':{'an':2},'cape':{'colony':1},'rough-and-tumble':{'conditions':2},'retreat':{'but':1,'.':1},'hairless':{'whale':1},'utilisation':{'of':2,'was':1},'insurgent':{'nature':1},'cooler':{'vapours--the':1,'than':1,'they':1},'lapsed':{'intelligence':1},'sand-hoppers':{'and':1,'when':1},'evidence.':{'experiments':1},'homing':{'pigeons':1,'pigeon':2},'night':{'and':5,'means':1,'of':1,'is':2,'between':1,'when':2,'algol':1,'.':3,'to':2,'year':1,'the':1,'with':1,'or':1},'security':{'not':1,'that':1},'amoebae':{'and':2,'in':1},'cooled':{'down':2,'and':1,'so':1,'at':1},'dentition':{'but':2},'webb':{'celestial':1},'portuguese':{'man-of-war':2,'men-of-war':1},'bricks.':{'in':1},'lashes':{'or':1},'sends':{'to':1,'on':1},'3030':{'0':1},'1909':{'showing':1,'23':1},'fully-formed':{'creature.':1,'eel.':1,'young':1},'odours':{'a':1},'minnow--the':{'mind':1},'lashed':{'cells':1},'waves--which':{'are':1},'vertebrae':{'forming':1,'of':1,'as':1,'which':1,'.':2},'rill':{'of':1},'orchid':{'perched':1},'signifying':{'particular':1},'asking':{'the':1,'an':1},'lassoes':{'on':1},'month.':{'surprising':1},'colour-cells':{'chromatophores':1,'in':1},'beating':{'seconds':1,'heart':1,'of':1},'columbus':{'voyages':1,'.':1},'states.':{'1.e':1},'view':{'and':2,'that':6,'of':17,'is':3,'primary':1,'.':1,'will':1,'their':1,'maintained':1,'does':1,'which':1,'instinctive':1},'confer':{'upon':1},'illustration':{'24':1,'and':2,'144':2,':':233,'20':1,'that':1,'may':1,'158':1,'showing':2,'indicates':1,'74':1,'168':1,'of':10,'252':1,'280':1,'92':1,'172':1,'is':3,'shows':3},'constructive':{'chemical':1,'possibilities':1},'--these':{'also':1},'six.':{'beyond':1,'it':1},'peer':{'of':1},'taker':{'of':1},'post':{'shows':1},'properties':{'and':1,'of':1,'utterly':1,'attributed':1},'takes':{'stones':1,'on':1,'in':1,'up':1,'approximately':2,'air':1,'to':4,'place':1,'a':3,'time':2,'fresh':1,'the':1,'place.':1,'its':1,'at':1},'chaff':{'separated':1},'theirs':{'certainly':1},'coral':{'and':1,'islands':2,'built':2,'have':1},'months':{'and':1,'within':1,'old':2,'of':3,'after':1,'in':2,'from':1,'the':1,'before':1,'more':1},'constituting':{'that':1},'gentler':{'hills':1},'self-preserving':{'and':1},'horizon':{'the':1},'octopus':{'attacking':2},'serviss':{'curiosities':1},'considerations':{'there':1},'dilemma':{'of':1},'scantier':{'light':1},'pays':{'an':1},'crittur':{'on':1},'float':{'idly':1,'apart':1},'bound':{'to':3,'into':1,'up':1,'by':3},'gearing':{'it':1},'loin':{'and':1},'capped':{'with':1},'magnified.':{'is':1,'the':2,'illustration':1},'formidable':{'forelegs':1,'teeth.':1},'palaeozoic':{'the':1,'nine':1,'mesozoic':1,'era':4},'tint.':{'thus':1},'strangely':{'limited':1,'regular':1},'fight':{'but':1},'conservation':{'of':1},'way':{'and':6,'rooks':1,'specially':1,'remarkable':1,'acquired':1,'into':1,'we':5,'see':1,'through':2,'are':1,'in':10,'offshore.':1,'herring-gulls':1,'from':3,'for':2,'how':1,'there':1,'.':14,'note':1,'to':7,'which':4,'14':1,'out':1,'was':1,'over':1,'gave':1,'round.':1,'begins':1,'comparable':1,'arises':1,'aspects':2,'extend':1,'that':3,'ancestral.':1,'however':1,'but':1,'it':1,'never':1,'along':1,'with':4,'by':1,'he':1,'a':1,'like':1,'of':24,'as':2,'so':1,'back':1,'each':1,'the':7},'wax':{'from':1},'editions':{'will':2,'all':1,'means':1},'dorsal':{'vertebrae':2},'was':{'all':1,'just':2,'less':2,'caused':1,'able':1,'satisfied':1,'discovered':8,'astonished':2,'taken--the':1,'stored':1,'through':1,'still':2,'nearer':1,'certainly':1,'vigorously':1,'also':3,'thinking':1,'much':1,'regarded':1,'exercising':1,'actually':1,'to':3,'finally':1,'spread':1,'bridged':1,'hidden':1,'foster-parent':1,'sent':1,'brown':1,'watching':1,'prevented':2,'replaced':1,'possible':1,'possibly':1,'five':1,'altogether':1,'not':16,'during':2,'associated':2,'now':2,'continued':2,'killed':1,'forty-five':1,'wont':1,'rotating':2,'like':2,'shaped':2,'heaved':1,'joined':1,'twice':1,'found':6,'entirely':1,'spotted':1,'the':49,'set':2,'often':1,'hinted':1,'achieved':1,'absolutely':2,'hard':1,'some':1,'somehow':1,'dead':1,'observed':1,'born':1,'semi-tropical':1,'taught':1,'enhanced':1,'further':1,'extended':1,'perfected':1,'out':1,'established':1,'ultimately':1,'said':1,'imported':1,'placed':2,'unable':1,'probably':8,'neither':1,'ever':1,'filled':1,'freed':1,'condensed':1,'felt':2,'never':2,'quite':1,'by':3,'following':1,'protection':1,'practically':1,'sixty':1,'drawn':1,'joule':1,'promptly':1,'beginning':1,'implicit':1,'suggested':1,'on':1,'about':2,'grist':1,'created':1,'of':1,'barely':1,'later':1,'accomplished':1,'conveyed':1,'unknown':1,'asked':1,'first':1,'composed':1,'raised':1,'already':1,'followed':1,'merely':1,'marked':2,'one':5,'brought':2,'soaring':1,'because':1,'done':1,'cultivated':1,'elementary':1,'proved':2,'noticed':3,'repopulation':1,'doubtless':2,'once':5,'given':3,'invented':2,'from':1,'twenty':1,'due':2,'long':1,'quickly':1,'going':1,'punished':1,'too':4,'taken':2,'formed':1,'laboriously':1,'until':1,'opposed':1,'only':3,'that':4,'happily':1,'mind':2,'offered':1,'continuous':1,'but':2,'direct':1,'repeated':1,'part':2,'known':3,'trying':1,'true':1,'travelling':1,'he':2,'applied':2,'made':4,'this':1,'crossed':1,'originally':3,'immaterial':1,'premature':1,'sometimes':1,'cast':1,'near':1,'accustomed':1,'believed':1,'making':1,'called':2,'at':3,'150':1,'discovered.':1,'constant':1,'then':2,'almost':1,'thus':1,'it':2,'slowing':1,'an':5,'something':1,'in':9,'distinguishable':1,'any':3,'constructed':1,'effected':1,'dimly':1,'no':7,'perhaps':2,'when':1,'isolated':1,'evidently':1,'shorter':1,'.':2,'ordinary':1,'first--began':1,'fairly':1,'used':1,'tried':1,'emotionally':1,'living':1,'conceived':1,'upon':1,'most':2,'moving':1,'destined':2,'propagated':1,'aware':1,'subsequently':1,'a':40,'off':1,'happening':1,'largely':1,'broadened':1,'stronger':1,'or':1,'exceedingly':1,'implied':1,'so':4,'persistently':2,'very':4,'underrated':1,'swimming':1,'sounded':1,'refused':1,'repeopled':1},'war':{'would':1,'mr':1,'museum.':4,'note':1,'to':1,'in':1,'was':1,'254':1},'lowest':{'mammals':1,'pleistocene':1,'there':1,'.':1,'tide':1,'human':1,'arm':1,'first':1},'gaseous':{'state':1,'nebula':3,'nebulae':2,'ring':1,'.':1},'wheatfields':{'were':1},'afresh':{'and':1,'to':1},'fish-eater':{';':1},'becoming':{'longer.':1,'a':2,'longer':1,'suddenly':1,'of':1,'stereotyped':1,'.':2,'almost':1,'complicated':1,'either':1,'in':2,'linking':1,'adapted':1,'more':1},'converse':{'process--a':1},'peninsula':{'of':1,'it':1},'mysterious':{'phases':1,'rays':3,'force':1,'sailing':1,'universe':1,'as':1,'manifestations':2,'forces':1,'cold':1},'quiet-flowing':{'stretches':1},'needles':{'and':1,';':1},'same.':{'a':1},'astonished':{'to':2,'euclid':1},'true':{'flier':2,'is':1,'sense':2,'multicellular':1,'as':2,'in':4,'even':1,'to':1,'ventral':2,'nature':2,'when':1,'.':4,'also':1,'water-spider':1,'circle':1,'bird.':1,'we':1,'flight':1,'that':6,'men':1,'but':1,'fishes':1,'lids':1,'of':6,'mimicry.':1,'the':1,'or':1},'absent':{'of':1,'from':1},'edition.':{'most':1},'reproductive':{'and':1,'cells':1,'organs':3},'ancestral':{'forms':2,'home':1,'stocks':1},'maximum':{'abundance':1,'as':1,'sparseness':1,'in':1,'disclaimer':1},'arc-lamp':{'is':1},'generosity':{'which':1},'emotional':{'art':1,'halo':1},'emit':{'light':2,'but':1},'hotter':{'and':1,'than':1,'.':2,'at':1,'the':1,'until':1},'frederick':{'matter':1,'soddy':1},'muscular':{'appendages':1,'arrangements':1,'system':1},'evidence':{'for':2,'e.g':1,'of':12,'is':1,'there':1,'1':1,'to':1,'that':3,'are':1,'in':2,'suggesting':1,'the':1,';':1},'guessed':{'at':1},'juice.':{'illustration':1},'promised':{'land':2},'prayer':{';':1},'20':{'of':1,'000':1,'reproduced':1,'ounces':1},'life--story':{'of':1},'archive':{'foundation':12,'foundation.':1},'physical':{'and':2,'strength':1,'laboratory.':2,'constitution':1,'basis':1,'universe':1,'environment':1,'renaissance':1,'peculiarities':1,'medium':2,'fact':1,'type':1,'laboratory':1,'conditions':1,'change':1},'curiosities':{'of':1},'dimly':{'guessed':1,'unveiled':1,'aware':1},'dying':{'a':1,'--the':1,'suns':2,'of':1,'sec':1,'sun':1},'40-inch':{'refracting':2,'refractor':2},'reality':{'even':1,'of':3,'one':1,'by':1,'.':3},'pickering':{'thinks':1,'another':1},'holding':{'a':2,'firm':1,'them':2,'her':1,'on':1,'up':1,'fast':3,'their':1},'test':{'the':1,'variations':1,'what':1},'shrink':{'amazingly':1,'into':1,'by':1,'in':1},'robber-crab':{'birgus':2,'as':1,'with':1,'which':2,'for':1},'ordovician':{'the':1,'period':3},'brothers':{'may':1,'.':1},'welcome':{'realisation':1},'convincing':{'impression':1,'enough':1,'quality':1,'though':1},'anatomist':{'sir':1},'walton':{'the':1},'scores':{'of':3},'dissipation':{'of':1},'ours.':{'sec':1},'promise.':{'each':1},'kelts':{'after':1},'interval':{'of':1},'together':{'and':5,'as':5,'result':1,'in':4,'again':2,'by':3,'make':1,'.':3,'to':2,'you':1,'ever':1,'do':1,'again.':1,'but':1,'they':1,'with':2,';':1,'a':3,'of':1,'loosely':1,'so':3,'the':1},'brocklehurst.':{'a':2,'the':2},'beds':{'of':5,'which':1,'were':1},'reception':{'that':1},'sporozoa':{'like':1},'marinus':{'120':1,'which':1},'tigris':{'and':1},'concept':{'and':1,'of':1,'man':1},'impulse':{'to':2,'or':2},'phosphorescence':{'.':1},'aptitudes--power':{'of':1},'dance':{'but':1},'fulcrum':{'for':1},'brownian':{'movement':5},'contingencies--the':{'risk':1},'dalton':{'who':1,'.':1},'tenable':{'now.':1},'layers':{'that':2,'of':4,'into':1,'envelop':1,'.':1,'below':1},'certainly':{'they':1,'scanty':1,'serve':1,'due':1,'been':1,'one':2,'deserves':1,'is--but':1,'not':1,'white':1,'an':1,'was':1,'tells':1},'zone':{'on':1,'there':1,'was':1,'between':1},'shrinkage':{'of':2,'.':1},'hump':{'would':1},'flash':{'from':1,'across':1,'lasts':1},'absorbing':{'dry':1,'matter':1,'some':1},'fog':{'as':1},'permanently':{'like':1},'rhythm':{'which':1},'division':{'of':7,'or':2},'protective':{'resemblance':9,'significance--called':1,'capacity':1,'coloration':6},'sockets':{'along':1},'diminish':{'to':1},'particles.':{'the':1,'they':1},'liability':{'to':2,'costs':1,'breach':1},'aesop':{'prawn':3},'corals.':{'the':1},'mendelism':{'and':1},'trouble':{'than':1},'maternal':{'chromosomes.':1,'call':1,'virtue':1,'care.':1,'origin.':1,'affection':1,'care':1},'brows':{'and':1},'feeble':{'and':1,'current':1,'life':1},'rotating':{'on':1,'about':1,'quicker':1,'faster':2,'very':1,'flywheel':2,'disc':4,'earth':1,'immensely':1,'with':1,'round':3},'perceived':{'the':1,'.':2,'what':1,'either':1},'respiratory':{'system':1,'surface':1},'scandinavia':{'showing':2,'138':1,'141':1},'presented':{'alternately':1,'them':1,'simultaneously':1},'altering':{'the':1},'turns':{'on':2,'always':1,'upon':1,'to':1,'the':1,'round':1},'gun':{'that':1},'gum':{'is':1},'ox':{'and':1},'p':{'.':10},'means--resides':{'in':1},'revolutionised':{'physics':1},'gut':{'is':1,'which':1},'sloths':{'and':1},'woven':{'somehow':1},'upper':{'side.':1,'atmosphere':1,'eyelid':1,'fish':1,'pliocene':1,'reaches':3,'corner':1,'arm':1,'or':2,'pleistocene':2,'cretaceous':1,'regions':1,'parts':2,'lip':3,';':1,'hand':1,'diagram':1,'part':2,'surface':4,'cambrian':1,'photograph':1,'air':1,'side':1},'revolution':{'of':1,'diameter':1,'in':3},'full-grown':{'fish':1,'salmon':1,'shore-crab':1,'individual':1,'the':1,'creature':1},'penetrates':{'the':1},'spoonbill':{'s':2},'d':{'etre':1,'.':1},'niggardly':{'for':1},'affiliation':{'to':1,'with':1},'semi-tropical':{'for':1},'cost':{'and':2,'fee':1,'when':1,'but':1},'change-provoking':{'cross-fertilisation.':1},'helpless':{'that':1},'penetrated':{'further':1,'into':3},'cargo':{'that':1},'appear':{'and':1,'a':1,'it':1,'.':1,'to':9,'as':1,'much':1,'denser':1,'prominently':1,'white':1},'assistance':{'they':1},'burrowers':{'and':1,'like':1},'uniform':{'and':2,'set':1,'temperature':9,'teeth':1},'wave-motion':{'in':1},'eight-armed':{'cuttlefish':2},'illustrations':{'facing':1,'of':2,'all':1,'are':1,'among':1},'shared':{'the':1,'with':1,'equally':1,'by':1},'flame.':{'perhaps':1},'sea-cucumbers':{'lamp-shells':1},'institutions--all':{'must':1},'alertness':{'and':1,'of':1,'along':1,'is':1},'safety.':{'we':1},'supporting':{'and':1,'axis':3},'anvil.':{'as':1},'whiteness':{'may':1,'makes':1,'.':1},'disclaim':{'all':1},'suckers':{'which':1},'sieve':{'incalculable':1},'teacher':{'and':1,'always':1,'the':1,'between':1},'change':{'whose':1,'by':1,'abundant':1,'from':1,'of':9,'into':1,'in':6,'but':1,'.':2,'produced':1,'till':1,'every':1,'they':1,'reorganisation':1,'need':1,'the':1,':':1,'its':2,';':2,'is':1},'sending':{'a':1,'out':1},'illustration.':{'such':1},'flames':{'are':1,'rose':1,'from':1,'peeping':1,'of':1},'impatiently':{'postulated':1},'precursor':{'of':1},'twenty-seven':{'of':1},'vibrating':{'or':1},'trial':{'and':5,'of':1,'the':1,'was':1},'pictorial':{'diagram':1,'representation':3},'usually':{'about':1,'formed':1,'in':3,'longer':1,'produces':1,'very':1,'regarded':2,'work':1,'credited':1,'back':1,'rank':1,'less':1,'multiplies':1,'coming':1,'got':1,'given':1,'disappears':1,'creep':1,'mean':1},'locomotion':{'and':1,'becomes':1,'it':1,'192':1,'which':2,'the':1},'432':{'times':1},'inference':{'we':1,'when':1,'but':1,'.':1,'reason':1,'in':1,'not':1,'or':1},'saunders':{'with':1,'hit':1,'so':1},'stimulus.':{'2':1},'keenness':{'of':1},'sign':{'of':2},'marked':{'a':1,'on':1,'superficial':1,'off':2,'and':1,'d.p.':1,'h':1,'differences':1,'up':1,'vm':1,'by':8,'rotting':1,'fusion':1,'5':1,'in':3,'the':2,'changes':1,'than':1,'as':1},'outfly':{'a':1},'italians':{'punics':1},'seashore':{'and':2,'animals':1,'into':1,'.':1,'sponge':1,'to':1,'through':1,'struggle':1,'in':1,'birds':1},'comets--millions':{'of':1},'capacious':{'and':1,'mouth':1},'illumination':{'is':1,'or':1,'would':1},'rarely':{'seen':1,'over':1,'hinted':1,'dying':1},'pressure--2-1':{'2':1},'stingy':{'for':1},'cuttlefishes':{'which':1,'are':1,'have':1,'in':1,'the':1,'where':1,'by':1},'terminal':{'chamber':1},'breed.':{'there':1},'stereoscopic':{'vision':1},'primrose':{'among':1},'prove':{'to':1,'the':3,'his':1,'that':2},'time-table':{'the':1},'territories':{'of':1},'live':{'a':1,'on':4,'equally':1,'for':1,'independent':1,'far':1,'is':1,'there':2,'among':1,'much':1,'in':5,'the':1,'comfortably':1},'spontaneity':{'on':1},'wonderfully':{'supplemented':1,'rapid':1,'complete':1,'energetic':1},'bluffing':{'on':1},'1.e.8.':{'1.b':1},'angels':{'crowned':1},'entrance':{'and':1,'to':2},'water-ouzel':{'or':1},'cluck':{'when':1},'regrowing':{'them':2},'envelope':{'immediately':1,'or':1,'stops':1,'of':1},'planarian':{'worms':1},'clue':{'to':2},'grilse':{'and':1,'stage':1},'envelops':{'our':1,'the':1},'clumps':{'of':1},'duck-ponds':{'or':1},'migrants':{'from':1},'haddington':{'of':1},'nature--on':{'which':1},'theory--spiral':{'nebulae--the':1},'wolf-dog':{'226':1,'an':1},'cat':{'a':1,'could':1,'has':1,'or':2},'hardest':{'solid':1,'steel':1},'gathers':{'on':1,'more':1},'can':{'control':1,'now':2,'think':1,'divide':1,'be':63,'almost':1,'move':1,'notice':1,'sting':2,'replenish':1,'outfly':1,'say':5,'harness':1,'exist':1,'expect':1,'have':1,'re-utilise':1,'go':1,'dissolve':1,'to-day':1,'discern':1,'glimpse':1,'detect':2,'from':1,'calculate':1,'no':1,'always':1,'transfer':1,'make':4,'offer':1,'help':1,'only':5,'continually':1,'also':2,'live':1,'call':2,'therefore':1,'transmit':1,'survive':5,'hardly':4,'tell':3,'hope':1,'take':2,'breathe':1,'do':4,'we':1,'trace':1,'get':2,'afford':1,'never':1,'use':1,'discover':1,'observe':1,'unfurl':1,'recognise':1,'imagine':4,'distinguish':1,'affect':1,'copy':1,'fly':1,'reveal':1,'extend':1,'in':2,'apprehend.':1,'receive':1,'ever':1,'conceive':1,'work':1,'well':1,'see':4,'retain':1,'grind':1,'credit':1,'remain':1,'succeed':1,'form':1,'confidently':1,'easily':4,'become':1,'weigh':1,'the':1,'assign':1,'travel':1},'thirty-five':{'seconds':1,'minutes':1},'metamorphosis':{'the':1,'.':1},'stimulating':{'and':1,'conditions':1,'change':1},'http:':{'www.pgdp.net':2,'www.pglaf.org.':1,'www.gutenberg.org':2,'gutenberg.org':1,'pglaf.org':4},'heart':{'a':1,'for':1,'of':5,'there':1,'it':1,'.':1,'true':1,'or':1},'pauses':{'in':1},'expanding':{'during':1,'fan':1},'apartness':{'there':1,'from':1},'heard':{'not':1,'of':2,'the':1,'felt':1,'than':1},'chin':{'and':1,'process':1,'.':3},'clothing':{'and':1,'with':1},'occur':{'and':2,'only':1,'also':1,'near':1,'in':4,':':1},'candle;':{'the':1},'infantile':{'call':1,'mortality':3},'dispositions':{'of':1},'discussion':{'of':1,'there':1},'starch':{'and':1,'molecule':1,'.':1},'sandstone':{'was':1,'or':1},'condensation.':{'spiral':1},'offspring':{'and':1,'for':1,'of':1,'is':2,'.':2,'mate':1,'at':1},'nowhere':{'do':1},'despair':{'returned':1},'candle.':{'it':1},'actual':{'photographs':1,'distance':1,'solution...':1,'constitution':1,'temperature':2,'centre':1,'photograph':1,'entity':1,'direct':1,'observations':1,'historical':1,'mechanical':1,'precipitate':1,'dimensions':1},'future.':{'4':1},'familiar':{'case':1,'hum':1,'is':1,'in':2,'type':1,'with':3,'example':1,'fact':1},'over-population':{'and':1,'in':1},'brine-shrimp':{'artemia':1},'dominance':{'of':1},'economy':{'of':2},'gonads':{'only':1},'product':{'which':1},'burrowing':{'mammals':1,'reptiles':1,'parrot':1,'amphibians':1,'birds':1},'southern':{'europe':1,'india':1,'asia':1,'hemisphere':1,'representative':1,'sea':2},'unobtrusive':{'appearance':1},'disgusted':{'next':1},'significance.':{'it':1,'they':1},'produce':{'a':3,'what':1,'very':1,'light':1,'tides':1,'seeds':1,'in':1,'our':1,'the':2,'helium':1},'flourish':{'sometimes':1,'alongside':1},'mentality':{'and':1,'cannot':1,'.':1},'lifting':{'scrap':1,'handling':1},'upbuilding':{'constructive':1},'visitors':{'and':2,'.':1,'are':1,'have':1,'threw':1},'remember':{'how':1,'the':3,'that':3,'sally':1,'their':1},'whenever':{'the':2,'there':1,'any':1},'corona':{'of':2,'is':1,'stretching':1,'which':1,'that':1},'rather':{'a':1,'we':1,'ferocious.':1,'grouselike':1,'longer':1,'that':1,'humdrum':1,'more':2,'than':9,'to':1,'far-fetched':1,'excitedly':1,'in':4,'paltry':1,'eventful':1,'nondescript':1,'simpler':1,'with':1,'the':1,'trout-like':1,'like':1},'conquests':{'of':1},'punting':{'when':1,'sculling':1},'typical':{'plants':1,'spectra':1,'craters':1,'districts':1,'expression':1,'assemblage':1},'no.':{'bred':1},'serving':{'as':1,'the':1},'iii.':{'trial-and-error':1},'indeed':{'what':2,'climate':1,'made':1,'beyond':1,'that':1,'many':1,'no':1,'we':1,'unsurpassable':1,'will':1,'.':1,'safety':1,'they':1,'always':1,'our':1,'the':1,'believe':1,'if':1},'beak':{'and':1,'is':1,'.':1,'under':1},'well-illumined':{'seaweed-growing':1},'playful':{'such':1,'creature':1},'brain':{'and':9,'weighs':1,'is':7,'as':2,'are':1,'should':1,'from':2,'.':2,'does':3,'which':4,'instead':1,';':2,'has':1,'was':2,'shows':1,'development':2,'than':1,'receiving':1,'of':3,'could':1,'inferred':1,'cast':1},'stile':{'which':1},'hairs--an':{'alga':1},'nitrogen':{'of':1},'cold':{'and':1,'on':2,'poker':1,'outer':1,'for':2,'light':1,'.':1,'water':1,'to':1,'weather':1,'iron':2,'of':3,'dark':1,'absorbs':1,'luminosity':1,'yet':1,'came':1},'still':{'and':1,'atmosphere':1,'smaller':3,'being':2,'progressing.':1,'some':1,'it':1,'probing':1,'say':1,'exist':1,'farther':1,'in':3,'further':3,'nearer':1,'bears':2,'unknown':1,'.':3,'shorter':3,'to':1,'going':1,'goes':1,'persist':1,'molten':1,'was':1,'unstereotyped':1,'more':3,'we':1,'himself':1,'very':3,'continuing':1,'plays--the':1,'but':1,'particular':1,'not':1,'with':1,'the':2,'possess':1,'a':1,'made':1,'uncertain':1,'flourished':1,'room':1,'at':1,'tower':1,'feeling':1,'soft':1,'are':1},'birds':{'and':23,'feed':1,'because':1,'often':1,'show':1,'being':1,'is':3,'191':1,'it':1,'as':2,'are':4,'sight':1,'in':1,'carry':1,'seem':1,'its':1,'little':1,'squat':1,'for':1,'how':1,'make':2,'there':1,'.':2,'to':1,'find':1,';':1,'was':1,'evolved':2,'reaching':1,'may':1,'pick':1,'illustration':1,'like':7,'bolt':1,'such':1,'than':1,'must':1,'a':1,'that':4,'of':2,'turn':1,'have':2,'learn':1,'the':1,'where':1,'came':1},'statuettes':{'representing':1},'nucleus.':{'the':1,'illustration':1},'culmination':{'of':1},'tending':{'on':1,'toward':1,'to':3},'curly':{'greens':1},'rhizopods':{'such':1,'with':1},'willow':{'fertile':1,'grouse':2},'forms':{'and':6,'e.g.':1,'almost':1,'over':1,'it':2,'are':1,'arise':1,'kinetic':1,'again':1,'from':2,'.':2,'which':1,'tends':1,';':1,'we':1,'may':1,'daughter-buds':1,'a':7,'like':2,'of':22,'possessed':1,'so':1,'the':1,'or':1},'immortality':{'of':1},'suffocate':{'.':1},'spacious':{'bountiful':1,'cranial':1},'physics--research':{'and':1},'bird.':{'experiments':1,'illustration':2},'pruned':{'off':1},'speeding':{'toward':1},'inter-relations':{'such':1,'.':2,'where':1,'between':1,'simpler':1},'introduce':{'domesticated':1,'us':1,'an':1},'archaeozoic':{'and':1,'ages':1},'tails':{'of':1,'can':1,'.':1},'half':{'a':7,'old':1,'that':1,'of':3,'days':1,'an':3,'hours':2,'to':1,'tons':1,'miles':1,'mile':1,'the':4,'years':1,'out':1},'not':{'represent':1,'all':4,'clog':1,'help':1,'limited':2,'being':1,'indeed':2,'armour':1,'fall':1,'held':1,'through':1,'go':2,'follow':3,'yet':5,'also':1,'convinced':1,'less':5,'young':1,'mathematically':1,'to':11,'only':16,'stand':1,'touched':1,'easy':1,'attained':1,'include':1,'then':2,'unfitting':1,'closed':1,'knock':1,'very':9,'void':1,'material':2,'stop':1,'possible':2,'possibly':1,'open.':1,'know':13,'altogether':1,'accumulate':1,'affect':2,'one':2,'discuss':1,'easily':3,'practise':1,'necessary':1,'like':1,'tear':1,'fully':2,'try':1,'pursue':1,'feel':1,'stopped':1,'always':3,'small':1,'become':1,'entirely':1,'fixed':1,'mean':1,'exceed':1,'related':1,'certain':1,'know.':1,'likely':1,'sure':1,'exist.':2,'functioning':1,'packed':1,'even':3,'appear':2,'for':2,'uniform':1,'liberated':1,'radiated':1,'suggesting':1,'got':2,'be':20,'we':1,'disputed':1,'intelligent.':1,'cellulose':1,'however':1,'hundreds':1,'met':1,'necessarily':3,'attend':1,'backed':1,'quite':4,'come':1,'by':5,'momentous':1,'wait':1,'suggested':1,'on':2,'essentially':1,'indivisible':2,'many':1,'emit':1,'amount':1,'sweat':1,'permit':2,'undergo':1,'think':1,'burning':1,'gone':1,'previously':1,'requiring':1,'merely':2,'bound':1,'highly':1,'visible':1,'been':3,'carry':1,'impossible':1,'want.':1,'readily':3,'given':1,'wanted':1,'from':1,'droop':1,'prove':2,'assumed':1,'there':1,'self-luminous':1,'citing':1,'long':1,'throw':1,'cooling':1,'change':1,'strong':1,'suit':1,'show':2,'survive':1,'themselves':1,'molecular':1,'depreciate':1,'too':1,'a':16,'solicit':2,'received':1,'with':2,'ascribe':1,'but':1,'taken':1,'understand':1,'dwell':1,'catch':1,'copy':1,'true':1,'save':1,'unlike':1,'solid':1,'require':3,'imply':1,'will':1,'greatly':1,'how':1,'of':2,'more':6,'agree':3,'say':1,'and':1,'claim':1,'troublesome':1,'fit.':1,'give':1,'judge':1,'salmo':1,'arise':1,'share':1,'it':1,'an':3,'involve':1,'as':4,'exist':1,'at':2,'have':5,'in':5,'seen':1,'seem':4,'occupied':1,'any':2,'instinctively':1,'terrestrial':1,'conspicuous':1,'want':1,'perhaps':1,'sprawl.':1,'travel':1,'get':1,'able':1,'till':2,'interested':1,'take':2,'cling':1,'contain':1,'wanting':1,'shirk':1,'difficult':1,'used':1,'intended':1,'see':1,'dive':1,'after':1,'charge':2,'produce':2,'moving':1,'uncommon':1,'recognise':1,'revolve':1,'unlink':1,'nipped':1,'known':2,'pure-bred':1,'lead':3,'surprising':3,'clear':1,'lose':1,'flow':1,'asked':1,'without':1,'so':10,'allow':1,'far':1,'hear':1,'the':16,'make':3,'talk':1,'nearly':3},'ritchie':{'a':1,'s':1,'well':1},'courtship':{'or':1},'now':{'and':4,'studying.':1,'who':1,'exists':1,'be':2,'is':4,'successfully':1,'it':6,'an':2,'observed':1,'known':4,'as':1,'at':1,'a':1,'in':2,'our':1,'disappear':1,'if':1,'extinct--taking':1,'what':3,'based':1,'just':1,'to':3,'much':1,'there':3,'able':1,'send':1,'.':2,'extinct.':1,'that':1,'recognised':1,'pretty':1,'mars':1,'taken':1,'announce':1,'occurs':1,'crookes':1,'do':1,'we':4,'used':1,'complete':1,'slight':1,'evolving':1,'lights':1,'regard':1,'but':1,'permanent':1,'moving':1,'know':4,'accompanied':1,'represented':1,'one':1,'between':1,'unavailable':1,'concentrated':1,'high':1,'made':1,'this':5,'going':2,'other':1,'these':1,'suppose':1,'can':1,'believed':2,'let':2,'the':9,'assume':1,'called':1},'provision':{'of':1},'left--to':{'snap':1},'nor':{'do':1,'certainty':1,'like':1,'would':1,'hibernates':1,'very':1,'indeed':1,'is':1,'knew':1,'surface':1,'destroyed':1,'to':1,'explain':1,'does':1,'in':3,'of':2,'has':1,'any':1},'nos':{'.':2},'lineage':{'for':1},'it--a':{'natural':1,'mind':1},'sea-butterflies':{'on':1},'seaweed-growing':{'shelf':2,'area':1},'drop':{'of':2,'inwards':1,'out':1},'form.':{'it':1},'cagcombe':{'co.':2},'intrigued':{'at':1},'bursts':{'through':1},'luminosity':{'a':1,'indefinitely':1,'we':1,'due':1},'cusps':{'on':1},'entirely':{'different':3,'marine.':1,'dependent':1,'absent;':1,'random':1,'fluid':1,'unsolved.':1,'electrical':1,'in':1,'new':1,'dissipated':1,'with':1,'out':1},'cliffs':{'of':1,'there':1},'last':{'and':1,'twelve':1,'ten':1,'century':1,'is':1,'haunt':1,'indefinitely.':1,'questions':1,'one':1,'for':1,'twenty':1,'doubt':1,'it':1,'glacial':1,'has':1,'two.':1,'hit':1,'period':1,'arose':3,'dwindling':1,'with':1,'great':2,'chamber':1},'side-view':{'of':5},'domain':{'and':1,'to':1,'does':1,'in':3,'print':1,'works':1,'ebooks':1},'fired':{'it':1},'advantage.':{'perhaps':1},'green-flies':{'which':1},'sugars':{'and':1},'dagoes':{'he':1},'challenger':{'expedition':1},'fires':{'of':1},'year':{'and':4,'old':1,'grouse':1,'this':1,'energy':1,'there':1,'but':1,'one':2,'to':1,'out':2,'are':1,'they':1,'in':3,'followed':1,'the':1,'.':4,'encased':1,'before':1},'happen':{'as':1,'when':1,'if':1},'avoided':{'the':1},'monitors':{'are':1},'wheat--changes':{'in':1},'shown':{'a':1,'and':1,'faint':1,'that':7,'also':1,'there':1,'an':1,'to':1,'greatly':1,'at':2,'opposite':1,'in':11,'the':1,'.':1,'arno':1,'clearly':1,'remaining':1},'rude':{'stone':1},'space':{'and':5,'on':1,'that':1,'with':1,'straight':1,'in':2,'it':1,'can':1,'.':8,'yet':1,'are':1,'above':1,'between':1,'at':1,'during':1,'the':1,'shows':1,'where':1,'by':1,'is':3,'circular':1},'amnion':{'and':1,'which':1},'furthermore':{'there':1,'they':1},'inconceivably':{'small':3,'distant':1,'greater':1},'equatorially':{';':1},'hastily':{'referred':1},'increase':{'to':1,'rather':1,'of':6,'their':1,'in':3,'our':1},'kingdom.':{'on':1,'j':1},'rational':{'device':1,'conduct':3},'receiving':{'no':1,'stimuli':1,'tidings':1,'olfactory':1,'it':1,'contributions':1},'shows':{'a':3,'the':17,'great':1,'that':6,'any':1,'many':1,'some':1,'two':1,'an':1,'how':1,'definitely':1,'certain':1,'affinities':1,'clearly':1,'positively':1},'inevitably':{'lead':1},'e.':{'rutherford':1},'eighty-eight':{'of':1},'glass--the':{'stopper':1},'divergence':{'arboreal':1,'of':3},'animals.':{'the':1,'senses':1,'sec':1},'quart':{'.':2},'intruding':{'fishes':1,'bacteria':1,'parasites':1},'directions.':{'this':1,'so':1},'advantages':{'being':1,'of':1,'.':1},'taxed':{'no':1},'animals;':{'of':1,'it':1},'marine':{'animals':3,'family':1,'organisms':1,'lampreys':2,'fish':4,'but':1,'.':1,'leech':1},'inevitable':{'stoppage':1,'processes':1},'card':{'says':1,'tea':1,'is':1,'donations.':1,'in':1,'prof':1,'was':1},'care':{'and':3,'on':1,'associated':2,'in':1,'mammals':1,'is':1,'there':1,'it':1,'.':3,'as':2,'so':1,'which':1,'of':2,'exhibited':1},'vestige':{'and':1,'of':3,'in':1},'reflect':{'the':4,'that':2},'rearrangements':{';':1},'fixed':{'paths':1,'angle':1,'like':1,'for':1,'faith':1,'to':1,'distances':1,'limits':1,'vegetation--a':1,'in':3,'stage':1},'stage.':{'the':1},'selections':{'made':1},'transition':{'to':2,'.':1,'from':2,'which':1,'stage':1},'british':{'columbia.':2,'nightjar':1,'starfish':2,'guiana':2,'salterns':1,'museum':14,'coasts':1,'sailor':1,'average':1,'association':2},'invitation':{'to':1},'lighting':{'on':2},'domed':{'and':1,'web':1,'cranial':1,'than':1},'hesperornis':{'100':1,'after':1},'suffice':{'to':1,'of':1},'sprawling':{'blotch':1},'flying':{'and':2,'phalanger':1,'fish':2,'dragons':5,'past':1,'debris':1,'bats':1,'in':1,'birds':2,'frog':2,'reptiles':1,'under':1,'bird':1,'dragons--the':1,'squirrel':2,'crouching':1,'mammals':1,'jumps':1,'tree-toad':1,'fishes':2,'squirrels':1,'creatures.':2,'dragon':4,'matter':1,'lizard':1,'reptiles.':1,'lemurs':1,'phalangers':2,'round':1},'striking':{'and':1,'confirmation':1,'resemblance':2,'novelties':1,'of':1,'is':1,'illustration':1,'.':1,'instances':1,'as':1,'fact':1,'devices':1,'are':2,'feature.':1,'the':3,'difference':1,'coloration':1,'proof':1},'omitted':{'the':2},'comprised':{'only':1,'in':1},'brain.':{'the':1},'directly':{'and':1,'towards':1,'into':1,'important':1,'between':3,'pitted':1,'the':1,'or':3,'apart':1},'comprises':{'a':1,'the':1},'impossible':{'even':1,'on':1,'we':2,'because':1,'for':1,'but':1,'.':3,'to':7,'in':1},'ring':{'and':2,'a':1,'getting':1,'of':3,'into':1,'up':1,'.':1,'which':1},'drove':{'our':1},'size':{'and':6,'is':1,'it':1,'shape':1,'are':1,'in':1,'compared':1,'from':1,'possible.':1,'except':1,'.':4,'only':1,'has':1,'though':1,'after':1,'but':1,'101':1,'with':2,'covering':1,'of':22,'as':2,'mass':1,'the':1},'sheep':{'horses':1,'contrasted':1,'.':3,'in':1,'tearing':1,'or':1},'cerebration':{'at':1},'sheer':{'dexterity':2,'intelligence.':1,'quickness':1},'air-sacs':{'in':1},'checked':{'in':1},'silent':{'laboratories':1,'monotonous':1},'apple.':{'of':1},'caught':{'and':2,'a':1,'its':1,'on':1},'breed':{'.':1},'callous':{'rough-and-tumble':1},'longitudinally.':{'the':1},'wing-span':{'of':1},'flint':{'and':1,'implements':1,'implement.':1},'joseph':{'evolution':1},'melanocetus':{'indicus':1,'murrayi':1},'friend':{'the':1,'or':1},'nutrition':{'and':1},'x.':{'this':1},'rock-dove':{'just':1},'mostly':{'confined':1,'on':1,'caught':1,'white':1,'in':1},'that':{'all':14,'spiders':1,'go':2,'causes':1,'physiological':1,'suits':2,'to':2,'reptiles':1,'under':1,'degeneration':1,'case':1,'coloured':1,'every':10,'fall':1,'affect':1,'monkeys':1,'minute':1,'did':2,'herbert':1,'small':1,'round':1,'full-grown':1,'crop':1,'further':1,'creatures':1,'even':4,'pale-white':1,'apparatus':1,'assisted':1,'asia':2,'goes':2,'new':1,'body':1,'sinks':1,'climbs':3,'here':1,'atoms':1,'along':1,'change':1,'convert':1,'substance':2,'ichneumon':1,'wherever':1,'experience':1,'electricity':1,'locomotion':1,'makes':2,'followed':1,'trained':1,'bloweth':1,'from':1,'would':2,'prove':2,'remains':2,'live':3,'therefore':1,'mysterious':1,'substances':1,'marks':1,'particular':1,'90':1,'93':1,'must':1,'account':1,'animals':4,'this':20,'science':2,'piltdown':1,'can':5,'meet':1,'indicated':1,'frogs':2,'allowed':1,'high':1,'arise':1,'evidently':1,'viviparity':1,'end':1,'damage':1,'seeds':2,'movements':1,'intelligent':1,'swayed':1,'may':3,'after':3,'curiosity':1,'man':16,'a':32,'light':6,'sun-spots':1,'life':2,'green':1,'unsteady':1,'over':1,'produced':1,'experiments':1,'during':1,'carnivores':1,'existence':1,'rewarded':2,'birds':5,'before':1,'group':1,'forms':1,'vast':1,'covered':2,'might':3,'pays.':1,'evolution':6,'they':70,'not':1,'each':2,'went':3,'energy':4,'constitute':1,'our':8,'out':1,'living':3,'percepts':1,'flowed':1,'supports':1,'given':1,'put':1,'could':3,'length':1,'throws':1,'already':2,'number':1,'one':4,'long':1,'size':1,'little':1,'toy':1,'leading':1,'system':1,'hangs':1,'their':6,'gives':1,'eyes':1,'that':1,'took':1,'part':1,'flowers':1,'distance':4,'kind':1,'require':1,'tree':1,'matter':1,'were':2,'enables':1,'and':1,'ages':1,'have':11,'wallowed':1,'any':1,'-':1,'ideas':1,'cropped':1,'build':2,'which':7,'mammals':2,'play':1,'unless':1,'though':1,'object':1,'what':1,'falls':2,'most':2,'letter':1,'device':1,'extremely':1,'manifested':1,'gather':1,'steady':1,'electrons':2,'came':1,'gold':1,'insects':1,'means--resides':1,'only':2,'molecules':2,'8':1,'inhabit':1,'he':8,'local':1,'meant':1,'his':2,'sense':1,'skims':1,'means':1,'nearly':1,'instinctive':1,'dr':1,'runs':1,'she':2,'contain':1,'where':1,'aspect':1,'intelligence':1,'radium':2,'depends':2,'individual':2,'are':7,'tender':1,'definite':1,'its':2,'halves':1,'outside':1,'various':1,'between':3,'neither':1,'we':42,'nature':1,'originated':1,'multiplies':1,'come':2,'both':4,'many':6,'s':1,'figures':1,'expended':1,'comes':1,'otherwise':1,'among':2,'point':1,'whatever':1,'height':1,'regulated':1,'ether':1,'.':2,'interest':1,'mars':1,'empty':1,'direction':1,'flight':1,'amphibians':1,'engage':1,'lives':2,'sound':1,'these':12,'will':2,'while':8,'intercepts':1,'discoveries':1,'century':1,'light.':1,'is':51,'it':73,'experts':1,'in':27,'if':11,'different':1,'develop':1,'make':4,'grows':1,'neolithic':1,'used':1,'moment':1,'necessity':1,'supposing':1,'recent':1,'dark':1,'no':5,'sound-waves':1,'the':305,'bodies':1,'left':2,'just':2,'when':13,'distant':1,'questions':1,'speed':1,'death':1,'field':1,'had':6,'has':13,'gave':1,'increased':1,'early':2,'elapses':1,'like':1,'often':1,'ascend':1,'lingers':1,'happens':1,'provided':1,'leaf':1,'for':3,'does':2,'although':2,'instinct':2,'littoral':1,'by':2,'on':3,'about':1,'central':1,'of':52,'wave-length':1,'primitive':1,'within':1,'promise':1,'spores':1,'sticklebacks':1,'her':1,'there':47,'gases':1,'was':8,'opens':1,'form':1,'some':15,'amongst':1,'atom':1,'remote':1,'with':1,'partially':1,'made':1,'flit':1,'variations':1,'planet':1,'below':1,'attaches':1,'universal':1,'body-making':1,'deep':1,'an':6,'as':7,'exist':1,'at':7,'walks':1,'again':1,'variety':1,'uranium':1,'slumbers':1,'other':1,'you':4,'star':1,'visits':1,'develops':1,'fishes':2,'implies':1,'lead':1,'age':1,'depth':1,'time':1,'once':2},'brains':{'a':1,'and':2,'about':1,'from':1,'of':2,'is':1,'.':1,'occupying':1,'more':1},'kangaroo-like':{'fashion':1},'bees.':{'sheer':1},'eliminated':{'while':1,'in':1},'flowers':{'and':5,'yet':1,'in':1},'than':{'all':2,'uranium':1,'fifty':1,'light-waves':2,'birds':1,'before':1,'25':1,'to':5,'self-fertilisation':1,'ours':1,'seen.':1,'evolution--but':1,'very':1,'five':1,'occasional':1,'they':4,'half':1,'one':3,'55':1,'twice':1,'she':1,'science':1,'seventeen':1,'violet-light':1,'are':1,'our':1,'parachuting':1,'what':1,'its':1,'across':1,'we':3,'full':1,'300':1,'men':1,'efficiency':1,'others':2,'might':1,'100':2,'by':2,'anything':1,'of':1,'himself.':1,'34':1,'bricks':1,'two':4,'decrease':1,'learning':1,'one-millionth':1,'reflective--which':1,'from':1,'her':1,'twenty':1,'support':1,'there':1,'three':3,'cats':1,'500':1,'life':1,'that':7,'understand':1,'with':1,'those':4,'women':1,'sound':1,'non-existence':1,'thirty':1,'this':3,'plain':1,'replaced':1,'many':1,'my':1,'collecting':1,'seven':1,'guesses':1,'is':9,'radial':1,'it':3,'an':7,'as':1,'itself':1,'three-chambered.':1,'at':1,'fumbling':1,'in':15,'any':4,'tentative':1,'when':2,'regions':1,'arboreal':1,'another':1,'142':1,'eighty':2,'variation':1,'eight':1,'a':23,'elusive':1,'counterbalances':1,'-200':1,'the':52},'rugged':{'.':1},'artificer':{'fashioning':1},'accordance':{'with':3},'three-spined':{'and':1,'stickleback':2},'shunting':{'waggons':1},'dawn.':{'in':1},'apples':{'and':1},'fruits':{'and':1,'the':1,'191':1},'accessed':{'displayed':1},'photosynthesis':{'carbon':1,'that':1,'.':1,'i.e':1},'sublime':{'process':2,'device':1,'indifference':1,'movement':1},'dipnoan':{'which':1},'troublesome':{'as':1},'chlorophyll':{';':1,'that':1,'or':2,'which':1,'in':1},'angel':{'in':1},'remained':{'naked':1,'flat':1,'unchanged':1,'plastic--a':1,'at':1},'caterpillars.':{'of':1},'interpretation':{'of':6,'is':1},'lens-shaped':{'middle':1,'portion':1,'formation':1,'system':1},'anger':{'and':1},'wallowed':{'in':1},'recover':{'itself':1},'slab':{'of':1},'lumps':{'of':1},'erectus.':{'3':1},'overcoming':{'the':1},'shark':{'and':1,'his':1},'snout':{'the':1,'was':1,'region':1},'equipment':{'is':1,'including':1,'especially':1,'.':2},'mr.':{'waterhouse':1},'repeatedly':{'pruned':1,'changed':1,'shot':1,'against':1},'online':{'distributed':2,'at':3,'payments':1},'mediterraneans':{'semites':1},'hornbill':{'s':2},'begin':{'to':10,'with':6,'at':1,'afresh':1},'price':{'essence':1,'paid':1},'evaporate':{'altogether':1},'ultramicroscope':{'have':1},'men--conspicuous':{'amongst':1},'america':{'and':3,'a':1,'introductory':1,'africa':1,'.':2,'the':2,'by':1,'is':1},'greyish':{'jelly':1,'zone':1},'forever':{'unseen':1},'music.':{'illustration':1},'dream':{'that':1,'.':1},'freshwaters':{'and':1,'afforded':1,'form':1,'is':1,'.':2,'including':1,'4':1,'the':1},'steady':{'flow':1,'rhythmical':1,'renewal':1},'tooth':{'and':3,'is':1,'catches':1},'sunset':{'mean':1},'hurled':{'against':1,'out':1},'pattern':{'to':1,'is':1,'of':1,'.':1},'dust--that':{'it':1},'honour.':{'what':1},'discoverer':{'of':2},'fifty':{'thousandths':1,'eggs':1,'years':3,'feet':1,'miles':4,'fathoms':1},'discovered':{'and':3,'a':2,'about':1,'or':1,'star':1,'that':2,'it':1,'whatever':1,'an':1,'near':1,'until':1,'then':1,'in':12,'new':2,'the':4,'.':5,'by':2},'227':{'photo':1,'from':1},'226':{'photo':1},'fifth':{'printing':1},'crashing':{'along':1},'gnaw':{'the':1,'through':1},'ratio':{'of':1,'for':2,'to':1},'darwinism.':{'iii':1},'title':{':':1},'proportion':{'shown':1,'that':1,'of':1,'to':2,'as':1,'at':1},'jolt':{'that':1},'only':{'and':1,'exposed':1,'certain':1,'is':1,'coming':1,'competition':1,'one':13,'beginning':1,'as':3,'animals':1,'are':1,'planets':1,'in':4,'globes':1,'happen':1,'large':1,'differ':1,'from':2,'for':2,'shifts':1,'twenty':1,'make':1,'though':1,'when':2,'two':1,'been':1,'inferred':1,'to':6,'that':3,'without':1,'extravagant':1,'4':1,'way':1,'gradually':1,'mean':1,'profiting':1,'infer':1,'plants':1,'return':1,'206':1,'pours':1,'liberated':1,'apparent':1,'dimly':1,'but':1,'possible':2,'approaches':1,'a':28,'waves':1,'method.':1,'during':2,'shadow':1,'an':3,'with':1,'by':3,'minute':1,'fly':1,'on':1,'about':1,'luminescence':1,'backboned':1,'working':1,'thirty':1,'be':1,'of':4,'supporting':1,'required':2,'half':1,'different':1,'travels':1,'matter':1,'maintain':1,'were':1,'found':1,'the':5,'say':1,'or':1,'meaning':1,'once':4},'self-forgetful':{'and':1},'essence':{'of':1},'thompson':{'silvanus':1},'orthoptera':{'have':1},'220':{'the':1},'seen.':{'the':1,'illustration':1},'continuance':{'of':5},'shepherding':{';':1},'15.--mars':{'1':1},'warm-blooded':{'.':1,'creature':1},'cannot':{'and':1,'all':1,'give':2,'indeed':1,'in':1,'discover':1,'replace':1,'go':3,'see':1,'expect':1,'have':2,'enumerate':1,'fail':1,'follow':1,'even':1,'guess':1,'make':1,'continue':2,'survive':1,'tell':1,'swim':1,'be':26,'shut':1,'dispense':1,'however':1,'here':1,'possibly':1,'succeed':1,'put':1,'now':1,'come':1,'positively':2,'of':1,'conceive':1,'say':4,'evade':1,'think':2,'leave':2,'settle':1,'avoid':2,'travel':1},'genealogy':{'which':1},'appreciatively':{'in':1},'exactitude':{'and':1},'seldom':{'coincides':1,'spends':1,'if':1},'girdled':{'about':1},'baits':{'of':1},'prevents':{'bleeding':1},'sea--the':{'fresh':1,'shallow':1,'open':1,'deep':1},'girdles':{'of':1},'pituitary':{'and':1},'burst':{'into':2},'physically':{'far':1},'lancelets':{'and':1},'famine':{'or':1},'namely':{'portions':1,'that':1,'air':1,'in':1,'the':6,'sexual':1,'experimental':1},'actively':{'and':1,'hunts':1,'from':1},'sticklebacks.':{'after':1},'successive':{'ages--the':1,'series':1,'rings':1,'strata':2,'steps':1,'periods':1,'sets':1,'stages':1,'conquests':1,'incarnations':2},'sport':{'and':1,'for':1},'key--a':{'way':1},'concern':{'the':1,'for':1},'sprawl.':{'they':1},'justifies':{'itself':1},'colours':{'and':4,'then':1,'from':2,'which':2,'apart':1,'sometimes':1,'correspond':1,'.':11,'observed':1,'will':2,'are':1,'produced':1,'in':1,'alone':1,'283':1,'coloured':1,'with':1,'the':2,'red':1,'gives':1},'3':{'and':4,'below.':1,'1908':2,'educational':1,'rapid':1,'from':1,'hillock':1,'.':11,'3':1,'4':1,'we':1,'inches':1,'000':1,'letter':1,'variable':1,'now':1,'with':1,'by':1,'man':1,'evolution':1,'i':1,'of':2,'making':1,'the':11,'minutes':1,'drawing':1},'between':{'stones':1,'summer':1,'ten':1,'intelligence':1,'modern':1,'mind':1,'worms':1,'one':1,'tide':1,'our':1,'its':1,'tide-marks':1,'different':1,'flowers':2,'two':5,'physiology':1,'certain':1,'raising':1,'stars':1,'mars':1,'red':2,'a':3,'them':5,'that':1,'atoms':1,'it':1,'members':1,'shadow':1,'water-weeds':1,'fifteen':1,'day':1,'minute':1,'man':3,'plants':2,'loss':1,'one-seventh':1,'this':2,'hungry':1,'us':4,'these':3,'those':1,'common':2,'mother':2,'the':32,'male':1},'kneads':{'it':1},'justified':{'his':1,'by':1},'whipped':{'egg':1},'notice':{'what':1,'that':5,'this':1,'of':2,'is':2,'in':5,'how':1,'therefore':1,'another':1,'certain':1,'the':6,':':1,';':1,'indicating':1},'article':{'on':2,'is':1,'dealing':1},'profitless':{'stimuli':1},'stages':{'still':1,'e.g':1,'of':5,'when':1,'it':1,'through':1,'at':1,'which':1,'in':9,':':1,'until':1},'strides':{'associated':1},'cycad':{'flora':1},'systema':{'naturae':2},'altamira':{'cave':4},'enabling':{'the':1},'sparseness':{'in':1},'comet':{'and':1,'october':1,'for':1,'that':1,'september':1,'of':1,'is':1,'s':1,'.':1,'fig.':1,'approaches':1,'the':1,'dashes':1},'wheels':{'go':1},'already.':{'among':1},'comes':{'a':3,'and':1,'about':1,'from':1,'into':1,'within':2,'back':1,'.':1,'to':3,'through':1,'directly':1,'close':1,'the':1,'out':2},'mites':{'many':1},'passenger':{'pigeon':1},'jeans':{'says':1},'juvenile':{'stages':2},'learning':{'a':1,'by':7,'from':1,'intelligently.':1,'to':5,'thinking':1,'tricks':1,'there':1,'but':1,'.':1,'trial':1,'at':1,'the':1,'or':1},'moreover':{'even':1,'climate':1,'that':3,'meteorites':1,'there':2,'their':1,'as':2,'every':1,'they':1,'the':2,'if':1},'actually':{'standing':1,'do':2,'fly.':1,'longer':1,'dividing':1,'consort':1,'settled':1,'caught':1,'observed':2,'implied':1,'lives':1,'stuffed':1,'in':1,'observing':1},'sun-spots':{'appear':1,'that':1,'is':2,'rise':1,'it':1,'.':1,'are':1,'where':1},'oliver':{'lodge':2,'electrons':1},'cares':{'.':1},'mimicry--the':{'subject':1},'markedly':{'contrasted':1,'from':1,'in':1},'jerks':{'a':1,'itself':1,'its':1},'punished':{'by':1},'rotting':{'or':1,'.':1},'dangers':{'.':1,'e.g':1},'exhaustion':{'of':1},'gill-breathing':{'and':1},'angles--that':{'is':1},'observers':{'who':1,'that':1},'stephen':{'cribb.':2},'textbook':{'organic':1},'rubs':{'it':1},'stems':{'of':1,'gave':1},'suspected':{'that':1,'.':1},'water-animals':{'.':1},'realities':{'in':1,'.':1},'prehistoric':{'skulls':1,'brothers':1,'human':2,'metallurgists':1},'developing':{'organs':1,'eggs':1,'egg':1,'human':1},'these':{'flaming':1,'partial':1,'planetesimals':1,'magnetic':1,'forests':1,'four':1,'not':1,'motions':1,'facts':2,'tropisms':1,'its':1,'before':2,'layers':1,'middlemen':1,'giant':1,'daughter-buds':1,'infinitely':1,'quaint':2,'greeks':1,'masses':1,'show':1,'young':1,'forms':2,'to':1,'twig-insects':1,'spirals':1,'clusters':1,'include':1,'moorhens':1,'rodents':1,'exalted':2,'questions':2,'dark':1,'gloomy':1,'effects':2,'words':2,'radio-active':1,'instinctive':1,'fragments':2,'vast':1,'vapour':1,'shallow-water':1,'variable':1,'sources':1,'large':1,'small':1,'works':1,'embryonic':1,'mean':1,'methods':1,'are':16,'instances':1,'concern':1,'gill-slits':1,'three':4,'palaeolithic':1,'organisms':1,'self-effacing':1,'shallow':1,'particles':4,'various':2,'moons':1,'open-sea':1,'illustrate':1,'encounters':1,'red':2,'mercury':1,'we':1,'men':1,'agencies':1,'atoms':2,'wingless':1,'threads':1,'represented':1,'tidal':1,'craters':1,'great':1,'last':1,'flames':1,'brilliant':1,'could':1,'haunts':1,'strange':2,'extremes':1,'streams':1,'dents':1,'efforts':1,'wonders':1,'considerations':1,'reasons':1,'instruments':3,'marvels':1,'spiral':2,'invisible':1,'gases':1,'protozoa':1,'ether':1,'technically':1,'ring-formations':1,'little':2,'ancient':1,'from':1,'entities':1,'outbreaks':1,'there':4,'two':9,'spots':1,'.':1,'stuck':1,'observations':1,'fiery':1,'reflex':1,'manufacture':1,'enable':1,'vigorous':1,'stars':2,'form':1,'that':1,'formed':1,'minute':1,'cases':1,'sleeping':1,'with':2,'must':1,'portions':1,'was':1,'cells':1,'variations':1,'will':1,'regions':1,'replaced':1,'thin':1,'were':4,'coral':1,'and':1,'seven':2,'planets':1,'is':3,'it':1,'days':1,'pieces':1,'have':5,'in':2,'need':1,'x-rays':1,'pages.':1,'paths':1,'rays':2,'requirements':1,'inborn':2,'perhaps':1,'things':3,'cave':1,'struggles':1,'astronomers':1,'sciences':1,'amazing':1,'other':1,'details':1,'which':1,'papers':1,'units':1,'green':2,'several':2,'higher':1,'play':1,'elements':1,'vestigial':2,'may':1,'long':1,'eight':1,'delicate':1,'half-brutish':1,'waves':3,'fishes':2,'types':2,'so-called':1,'enregistrations':1,'spectra':1,'lines':3,'lasted':1,'substances':2,'chemical':3,'points':2,'electrons':7,'bodies':1,'allow':1,'tentatives':1,'the':2,'molluscs':1},'danger.':{'illustration':1},'handicapped':{'by':1},'biped':{'and':1,'202':1,'when':1},'care.':{'but':1,'illustration':1},'coolest':{'and':1,'places':1},'ein':{'or':1},'ocean-basins.':{'beginnings':1},'soil':{'of':1,'the':3,'by':1,'.':1},'startling':{'results.':1,'in':1,'effect':1,'rapidity':1,'.':1},'100th':{'of':1},'eras':{'marked':1,'.':2,'eighteen':1,'passed':1,'in':1,'with':1},'beaver':{'will':1,'not':1,'the':2,'shore-frequenting':1,'220':1},'property':{'infringement':1,'of':4,'trademark':1,'common':1,'which':1},'helium':{'and':1,'from':1,'could':1,'gas':1,'by':1},'thrills':{'the':1},'generously':{'.':1},'cromagnon':{'man':2},'develop':{'and':2,'into':2,'without':1,'inside':1,'in':2},'inquire':{'how':3,'into':1,'however':1,'what':2},'intelligently':{'appreciate':1,'.':1},'epoch':{'now':1,'in':1},'inquiry':{'into':1,'was':1,'is':2,'called':1},'streams':{'and':1,'of':4,'.':1,'bring':2,'in':1,'encounter':1,'out':1},'gorging':{'itself':1},'noble':{'giants.':1,'qualities':2,'in':1},'investigated':{'to':1,'.':1},'centuries':{'astronomers':1,'to':2,'unavailable':1},'arctic':{'plants':1,'fox':2,'foxes':1,'ocean':1,'forms':1,'terns':1},'foam':{'beneath':1,'it':1},'unconvincing':{'.':1},'fruit':{'to':1,'it':1,'but':1,'.':1},'attributes':{'as':1},'solicitation':{'requirements':1},'passing':{'on':1,'from':2,'two':1,'quickly':1,'down':1,'to':1,'through':5,'stars':1,'in':1,'an':1,'cloud':1,'before':1},'traps':{'and':1},'framework':{'of':1,'in':1},'charges':{'and':1,'of':3,'within':1,'carried':1,'.':1},'constitutional':{'sometimes':1,'changes':1,'rhythm':1},'breezy':{'morning':1},'severe':{'processes':1,'winter':2,'for':1,'interglacial':1,'in':1,'cold':2,'conditions':1},'luminous':{'body':1,'and':1,'interpretation':1,'body.':1,'envelope':1,'after':1,'spot':1,'.':1,'to':1,'cloud-like':1,';':1,'organs':1,'the':1,'fact':1},'laboratories':{'of':2},'charged':{'particles':1,'with':1,'nucleus':1},'heaps':{'them':1},'three-chambered':{'heart':2},'last.':{'the':1,'there':1},'aeration':{'is':1},'transmitting':{'waves':1},'cromagnards':{'probably':1,'in':1,'.':1},'dancers':{'in':1},'valuable':{'food-plant':1,'practically':1},'electrification':{'like':1},'accumulate':{'on':1,'any':1,'.':1},'rule.':{'getting':1},'ounces':{';':1,'at':1},'touch':{'of':3,'the':1,'is':1,'came':1,'.':1},'speed':{'a':1,'we':2,'that':1,'of':15,'is':1,'though':1,'given':1,'.':3,'to':1,'as':1,'increases':1,'which':1,'in':1,'has':1,'with':1,'or':2,'round':1},'death':{'and':2,'a':2,'of':3,'is':3,'there':2,'when':1,'but':1,'.':3,'as':1,'sec':1,'are':1,'208':1,'the':1,'should':1,'similar':1,'becoming':1},'legitimately':{'inquire':1},'thinking':{'about':1,'of':3,'is':1,'.':2,';':1,'feeling':2},'darkness--an':{'eternal':1},'starlings':{'in':1},'improvement':{'where':1,'e.g':1},'journey.':{'we':1},'treatment':{'and':1,'of':1},'versa':{'some':1},'dovecot':{'to':1},'struck':{'only':1,'in':1},'real':{'wealth':1,'nature':2,'food':1,'men':1,'seeds':1,'sense':1,'progress':1},'spectacular':{'display':2,'element':1},'larva':{'about':1,'e.g':1,'called':1,'transparent':1,'that':1},'rules':{'is':1,'set':1},'outermost':{'finger':3,'moons':1},'stung':{'by':1},'epoch-making':{'step':1,'experimental':1},'discontinue':{'all':1},'absorptive':{'wall':1},'early':{'embryo':1,'summer':1,'atmosphere':1,'instruments':1,'pliocene':2,'chapters':1,'years':1,'triassic':1,'in':1,'stage.':1,'instrument':1,'reptiles':1,'ripening':1,'stage':2,'vegetation':1,'life-history':2,'neolithic':1,'waters':1,'men':1,'community':1,'man':1,'stone':2,'forking':1,'days':2,'youth':1,'greek':1,'victorian':1,'offshoot':2,'or':1},'quickness':{'of':1,'correlated':1,'.':1},'broader.':{'other':1},'decipher.':{'another':1},'using':{'a':2,'up.':1,'them':1,'and':1,'these':1,'or':1,'their':2,'electricity':1,'the':3,'any':1},'lady':{'came':1},'ruled':{'by':1},'inevitableness':{'of':1},'learnedly':{'called':1},'heat-waves':{'and':1,'.':1},'nerve-endings':{'on':1},'pounds':{'and':3,'of':4,'.':1},'smell':{'and':1,'less':1,'of':1,'that':1,'.':1,'in':2,'detecting':1,'or':1},'velocities':{'and':1,'with':1,'from':1},'streamers':{'which':1},'system.':{'the':3,'several':1,'what':1,'illustration':1,'in':1},'benefit':{'is':1,'in':1},'t':{'our':1,'.':3,'of':1},'fully':{'formed':1,'into':1,'explained':1,'appreciate':1,'aware':1,'absorbed':1,'in':1,'.':1},'downward':{'current':1,'currents':1},'twelve':{'hours':1,'different':1},'exposed':{'on':1,'it':1,'rocks':1,'to':3,'at':1,'the':1},'coal--a':{'chemical':1},'cathode':{'gave':1},'chronology':{'do':1},'astronomer':{'simon':1,'takes':1,'calls':2,'means':1,'h':1,'seldom':1,'.':1,'offers':1,'said':1,'has':1,'despairing':1},'shore-pool':{'and':1},'1859':{'made':1,'.':1},'salicylic':{'acid':1},'unlocked':{'.':1},'1850':{'.':1},'recorded':{'.':1,'in':1},'1856':{'in':1},'conservative':{'and':1,'animals':1,'type':1,'anatomist':1},'clear-cut':{'perceptual':1,'ideas':1,'.':1},'iron-forming':{'bacteria':1},'wheat':{'and':3,'a':1,'in':2,'which':1,'on':1,'of':1,'is':2,'that':1,'it':1,'1919':1,'emerged':1,'were':1,'harvest':1,'with':1,'called':1,'before':1},'business':{'office':1,'that':1,'of':1,'.':1,'pglaf.org':1,'in':1},'sixth':{'printing':1,'day':1,'month':1},'equivalent':{'to':1},'uneasy':{'and':1,'restlessness':1},'sixty':{'millions.':1,'miles':2,'years':1},'exciting':{'chapter':1,'race':1},'throw':{'off':1,'light':1,'it':1,'much':1,'dust':1,'prickly':1},'comparison':{'of':1,'the':1,'.':1,'with':3,'should':1},'ear-trumpet':{'or':1,'man':1},'central':{'and':1,'body':2,'stomach':1,'sun':1,'region':1,'java.':1,'europe':1,'fire.':1,'portion':1,'part':1,'nucleus':2,'africa':1,'biological':1,'lens-shaped':2,'mass':1,'fact':1},'piety':{'of':1},'tentatives':{'have':1,'.':1},'wolf':{'a':1,'the':1,'.':2},'greatly':{'increased.':1,'and':1,'economised':1,'from':1,'increased':2,'for':1,'restricted':1,'enlarged':1,'according':1,'by':1,'misjudge':1,'increases':1,'magnified.':2,'in':1,'affect':1,'reduced':1,'elongated':1,'encouraged':1},'bright-green':{'hue':1},'predatory':{'creatures':1,'animal':1,'cuttlefishes':1},'freeing':{'of':1},'outlook':{'on':1},'whole.':{'geologists':1},'kapp':{'gisbert':1},'goethe':{'s':1},'skunks':{'magpies':1},'rolling':{'stone':1},'heated':{'.':1},'elementary':{'exposition':1,'can':1,'fact':1},'shrinking':{'the':1,'mass':1},'your':{'poker':1,'possession.':1,'written':1,'country':1,'equipment.':1,'use':1,'applicable':1,'pocket':1,'state':1,'periodic':1,'nerves':1,'cold':1,'hand':1,'efforts':1},'stare':{'at':1},'risen.':{'one':1},'fast':{'and':1,'line--are':1,'that':2,'bound':1,'.':1,'to':1},'log':{'ready':1},'prepare':{'or':1,'your':1},'area':{'and':2,'of':5,'varies':1,'.':1,'as':1,'are':1,'which':2,'by':1},'stoppage':{'of':1},'start':{'a':2,'of':1,'at':1,'the':1,':':1,'with':1},'cats':{'and':2},'low':{'and':2,'flat':1,'temperatures':1,'temperature':1,'form':1,'level':3,'nest-building':1,'grounds':1,'when':1,'forests':1,'gap':1,'chemical':1,'to':1,'quiet-looking':1,'retreating':1,'psychical':1,'the':1,'on':1,'type':1,'order':1,'degree':1},'lot':{'of':2},'colder':{'water':1,'.':1},'jones':{'has':1},'philosophers':{'but':1},'posterior':{'claspers':1},'manipulative':{'intelligence':1,'skill':1,'expertness':1},'1871--a':{'book':1},'body-cells':{';':1},'two-thirds':{'of':2},'water-vapour':{'gathers':1,'which':1,'in':1},'hottest':{'.':1},'playsomest':{'crittur':1},'sea-level':{'.':1},'circulation':{'of':2},'species.':{'sec':1,'it':1},'star.':{'this':1},'phosphorescent':{'things':1,'animals;':1,'at':1},'waltzing':{'mouse':1},'embedded':{'in':2},'waste-product':{'called':1},'beliefs':{'concerning':1},'euplectella':{'a':2},'vedda':{'of':1},'600':{'a':2,'miles':1,'000':1},'describe':{'this':1,'even':1,'the':1,'it':1,'as':1},'moved':{'slightly':1,'still':1,'slowly':1,'forwards':1,'weigh':1},'sheath':{'which':1},'moves':{'and':1,'only':1},'extinct--taking':{'us':1},'innings':{'.':1},'plants--the':{'first':2},'alligator-like':{'forms':1},'thither':{'rather':1,'somewhat':1},'you':{'already':1,'give':1,'within':1,'distribute':1,'share':1,'begin':2,'press':1,'are':4,'have':6,'in':1,'carefully':1,'follow':1,'will':1,'derive':1,'from':1,'for':2,'provide':3,'pay':1,'indicate':1,'charge':1,'take':1,'do':4,'notice':1,'cause.':1,'may':9,'beat':1,'as-is':1,'pick':1,'paid':3,'discover':1,'produce':1,'put':2,'hold':1,'with':1,'comply':2,'must':6,'a':1,'received':3,'prepare':1,'receive':1,'wish':1,'like':1,'cannot':1,'can':9,'learn':1,'agree':4},'forcing':{'us':1},'poor':{'.':1,'endowment':1,'in':2},'polar':{'bear':5,'ocean':1,'cap.':1,'snow-caps':1,'caps':2,'areas':1},'466':{'sirius':1},'bacillus':{'of':1},'drift':{'across':1,'but':1,'which':1},'carpenter':{'who':1},'flattened':{'shape':1,'tips':1,'sacs':1},'suited':{'to':3,'for':9,'certain':1},'queensland':{'one':1,'mudfish':1},'pool':{'on':1,'almost':1,'of':1,'is':1,'.':1,'swamp':1,'in':1},'ramsay':{'discovered':1,'and':1},'building':{'of':2,'material':1,'up':7},'bulk':{'of':4,'under':1},'condensation':{'of':1,'would':1,'they':1,'.':1},'sperm-cells':{'distinct':2,'.':1},'controlled':{'and':2,'activities':1,'life':1,'then':1,'movements':1,'more':1},'profits':{'you':1,'by':1},'doubted':{'even':1},'signalling':{'to':1},'strings':{'round':1},'since':{'lessons':1,'then':1,'we':2,'sheep-ranches':1,'many':2,'noon':1,'there':1,'it':4,'rain':1,'matter':1,'disappeared.':1,'all':1,'man':1,'the':8,'darwin':1,'extinct':2,'if':1},'contemporaneously':{'with':2},'skeleton':{'and':1,'remains':1,'musculature':1,'of':4,'tend':1,'in':1,'or':2},'pointing':{'out':1},'breadth':{'of':1},'splitting':{'the':1,'into':1,'up':2},'month':{'and':2,'because':1,'old':1,'increased':1,'of':2,'began':1,'but':1,'.':1,'became':1},'ceased':{'to':5,'it':1},'thoughtful':{'men.':1},'re-utilise':{'.':1},'revealed':{'down':1,'to':1,'themselves':1,'itself':1},'asterias':{'forreri':2},'carpet':{'of':2},'keith':{'and':1,'pithecanthropus':1,'pictures':1,'arthur':1,';':1,'m.d':2,'says:':1},'referring':{'it':1},'cliff':{'.':1},'unenforceability':{'of':1},'wyoming':{'u.s.a.':1},'talkativeness':{'.':1},'deep-rooted':{'corresponding':1},'boiling-point':{'of':1,'while':1},'solicit':{'donations':1,'contributions':1},'sustain':{'it':1},'thomson.':{'i':1},'divisions':{'of':1},'very':{'precise':1,'permeable':1,'hooky':1,'remarkable':5,'distant':1,'carefully':1,'tough':1,'uniform':1,'fine':4,'profitable':1,'rapid':2,'rapidly':1,'educable':2,'interesting':11,'young':2,'peculiar':1,'passive':1,'deep-rooted':1,'masculine':1,'inconspicuous':4,'good':2,'dust':1,'far':4,'discrepant':1,'early':1,'nearly':1,'closely':1,'vividly':1,'highly':1,'feeble':1,'minute':2,'brightly':1,'dim':1,'like':4,'profound':1,'numerous':3,'imperious':1,'large':4,'common':3,'liable':1,'quick':1,'antique':1,'dilute':1,'old':1,'often':3,'innocent':1,'unprofitable':1,'changeful':1,'likely':1,'convincingly':1,'miserable':1,'heavy':1,'gradually':1,'dense':1,'prolific':2,'poisonous':2,'definite':1,'near':1,'conservative':1,'simplest':1,'crude':1,'sluggish':1,'palatable':1,'intimate':1,'notable':1,'weak':1,'voracious':1,'small':9,'completely':1,'slow':2,'active':3,'eventful':1,'strong':3,'beginning':2,'momentous':1,'great':3,'instant':1,'reverse':1,'many':1,'distinctively':1,'inexpensive':1,'practical':1,'sensitive':4,'greatly':2,'slightly':1,'hearty--we':1,'puny':1,'first':1,'favoured':1,'primitive':1,'useful':3,'striking':4,'simple':4,'image':1,'powerful':1,'apt':1,'obscure--sometimes':1,'forcibly':1,'finely':1,'complex':2,'readily':2,'sensible':1,'little':4,'ancient':2,'basis':1,'distinct':1,'own.':1,'faint':2,'markedly':1,'long':6,'plastic':1,'marked.':1,'literal':1,'much':9,'slowly':2,'low':5,'perfectly':1,'protuberant':1,'easy':2,'successful':3,'shallow':1,'feminine':1,'representative':2,'considerable':1,'gradually.':1,'uncertain':2,'instructive':2,'characteristic':1,'largely':1,'intimately':1,'suggestive':1,'obvious':2,'thin':1,'promising':1,'beautiful':3,'heart':1,'aerial':1,'compact':1,'violently':1,'slim':1,'few':1,'high':2,'effectively':1,'variable':2,'close':1,'tranquil':1,'different':9,'keen':2,'unsuitable':1,'eloquent':1,'utilitarian':1,'hot':4,'vital':1,'grand':1,'unpromising':1,'ordinary':1,'difficult':4,'fairly':1,'opposite':1,'convincing':1,'alert':1,'important':7,'sagacious':1,'fierce':1,'frequently':1,'conspicuous':1,'dark':1,'short':2,'advantageous':1,'effective':1,'crowded':1,'mobile':1,'vigorously':1,'well':2,'severe':1,'serious':2,'incomplete':1},'indubitable':{'multicellular':1,'dynamical':1,'.':1},'bombarded':{'by':2},'coloured':{'and':1,'on':1,'reproductive':1,'lights':1,'illustration':13,'cloth':1,'flowers--attractive':1,'discs':1,'objects':1,'tree-frogs':1,'cardboard':1,'disc':1,'frontispiece':1},'oncorhynchus':{'not':1},'balancing':{'and':1,'on':2,'themselves':1,'not':1,'the':1},'minded':{'of':1},'decide':{'upon':1},'10.--solar':{'prominences':1},'cross-striped':{'quickly':1},'generalised':{'not':1,'percept':1,'humanoid':2,'members':1},'obvious':{'limitation':1,'advantage':1,'that':1,'when':1,'.':1,'advantages':1,'therefore':1,'factor':1,'fact':1},'deficient':{'in':1},'louis':{'agassiz':1,'robinson':1},'ceaseless':{'sifting.':1,'process':1},'elusiveness.':{'v':1},'retrogressions':{'in':1},'mile':{'a':1,'all':2,'towards':1,'would':1,'away':1,'per':1,'.':1,'high.':1},'plain':{'and':1,'story':2,'that':4,'is':1,'account':1,'enough':1,'vanilla':2},'locomotive':{'publishing':2},'trumpeting':{'with':1},'brittle-star':{'and':1},'salterns':{'has':1},'torpedo-net.':{'they':1},'disintegration.':{'there':1},'4557':{'melan':1},'casual':{'and':1},'bass':{'which':1},'inspire.':{'subsequent':1},'darkness':{'and':1,'of':2,'.':1,'was':1,'in':2},'consumers':{'.':1},'witnessed':{'.':1},'emotions':{'ideas':1,'but':1,'.':1,'in':1,'such':1,'beyond':1},'thickness':{'would':1,'of':8,'is':2,'.':1,';':1,'he':1},'him.':{'instantaneously':1,'illustration':1},'argyroneta':{'natans':1},'learned':{'for':2,'to':9,'that':2,'.':1,'their':1,'in':2,';':1,'its':1},'elsewhere.':{'the':1,'as':1},'edited':{'by':1},'loose':{'and':4,'spiral.':1,'sort':1,'behind.':1,'network':1},'answers':{'back':2,'.':1,'to':1,'are':1,'the':1,'must':1,'come':1,'first':1},'elmhirst':{'r':1},'11.86':{'86500':1},'trunk':{'till':1,'it':1},'lull.':{'1':1,'what':1},'i.e':{'.':14},'strong':{'desire':1,'pectoral':1,'vigorous':1,'shoulders.':1,'power':1,'that':1,'reasons':1,'jaws':1,'magnetic':1,'radiation':1,'tendency':2,'evidence':2,'feet':1,'enough':2,'artistic':2,'currents':1,'the':1,'.':2,'carapace':1,'man':1},'interposed':{'a':1},'creeps':{'close':1},'ahead':{'of':1,'in':1,'.':1},'disclaimers':{'of':1},'vegetarian':{'the':1,'scooping':1,'or':1,'triassic':2},'whine':{'about':1},'experimenting':{'and':3,'mood':1,'of':1,'.':1,'as':1,'which':1,'in':1,'rises':1,'with':3,'or':1,'more':1},'unproved':{'hypothesis':1},'soldier':{'wounded':2},'amount':{'generation':1,'of':18,'.':1,'to':2,'which':1,'proportional':1},'successors':{'whatsoever':1,'would':1},'helps':{'to':4,'the':1,'us':1},'tides.':{'illustration':1},'family':{'and':2,'spawn':1,'cares':1,'of':4,'is':1,'perceive':1,'relations':1,'.':2,'124':1,'are':1,'life.':1,'one':1,'affection':1,'swimming':1},'requiring':{'to':1,'no':1},'ask':{'the':1,'.':1},'trained':{'police':1,'animals':1,'to':1},'globes':{'and':1,'of':2,'in':2},'spawned':{'or':1},'conventional':{'modes':1},'ash':{'by':1},'flaws':{'in':1},'discriminative':{'absorption':1},'0':{'earth':1,'venus':1,'4':1},'revelation':{'of':1},'eye--we':{'have':1},'contains':{'about':1,'several':1,'an':1,'no':1,'billions':1,'.001':1,'.':1,'as':1,'ingested':1},'bask':{'on':1},'almost':{'all':5,'constant':1,'suddenly':1,'certain':3,'universal':1,'bound':1,'noisy':1,'confined':1,'see':1,'grazing':1,'at':1,'invisible.':1,'impossible':1,'wholly':1,'uncatchable':1,'as':3,'incredible':1,'cylindrical.':1,'exclusively':1,'surpassed':1,'to':1,'black':1,'girdling':1,'automatic.':1,'circular':1,'complete':1,'any':1,'formed':1,'completely':1,'sagacious':1,'nothing':1,'unique':2,'hairless':1,'a':2,'perfectly':1,'wise':1,'instantaneously':2,'perceptible':1,'no':3,'equal':1,'daily':1,'conquered':1,'ready-made':1,'invisible':2,'squirrel-like':1,'say':1},'unpleasant':{'expressions':1},'vi':{'evolution':1,'.':3},'taken':{'a':1,'by':5,'from':1,'generously':1,'for':1,'that':1,'into':2,'as':1,'.':1,'to':3,'charge':1,'at':7,'in':5,'the':2,'more':1,'any':1,'nearly':1,'out':1},'injury':{'or':1},'temps':{'would':1},'polyps':{'whose':1,'each':2},'stock--an':{'anthropoid':1},'lichens':{'and':1,'on':1},'globe.':{'for':1},'ejected':{'in':1},'site':{'and':1,'www.gutenberg.org':1,'of':2,'includes':1,'which':1,'often':1},'instrumental':{'music':2},'tapeworm':{'certainly':1},'moistened':{'finger-tip':1},'broke':{'up':1},'mounted':{'on':1,'equatorially':1,'batteries':1,'that':1},'producing':{'a':1,'visible':1,'x-rays':1,'an':1},'weathering':{'of':2,'now':1,'have':1},'cremated':{'every':1},'helped':{'by':2,'success':1,'us':1},'rotifer--we':{'are':1},'wafts':{'into':1},'sweeps':{'this':1},'egg-shell':{'and':1,'just':1},'moisture-laden':{'air':1},'nine':{'and':2,'thousand':1,'months':2,'to':1,'moons':1,'cases':1,'hundred':2},'propounded':{'to':1},'spontaneous':{'generation':1,'breaking':1,'above':1,'change':1},'history':{'an':1,'for':1,'no':1,'of':25,'museum':4,'museum.':2,'back':1,'behind':2,'which':1,'in':1,'.':13,'called':1},'f3':{'.':1},'pushes':{'itself':1},'gas.':{'but':1,'illustration':1},'stinging':{'animals':1,'cells':2,'tentacles':1,'lassoes':1},'eclipsed.':{'illustration':1},'pushed':{'will':1,'along':1,'it':1,'out':1},'sun-spot':{'of':2,'is':1},'phrase':{'and':1,'project':4,'has':1,'.':1},'lacks':{'both':1},'species':{'and':1,'1859':2,'use':2,'waddle':1,'off':1,'descent':1,'e.g':1,'perhaps':2,'of':4,'is':1,'there':1,'discover':1,'.':2,'in':1,'represented':1,'what':1,';':2,'hitherto':1,'the':2},'firmly':{'and':1,'established':1,'on':1,'that':1,'.':1,'to':1},'viviparity':{'is':1,'.':1,'the':1,'naturally':1},'starting-point':{'of':1,'the':1,'they':1},'lithographic':{'stones':1},'surpassed':{'only':1,'expectations':1},'friction.':{'but':1},'freezing-point':{'of':1,'or':1,'.':2},'surpasses':{'that':1,'in':1},'daughter-cells':{'into':1},'millikan':{'s':2},'ft':{'.':2},'tried':{'a':1,'and':1,'for':1,'one':1,'to':1,'as':1},'fv':{'contains':1},'communicating':{'cells':1,'nerve-cell':1},'derived':{'energy':1,'from':3,'infinitely':2},'sneak':{'upon':2},'gestation':{'is':1},'triumphs':{'of':5},'consequence':{'of':2,'the':1,'has':1,'enormously':1},'tries':{'to':2},'invasion':{'of':3,'was':1,'due':2,'which':2},'horizontal':{'bar':1,'except':1},'inconceivable':{'distances':1,'ages':1,'.':1,'to':1,'numbers':2,'velocity':1},'a':{'limited':1,'hampton':1,'code':1,'partial':1,'skeleton':2,'remarkable':9,'defenceless':1,'magnetic':7,'varying':1,'focus':2,'month':1,'sequoia':1,'mild':3,'mile':4,'higher':12,'zinc':1,'sweep':1,'dish':1,'golf':2,'conservative':1,'carpet':2,'compact':1,'glimpse':5,'preformed':2,'chain':2,'physiological':3,'pouch':3,'young':4,'passage':1,'granular':1,'tail':2,'cradle':1,'microscopist':1,'stable':1,'fountain':1,'friendly':1,'trilobite':2,'descendant--the':1,'brown':4,'string':1,'deeper':1,'chameleon':4,'very':59,'sun-spot':1,'wave':2,'soapy':1,'smack':1,'graphic':1,'fan':1,'leisurely':1,'microbe':1,'tank':1,'difference':2,'continued':1,'feeble':1,'minute':4,'cool':1,'generalised':3,'sea-anemone':3,'speed':5,'respiratory':1,'beginning':1,'parrot':1,'naturalist':1,'stimulus':1,'skeletal':1,'shock':1,'list':3,'gun':1,'cloudy':1,'large':32,'farthing--contains':1,'swirling':1,'starlit':1,'key--a':1,'succession':1,'small':24,'lever':1,'perceptual':1,'pool':1,'pterodactyl':2,'veritable':3,'bull-terrier':1,'force':1,'meadow':1,'full-grown':2,'trend':2,'crow':2,'sea-squirt':1,'sensation':3,'crop':1,'milligram':1,'past':1,'widened':1,'second':27,'burrower':1,'subtle':1,'further':2,'estimated':1,'port':1,'theory':3,'blue':4,'cargo':1,'stately':1,'clock':1,'waning':1,'fine':7,'section':1,'gatepost':2,'crust':1,'lizard':1,'thickness':2,'cell':2,'reconstruction':2,'new':31,'falling':3,'row':1,'method':2,'multitude':4,'body':19,'condensed':1,'full':3,'trypanosome':1,'degree':3,'compilation':1,'loose':2,'birthplace':1,'fifteenth':1,'drawing':2,'plant-like':2,'protection':1,'tangent':2,'free':4,'separate':6,'tremor':1,'strong':8,'four-chambered':1,'teacher':1,'light-year':1,'sensory':2,'great':39,'substance':4,'survivor':1,'brilliant':3,'study':2,'larger':4,'slave':1,'second--more':1,'soldier':2,'simultaneous':1,'survey':3,'suggestion':4,'social':2,'real':1,'narrow':5,'pathological':1,'steady':1,'diameter':4,'showing':1,'land-crab':1,'useful':4,'secure':1,'halfpenny':1,'stimulus.':1,'discontinuous':1,'fauna--the':1,'loose-limbed':1,'layer':1,'marked':1,'decrease':1,'motor':1,'limb':1,'glance':1,'total':3,'unit':1,'fee':3,'lens':5,'vivid':1,'distinct':3,'revelation':1,'faint':1,'visit':1,'charge':2,'frog':7,'distributing':1,'few':40,'sample':1,'saucerful':1,'centre':1,'knoll':1,'diving-bell':1,'stage':2,'type':3,'more':14,'sort':15,'flat':1,'clever':1,'door':1,'rich':2,'conductor':1,'successful':1,'whirling':1,'screen.':1,'chimpanzee':1,'bodily':1,'fan-like':1,'moistened':1,'surface':1,'rabbit':1,'particular':6,'baby':1,'coyote':1,'hole':2,'hold':1,'rivalry':1,'fly':2,'rebounding':1,'frequently':1,'flora':1,'word':1,'primate':1,'needle':1,'work':2,'stroke':1,'cat':3,'mammalian':1,'suggestive':1,'sudden':3,'thin':1,'universe':1,'chin':2,'fauna':2,'male':2,'history':2,'decorative':1,'continuity':1,'reflector':1,'stream':6,'process':5,'climax':3,'share':1,'parachute':3,'beautiful':3,'minimum':2,'caution':2,'sense':5,'pond':3,'story':1,'hydrogen':1,'species':1,'masterly':1,'terrestrial':2,'huge':8,'united':1,'winter':3,'defective':1,'keen':1,'rather':3,'finger-post':1,'discussion':1,'coot':1,'copious':1,'solidifying':1,'far':1,'hot':1,'pair':2,'forest':2,'fourth':4,'widespread':1,'native':1,'civilisation':1,'stock':3,'mould':1,'yellowish':1,'plant':1,'dull-red':1,'maternal':1,'scion':1,'candle;':1,'thickened':1,'tse-tse':2,'spot':1,'movable':1,'collection':1,'narrow-beaked':1,'diagram':3,'deep-sea':1,'lot':2,'lattice-work':2,'bird-dropping':3,'horizontal':1,'coloured':1,'spiral':7,'man':8,'a':1,'free-swimming':1,'short':9,'natural':2,'liquid':5,'conscious':1,'light':1,'projecting':1,'complexity':1,'green':4,'skilful':1,'deterioration':1,'basket':1,'diary':1,'coral-snake':1,'dream':1,'wing':1,'hen-pigeon':1,'wine':1,'plaice':1,'sperm-cell':1,'shield':1,'feather-wing':1,'double-breather':1,'gradual':6,'minnow':2,'billion':2,'cross':1,'brain':2,'stile':1,'paper':2,'thinning':1,'cold':1,'still':1,'tendency':4,'bunch':3,'chemical':6,'some':2,'group':4,'fit':1,'positively-electrified':1,'glowing':1,'roving':1,'better':2,'window':1,'permanent':1,'microscopic':1,'vast':6,'tubeful':1,'precipitate':1,'main':1,'puzzle':1,'finer':1,'non':1,'good':19,'return':1,'greater':6,'fragment':2,'safe':1,'hunter':1,'number':19,'band':2,'caterpillar':2,'billiard':1,'flint':1,'snake':1,'stout':1,'half':9,'foot':5,'lifelong':1,'day':2,'bank':1,'successor':1,'bony':2,'rocky':2,'profound':1,'mastery':4,'degree.':1,'male-producing':1,'potassium':1,'lifetime':1,'seashore.':1,'hundredth':1,'jellyfish':3,'promise':1,'creature':4,'meal':1,'predatory':1,'turtle':2,'week':3,'molecule.':1,'mental':1,'beginner':1,'map':1,'scanty':1,'garment':6,'fish':6,'hard':1,'spider':7,'related':1,'solution':1,'ball':1,'year':5,'laboratory':1,'first-class':1,'special':2,'magnet':7,'flower':2,'lobster':1,'truly':1,'pigeon':3,'day.':1,'time.':1,'race':2,'flattening':1,'portentous':1,'wide':2,'mammal':1,'brilliantly':1,'sluggish':1,'red':6,'common':12,'foundation':2,'fly.':1,'thrush':1,'belief':2,'many-celled':1,'zoological':1,'southern':1,'million':13,'little':31,'possibility':2,'quite':1,'paralysing':1,'backboneless':2,'reason':1,'lump':1,'hollowed-out':1,'plague':1,'region':2,'cough':1,'marine':3,'wall':3,'monkey':6,'vestige':3,'unique':3,'fixed':2,'yard':1,'hostile':1,'rule':4,'perceptible':1,'moment':6,'british':2,'thing':1,'length':1,'keel':1,'place':2,'nebula':7,'tempting':1,'consequence':1,'weakling':1,'user':2,'blind':3,'copper':3,'sheep-driving':1,'limestone':2,'surviving':1,'striking':7,'spoken':1,'wasp':1,'prehistoric':2,'powerful':4,'scene':2,'sack':1,'system':3,'well-known':1,'fertilised':1,'light-brown':1,'lighter.':1,'spanish':1,'twig-like':1,'ring':2,'tangle':1,'cogged':1,'romance':1,'hood':1,'speck':1,'sheep':1,'city':1,'given':1,'fuller':1,'temperature':1,'swarm':2,'leading':1,'brisker':1,'wing-span':1,'colossal':1,'nebular':1,'wonderful':6,'ton':3,'too':1,'storm':1,'periwinkle':1,'white':7,'compartment':1,'final':1,'friend':2,'low':7,'sex-call':2,'million.':1,'shell':4,'vigorous':1,'fraction':1,'starfish':2,'that':1,'tool':2,'shallow':1,'japanese':3,'crevice':1,'vegetarian':2,'reflecting':1,'zeppelin':1,'somewhat':1,'rifle':4,'prodigious':3,'copy':4,'photographic':3,'peculiar':5,'positively':1,'population':1,'distance':6,'bodyguard':1,'hundred':13,'third':6,'body.':1,'double':1,'tree':7,'rate':2,'medley':1,'bee':2,'youth':1,'matter':9,'legacy':1,'treasure-house':1,'recapitulation':2,'gigantic':4,'steep':1,'distinguished':1,'sublime':1,'collecting':1,'brittle-star':1,'withered':1,'modern':4,'defect':2,'glass':4,'direct':1,'rat':1,'ramifying':1,'sharp':1,'manner':2,'uganda':1,'gaseous':3,'breezy':1,'slab':1,'dozen':4,'conspicuous':1,'female--first':1,'convenient':1,'speculative':1,'shore':1,'soap-bubble':1,'silvery':3,'walk':1,'fish-eater':1,'high':8,'useless':1,'satisfactory':1,'long-drawn-out':1,'soap':4,'propitious':1,'butterfly':1,'memory':1,'continuous':2,'multiple':1,'normal':1,'coconut':1,'leaf.':1,'molecule':5,'boiling':1,'reef-building':2,'regular':1,'connected':1,'non-protrusive':1,'device':1,'coin':1,'hide-and-seek':1,'model':5,'wind.':1,'refractor':1,'known':1,'so-called':1,'piping':1,'thigh-bone':1,'surprising':1,'washerwoman':1,'mobile':2,'heartening':1,'clear':4,'later':6,'metal':1,'dog':6,'wasp-like':2,'tooth':1,'pipe':1,'short-lived':1,'reputation':2,'mammoth':2,'principle':1,'foster-mother':1,'distinctive':2,'velocity':3,'typical':1,'salt':1,'moon':1,'night.':1,'quantity':1,'refund':5,'selected':1,'particularly':1,'sparrow':3,'visitor':1,'manifestation':3,'skin-wing':1,'rotating':2,'bright':1,'shore-pool.':1,'seaweed':1,'constituent':1,'velvety':1,'corner':2,'pill-like':1,'uniform':4,'feat':1,'hustler':1,'staff':1,'current':4,'giant':4,'longer':1,'latent':1,'knowledge':1,'copyright':2,'series':6,'nervous':2,'less':2,'proportion':1,'jolt':1,'fluid':1,'considerable':12,'fox-terrier':1,'winged':1,'bush':1,'going':1,'black':1,'meteorite':1,'pretty':1,'spice':1,'female-producing':1,'ball-room':1,'plate':2,'single-chambered':1,'loss':2,'well-advanced':1,'means':5,'solution.':1,'familiar':1,'vascular':1,'sunny':1,'kind':8,'warm-blooded':1,'pocket':1,'whistle':1,'b':1,'roundabout':1,'measured':2,'silk':1,'spur':1,'live-and-let-live':1,'target':1,'flywheel':1,'bar':1,'progressive':2,'covering':1,'cry':1,'median':2,'violent':4,'doubled':1,'bird':11,'microscope':1,'groove':1,'bison':2,'troop':1,'memory-image':1,'freshwater':2,'web-wing':1,'human':5,'fascinating':1,'habit':1,'flash.':1,'nut':1,'globe':1,'canine':1,'richer':1,'relative':1,'computer':1,'result':2,'frog-like':1,'close':2,'luminous':3,'nocturnal':1,'wonder':1,'peanut':1,'shower':3,'crown':1,'wire':2,'capacity':3,'probable':1,'crooked':1,'subsequent':1,'century':1,'monstrous':1,'definite':6,'seventieth':1,'case':3,'state':10,'proof':1,'hiss':1,'promised':2,'progress':1,'mouthful':1,'perfectly':1,'lethargic':1,'crookes':2,'measurable':2,'notice':1,'recently':1,'cauliflower':1,'parental':1,'fold':1,'screen':3,'weak':2,'dome':1,'veil':1,'rapid':3,'conflagration':1,'waste-product':1,'flowering':1,'swift':2,'problem':2,'colonisation':1,'deep-water':1,'drum':2,'cliff.':1,'country':4,'pre-material':1,'strange':2,'waterfall':2,'quadruped':1,'sensitive':1,'connection':1,'grain':4,'mane':1,'retrograde':1,'lash':1,'comet':4,'passing':1,'whole':8,'humanoid':2,'photograph':9,'stony':1,'cooling':1,'dago':1,'point':3,'simple':9,'continuation':2,'colony':3,'donkey':1,'tapeworm':1,'height':8,'newborn':1,'moot':1,'written':1,'learning':2,'path':2,'greenish':1,'sea-cucumber':2,'hermit-crab':1,'grazing':2,'millimetre':2,'dwindling':3,'deep':1,'basis':2,'tremendous':3,'prelude':1,'damp':1,'tiny':5,'legend':1,'protozoon':1,'reduction':1,'much':5,'newt':1,'certain':18,'reflective':1,'feather':1,'reflex':3,'board':1,'firm':2,'box':2,'direction':1,'penny':2,'corresponding':1,'squirrel':1,'wood-snail':1,'brush':1,'thousand':15,'gas':4,'search':1,'spectrum':1,'coherent':1,'representative':2,'child':3,'laying':1,'careful':3,'land':1,'sound':3,'specialised':1,'novel':3,'conception':1,'remote':1,'solid':4,'plain':3,'straight':3,'prominence':1,'reminiscence':1,'form-resemblance.':1,'technical':1,'while':3,'teaspoonful':1,'biped':3,'voice':2,'cock':1,'guide':1,'mistake':2,'key':2,'food-signal':1,'pound':3,'project':5,'crowning':1,'moth':1,'it':1,'bipedal':1,'quiet':1,'tell-tale':1,'brake':1,'in':1,'twig':2,'simian':6,'property':1,'receptacle':1,'floating':1,'helmet':1,'different':5,'shooting':1,'descent':1,'trial':1,'domesticated':3,'roman':1,'check':1,'member':2,'motley':1,'unity':3,'complex':2,'diplodocus':1,'widely':1,'grand':1,'heavier':1,'web':1,'relatively':5,'yucca':1,'specimen':1,'difficult':2,'wheel':3,'satellite':1,'current.':1,'temporary':2,'cubic':3,'nest':8,'collie':1,'hand':2,'running':1,'dynamo.':1,'moving':1,'delicate':2,'climbing':1,'whale':4,'railway':1,'single':15,'destruction':1,'lower':7,'suitable':1,'stupendous':1,'flattish':1,'weapon':1,'disembodied':1,'tentacle':1,'skull-cap':1,'spoonful':1,'glorious':1,'partner':1,'position':3,'the':1,'reward':1,'musical':1,'left':1,'summer':2,'manifold':2,'kettle':4,'canal':1,'bristle':1,'being':1,'sporting':1,'newton':1,'morsel':1,'loaf':1,'three-chambered':2,'disguise':1,'steamer':1,'victim':1,'touch':1,'jackal':1,'rushing':1,'previous':6,'blow':1,'tailless':1,'disturbance':1,'wedge-shaped':1,'hint':2,'general':5,'bell':2,'master-key':1,'pitcher-plant':1,'silver':1,'straw':1,'spread':2,'transformed':2,'galloping':2,'ray':7,'5':1,'room--pour':1,'transformation':2,'finder':1,'kingdom':1,'puzzle-box':1,'nightjar':1,'fire':2,'format':1,'big':11,'couple':1,'knife-blade-like':1,'period':8,'dark':2,'cromagnon':2,'fusion':2,'royalty':1,'god.':1,'background':1,'vacuum':8,'text-book':1,'world':1,'part':1,'crusher':1,'vague':1,'name':1,'desire':1,'satisfaction':1,'necessary':1,'dislodged':1,'particle':2,'cock-pigeon':1,'signal':2,'performing':1,'sound--':1,'diffraction':1,'specific':2,'soup-plate':1,'vortex':1,'cotton-reel':2,'security':2,'soft':2,'replacement':3,'mathematical':1,'reaches':1,'right':2,'trained':1,'people':1,'prolonged':1,'process--a':1,'plausible':1,'wattle':1,'fully-formed':1,'library':3,'muscle-fibre':1,'sponge':1,'pack':1,'mighty':4,'second.':4,'mirror':4,'diving':1,'battalion':1,'bigger':1,'transparent':1,'saucer':1,'savage':1,'lung.':1,'dense':1,'calculating':1,'prolific':1,'curious':3,'broad':1,'tube':4,'footing':1,'fox':1,'nook':1,'favourite':1,'critical':2,'mutation':1,'changeful':1,'starch':1,'repeopling':1,'transmutation':1,'trap':1,'beetle':1,'knitting-needle':1,'thunderstorm':1,'reasonable':2,'power':2,'slight':3,'notable':4,'pupil':1,'cork':1,'life-or-death':1,'step':1,'caricature':1,'chick':1,'peer':1,'tidal':1,'revolution':3,'chapter':2,'plastic':1,'stone':5,'quarter':4,'central':1,'cigarette':1,'heat-measuring':1,'of':1,'biscuit':1,'bit':3,'slender':1,'greatly':1,'nucleus':5,'bright-green':1,'basin':1,'provisional':1,'pre-human':1,'swimming':1,'heavy':1,'primitive':2,'whole.':1,'cell-wall':1,'predominance':1,'colour':2,'variable':1,'wrack':1,'lung':2,'lively':1,'female':4,'cultivated':1,'pivot':3,'.':16,'telescope':3,'strangely':1,'minute.':1,'weight':2,'well-developed':1,'wonder-horse':1,'grave':1,'tennis':1,'question':1,'reindeer':1,'long':27,'fight':1,'continental':1,'standstill':1,'sea-spider':1,'double-armed':1,'hundred-millionth':1,'house':2,'bubble':2,'hare':1,'bud':1,'greyish':1,'medium':3,'relic':1,'complete':2,'form':2,'voracious':1,'magnificent':1,'registered':2,'converse':1,'neanderthal':1,'triangular':1,'mysterious':1,'cloud':1,'billion.':1,'game':2,'dead':7,'boon':1,'sprinkling':1,'line':9,'true':5,'dull':5,'versatile':1,'luxuriant':1,'continuance':1,'minnow--the':1,'rush':1,'partitioned':1,'genealogy':1,'flood':1,'characteristic':4,'spectroscope':1,'purpose':1,'maximum':3,'supple':1,'planet':2,'crystal':1,'growth':2,'limit':1,'centenarian':1,'mature':2,'monument':1,'soldering':1,'water-bag':1,'distribution':1,'piece':15,'similar':3,'leaf':7,'strongly':1,'stock--an':1,'constant':3,'flow':5,'universal':2,'measure':1,'brightly':1,'whelk':2,'sticky':1,'scientific':1,'diamond':4,'well-defined':1,'leptocephalus.':1,'home':5,'sheath':1,'ship':1,'horse':5,'living.':2,'curtain':1,'film':2,'physical':2,'water-filled':1,'brick':1,'variety':5,'glacier':1,'way':6,'there':1,'prerogative':1,'fruit-laden':1,'portion':1,'reality':2,'neolithic':1,'field':3,'prism':2,'setting':2,'stagnant':1,'branch':5,'most':6,'puppy':1,'superfluous':1,'sufficient':2,'10':1,'polar':1,'quintillion':1,'star':10,'phoenix':1,'living':3,'shelter':1,'flinty':1,'preceding':1,'planet.':1,'drift':1,'prepared':1,'choice':1,'scale':1,'recent':5,'fresh':2,'rolling':1,'yorkshire':1,'hair':1,'score':1,'sneeze':1,'concatenation':1,'source':2,'tree.':1,'vaseline':1,'meteor':1,'bivalve':2,'lead':1,'bullet':2,'dogma':1,'deep-seated':1,'movement-controlling':1,'yacht':1,'jelly':1,'drifting':1,'gorilla':2,'depth':1,'train':1,'mass':5,'fact':2,'time':17,'big-brained':1,'stick':1},'pithecanthropus':{'erectus':1,'erectus.':1,'.':1,'the':8,'was':1,'seem':1},'spectra':{'of':2,'six':1,'.':1,'corresponds':1,'36':1},'bugs':{'ever':1},'renewing':{'the':1},'deterioration':{'of':1,'the':1},'healthfulness':{'and':1},'egg':{'and':1,'a':1,'shed':1,'just':1,'for':1,'of':2,'is':1,'-cell':1,'should':1,'to':1,'which':1,'in':1,'depository':5,'signalling':1,'has':1},'chicks':{'peck':1,'had':1},'earthworm':{'is':1,'.':1,'1':1,'76':1,'s':2,'72':1,'half':1,'fragments':1,'or':1,'earthworms':1},'help':{'preserve':1,'them':1,'of':1,'flotation':1,'it':1,'to':2,'see':1,'produce':1,'in':2,'the':1},'reservoir':{'of':3},'hierarchy':{'of':1},'soon':{'a':1,'picked':1,'began':1,'it':1,'to':1,'as':1,'became':1,'realise':1,'learn':2,'learned':1,'has':1,'was':1,'appears':1,'partially':1},'indistinguishable':{'but':1},'held':{'closely':1,'to':1,'back':1,'together':2,'up':1,'their':1,'above':1,'by':1},'committed':{'to':1},'three-horned':{'skull':1},'kinetic':{'and':1,'energy':3},'liquefies':{'gases':1},'positively-electrified':{'body':1,'atoms':2},'tickings':{'of':1},'lateral':{'line':2},'solving':{'the':1},'teeming':{'.':1},'gentleness.':{'illustration':1},'absence':{'of':7,'or':1},'disclosed':{'by':1},'founders':{'of':1},'peanuts':{'which':1},'mammal--instinctive':{'aptitudes--power':1},'finer':{'world':1,'form':1},'evening':{'work':1,'star':1,'primrose':1},'food':{'and':10,'accentuated':1,'danger':1,'requiring':1,'into':1,'within':1,'it':1,'are':1,'in':3,'consists':1,'crisis':1,'note':1,'vacuole':1,'from':3,'for':2,'there':2,'.':2,'particles':2,'outside':1,'going':1,'was':1,'is':2,'on':1,'shelter':1,'but':1,'227':1,'with':1,'by':1,'enemy':1,'like':1,'largely':1,'many':1,'inside':1,'near':1,'without':1,'the':1,'or':3},'theory--the':{'structure':1},'pglaf':{'owns':1},'floating':{'plants':2,'and':1,'log':1,'sea-meadows':4,'dead':1,'buns':1,'seaweed':1,'in':1,'dust':1,'bacteria':1,'out':1},'anticipated':{'forty-one':1},'permissible':{'to':1},'foot':{'and':2,'flat':2,'of':2,'but':1,'high':2,'became':1,'long':1,'in':2},'feet':{'and':2,'four':2,'from':3,'just':1,'of':1,'whereas':1,'long':2,'.':5,'high':2,'deep':1,'7':1,'in':2,'or':1,'are':2},'stopper':{'of':1},'finite':{'or':1},'dulled':{'by':1},'occasions':{'we':1},'male-producing':{'egg':1},'enlarged':{'pectoral':1,'illustration':1,'in':1},'infer':{'this':1},'flowers--attractive':{'to':1},'stopped':{'until':1},'radial':{';':1,'animals':1,'canals':1},'neanderthalers--the':{'general':1},'dominating':{'the':1},'referred':{'to':3,'to.':1},'heavy':{'great':1,'blankets':1,'gas':1,'brain':2,'as':2,'complicated':1,'with':1,'ape':1},'transcribe':{'and':1},'matthew.':{'diagram':1,'1':1},'restless':{'inquisitiveness':2,'experimenting':1},'jaws':{'and':1,'shaped':1,'of':2,'.':1,'engulfing':1,'which':1,';':1},'down--the':{'day':1},'sulked':{'for':1},'energy.':{'sec':1},'ball':{'revealing':2,'and':1,'of':4,'found':1,'the':2,'or':1},'punitive':{'or':1},'trilobites--jointed-footed':{'antenna-bearing':1},'beyond':{'a':1,'even':1,'that':2,'this':1,'radium':1,'science.':1,'possibility':1,'its':1,'these':1,'which':1,'our':4,'the':6,'playing':1,'ordinary':1},'event':{'when':1,'seems':1,'than':1,'which':1},'oviparous':{';':1},'unsurpassed':{'gifts':1},'percepts':{'and':1},'crustacean':{'s':1},'surrounded':{'by':3},'abysses':{'and':1,'from':1,'of':1,'took':1,'.':1,'so':1,'are':1,'the':1},'america.':{'3':1,'2':1,'4':1,'6':1},'coincidences':{'.':1},'safety':{'on':1,'for':1,'of':3,'is':2,'within':1,'.':1,'until':1,'or':1,'first':1},'7':{'and':1,'palaeolithic':1,'inches':1,'why':1,'.':3,'000':1,'918':1,'1871':1,'250':1,'with':1,'the':2,'250000':1},'brownish':{'caterpillars':1},'sharp-eyed':{'enemies':1},'house-flies':{'and':1},'issue':{'of':2},'meteoric':{'matter':3},'metchnikoff':{'the':1},'drink':{'from':1},'inert':{'matter':2,'just':1,'in':1},'protruding':{'bag':1},'lights':{'as':1,'the':2},'schwalbe':{'has':1},'backboneless':{'stocks':1,'animals':3,'or':1,'animal':2},'reason':{'for':6,'to':9,'being':1,'of':2,'is':4,'in':1,'but':1,'.':1,'how':1,'--an':1,'i.e':1,'quite':1,'why':2},'base':{'and':1,'of':5,'an':1},'jaw.':{'illustration':1},'brightest':{'star':1},'put':{'a':2,'on':6,'her':1,'into':1,'out':2,'some':1,'it':3,'together':3,'two':1,'to':2,'together.':1,'zinc':1,'in':2,'forward':1,'our':1,'the':5,'themselves':1,'safely':1,'your':1,'evenly':1},'earliest':{'known':3,'remains':1,'inhabitants':1,'metal':1,'representatives':1},'algae':{'and':2,'symbiosis':1,'.':1},'revolutionary':{'changes':1},'capacities.':{'body':1},'perceptible':{'to':1,'impression':1},'persuading':{'some':1},'tortoises':{'to':1,'from':2},'fifty-four':{'muscles':1},'american':{'killdeer':1,'monkey':1,'forests':1,'monkeys':1,'.':1,'minnows':1,'astronomer':1,'tree-frogs':1,'continent':1},'conquered.':{'it':1},'daisy':{'are':1},'undergo':{'disintegration.':1},'zoophyte':{'called':2,'.':2},'assign':{'no':1},'most...':{'.':1},'partnerships':{'between':1},'knots':{'subsequently':1,'or':1,'smoke':1,'for':1},'probability':{'is':4,'that':1,'the':1,'in':1},'encoding':{':':1},'knocking':{'off':1},'reflected':{'rays':1,'from':3,'back':1,'to':1,'depends':1,'through':1},'antiquity':{'and':1,'of':3,'the':1,'with':1},'moorings':{'.':1},'elder':{'brothers':1},'unexpected':{'manoeuvres':1},'incubated':{'in':1},'warty':{'chameleon':3,'creature':1},'1871':{'when':1},'mist':{'that':1},'miss':{'gertrude':1,'the':1,'part':1,'frances':1},'ninth':{'printing':1},'foraminifera':{'and':1,';':1,'each':2},'utters':{'instinctively':1},'horse':{'and':7,'eohippus':1,'use':1,'merychippus':1,'orohippus':1,'of':2,'showing':2,'pliohippus':1,'running':1,'.':1,'shunting':1,'will':1,'s':1,'mesohippus':1,'a':1,'have':1,'which':1,'has':1,'beginning':2,'or':1,'is':1},'pelagica':{'this':1,'125':1},'findings':{'of':1},'interwoven':{'with':1,'that':1},'obedience':{'to':1},'483.3':{'11.86':1},'wonderful':{'instruments':1,'modern':1,'cluster':1,'devices':1,'colour-scheme':1,'fabric':1,'to':1,'system':1,'.':1,'instrument':3,'new':1,'elements':1,'intellectually':1,'revelations':1,'photograph':1,'corona':1,'manifestations':1,'mass':1,'source':1,'piece':1,'changes':1,'discoveries':1,'x-ray':2,'result':1},'gibraltar':{'professor':1,'so':1},'einstein.':{'illustration':1},'scheme':{'represents':1,'of':1},'danger-call':{'of':1},'passed':{'and':5,'perhaps':1,'down':1,'to':1,'as':1,'through':3,'the':2,'by':1,'before':2},'pure-bred':{'wheat':1},'measurable':{'.':1,'quantity':2},'basal':{'appetites':1},'1918':{'flew':1,'upwards':1},'blindly':{'and':1},'1911':{'showing':1,'23':1},'half-made':{'wing':1},'1912':{'.':1,'in':1},'1914':{'this':1,'and':1,'41':1,'an':1},'1917':{'a':1,'we':1,'upwards':1},'grew':{'to':1,'wheat':1,'by':1,'up':1},'tunic':{'of':1},'kindly':{'emotions':1},'grey':{'red':1,'in':1},'haddock':{'or':1},'intensities':{'of':1},'toward':{'the':2,'death':1,'increasing':1,'us':1},'stickleback':{'enters':2,'being':1,'of':1,'is':2,'s':1,'making':2},'fisheries':{'in':1},'withered':{'leaf':1,'herbage':1},'clerk-maxwell':{'james':1,'246':1,'one':1},'bells.':{'in':1},'alongside':{'of':3},'juice':{'has':1},'sentences':{'of':1,'were':1},'events':{'included':1},'concentration':{'than':1},'organs':{'and':1,'of':1,'pass':1,'but':1,'.':4,'in':1,'throughout':1,'or':1},'gathering':{'light':1,'some':1,'round':1,'to':1,'of':1},'atoms--the':{'energy':1,'discovery':1},'lid':{'.':1},'lie':{'on':1,'disregarded':1,'outside':1,'low':1,'in':1,';':1,'at':1},'u.s':{'.':2},'speculative':{'and':1,'picture':1,'point':1},'flaming':{'jets':1,'hydrogen':2},'scotland':{'1920':1,'s':1,'since':2,'were':1,'.':1},'camouflage':{'and':1,'a':1},'lit':{'our':1,'the':1,'by':1,'up':1},'relieved':{'of':1,'by':2},'labour':{'and':2,'becomes':1,'has':1,'set':1,'.':1},'lip':{'of':1,'the':1,'which':1,'but':1},'useless':{'vestige':1,'responses':1,'movements.':1,'halfpennies':1,'heat':1,'movements':2},'command':{'travels':2},'presently.':{'regions':1,'if':1},'embryological':{'evidence':1,'proof':1},'towards':{'a':1,'what':2,'or':1,'becoming':1,'us':2,'fruit-eating':1,'him.':1,'flesh-eating':1,'harmony':1,'nobler':1,'the':17,'increasing':1,'clothing':1,'its':2,'those':1},'figures--bison':{'reindeer':1},'quote':{'professor':1,'the':1},'literal':{'demonstration':1,'blood-relationship':1},'systems':{'comes':1},'indefinitely.':{'the':1},'eaten':{'or':1},'position':{'and':1,'would':1,'these':1,'of':3,'is':2,'.':1,'held':1,'as':1,'in':1,'invisible':1,'increasing':1,'where':1,'into':1},'alpha':{'the':2,'rays':1,'particle':1,'centauri':2},'approved':{'fashion':1},'19.--comet':{'september':1},'muscle':{'and':1,'for':1,'which':1,'blood-vessel':1},'evolution--factors':{'in':2},'prolongation':{'of':2},'mobile':{'ribs':1,'vehicle':1,'pigment-cells':1,'.':1,'water':2,'in':1,'tongue':1},'performances':{'and':1,'depended':1},'clear':{'and':2,'for':1,'that':8,'ideas':1,'illustration':1,'.':2,'water':1,'as':1,'without':1,'adaptation':1,'in':1,'passage':1,'why':2},'broadened':{'and':1,'out':1},'snapping':{'at':1},'25--giant':{'spiral':1},'electrons':{'and':7,'copper':1,'all':1,'being':1,'possessing':1,'move':1,'moving':1,'it':2,'an':2,'produced':2,'streaming':2,'as':2,'are':7,'in':6,'particles':1,'compose':1,'from':8,'would':1,'electricity':1,'flying':1,'circulating':1,'travel.':1,'.':11,'rushes':1,'to':2,'behind':1,'without':1,'therefore':1,'contained':1,'revolving':1,';':2,'has':3,'pass':1,'is':2,'do':1,'may':1,'circulated':1,'but':2,'263':1,'267':1,'revolve':1,'now':1,'spin':1,'a':1,'rush':1,'resulting':1,'receive':1,'leave':1,'into':1,'258':1,'across':1,'will':1,'continue':1,'so':1,'were':1,'become':1,'increase':1,'or':3},'foster-mother':{'hen':1},'velocity':{'for':1,'of':8,'sufficient':1,'.':2,'which':1,'beyond':1,'masses':1},'usual':{'interchange':1,'direction':1,'definite':1,'difficulty':1,'mode':1,'way':1,'shortness':1,'notion':1},'tubes':{'and':1,'.':1,'by':1,'until':1},'one-eighth':{'of':1},'phenomenon':{'of':1,'is':1,'.':1},'registers':{'the':1,'itself':1},'caries':{'hitherto':1},'velvety':{'skin':1},'stores':{'of':3,'nor':1},'heavens':{'we':1,'7':1,'being':1,'is':1,'.':5,'are':1,'constitutes':1,'which':2,'the':1,'more':1,'with':1,'along':1,'at':1},'164.78':{'34800':1},'wriggle':{'through':1,'up':1},'debts.':{'moreover':1},'with.':{'in':1},'betokens':{'a':1},'northern':{'hemisphere':1,'rhodesia':2,'spain':4,'lakes':1},'duncan':{'.':1},'series':{'of':13,'is':1,'e.g':1,'.':2},'distances;':{'the':1},'less':{'satisfactory':1,'secure':1,'striking':1,'expensively':1,'successfully':1,'powerful':1,'genial':1,'likely':1,'definite':1,'in':1,'radiation':1,'clearly':1,'protrusive':1,'prolific':1,'domed':2,'able':1,'.':2,'moist':1,'stable':2,';':1,'degree':1,'continuous':1,'accurately':1,'important':4,'strenuous':1,'known':1,'regular.':1,'than':17,'conspicuous':1,'aimless':1,'central':1,'fit':2,'brusque':1,'of':3,'steady':1,'severe':1,'promising':1,'the':1,'spontaneous':1},'darted':{'furiously':1},'orbits.':{'circling':1,'yet':1},'surveyed':{'.':1},'pretty':{'generally':1,'fluorescence':1,'pieces':1},'quadrupedal':{'fashion':1},'circle':{'this':1,'of':1,'here':1,'are':1,'round':3,'shows':1},'darwin':{'origin':1,'sir':1,'said':1,'showed':3,'charles':1,'56':1,'observed':1,'s':9,'greatest':1,'in':1,'the':3,'called':1},'ball-room':{'.':1},'dominant':{'spring':1,'reptiles':1},'meanwhile':{'the':1,'we':1,'it':1},'trees':{'a':2,'and':2,'like':1,'with':1,'of':1,'.':2,'where':2,'were':1,'the':1,'has':1,'was':1,'why':1},'famous':{'jesuit':1,'theory':1,'form':1,'of':1,'for':4,'book':1,'manchester':1},'feels':{'for':2},'combinations':{'of':1},'during':{'a':3,'her':1,'eclipses':1,'this':3,'many':1,'an':2,'these':1,'which':5,'the':19,'its':2},'molten':{'interior':1,'matter':1,'by':1},'birds.':{'during':1,'according':1,'it':1},'catches':{'a':1,'the':1},'intrude':{'on':1},'alteration':{'modification':1,'of':1},'flight.':{'illustration':1},'underlying':{'photosphere':1},'withdrawal':{'of':1},'hours--a':{'prodigious':1},'hobbled':{'with':1},'seventeen':{'and':1,'years':1},'religiosa':{'a':1,'138':1},'electro-magnet':{'and':1},'throwing':{'the':1,'off':1},'plausible':{'view':1},'culture':{'gave':1,'migrating':1,'.':1},'invisible.':{'the':2,'sec':1,'illustration':1},'close':{'and':1,'rapidly':1,'indeed':1,'enough':1,'together':1,'to':3,'resemblances':1,'contact':2,'at':1,'reproduction':1,'of':1,'resemblance':1,'by':2},'plankton.':{'hunger':1},'gravitation':{'that':1,'of':1,'is':1,'.':3,'to':1,';':1,'etc.':1},'probable':{'date':1,'age':1,'that':12,'period':1,'however':2},'plasticity':{'of':1,'.':2},'not-living':{'material':1,'materials':1},'tibet':{'indo-china':1},'seventieth':{'of':1},'educability':{'is':1,'but':1,'.':1},'won':{'most':1},'years.':{'and':1,'in':1},'probably':{'associated':1,'illustrates':1,'an':1,'not':1,'are':1,'begun':1,'in':2,'cloud':1,'profitable':1,'from':2,'adapted':1,'there':1,'when':1,'indicate':1,'much':2,'helps':1,'survive':1,'means':2,'lived':1,'that':2,'far':1,'safe':2,'clearer':1,'less':1,'connected':1,'represented':1,'during':1,'breeding':1,'intrinsically':1,'a':3,'did':1,'of':2,'taking':1,'preyed':1,'suggests':1,'points':1,'evolved':2,'the':3,'encased':1,'counted':1,'came':1},'conditions':{'and':1,'that':2,'this':1,'of':15,'when':1,'culminating':1,'.':5,'will':1,'while':1,'internal':1,'are':4,'they':1,'in':2,'reached':1,'the':1,'our':1},'aeons':{'of':1},'ps':{'.':1},'stagnation':{'.':1},'egg-cells':{'and':4},'fox-bat':{'with':1},'missing':{'an':1},'description.':{'it':1},'moults':{'three':1},'craters':{'and':1,'on':1,'indicated':1,'of':3,'.':1,'which':1},'ranked':{'amongst':1},'basalts':{'.':1},'invisible':{'and':2,'because':1,'star':1,'thread':1,'visible':2,'light':2,'gas':1,'against':1,'.':3,'particles':1,'to':1,'rays':1,'electrons':1,'but':1,'molecules':1,'waves':1,'world':1,'medium':1,'if':1},'both':{'jaws':2,'is':1,'in':1,'are':1,'paragraphs':1,'birds':1,'cases--marvellous':1,'from':1,'ways':1,'when':2,'.':1,';':1,'difficult':1,'eyes':2,'his':1,'kinds':1,'photography':1,'chimpanzee':1,'minnows':1,'adult':1,'cases':3,'with':1,'sides':2,'man':1,'on':1,'processes':1,'land':1,'these':3,'of':4,'hemispheres':1,'below':1,'time':1,'small':1,'the':2,'fertility':1,'herons':1},'humidity.':{'there':1},'gaunt':{'and':1},'greater--a':{'sudden':1},'sensitive':{'and':1,'period--the':1,'bromogelatine':1,'hairs':1,'no':1,'to':2,'that':1,'line':1,'than':3},'picture.':{'b':1,'illustration':2},'vaster':{'irregular':1},'experimental':{'plot':1,'discoverer':1,'study':1,'men':1,'character':1,'evidence':1,'behaviour':1,'initiative':1,'way':1,'embryology':1,'conditions':1,'devices.':1,'proof':1},'battery':{'consisted':1},'hewn':{'but':1},'whatever':{'be':1,'kind':1,'medium':1,'means':1,'advances':1,'colour':1,'number':1,'part':1,'way':1,'sets':1,'the':1},'chromosomes.':{'3':1,'5':1,'illustration':1,'6':1},'galileo':{'s':1,'who':1},'climbers':{'of':1,'in':1},'undulating':{'flashes':1},'revolutionising':{'our':1},'persecuted':{'.':1},'described':{'on':1,'later':1,'it':1,'one':1,'to':1,'as':3,'without':1,'stars':1,'in':4,'the':1,'.':1,'by':1},'stamp':{'of':2},'damp':{'meadow.':1,'weather.':1,'grass':1,'meadow-grass':1},'exert':{'this':1,'a':1},'geddes':{'and':1},'describes':{'the':1},'maintenance':{'of':1},'territory':{'we':1},'empty':{'available':1,'shell':2,'space':2,'of':1,'nest':2,'space--ether':1,'coco-nut':1,'infinite':1,'chambers':1,'the':1,'tubular':1},'jesuit':{'astronomer':1},'lived':{'on':1,'like':1,'for':1,'there':1,'.':1,'in':3,'100':1,'between':1},'partly':{'on':2,'because':9,'opened':1,'due':2,'accounts':1,'by':2},'success.':{'the':1},'intelligently.':{'intelligence':1},'freezing-point.':{'the':1},'exempt':{'status':2,'from':1},'permeating':{'the':1},'else':{'it':1,'soon':1,'in':2,'.':1,'seek':1,'mere':1},'lives':{'a':1,'on':2,'there.':1,'for':1,'inside':1,'together':1,'.':3,'at':1,'which':1,'in':4,'or':1},'liver':{'and':1},'magnetised':{'iron':1},'look':{'towards':1,'like':1,'for':3,'exactly':1,'.':1,'to':1,'at':4,'forward':2,'further':1,'precisely':1,'after':3,'more':1},'opportunity.':{'there':1},'ape-like':{'and':1,'eyebrow':1},'pace':{'sternly':1,'of':1},'while':{'and':1,'all':1,'contemporaneously':2,'energy':1,'some':1,'it':1,'one':1,'at':1,'zinc':1,'in':1,'our':1,'neanderthal':1,'her':1,'there':1,'two':1,'to':1,'we':1,'they':2,'others':2,'monkeys':1,'a':2,'on':1,'fleas':1,'these':1,'many':1,'this':1,'the':12,'similar':1},'ought':{'to':4,'definitely':1},'286':{'transformation':1},'mitchell':{'it':1},'guide':{'the':1,'him':1,'.':1},'pack':{'of':1},'albatros':{'fashion.':1},'forelegs':{'as':1},'selected':{'spot':1,'was':1},'dictum':{'that':1},'fed.':{'the':1},'overlooked':{'the':1},'geologists':{'to':1,'cannot':1},'reads':{'the':1,'like':1},'ready':{'to':4,'way':1},'simian':{'tribe.':1,'branch':1,'stock--physiological':1,'characters':1,'line':1,'type':1,'stock':5},'communal':{'life.':1},'predominates':{'.':1},'forewing':{'.':1},'belong':{'to':6,'as':1,'.':1},'unpromising':{'haunt':1},'shad':{'which':1},'grand':{'hardwood':1,'total':1,'.':1},'modification':{'or':1},'composition':{'of':3,'what':1,'was':1,'we':1},'clearness':{'and':1},'hind-leg':{'of':2},'used':{'on':1,'we':1,'for':6,'fire':1,'is':1,'up':2,'.':1,'to':14,'as':4,'threads':1,'in':10,'such':1,'the':1,'was':1,'by':5,'if':1},'temporary':{'and':2,'diseased':1,'nest':1},'suggestion':{'of':5,'that':2,'was':1,'.':1},'optic':{'nerve':1},'tube.':{'it':1},'u.s.':{'unless':1},'wilson':{'a':1,'observatory':2,'reflector':1,'45':1,'reflecting':1,'california':2,'observatory.':8},'000':{'and':1,'barrels':1,'miles':35,'years.':1,'pounds':3,'of':6,'times':3,'feet':1,'to':6,'000':20,'miles--eighteen':1,'are':1,'atoms.':1,'inch':2,'deg':2,'years':17,'bushels':2},'uses':{'it':1},'cleaning':{'the':1},'saucer-shaped':{'body':1},'assortment':{'of':1},'brussels':{'sprouts':1},'tufts':{'growing':1,'of':1,'in':1},'changed.':{'we':1},'luminescence':{'will':1,'makes':1,'that':1},'older':{'astronomers':1,'and':1,'loess':1,'yucca':1,'than':1},'spectrum.':{'that':1},'copper.':{'illustration':1},'consistence':{'of':1},'obviously':{'that':1,'much':1,'means':2,'desirable':1,'depends':1,'complex':1,'the':1,'must':1},'segmented':{'marine':1},'forms.':{'illustration':1},'calcutta':{'which':1,'.':1},'suddenness':{'the':1,'like':1},'scouring':{'a':1,'tide':1},'distances':{'and':1,'distance':1,'from':5,'of':3,'within':1,'deriving':1,'are':1,'which':1,'between':1,'the':1,'with':1},'alytes':{'not':1},'cave':{'in':2,'drawings':1,'northern':4,'.':1},'judgments':{'about':1,'expressed':1,'in':1},'migratory':{'flight':1},'overflows':{'over':1},'rabbit--who':{'by':1},'quarters':{';':1},'perforating':{'the':1},'planetoids':{'splashed':1,'or':1},'useful':{'and':1,'associations':2,'ready-made':1,'branches':1,'means':1,'pennies':1,'teeth':1,'law--senses':1,'to':6,'deposit':1,'advertisement':1,'in':3,'offices.':1,'law':1,'quality':1,'first':1},'praying':{'mantis':3},'informal':{'introductions':1},'possessors':{'to':1,'back':1,'than':1},'stock--physiological':{'proof--embryological':1},'debatable':{'questions':1},'remaining':{'on':1,'six.':2,'provisions.':1},'elver':{'at':1},'unravelled':{';':1},'march':{'23':2},'insert':{'here':1},'reptilian':{'splendour.':1,'mind--mind':1,'life':1,'mind':1,'features':1},'showing':{'a':10,'division':1,'seven':2,'him':1,'upper':1,'gradual':2,'that':1,'evolution':1,'marked':1,'.':1,'how':1,'various':2,'no':1,'under':1,'in':1,'variable':1,'what':1,'the':16,'many':1,'their':1,'trout':1},'game':{'of':4,';':1,'or':1},'wiser':{'than':1},'text-book':{'of':2},'damage':{'or':1},'distance.':{'illustration':1},'wings':{'of':3,'is':2,'turned':1,'it':1,'.':4,'suggests':1,'while':1,'are':3,'have':1,'in':1,'the':1},'translucent':{'blue':1},'ponds':{'and':1,'where':1,'they':1,'.':1},'fore-limb':{'and':1,'of':2,'is':1,'has':2,'transformed':1},'long-drawn-out':{'sublime':1},'pillar':{'to':1,'the':1,'parallel':1},'resorted':{'to':1},'holes':{'and':1},'manifest':{'themselves':1},'eel':{'and':1,'is':1,'early':1,'haddock':1,'anguilla':2,'ever':2},'popular':{'lectures':1,'astronomy':1,'idea':1,'sense':1,'interpreter':1,'estimation':1},'death-feigning':{'for':1},'minced':{'snail':1},'mathematical':{'discussion.':1,'astronomers':1,'genius':1,'points':1,'consequence':1,'astronomy':1,'reasoning':1},'wrack':{'behind':1},'cones':{'and':1,'to':1},'negative.':{'a':1},'creation':{'of':1,':':1,'when':1,'.':3},'some':{'pollen':1,'remarkable':1,'insects':2,'cromagnards':1,'muscle-fibres':1,'worms':1,'parts':4,'years':2,'volcanic':1,'cases':10,'knowledge':1,'hint':1,'interesting':1,'young':1,'improvement':1,'source':1,'writers':1,'black':1,'botanists':1,'deep-seated':1,'thousands':1,'dispute':1,'which':1,'food':1,'leisure':1,'dark':2,'they':1,'radio-active':1,'uncertain':1,'adventurous':1,'stimulus':1,'deficient':1,'miles':1,'truth':1,'small':2,'force':1,'people':1,'animals':4,'idea':2,'namely':1,'are':3,'measure':8,'disturbing':1,'nocturnal':1,'creatures':1,'respects':3,'organisms':1,'solemn':1,'anatomists':1,'eminent':2,'uniform':2,'fossil':1,'new':4,';':1,'twenty-five':1,'sluggish':1,'trout':1,'degree':2,'men':1,'lakes':1,'quite':1,'water':1,'extraordinary':1,'reason':1,'extent':5,'path':1,'canals':2,'strong':1,'great':2,'thirty':1,'of':55,'region':1,'undisguised':1,'aboriginal':1,'butterflies':1,'place':1,'deep-sea':1,'other':15,'mound-birds':1,'members':1,'striking':1,'simple':2,'fishes':3,'hermit-crabs':2,'carry':1,'ape':1,'little':1,'nebulae':2,'would':2,'harmless':1,'lizards':1,'unknown':1,'long':1,'way':5,'more':1,'sort':8,'that':1,'vanishing':1,'mammals':2,'explanation':1,'precision':1,'races':1,'particular':1,'prodigious':1,'primeval':2,'careful':1,'spirit':1,'task.':1,'150':1,'distance':2,'kind':5,'word':1,'solid':1,'theories':1,'nine':1,'were':1,'beautiful':2,'imaginative':1,'larger':1,'beetles':1,'process':1,'modern':1,'geologists':1,'states':1,'say':1,'have':2,'regulate':1,'species':2,'education':1,'considerable':1,'detail':1,'astronomers':4,'very':1,'strange':1,'electrical':1,'animal':1,'semi-fluid':1,'intelligent':1,'day':2,'fairly':1,'unimaginable':1,'kinds':2,'earlier':1,'delicacy':1,'secluded':1,'waves':1,'authorities':6,'such':2,'land':1,'dragon-flies':1,'surprising':1,'magical':2,'think':1,'fundamental':3,'time':1,'wood-snails':1,'eighty-odd':2,'bodies':1,'typical':1},'yolk':{'fully':1,';':1,'has':1,'y.s.':1,'.':1},'apes--gorilla':{'orang':1},'urgent':{'need':1},'lips':{'and':2,'four':1,'audibly':1},'economic':{'and':1},'besides.':{'interpretation':1},'nerve-fibres':{'one':1},'lingers':{'in':1},'body-mind':{'.':1},'universes':{'why':1,'comparable':1,'.':1,'like':1,'in':1},'bruising':{'the':2},'savage':{'nature':1},'nonproprietary':{'or':1},'fifty-millionth':{'of':1},'pitchblende':{'about':1,'which':1},'exceeding':{'the':1,'that':1},'competitions':{'arose':1},'pounding':{'breakers':1},'civilization':{'.':1},'sympathetic':{'ganglia':1,'colouring':1},'claimed':{'that':1},'knitting-needle':{'in':1},'eating':{'at':2,'one':1},'protrusible':{'tongue':1,'tentacles':1},'processing':{'or':1},'lakes':{'and':1,'there':1,'are':2},'stem':{'still':1,'diverged':1,'help':1,'goes':1,'.':2},'step':{'meant':1,'towards':1,'two-thirds':1,'which':1,'in':6,'toward':1,'was':3},'lasts':{'till':1,'through':1,'no':1},'become':{'equally':1,'words':1,'beautifully':2,'satisfactory':1,'an':1,'at':1,'sea':1,'in':3,'luminous':1,'living':1,'bipeds':1,'unavailable':2,'unavailable.':1,'burrowers':1,'silvery':1,'shorter':2,'permanent':1,'fatal':1,'more':3,'real':1,'yellowish':1,'separate':1,'secondarily':1,'invisible--just':1,'faintly':1,'steadied':1,'parr':1,'utterly':1,'not':1,'instinctive':1,'dissipated':1,'quite':1,'invisible.':1,'a':13,'organically':1,'perfectly':1,'like':1,'liquid':1,'of':1,'large':1,'the':2,'adapted':1},'abroad':{'during':1},'facility:':{'http:':1},'shine':{'very':1,'out':1},'faith':{'that':1},'76':{'photo':1,'the':1,'venus':1,'capella':1},'entailed':{'on':1},'prothyl':{'as':1},'warm-bloodedness':{'is':2},'four-footed':{'ancestry':1},'chaps.':{'illustration':1},'silence':{'and':1,'immense':1},'seeing':{'there':1,'it':1},'baboons':{'.':1},'visit':{'to':1,':':1,'http:':1},'within':{'into':1,'60':1,'as':2,'itself':2,'.':1,'their':2,'which':2,'themselves':1,'them':2,'his':1,'reach':1,'five':2,'90':2,'recent':1,'a':7,'about':2,'limits':1,'this':1,'30':1,'bounds':1,'reasonable':1,'the':20,'fixed':1},'libelled':{'as':1},'encircling':{'rampart':1},'one-millionth':{'of':2},'france':{'and':3,'in':3},'smells':{'indeed':1},'theory.':{'the':1,'while':1,'illustration':1},'statistics':{'worked':1},'feelers.':{'illustration':1},'renewal':{'.':1},'sea-snail':{'and':1,'.':1},'transcending':{'the':1,'anything':1},'placing':{'a':1,'the':1},'moseley':{'found':1,'s':1,'some':1},'heritage':{'not':1,'much':1},'spawning':{'none':1,'solution':1,'.':1,'beds':1,'are':1,'method':1},'revolving':{'very':1,'as':1,'electrons':1,'in':1,'round':1,'blades':1},'tortoise-shell':{'butterfly':1},'manufacture':{'and':1,'subtle':1,'much':1,'chlorophyll':1},'himself':{'and':1,'established':1,'educated':1,'the':1,'.':1,'in':1,';':1,'by':1},'registered':{'on':1,'trademark':2},'frost':{'and':1,'acting':1,'but':1},'torch':{'of':1},'shore-crab':{'is':1,'shows':1,'.':1},'properly':{'the':1},'authority':{'on':2,'thinks':1},'newer':{'loess':1},'hares':{'and':1},'dull':{'sheaths':1,'white':3,'red-hot':1,'red':1,'.':1},'zooelogical':{'discoveries':1},'lamp-shells':{'trilobites':1,'molluscs':1},'folk-ways':{'to':1},'drifters':{'the':1,'or':1,'plankton':1},'skull':{'and':6,'represents':1,'from':1,'then':1,'of':2,'is':2,'was':3,'.':3,'discovered':2,'looks':1,'which':1,'the':2,'with':1,'warns':1,'170':1},'circuits':{'as':1},'sifting':{'process':1,'.':1,'to':1,'continue':1,'which':3,'the':2,'by':1,'out':3},'foresight':{'and':1,'to':1,'means':1},'state--':{'radiant':1},'cautiously':{'out':1},'similar':{'palatable':1,'needs':1,'disturbance':1,'inference':1,'adaptations':1,'organisms':1,'sedimentary':1,'performances.':1,'processes':1,'results':1,'forms':2,'to':5,'experiments':1,'statements':1,'in':1,'things.':1,'disorders':1,'pieces':1,'conditions':1,'deposits':1,'stage':1},'non-living':{'sea-dust':1,'world.':1},'adults':{'of':1,'the':1,'like':1},'introducing':{'dust':1,'2':1},'metals':{'afforded':1,'would':1,'began':1,'but':1,'as':1,'were':1,';':1,'seem':1,'the':1},'unwise':{'to':1},'1894':{'in':1},'1895':{'sir':1,'roentgen':1},'1896':{'becquerel':1},'1890':{'that':1},'shown.':{'in':1},'kidney':{'filters':1},'cotton':{'packet':1,'were':1},'ancestors':{'a':1,'belonged.':1,'breathing':1,'on':1,'may':1,'of':5,'.':4,'which':1,'were':2,'during':1},'amounts':{'almost':1,'according':1},'heat.':{'recent':1,'illustration':1,'that':1},'prerogative':{'of':2},'mantises':{'which':1},'dissolved':{'away':2,'in':2,'salts':1,'out':1},'electrical':{'industries':1,'force':1,'installations':1,'nature':1,'influence':1,'energy':2,'phenomena.':1,'phenomena':2,'.':1,'cell':1,'attraction':2,'storm':1},'themselves.':{'illustration':1},'milk-glands':{'of':1},'dashes':{'round':1},'bodies.':{'4':1},'draw':{'water':1,'this':1,'a':1,'back':1},'clean':{'and':1},'calculating':{'boy':2},'crouching':{'bird':1,'lying':1},'potentialities':{'of':1},'triumph':{'that':1},'visits':{'us':1,'another':1},'frances':{'pitt':1},'william':{'king':1,'james':1,'bragg':2,'leche':2,'ramsay':1,'crookes':5},'astronomy.':{'ball':1},'chameleon':{'140':1,'attacked':1,'may':1,'is':2,'.':1,'s':1,'which':1,'in':1,'the':1,'inflated':1,'anolis':1},'does;':{'with':1},'cuttlefish':{'do':1,'or':4,'swimming':1},'structure':{'201':1,'and':3,'or':1,'would':1,'do':1,'far':1,'of':8,'is':1,'between':1,'mainly':1,'.':4,'adaptation':1,'which':1,'in':1,';':1,'has':1,'the':1},'independently':{'established':1,'darting':1},'correlated':{'with':1},'e':{';':1,'vivo':1,'.':9},'practically':{'a':1,'dates':1,'cosmopolitan':1,'anything':1,'certain':2,'extinguished':1,'all':1,'as':1,'every':4,'invisible.':1,'invisible':1,'the':1,'ready-made':1,'illimitable':1},'physics':{'and':2,'is':1,'.':1,'cannot':1,'so':1,'at':1,'has':1,'with':1,'are':1},'portentous':{'furnace':1,'event':1,'mines':1},'required':{'to':2,'five':1,'by':1,'thirty-five':1,'for':3},'resolving':{'to':1,'the':1},'orbit':{'to':1,'of':2,'round':1,'.':1},'utilised':{'to':1,'we':1,'by':1,'directly.':1},'depth':{'of':2,'the':1,'limit':1,'.':1},'night.':{'meteors':1,'higher':1},'utilises':{'the':1},'ignorant':{'of':2},'underrated':{'.':1},'berries':{'and':1},'requires':{'to':2,'the':1,'for':1,'ten':2},'sounded':{'by':1},'evenly':{'together':1},'gr':{'granules.':1},'cheerful':{'and':1},'34800':{'1':1},'go':{'and':1,'into':3,'back':4,'down':2,'through':3,'farther':2,'irresponsibly':1,'in':2,'out':2,'their':1,'up-stream':1,'since':1,'to':4,'too':1,'forward':1,'round.':1,'badly':1,'far':2,'free':1,'hand':1,'they':1,'a':1,'on':8,'fully':1,'straight':1,'up':1,'so':1,'deeply':1,'wrong:':1,'the':1,'round':2},'compact':{'little':2,'readily':1},'birthplace':{'after':1,'where':1,'.':1},'baron':{'cuvier':2},'arid':{'and':1,'summer':1},'suits':{'their':1,'the':1},'task.':{'quick':1},'friendly':{'home':1},'fond':{'of':3},'moribund':{'animalcules':1},'rebounding':{'branch':1},'1796':{'the':1},'miners':{'when':1},'wave':{'would':1,'thunder':1,'of':1,'.':1,'shapes':3,'forms.':1},'board.':{'the':1},'trough':{'to':1,'is':1,'in':1},'more.':{'there':1,'sec':1},'whirlpools':{'.':1,'in':1},'scrapers':{'gravers':1},'stiff':{'when':1,'tail-feathers':1},'positions':{'of':1,'towards':1,'so':1,'.':2},'button':{'at':1},'michael':{'s':1,'hart':1},'hive':{'bees':1},'tree.':{'the':1,'sec':1},'verdict':{'omne':1},'sedentary':{'plants':1,'sea-squirts':1,'sponges':1,'or':1,'types':1},'betelgeux':{'has':1},'deg.-34':{'deg':1},'teeth.':{'adaptations':1,'illustration':1},'dilute':{'substances':1},'booty':{'.':1},'detaches':{'a':1},'gumboil':{'too':1},'picked':{'them':1,'off':1,'it':1,'up':3},'creatures--the':{'first':1},'notwithstanding':{'our':1},'fishermen;':{'without':1},'plays':{'possum.':1,'upon':2,'its':1,'an':2},'paintings':{'on':2},'opaque':{'covering':1,'substances.':1,'substance':1,'with':1,'substances':2},'b-c.':{'older':1},'atoms--different':{'kinds':1},'cell':{'that':1,'to':1,'as':1,'in':2,'the':1,'has':1,'come':1},'prejudicially':{'affected':1},'experiment':{'and':1,'showed':1,'would':1,'that':1,'with':1,'.':4,'will':1,'2':1,'which':1,'in':1,';':1,'has':3,'was':2,'he':1},'poles':{'of':3,'especially':1,'.':1},'rotted':{'into':1},';':{'just':1,'indeed':1,'soon':1,'yet':3,'before':1,'copernicus':1,'interesting':1,'3':3,'to':2,'out-breeding':1,'4':2,'8':1,'his':1,'rational':1,'meanwhile':1,'food':1,'they':25,'not':1,'nor':1,'h':1,'where':1,'round':1,'energy':1,'some':4,'ourselves':1,'out':1,'even':2,'living':1,'what':2,'organisms':1,'its':2,'enough':1,'discovers':1,'7':2,'probably':1,'we':7,'here':1,'water':3,'others':2,'by':5,'on':4,'c':1,'of':2,'larger':1,'or':1,'simple':1,'ca':1,'one':3,'another':2,'mercury':1,'from':1,'there':11,'two':1,'thirdly':1,'2':4,'therefore':1,'6':2,'corresponding':1,'that':12,'ages':1,'but':39,'those':1,'he':3,'sound':1,'b':2,'mc':1,'this':3,'while':1,'r':1,'and':61,'almost':1,'thus':1,'it':51,'an':1,'as':1,'at':1,'in':17,'partly':1,'if':6,'perhaps':4,'foretells':1,'how':1,'5':2,'which':2,'9':1,'though':3,'gradually':1,'most':1,'man':1,'a':7,'lower':1,'short':1,'for':3,'sometimes':2,'so':1,'the':65},'completion':{'assuming':1},'melancholy':{'the':1,'in':1},'cellulose':{'walls':2,'but':2},'filings':{'on':1,'arrange':1},'commercial':{'redistribution.':1},'fifteenth':{'of':1},'arrow-worm':{'and':1},'following':{'short':1,'for':1,'that':1,'this':1,'list':1,'professor':1,'sentence':1,'definite':1,'up':2,':':1,'which':1,'each':1,'the':3,'stages':1},'boot.':{'sec':1},'collar-bone':{'which':1},'canals':{'and':2,'of':1,'running':1,'have':1,'.':2},'water-weeds':{';':1},'convert':{'even':1,'to':1,'nitrogenous':1},'indivisible':{'thing':1,'.':3,'particle':1,'they':1,'in':1},'anvil':{'a':1,'the':1,'could':1,'221':1,'.':1},'haunts':{'and':1,'both':1,'of':5,'there':1,'.':2,'untenable':1,'are':1,'in':1,'the':1,'or':1},'animalcules':{'especially':1,'which':1},'benevolence':{'which':2},'repel':{'one':1},'products':{'the':1},'stars--the':{'shape':1,'nebular':1,'age':1},'hearty--we':{'might':1},'stump-like':{'legs':1},'daybreak':{'and':1},'addresses':{'.':2},'danger':{'home':1,'but':1,'of':1},'foothold':{'and':2,'to':1,'in':2},'limited--there':{'are':1},'wit':{'of':2,'enough':1,'to':1},'vegetation--a':{'very':1},'singing':{'of':1},'cloud':{'and':1,'formations.':1,'of':1,'to':2,'32':1,'not':1,'makes':1,'or':2},'reflector':{'differ':1,'of':1,'.':1,'at':1,'instead':1,'the':1,'has':1},'remains':{'adjusted':1,'bring':1,'as':2,'are':1,'in':1,'unaltered':1,'to':1,'known':1,'that':1,'very':1,'occurred':1,'unfrozen':1,'164':1,'quite':1,'with':1,'man':1,'a':2,'obscure.':1,'of':7,'clear':1,'were':2,'found':4,'the':1,'fixed':1,'stationary':1,'consisted':2},'hydra':{'growing':1,'and':1,'72':1,'a':1,'many':1},'contentment':{'.':1},'crab':{'and':1,'then':1,'gets':1,'on':1,'these':1,'is':3,'continues':1,'soon':1,'to':1,'s':2,'116':1,'has':1,'prefers':1,'must':1},'vehicle':{'and':1,'of':2},'stage':{'and':1,'what':1,'or':1,'fastened':1,'like':2,'of':4,'is':1,'there':1,'.':1,'in':4,';':1,'its':1,'before':1},'depreciate':{'the':1},'started':{'the':1,'his':1,'with':1,'less':1},'becomes':{'a':4,'limited':1,'gradually':1,'feebler':1,'lead':2,'very':1,'radium':2,'hard':1,'uranium':1,'electrified':1,'possible':1,'shorter':1,'much':1,'impure.':1,'radiated':1,'negatively':1,'aware':1,'the':5,'great.':1,'more':4},'visibility':{'are':1,'but':1},'43.4':{'alpha':1},'rivalry':{'of':2},'huxley':{'regarded':1,'1825-95':2,'by':2,'called':1},'sea-floor':{'and':1,'a':1},'crosses':{'a':1,'the':2},'consort':{'with':1},'lapse':{'of':1},'averaged':{'off.':1},'recession':{'of':1},'3--the':{'moon':1},'meet':{'and':1,'exceptional':1,'this':1,'where':1,'their':1,'frequently':1,'the':3,'with':1},'nurture':{'habits':1,'seems':1},'drops':{'of':2,'as':1},'control':{'a':1,'of':2,'over':1,'in':1,'but':1,'.':1,'as':1,'each':1,'the':1},'corpuscular':{'theory':1},'escapes':{'this':1,'attention':1,'from':1,'by':1,'.':1},'escaped':{'and':1},'his':{'chariot':1,'magnetic':1,'actions':1,'hind-legs':1,'polish':1,'throne.':1,'previous':1,'pectoral':1,'limbs':1,'rapid':1,'disposal':1,'beagle':1,'kingdom.':1,'astonishment':1,'world.':1,'grip':1,'plate':1,'big':2,'navigable':1,'wives':1,'famous':1,'breast':1,'facial':1,'vacuum':1,'foot':2,'experiments.':1,'distrust':1,'science':1,'fertility':1,'teeth.':1,'ethical':1,'lowly':2,'infancy':1,'best--':1,'dead':1,'affiliation':1,'cost':1,'living':1,'pedigree':1,'tube':1,'fingers':1,'lowliness':1,'conduct':2,'origin.':1,'achievements':1,'theory':1,'business':1,'dental':1,'behaviour':1,'ancestry':1,'flanks':1,'eye':2,'tortoise':1,'conviction':1,'pursuits.':1,'messages':1,'interesting':1,'or':1,'origin':1,'own':3,'family':1,'bonnet':1,'erect':1,'god-like':2,'refined':1,'greatness.':1,'mental':2,'parentage':1,'fields.':1,'monkey':1,'own.':1,'brute':1,'long':1,'milieu':1,'observations':1,'greatness':1,'right.':1,'telegraph':1,'descent.':1,'head':3,'relationship':1,'bodily':2,'hole':1,'breast-pocket':1,'structure.':1,'encouragement.':1,'work':1,'individual':1,'more':1,'eyes':1,'domesticated':1,'everyday':1,'innings':1,'leisure-time':1,'electro-magnetic':1,'power':2,'faults':1,'reach.':1,'arguments':1,'answer':1,'stock':1,'development':2,'noble':2,'elbows':1,'social':1,'hand':1,'mouse-pupil':1,'mouth':2,'mate':2,'solidarity':1,'attempt':1,'observation':1,'charges':1,'starting':1,'chickens':1,'daily':1,'hypotheses':1,'fundamental':1,'tubes':1,'left':1},'pulling':{'things':1,'the':2},'sought':{'after':1,'out':1},'cave-men':{'of':1,'lived':1,'or':1,'show':1},'herring-gulls':{'lift':1},'embodiment':{'to':1,'or':2,'of':1},'defective':{'you':1,'work':1,'or':2},'digested':{'or':1},'confessed':{'that':2},'andes':{'.':1},'arrangement':{'of':4,'is':1,'there':1,'by':1},'solidifying':{'of':1},'located':{'on':1,'in':1,'at':2,'also':1},'sentiments':{';':1,'in':1},'instinctively':{'a':1,'recognize':1,'as':1,'for':1,'but':1},'re-use':{'it':2},'circular':{'magnetic':1,'orbit':1,'craters':1},'pink':{'mouth':1},'fostered':{'and':1,'not':1},'furiously':{'upon':1},'thunderstorm':{'we':2,'.':1},'trinil':{'in':1},'regrown':{'double.':1,'.':1},'sugar-bird':{'in':1},'free-swimming':{'larval':1,'larvae':1},'1.88':{'4230':1},'gulps':{'.':1},'conspicuousness':{'serves':1},'divided':{'their':1,'the':1,'into':5,'.':1},'immensity':{'of':1,'is':1},'least':{'meant':1,'a':3,'cold':1,'within':1,'600':2,'has':1,'interesting':1,'half':1,'there':1,'twenty':1,'one':1,'as':1,'of':2,'two':1,'in':1,'progress':1,'tremor':1,'.':2,'the':1,'by':1,'inclination':1},'astronomical':{'instruments':1,'society.':2,'instrument':1},'spots--they':{'are':1},'sperm':{'-cell':1},'boils':{'because':1},'primates':{'and':1,'sprang':2,'began':1,'soon':1,'.':1,'emerged':1,'in':1,'was':1},'including':{'climate':1,'shrews':1,'that':1,'some':1,'life':1,'legal':2,'obsolete':1,'checks':1,'but':1,'how':1,'the':5,'river':1,'outdated':1,'any':1},'obelia':{'68':1,'consisting':1},'converting':{'it':1},'facilitates':{'the':1},'brittle':{'spikelet-bearing':1},'avebury':{'s':1},'27-1':{'2':1},'outer':{'layers':1,'and':1,'stream':1,'space':1,'envelope':1,'one-mile':1,'crust':1,'surface':1,'crust.':1,'mile':1,'world':2,'ring':1},'exclusion':{'or':1},'thence':{'to':1},'up-stream':{'as':1},'masses':{'and':2,'of':6,'the':2,'or':1,'a':1},'water-weed':{';':1,'glued':2},'brook':{'of':1},'him':{'and':1,'partly':1,'of':1,'.':2,'how':1,'which':1,'in':1,'with':2},'registration.':{'illustration':1},'pre-dravidians':{'and':1},'master.':{'learning':1},'dead-leaf':{'butterfly':2},'popularly':{'known':1,'supposed':1},'shasta':{'daisy':1},'hills.':{'the':1},'rising':{'and':2,'from':1,'into':1,'sometimes':2,'water':1,'to':1,'in':1},'africa.':{'illustration':2},'stout':{'knitting':1},'hands':{'and':1,'did':1,'.':1,'in':1,'of':1},'front':{'and':3,'of':3,'door':1,'side':1,'.':1},'revealed.':{'even':1,'illustration':1},'masters':{'of':1},'f.e.s.':{'a':5,'diagram':1,'protective':1,'earthworm':1,'when':1,'hermit-crab':1,'hind-leg':1,'glass':1,'green':1,'new':1,'the':5,'trypanosoma':1,'venus':1},'mastery':{'of':5,'by':1,'.':1},'university':{'of':2,'library':3,'10':1},'plate-holder':{'on':1},'magnitude':{'and':2,'of':1,'what':1,'which':1},'mode':{'of':1},'pools':{'and':1,'of':2,'it':1,'dried':1,'which':1,'in':1},'evolution--how':{'it':1},'legions':{'of':1},'upward':{'and':2,'to':1,'at':1},'mare.':{'illustration':1},'map':{'of':2},'globe':{'and':1,'from':1,'like':1,'turns':1,'.':3,'will':1,'to':1,'bounded':1,'which':1,'was':1},'steadied':{'into':1},'mollusc':{'and':1,'s':1,'shells':1},'sands':{'of':2},'measure':{'be':1,'them':1,'for':1,'this':1,'speed':1,'explained':1,'it':1,'.':2,'how':1,'controlling':1,'unveiled':1,'dependent':1,'the':1,'with':1,'climb':1},'separating':{'the':1,'from':1,'positively-electrified':1},'special':{'protective':1,'vertical':1,'danger':1,'rules':1,'study':1,'protection':1,'interest':1,'make-up':1,'skin-leaves':1,'photographic':1,'properties':1},'143':{'protective':1},'ejecting':{'beta':1,'an':1},'vaporisation':{'of':1},'9.--the':{'great':1},'confess':{'to':1},'protoplasm':{'which':1,'flowing':1},'may':{'afterwards':1,'consider':1,'obtain':1,'rest':1,'bring':1,'go':2,'follow':2,'still':2,'find':1,'help':1,'29':2,'charge':1,'choose':1,'save':1,'swim':1,'do':1,'get':1,'read':1,'express':1,'mention':2,'not':4,'tend':1,'fitly':1,'realise':1,'contain':1,'become':3,'mean':1,'traverse':1,'set':1,'we':1,'see':1,'1924':1,'pass':6,'creep':1,'even':1,'by':1,'yet':1,'wriggle':1,'approach':1,'refer':1,'make':3,'be':124,'notice':1,'extend':1,'associate':1,'here':1,'qualify':1,'distinguish':1,'bask':1,'change':1,'convert':1,'keep':1,'credit':1,'place':1,'retain':1,'safely':1,'think':1,'elect':1,'divide':1,'conclude':1,'merely':1,'determine':1,'speak':4,'use':2,'raise':1,'prove':2,'there':2,'add':1,'.':1,'call':1,'therefore':1,'only':1,'form':2,'serve':1,'hear':1,'gain':1,'demand':1,'copy':2,'look':2,'remain':1,'suppose':1,'learn':3,'spawn':1,'give':3,'escape':1,'it':1,'say':3,'at':1,'have':27,'seem':3,'seek':1,'occur':2,'lie':1,'turn':2,'perhaps':1,'travel':1,'also':3,'take':1,'rise':1,'quote':1,'produce':2,'recognise':1,'assume':1,'well':3,'roughly':1,'spend':2},'time.':{'the':2,'illustration':1,'in':1},'pendent':{'whalebone':1},'cause':{'a':3,'and':1,'clouds':1,'of':2,'tiny':1,'chemical':1,'to':1,'the':1,'bodies':1},'achievements':{'of':2,'so':1},'fly.':{'the':1,'illustration':1},'that--':{'first':1},'withering':{'leaves':1,'leaf':1},'completely':{'disappear':1,'invisible.':1,'mysterious':1,'camouflaged.':1,'worked':1,'empty':1},'ancestry':{'of':2,'.':1,'but':1,'in':1},'egg-cocoons':{'in':1},'x':{'indicates':1},'mares':{'brought':1},'spongillidae':{'the':1},'hostile':{'way':1},'determining':{'the':1},'route':{'of':1},'times':{'and':4,'among':1,'smaller':5,'over':1,'it':1,'as':7,'thinner':2,'human':1,'in':3,'still':1,'from':1,'for':2,'whipping':1,'there':1,'when':1,'long':1,'.':2,'cooling':1,'until':1,'more':1,'we':2,'around':1,'that':6,'lizzie':1,'rise':1,'during':1,'emergence':1,'longer':1,'a':3,'faster':1,'of':3,'the':6,'round':1},'counterpart':{'of':1,'in':1},'keen':{'and':2,'a':1,'senses':1,'struggle':2,'are':1},'keel':{'on':1,'which':1,'for':1,'if':1},'apennines':{'have':1},'glories':{'of':1},'sargasso':{'sea.':1,'weed':2},'fertilises':{'these':1,'the':2},'baleen':{'whale':1},'possessing':{'the':1,'with':1},'powerful':{'a':1,'telescopes.':1,'muscles':1,'friar-birds':1,'leg':1,'strokes':1,'legs':1,'tides':1,'factors':1,'possible':1,'agencies':1,'magnet':1,'microscope':1,'current':1,'as':1,'.':1,'than':2,'lens':1},'disembodied':{'electricity':2,'atom':1},'fertilised':{'egg-cell':7,'egg':2,'ovum':2,'by':1},'light-brown':{'colour':1},'lighter.':{'the':1},'proterospongia':{'69':1,'one':1},'activity.':{'this':1},'precisely':{'the':2,'because':1,'controlled':1,'like':1},'quality':{'and':1,'which':2,'that':1,'of':4,'is':1,'.':2,'they':1,'in':1,'than':1},'suck':{'.':1},'long':{'slope':1,'golden':1,'strings':1,'afterwards':1,'weighs':1,'process':2,'series':1,'is':1,'ages':4,'it':2,'as':6,'gristly':1,'summer':1,'result':1,'another':1,'curved':1,'lifetime':1,'racial':1,'tubular':1,'arm':1,'before':3,'story':1,'gamut':1,'pedigree':1,'prehensile':1,'ones':1,'since':3,'.':4,'to':4,'tail':1,'low':1,'way':3,'time':2,'has':1,'red':1,'stilt-like':1,'ago':12,'begin':1,'run':2,'arboreal':1,'history':2,'inclined':1,'after':1,'body':1,'haunt':1,'ovipositor':1,'step':1,'journey':2,'threads':1,'with':1,'day':1,'chapter':1,'on':1,'and':3,'like':1,'stalks':2,'we':1,'the':1,'lizard-like':2,'face':2,'range':1,'branched':1,'period':2,'night.':1,'night':1,'periods':1,'rising':1,'tongue':1,'narrow':1,'summer.':1,'or':1,'pre-human':1,'are':1},'bears':{'very':1,'the':1,'in':2},'dove':{'and':1},'land--the':{'air.':1},'relations':{'and':1,'making':1,'of':1,'with':1,'to':1},'well-formed':{'when':1},'attach':{'to':1},'attack':{'it':1},'fishes.':{'eventually':1,'there':1,'cambrian':1},'declines':{'to':1},'wrapped':{'up':4,'it':1},'perfectly':{'still':1,'aerated':1,'straightforward':1,'circular':1},'final':{'spectrum':1,'.':1,'dispersion':1,'stable':1,'answer':1,'clue':1,'unification.':1},'circulate':{'round':1},'hydrosphere':{'.':1},'2-1':{'2':1},'rays--the':{'alpha':1},'exactly':{'like':1,'where':1,'equal':1,'the':2,'balance':1,'similar':1},'well-finished':{'statuettes':1},'stress':{'on':1},'lists':{'of':1},'feint':{'towards':1},'chemicals':{'which':1},'manipulation':{'of':1,'another':1},'natural':{'process':1,'spectrum':1,'rate':1,'leafy':1,'knowable':1,'size':1,'death':7,'inheritance.':1,'inheritance':2,'question':1,'to':1,'reduction':1,'therefore':1,'size.':1,'conditions':2,'resources':1,'surroundings.':1,'death.':1,'law':1,'death--procession':1,'reflex':1,'history':22},'waist':{'of':1},'photograph':{'a':1,'from':2,'reproduced':1,'of':11,'showing':4,'below.':1,'tied':1,'an':1,'note':1,'255':1,'attaining':1,'are':1,'taken':4,'the':3,'.':1,'shows':3,'clearly':1,'is':2,'fig':1},'glow-worm':{'or':1},'well-established':{'jellyfish':1},'bed':{'of':1},'bee':{';':1,'or':1,'can':1,'.':1},'providing':{'large':1,'access':2,'it':1,'copies':1},'distinguished':{'from':2,'of':1,'astronomers':1,'physicists':1,'solar':1,'anthropologist':1,'man':1},'spurs':{'of':1},'exhibit':{'in':1,'pieces':1},'enforced':{'descent':1},'lightly':{'built':3},'unchanged':{'since':1},'abyssal':{'area':1},'yielding':{'and':1},'p.m':{'.':1},'nototrema':{'there':1},'need':{'and':2,'a':1,'for':3,'be':1,'is':1,'.':1,'not':6,'foundations':1,'hardly':4},'precursors':{'of':4},'screw':{'in':1},'student-citizen':{'otherwise':1},'pursued':{'by':1},'able':{'even':1,'to':36,'with':2,'artificially':1,'in':1},'darkened':{'nest':1},'celandine':{'with':1},'instance':{'a':1,'by':1,'iron':1,'that':3,'of':6,'is':2,'in':4,'when':1,'having':1,'will':1,'how':2,'which':2,'have':1,'were':1,'the':1,'.':1,'was':1,'occurs':1,'to':1,'must':1},'relatives':{'there':1,'some':1,'like':1,'illustrate':1},'rischgitz.':{'professor':1,'baron':1},'pursues':{'a':1,'it':1,'another':1},'blades':{'of':1},'lectures':{'and':1},'moths':{'in':1,'are':1,'that':1},'connected':{'to':2,'story':1,'with':4,'by':1},'last--that':{'is':1},'learnt':{'something':1},'intrinsic':{'racial':1},'gallery':{'there':1},'speed--and':{'must':1},'enregistrations':{'are':1},'radiating':{'away':1,'heat':1,'or':1},'ovum-producer':{'for':1},'upset':{'both':1},'prickle':{'or':1},'astonishing':{'fact':1,'rapidity':1},'prickly':{'fruits':1},'se':{'.':1},'wot':{'isn':1},'impression':{'147':1,'that':1,'of':7,'is':1,'when':1,'illustration':1,'which':1,'on':1,'left':1},'emerging':{';':1,'from':4},'sent':{'on':1,'an':1,'to':1,'through':1,'forth':1,'out':1},'multicellular':{'animals':7},'influences.':{'but':1},'well-being':{'throughout':1},'pigling':{'creeps':1},'graptolites':{'and':1},'slow.':{'illustration':1},'based':{'on':5,'upon':1},'sheriff':{'of':1},'millennia':{'of':1,'in':1},'brighten':{'almost':1},'bases':{'embedded':1},'bud':{'a':1,'by':1},'inherited':{'nature.':1,'from':1},'attained':{'dark':1,'to':3,'a':1,'by':1},'employed':{'and':1,'to':1,'the':1,'in':1},'mortality':{'and':1,'had':1,'hardly':1,'.':1},'seizing':{'and':2,'every':1,'killing':2},'120':{'large':1,'deep-sea':1,'the':1,'flinty':1},'121':{'the':1,'egg':1},'123':{'miles':1},'124':{'photo':1,'woolly':1},'125':{'of':1,'albatross':1,'000':1,'storm':1},'sifting--the':{'groaning':1},'128':{'the':1},'thomson':{'sir':2,'evolution':1,'end':1,'262':1,'this':1,'was':1,'professor':1,'j':1,'regius':1,'as':1,'release':1,'imagined':1,'experimental':1,'darwinism':1},'endless':{'nooks':1,'disturbances':1},'three-hundredth':{'of':1},'gutenberg:':{'1.e.1':1},'processes':{'on':1,'that':1,'of':6,'into':1,'.':1,'to':1,'are':2,'which':1,'such':1},'automatic.':{'upper':1},'gutenberg.org':{'license':1},'trucks':{'.':1},'imperious':{'for':1},'introductions':{'to':1,'like':2,'too--the':1},'she':{'flies':2,'often':1,'soon':1,'at':1,'picked':1,'reached':1,'would':1,'had':2,'handed':1,'does':2,'got':2,'has':1,'was':4,'secures':1,'gave':1,'then':1,'never':1,'very':1,'brushes':1,'flew':1,'wanted':1,'succeeded':1,'presented':1,'did':2,'ever':1,'applies':1},'contain':{'a':1,'wheat':1,'within':1,'electrons':1,'defects':1,'more':2},'amphibia':{'senses':1},'embryonic':{'gill-clefts':1,'food-canal':1,'reptiles':1},'spotted':{'and':1,'leopard':1,'.':1},'multiplying':{'usually':1,'the':2,'by':2,'but':1},'burying':{'them':1},'34.7':{'smaller':1},'cuts':{'both':1,'the':1,'off':2,'it':1},'canine':{'tooth':2,'teeth':1},'inkling':{'of':1,'that':1},'breathe':{'dry':5,'on':1,'depend':1,'oxygen':1},'photosphere--is':{'of':1},'legacy':{'of':4,';':1},'powder':{'to':1,'which':1},'frog-like':{'mouth':1},'humane':{'sentiments':1},'surmised':{'about':1},'unconscious':{'elimination':1,'co-operation':2},'apes--the':{'gorilla':2,'gibbon':1},'southward':{'migration':1},'tend':{'to':15,'toward':1},'state':{'of':23,'visit':1,'applicable':1,'.':3,'to':1,'as':1,'in':1,'growing':1,'such':1,'s':1,'law':1,'the':2},'mind.':{'and':1,'there':1,'other':1,'sec':1,'viii':1,'another':1,'in':1},'carapace':{'of':1,'is':1,'or':1},'allotted':{'to':1},'tens':{'of':2},'neither':{'atmosphere':1,'stores':1,'very':1,'agreement':1,'aspect':1,'in':1},'kidneys':{'are':1,'the':1,'at':2,'.':1},'generations.':{'this':1,'to':1},'comparable':{'on':1,'in':2,'to':4},'attention':{'saving':1,'they':1,'may':1,'of':2,'to':1,'at':1,'decide':1,';':1},'renamed.':{'creating':1},'constituted':{'of':2},'importance':{'and':1,'on':1,'though':1,'becomes':1,'is':1,'were':1,'when':1,'namely':1,'to':1,'as':1,'of':6,'too':1,'in':1,'was':1,'than':1},'hurrying':{'streams':1},'edge-on':{'to':1,'44':1,'notice':1,'of':1},'8.--the':{'sun':1},'efficiency':{'and':1,'of':1,'is':1,'.':1,'in':1},'key':{'to':2,'after':1,'from':1,'opening':1,'.':1},'group':{'and':1,'always':2,'of':6,'only.':1,'the':1,'or':1},'precious':{'and':1,'to':1,'animal':1,'contents':1},'distribution':{'and':1,'underwent':1,'of':6,'.':1,'must':1},'secchi':{'the':1},'hits':{'the':1},'sediments':{'were':1},'limits':{'of':7,'the':1,'in':1,'that':1},'mongol':{'australian':1},'minds':{'of':2,'the':1},'preyed':{'upon':2},'strains':{'of':1,'differing':1,'that':1},'admit':{'a':1,'of':3,'the':1,'that':1,'to':1},'manifestations':{'and':1,'of':1,'in':1},'joy.':{'finally':1},'plankton':{'and':1,'is':1,'as':1,'.':1},'estimation':{'.':1},'torn':{'off':1},'studying.':{'some':1},'886.0':{'29.46':1},'colonisation':{'of':1,'was':1},'habitual':{'surroundings':1,'intelligent':1},'penetrating':{'deeply':1,'consequences':1,'opaque':1},'kin-sympathy':{'and':1},'distinguish':{'the':1,'six':1,'several':1,'different':1},'preparedness':{'until':1},'together.':{'except':1},'sea-cucumber':{'119':1,'it':1},'sense.':{'bibliography':1},'tread':{'of':1},'gregarious.':{'the':1},'addition':{'to':5,'that':1,'it':1,'of':1},'disintegrate':{'much':1,'under':1},'own.':{'the':1,'contents':1,'illustration':1},'cent':{'of':1,'selection':1,'.':3},'immense':{'extent':1,'distance':1,'stretches':1,'darkness':1,'distances':1,'column':1,'void':1,'fossilized':1,'amount':1,'importance':1,'rate':1,'mass':1,'monotony':1,'sea':1,'outbursts':2,'velocity':1,'electrical':1,'accumulation':1,'upward':1},'slowly':{'and':1,'on':1,'about':1,'dying':1,'creeping':1,'into':1,'changed':1,'it':1,'back':1,'down':1,'dissolved':1,'dissolve':1,'changing':1,'worked':1,'.':1,'taking':1},'flinders':{'petrie':1},'dead.':{'illustration':1},'shoulders':{';':1},'senses':{'and':2,'do':1,'recognise':1,'of':4,'.':1,'besides':1,'to':1,'which':1,'in':1,'touch':1,'interpret':1},'diversity':{'and':1,'in':1},'digged':{'and':1},'releasing':{'electrons':1},'four-toed':{'horse':2},'176-177':{'side':1},'expenditure':{'possible.':1},'1769-1832':{'86':1,'one':1},'mail':{'.':1},'mammals--with':{'their':1},'novel':{'and':1,'situation':1,'restlessness.':1,'way':1},'unsegmented':{'worms':1},'domestication':{'illustrate':1},'asexual':{'reproduction':4},'air-tubes':{'blood-channels':1,'takes':1,'or':1},'16.--the':{'moon':1},'chalk':{'cliffs':1},'ten-millionth':{'of':1},'owns':{'a':2},'comets':{'and':2,'is':1,'or':1,'we':1,'.':1},'ago--a':{'few':1},'tide.':{'arctic':1},'inhabits':{'british':2},'surface':{'and':8,'among':1,'often':1,'is':4,'it':1,'an':1,'through':2,'are':1,'in':2,'trailing':1,'millions':1,'from':1,'.':19,'to':3,'does':1,'therefore':1,'which':2,';':2,'was':1,'waters':2,'resembles':1,'but':2,'water':1,'by':4,'must':2,'of':27,'receives':1,'were':1,'the':2,'or':1,'bodies':1,'view':2},'examined':{'to':1,'must':1,'.':1},'lambs':{'and':1,'.':1},'conical':{'projection':1,'teeth':1},'inference--or':{'reason':1},'capture':{'small':1,'and':1,'especially':1,'air.':1},'shooting':{'star':1,'outwards':1,'stars':1,'out':1},'zoophytes':{'corals':1,'and':1},'above.':{'illustration':1},'began':{'on':1,'their':2,'long':1,'.':2,'to':25,'as':1,'in':3,'the':3,'with':2},'views':{'and':1,'we':1,'with':1,'.':1},'parts':{'and':1,'about':1,'to':1,'of':13,'company':1,'was':1,'.':1,'sufficiently':1,'only':1,'take':1,'which':1,'in':2,'ebbs':1,';':1,'save':1,'fluctuate':1,'are':3},'ante-natal':{'life':4,'sleep':1,'period':1,'hood':1},'underground':{'world':2},'party':{'distributing':1},'chlamydosaurus':{'of':1},'tapped':{'supplies':1},'capelle':{'in':1},'experimented':{'on':1,'with':1},'formations.':{'illustration':2},'appearances':{'may':2},'effect':{'and':1,'on':3,'would':1,'may':1,'of':5,'when':1,'.':1,'owing':1,'which':3,'movement':1,'measured':1,'than':1,'before':1},'clouds--some':{'with':1},'compared':{'to':4,'with':8},'surroundings.':{'the':1},'colouring':{'this':1,'remains':1,'the':1,'was':1,'of':1},'prophesied':{'for':1},'fierce':{'and':2,'flood':1},'frequently':{'transfer':1,'spread':1,'recurrent':2,'doubled':1},'destruction':{'of':1,'the':1},'poultry':{'are':2},'scarcely':{'taken':1},'reflection':{'of':1,'.':1},'cliff-loving':{'bird':1},'i':{'am':1,'had':1,'.':4,'came':1,'have':1,'the':1,'was':1,'present':1},'obstacles':{'.':1},'well':{'and':4,'named':1,'says':1,'developed':6,'illustrated':1,'known':2,'as':8,'dried':1,'have':1,'in':2,'shown':1,'able':1,'.':2,'to':1,'be':2,'afford':1,'concealed':1,'suited':3,'alone':1,'advanced':1,'placed':1,'protected':1,'accustomed':1,'mixed':1,'adapted':3},'shell--there':{'is':1},'nebulous':{'matter':2},'rife':{';':1,'in':1},'mccabe':{'a':1,'joseph':1},'years--but':{'in':1},'deadly':{'trypanosome':1},'glowed':{'under':1},'neutralised':{'and':1},'45':{'photo':1},'enormously':{'great':1,'slow':1,'greater':1,'.':2,'high':1,'enlarged':1,'denser':1,'distended.':1,'elongated':3,'increased':1},'increasingly':{'a':1},'accurate':{'analytical':1,'to':1,'measurements':1,'student':1},'mistaken':{'.':1},'leisure-time':{'observations':1},'radium--the':{'discovery':1},'sources':{'of':2},'ermine':{'is':1,'has':1,'mainly':1},'mistakes':{'often':1,'like':1,'that':1},'distant':{'planet':1,'aquatic':1,'star':1,'planets':1,'from':2,'ages':1,'past':1,'shores':1,'blaze':2,'stars':2,'date':1,'world':1},'skill':{'and':1,'.':1,'as':1,'without':1,'they':1,'in':2,'the':1},'jackal':{'and':1},'recapitulated':{'by':1},'grappling':{'and':1,'tentacles':1},'1.f.1':{'.':1},'1.f.6':{'.':1},'ovum':{'and':1,'introducing':1,'from':1,'is':1,'or':1,'with':1,'divides':1},'1.f.4':{'.':1},'density':{'heat':1,'stretching':1,';':1},'deposits':{'of':1,'which':3,'would':1,'were':1},'lured':{'upwards':1},'extends':{'not':2,'from':1,'at':1},'maintaining':{'tax':1},'recapitulates':{'at':1},'size.':{'illustration':1},'warrant':{'for':2},'clouded':{'that':1},'fate':{'of':2,'with':1,'by':1},'disappearance':{'of':2,'as':1},'devised':{'by':1},'utah':{'.':1},'propelled':{'themselves':1},'fats':{'and':1},'262':{'electrons':1,'from':1},'historic':{'interest':1},'267':{'arrangements':1,'disintegration':1},'contingents':{'from':1},'burden':{'and':1},'propeller':{'.':1},'immediately':{'preceding':1,'has':1,'lying':1,'for':1,'.':1},'crusher':{'is':1},'prominent':{'eyebrow':2},'loss':{'of':6,'there':1,'in':1},'fleas':{'and':1},'necessary':{'mathematical':1,'for':1,'that':1,'may':1,'it':1,'.':2,'to':9,'in':1,'apprenticeship':1},'lost':{'and':1,'faunas':1,'is':1,'some':1,'three':2,'races':1,'so':1,'or':1},'sizes':{'of':5,'according':1,'which':1},'ctenophores':{';':1,'or':1},'exhausted':{'by':1,'are':1},'payments':{'and':1,'must':1,'should':1},'lose':{'all':1,'one-millionth':1},'page':{'34.':1,'.':2,'also':1,'are':1,'280':1,'the':1,'92':1,'at':2},'likes':{'to':1},'therein':{'lays':1},'shed':{'germ-cells':1,'in':1,'.':1},'glare':{'of':2,'out':1},'offshore.':{'conditions':1},'arrows':{'tycho':1},'belonged':{'.':1},'phenomena':{'and':1,'then':1,'may':1,'of':3,'studied':1,'near':1,'.':1,'as':1,'cannot':1,'including':1,'are':3,'in':2,'not':1,'mean':1},'library':{'very':1,'of':2,'.':3},'husk':{'.':1},'warmer':{'water':1},'home':{'for':4,'of':1,'university':3,'.':5,'in':5,'anger':1,'was':1,'or':1},'peter':{'perhaps':1,'could':1,'was':1,'which':1},'planetesimal':{'dust':1},'scales':{'and':1,'to':1,'of':1,'shows':1},'before.':{'illustration':1},'projection':{'of':2},'broad':{'flat':1,'massive':1,'way':1,'outlines':2,'fact':2,'saucers':1},'kettle':{'on':2,'over':1,'containing':1},'cabbages':{'such':1},'injects':{'the':1},'appreciative':{'awareness':1},'tadpole':{'becomes':1,'has':1,'with':1,'mouth':1},'fountain':{'of':4},'mutation':{'and':1,'is':1},'demonstrated':{';':1},'limitations':{'are':1,'.':1},'incandescence':{'and':1},'inaccurate':{'or':1},'butterfish':{'or':1},'reaching':{'a':1,'to':1,'the':1,'which':1,'project':1},'millions.':{'the':1},'expansion':{'of':3},'imperfectly':{'known':1,'finished':1,'warm-blooded':1},'instinct':{'and':3,'may':1,'is':2,'by':2,'to':1,'as':1,'cannot':1,'in':1,';':1,'with':1,'professor':1},'stows':{'this':1},'sways':{'from':1},'macpherson.':{'illustration':1},'embryos':{'of':4,'an':1,'that':1},'freedom':{'and':1,'of':3,'understanding':1,'in':1},'interlinked':{'system':1,'in':1},'discovered.':{'primitive':1,'illustration':1},'chance':{'on':1,'as':1,'.':1},'flesh-and-blood':{'natural':1},'dominion':{'astrophysical':1},'tongue':{'a':1,'on':1,'and':1,'of':2,'upon':1,'ending':1,'can':1,'which':2},'liberating':{'the':1,'egg-cells':1},'equally':{'spaced':1,'illumined':1,'well':1,'large':1,'stimulated':1,'important':1,'unwise':1,'by':1},'contending':{'theories':1},'cell-wall':{'of':1},'crossland':{'observed':1},'previously':{'unknown':1,'in':1},'primal':{'mud':1},'washington':{':':1},'due':{'to':28,'as':1},'scharff':{'r':1},'times.':{'there':1,'b-c.':1,'illustration':1,'one':1,'c-f.':1,'the':1},'additions':{'or':1},'properties--ready':{'to':1},'endeavours':{'which':1},'utility':{'the':1,'for':1},'doubtless':{'a':1,'this':1,'discover':1,'as':1,'in':1,'gets':1,'present':1},'mississippi':{'and':1},'additional':{'distance':1,'cost':1,'terms':2,'weight':1,'contact':1},'zoologist':{'in':1,'means':1},'museum':{'and':1,'natural':14,'of':3,'57':1,'after':2,'it':1},'phrases':{'as':1},'associates.':{'in':1},'noticed':{'that':4,'already':1,'in':1,'by':1,'.':1},'night--relieved':{'only':1},'daniell':{'alfred':1},'inner':{'upper':1,'life':3,'aspects':1,'stream':1,'one':1,'aspect':1,'ear':1,'or':1},'cell.':{'this':1},'reiteration':{'of':1},'crushing':{'seeds':1},'north':{'and':1,'europe':3,'from':1,'scandinavia':4,'e.g':1,'when':1,'pole':2,'pacific':1,'an':1,'to':1,'1500':1,'sea':2,'in':1,'227':1,'american':1,'america':4,'or':2},'gluten':{'albumin':1},'make-up':{'which':1},'triangular':{'piece':1},'fountains':{'of':1},'gait':{'is':1,'human':1,'but':1},'gain':{'of':1,'leisure':1,'an':1},'sprinkling':{'of':1},'highest':{'level':1,'of':2,'up':1,'reaches':1,'brilliancy':1,'octave':1,'authorities':1,'line':1,'animals--birds':1},'eat':{'it':1,'in':1},'he':{'replied':1,'discovered':1,'ceased':1,'differs':1,'had':7,'destroyed':1,'belongs':1,'constitutes':1,'has':16,'then':2,'means':1,'produced':1,'did':2,'revolutionised':1,'found':4,'went':1,'traces':1,'reduced':1,'says':3,'often':1,'declines':1,'estimated':1,'thinks':1,'puts':1,'learns':1,'wondered':1,'induces':1,'laid':1,'does':2,'got':3,'shows':1,'measures':1,'chose':1,'reacts':1,'maintains':1,'disappeared':1,'approaches':1,'interposed':1,'asks':1,'poured':1,'could':1,'became':1,'confronted':1,'asked':1,'first':2,'one':1,'likes':1,'cultivated':1,'considers':1,'passes':1,'would':2,'jerks':1,'much':1,'wrapped':1,'was':8,'knows':2,'took':3,'repeatedly':2,'worked':1,'must':1,'plants':1,'made':1,'showed':1,'believes':1,'will':1,'arranges':1,'can':5,'of':1,'plunges':1,'called':2,'and':1,'is':7,'walks':1,'thus':1,'buried':1,'allowed':1,'claimed':1,'tells':1,'said.':1,'drained':1,'began':1,'also':2,'speaks':1,'tapped':1,'concedes':1,'used':1,'may':1,'who':1,'drives':1,'accurately':1,'tries':1,'said':1,'likes--and':1,'so':1,'lays':1,'fitted':1,'once':1},'volplaning':{'of':1,'parachutists':1},'cells':{'and':2,'on':2,'kept':1,'boxed':1,'that':1,'of':4,'showing':1,'no':1,'together':1,'.':5,'marked':1,'but':1,'have':1,'which':2,';':2,'whereas':1,'are':3},'two-spined':{'sticklebacks':1},'exerts':{'a':1},'stories':{'of':1,'if':1},'pumped':{'although':1,'out':1},'eyes.':{'furthermore':1},'piece':{'of':29,'became':1},'display':{'perform':1,'of':3,'.':1,'in':1},'neanderthalensis':{'first':1},'cheek-bones':{'and':1},'universal':{'inevitableness':1,'commodity':1,'freedom':1,'acceptance':1,'or':1,'attraction':1,'carrier':1,'open':1,'ether':3},'penny':{'you':1,'in':3},'climax.':{'the':1},'lobes':{'ps':1,'l':1},'crystals':{'and':1,'of':1,'the':1,'or':1,'in':1},'education':{'and':1,'of':3,'included':1,'she':1},'draco':{'volans':2},'heat--forms':{'of':1},'forest.':{'there':1},'functions':{'of':1,'alike':1,'.':1},'apple-trees':{'of':1},'vibrations.':{'the':1},'offensive':{'persons':1},'vacuole':{'cv':1,'fv':1},'onwards':{'it':1,'.':1},'meteor':{'reached':1,'shattering':1},'chemist':{'use':1,'john':1,'was':1,'but':1},'disposing':{'of':1},'over':{'and':8,'all':3,'fifty':2,'diverse':1,'80':1,'functioning':1,'their':1,'again':5,'space':1,'two':4,'.':1,'to':4,'2':1,'8':1,'200':1,'life':1,'hundreds':1,'five':2,'a':6,'new':1,'100':1,'one':1,'11':1,'31':1,'30':1,'taut':1,'the':23,'800':1,'its':2},'star':{'and':2,'distances':1,'appeared':1,'had':3,'is':4,'corresponds':1,'cluster':1,'as':1,'registers':1,'at':2,'in':2,'sinks':1,'whose':1,'for':2,'perhaps':1,'seems':1,'due':1,'.':6,'to':2,'goes':1,'clusters':1,'which':1,'light-years':1,'means':1,'may':1,'but':1,'it':1,'revealed':1,'crosses':1,'clouds':1,'of':1,'against':1,'near':1,'following':1,'algol':1,'makes':1,'or':2},'scrutinising':{'these':1},'living':{'and':1,'flesh':1,'tissues':1,'mainly':1,'an':1,'at':2,'creatures--the':1,'images':1,'ape':1,'organisms':1,'things':2,'representatives':3,'.':2,'creatures':32,'creature':8,'body':1,'a':1,'we':1,'adaptations':1,'form':1,'fire':1,'in':5,'material':1,'hand':3,'burden':1,'to-day':1,'to-day.':1,'man':1,'plants':1,'on':4,'fossils':1,'for':1,'creatures.':1,'items':1,'microcosm':1,'anthropologists':1,'matter':9,'materials':1,'organism':1},'vega':{'34.7':1},'gradations':{'of':1,'from':1},'stag':{'and':1},'pathways':{'marked':1},'out.':{'if':1},'drainpipes':{'to':1},'dewey':{'that':1},'persistent':{'nevertheless':1,'patience':1,'experiment':1,'death-feigning':1,'grasp':1,'tendency':1},'eighties.':{'it':1},'inset':{'circle':1},'15-20':{'feet':1},'determination':{'to':1},'skimming':{'on':1},'indirectly':{'into':1,'from':1,'the':1,'hastened':1},'disruptive':{'chemical':1},'secondly':{'it':1},'saturating':{'outside':1},'psycho-analyst':{'must':1},'is--but':{'it':1},'mackerel':{'and':1},'better.':{'now':1},'dynamic':{'.':1,'systema':1},'unfurl':{'more':1},'straws':{'he':1,'were':1,'she':1,'.':2},'rampart':{'is':1},'shrinkages':{'which':1},'up.':{'the':1},'whose':{'distance':1,'luminescence':1,'skull':3,'origins':1,'point':1,'fine':1,'warm-bloodedness':1,'stinging':1,'atoms':1,'instrumental':1,'motions':1,'webbed':1,'movements':1,'type':1,'gravitational':1,'mental':1},'gamut':{'between':1},'calculate':{'how':1,'the':1,'your':1,'that':1},'swam':{'close':1,'instinctively':1},'auk':{'were':1},'berridge':{'f.z.s.':8},'bragg':{'247':1,'one':1,'says':1,'that':1},'miall':{'l':1},'presents':{'a':1,'the':1},'fine-grained':{'lithographic':1},'investigation':{'shows':1,'.':1},'vocabulary--he':{'has':1},'teaching':{'very':1},'bird--too':{'far':1},'descendant--the':{'modern':1},'updated':{'editions':1},'hind-limb':{'of':1},'counted.':{'but':1,'in':1},'void':{'the':1,'.':1},'cockchafers':{'are':1},'vase':{'which':1},'thinopus':{'the':1},'smack':{'of':2,'their':1},'asia.':{'man':1},'nourished':{'from':1},'govern':{'what':1},'radio-active':{'substance':1,'substances':3,'.':1,'matter':1,'elements':4,'or':1,'bodies':2},'affect':{'a':2,'our':1,'the':5,'your':1},'vast':{'and':1,'stores':2,'reservoir':1,'disturbances':1,'process':1,'energy':1,'as':1,'numbers':1,'crowd':1,'masses':1,'regions':1,'majority':1,'figures':1,'structures':1,'vegetation':1,'whirlpool':1,'medium':1,'that':2,'new':1,'population':1,'streams':1,'changes':1},'transformed.':{'before':1},'kataleptic':{'state':1},'baking':{'qualities':1},'naturalist':{'louis':1,'of':1},'crops':{'with':1},'conductor--six':{'times':1},'present.':{'the':1},'herbert':{'spencer':1},'indefinitely':{'.':1,'in':1},'danger-signal':{'sounds':1},'1859.':{'heritable':1},'greenish':{'plants':1,'warty':1,'phosphorescence':1},'employees':{'expend':1,'are':1},'breast-bone':{';':1,'has':1,'it':1,'.':1},'clothes':{'it':1},'favoured':{'the':1,'speculation':1},'carnivore':{'by':1},'force':{'and':2,'them':1,'proceed':1,'developed':1,'between':1,'due':1,'but':1,'equal':1,'at':1,'which':1,'of':3,'.':2},'senescence':{'but':1},'concise':{'view':1},'dome-like':{'and':1},'japanese':{'deep-sea':2,'variety':1},'current--the':{'dynamo--magnetism--ether':1},'intelligible.':{'sec':1},'hundredfold':{'in':1},'cactus':{'and':1},'even':{'thinner':1,'learning':1,'ten':2,'less':1,'it':1,'an':1,'as':1,'planetoids':1,'through':1,'at':5,'picked':1,'in':9,'before':1,'cut':1,'wholesome':1,'for':1,'make':1,'when':7,'gases':1,'by':1,'to':4,'then':1,'routine':1,'if':6,'more':6,'picture':1,'his':1,'greater':1,'though':1,'after':1,'suffused':1,'rise':1,'although':1,'suck':1,'with':2,'than':1,'conspicuous':1,'hints':1,'a':8,'on':1,'several':1,'liquid':1,'these':2,'of':4,'proud':1,'against':1,'this':1,'without':1,'vaster':1,'the':17,'calculates':1},'unborn':{'young.':1,'reptile':1,'child':1,'offspring':1,'.':1},'asia':{'and':2,'that':1,'is':1,'africa':1,'.':2,'in':1,'was':1,'minor':1},'liberated':{'and':2,'on':1,'from':3,'eggs':1,'when':1,'were':1},'haze':{'and':1},'rest.':{'illustration':1},'reverently':{'and':1},'dr.':{'schoetensack':1,'cyril':1,'romanes':1},'new':{'corner':1,'ebooks.':1,'knowledge':4,'forms':1,'surroundings':1,'physics--the':1,'world.':1,'associations':1,'views':1,'food':1,'revelations':1,'ones':1,'world':2,'devices.':1,'worlds':1,'corners':1,'freedom.':1,'parasite':1,'possibilities':1,'microscope':1,'habits':2,'view':5,'body':1,'domain':1,'methods':1,'habitat':1,'generation':2,'parasites':1,'individualities':1,'home':1,'ebooks':1,'psychology':1,'habits--experiments':1,'competitions':1,'method':1,'discovery':1,'rhodesian':1,'theory':1,'leg':1,'joy':1,'objects':1,'york':11,'linkage':1,'computers':1,'haunts':1,'kingdoms':1,'72-inch':1,'factor.':1,'kinds':1,'or':1,'departures':10,'one':2,'use':1,'nebulae':1,'area':1,'.':2,'territories':1,'card':1,'interest':1,'suit':1,'shell':1,'clue':1,'zealand.':1,'lives':2,'kind':1,'conception':3,'star.':1,'variations':2,'devices':2,'state--':1,'cards':1,'property':2,'and':2,'permutations':1,'discoveries.':1,'sense':1,'flora.':1,'rays':1,'variety':2,'views--the':1,'feature':1,'inquiry':1,'gateways':1,'doors':1,'development':1,'elements':1,'star':1,'opportunity':1,'zealand':2,'modes':1,'light':2,'departure':2,'element':1,'materials':1,'physics':1},'net':{'detaches':1,'result':1},'ever':{'because':1,'tap':1,'show':1,'within':1,'discover':1,'in':1,'seen':2,'matures':1,'imminent':1,'been':1,'.':2,'take':1,'be':1,'life':1,'lived':1,'devised':1,'thrown':1,'perceived':1,'made':1,'rescued':1,'resolving':1,'rose':1,'passing':1,'arising':1,'could':1,'comes':1,'realised':1},'evolving':{'and':1,'brain':1,'set':1,'system':1,'on':1},'muzzle':{'region':1},'seventh':{'printing':1},'never':{'even':1,'nearer':1,'absent':1,'like':1,'ceases':1,'less':1,'becomes':2,'getting':1,'see':1,'been':1,'germinates':1,'completely':1,'understand':1,'showed':1,'mixing':1,'learned':1,'more':1,'focussed':1,'at':1},'drew':{'this':1,'the':1},'anthropology':{'will':1,'home':1,'and':1,'.':1},'met':{'the':1,'with':2,'by':1,'in':2},'108':{'600':1},'active':{'development':1,'and':1,'life':1,'links':2,'for':1,'cuttles':1,'protozoa':1,'strenuous':1,'cooperative':1,'in':1,'deep-sea':1,'the':1,'swimmers':1,'nor':1},'100':{'tons.':1,'miles':1,'000':9,'after':1},'cardboard':{'and':1,'we':1,'were':1},'interpret':{'as':1,'except':1},'contraction':{'process':1,'of':1,'is':1,'and':1},'dry':{'land':27,'land--the':1,'season':1,'work':1,'air':10,'land.':2,'branch':1,'pasture':1,'ground':3,'was':1,'air--by':1,'after':1},'plates':{'hanging':1,'form':1,'exposed':1},'-reptile':{'embryo':1},'buckled':{'up':1},'rests':{'and':1,'on':2},'light.':{'we':1,'no':1,'all':1,'illustration':1,'it':1,'now':1},'credit':{'of':3,'the':3,'amphibians':1,'card':1,'man':1},'permit':{'of':1,'all':1},'california':{'is':1,'has':1,'.':1},'adopting':{'this':1},'suitable':{'site':1},'fell':{'on':1,'near':2},'eyebrows':{'of':1},'growth.':{'under':1},'mobility':{'very':1},'mail.':{'the':1},'war.':{'the':1,'illustration':1},'peahen':{'stag':1},'god-like':{'intellect':2},'protozoa.':{'the':1},'counts':{'we':1,'rarely':1,'for':1},'lung.':{'it':1},'circumvent':{'the':1},'tertiary':{'strata':1,'times.':1,'era':1},'head-on':{'fashion':1},'is--substitutes':{'for':1},'duck-billed':{'platypus':3},'wingless.':{'it':1},'invaders':{'of':1},'dog-toothed':{'cynodonts':1},'duesseldorf.':{'according':1},'stinging-cells':{'the':1},'overhead':{'at':1,'means':1},'calm':{'and':1,'of':1,'unbroken':1},'cassowary':{'201':1,'its':1},'water-spider':{'argyroneta':1,'the':1,'conquering':1},'right.':{'illustration':1},'type':{'is':1,'reaches':1,'say':1,'have':1,'in':2,'should':1,'relatively':1,'from':1,'for':1,'.':2,'intermediate':1,'rich':1,'has':2,'was':1,'we':1,'but':1,'marked':1,'known':1,'such':1,'with':1,'must':1,'off':1,'like':1,'of':9,'equal':1,'makes':1,'finds':1},'tell':{'all':1,'for':1,'us':6,'at':1,'the':4,'where':1},'gorilla.':{'activity':1},'peeping':{'above':1,'out':1},'lungs':{'a':2,'as':1,'where':1,'but':1,'.':1},'wary':{'trout':1},'oscar':{'riddle':1},'expose':{'the':1},'under':{'a':2,'stones':1,'different':1,'his':1,'her':2,'this':3,'surface':2,'side':1,'water':2,'parts':1,'stimulation--giving':1,'our':2,'the':15,'its':1},'dogma':{'of':1},'warm':{'countries':1,'moist':1,'volcanic':1,'shallows':1},'bipedal':{'dinosaur':1,'progression--always':1,'erect':1},'spawning-pond':{'from':1},'ward':{'f.e.s.':20,'.':1},'latent':{'indefinitely':1,'life':1,'state':1},'flora':{'and':1,';':1,'as':1,'which':1},'room':{'and':1,'we':1,'for':1,'in':1},'civilisations':{'and':1,'of':1},'suggestive':{'fact':2},'guise':{'of':1,'would':1},'root':{'and':2},'humerus':{'or':1},'allantois':{'is':1,'persist':1},'squirting':{'jets':1},'give':{'and':1,'just':1,'certain':1,'modern':1,'it':2,'an':1,'in':1,'out':1,'her':3,'six':1,'definite':1,'to':1,'way':1,'you':1,'more':1,'notice':1,'very':1,'rise':8,'them':1,'such':1,'a':4,'off':2,'prominence':1,'up':2,'us':3,'way.':1,'the':7,'utterance':1},'climax':{'and':1,'among':1,'of':3,'in':5},'involve':{'any':1},'fizzing':{'about':1},'down-stream.':{'1':1},'advancing':{'slope':1,'dog':1,'troop':1},'masterly':{'skill':1,'book':1},'halobatidae':{'wingless':1},'january':{'30':1,'21':1,'22':1,'6':1},'shell-shock':{'is':1},'coral-snakes':{'cobras':1},'faults':{'he':1},'amazing':{'particles':1,'quantities':1},'messrs':{'.':3},'answer':{'even':2,'and':1,'them':1,'forecloses':1,'that':1,'follows':1,'is':7,'back':2,'.':1,'to':4,'first':1,'opens':1,'must':2},'willing--has':{'come':1},'blanket':{'of':2},'minority':{'have':1,'give':1},'undergoing':{'disintegration':2,'disintegration--and':1,'radical':1},'reconciled':{'.':1},'abdomen':{'beneath':1},'food.':{'illustration':1},'long-continued':{'structure':1},'curiosity':{'and':1,'are':1,'its':1},'mud-minnows':{'did':1},'amoeboid':{'cells':4,'line':1},'overtaken':{'.':1},'still;':{'but':1},'descends':{'again':1},'think':{'to':1,'for':1,'that':12,'of':19,'less':1,'.':2,'also':1,'they':2,'clearly':1},'still.':{'and':1},'maintain':{'a':1,'the':1,'that':2},'frequent':{'meals.':1,'paddling':1,'changefulness':1,'occurrence':1,'exhibition':1},'1872':{'charles':1},'carbonic':{'acid':2},'inhabitant':{'of':1},'overtakes':{'it':1},'operations':{'on':1},'fife':{'started':1,'which':1,'in':1},'enter':{'suddenly':1,'our':1,'into':2,'the':2,'deeply':1},'sheltering':{'blanket':1,'is':1},'co-operating':{'with':2},'murray':{'sir':2,'called':1,'.':2},'helena':{'the':1},'hibernation':{'.':1},'down.':{'some':1,'however':1,'illustration':1},'budding':{'or':1,'.':2},'copyright':{'status':1,'royalties':1,'notice':1,'agreement':1,'research':1,'1922':1,'in':2,'holder':4,'or':1,'laws':2},'partisans':{'at':1},'famille':{'lieu':1},'before':{'the':13,'they':5,'it':4,'an':1,'birth.':1,'betraying':1,'our':3,'birds':1,'that.':1,'proceeding':1,'matter':1,'with':1,'there':7,'.':3,'anyone':1,'their':1,'reptiles':1,'you':2,'man':1,'was':1,'we':2,'downloading':1,'reaching':1,'mammals':1,'birth':3,'amphibians':1,'water':1,'heat':1,'them':1,'but':1,'hatching':2,'true':1,'him':1,'he':1,'anything':1,'i':1,'this':1,'she':1,'passing':2,'or':3},'10.5':{'regulus':1},'gyges':{'ring':1},'crew':{'of':1},'better':{'case':1,'by':1,'still;':1,'brains':2,'is':1,'than':1,'forms':1,'to':2,'brain':1,'insertion':2,'teeth':1,'method':1,'or':1,'heel':1},'differently':{'from':1},'persist':{'not':1,'there':1,'when':1},'weeks':{'old':2,'perhaps':1,'removing':1,'when':1,'of':1,'or':1},'overcome':{'the':3,'in':1},'donors':{'in':1},'23.--star':{'cluster':1},'disintegration--and':{'the':1},'swim-bladder':{'of':1,'into':1,'which':1},'combination':{'of':3,'which':1},'within.':{'but':1},'strangest':{'of':1},'caterpillar':{'and':1,'on':1,'.':1},'weaponless':{'animal':1},'indulge':{'for':1},'bluish':{'colour':1},'secured.':{'there':1},'bony':{'fish':3,'collar':1,'flat-fishes':1},'meat':{'and':1,'darted':1},'brightness':{'in':1},'indivisible.':{'the':1},'fogs':{'were':1},'arrested':{'defective':1,'.':1},'proofreading':{'team':2},'mounts':{'guard':3},'went':{'before':1,'on':4,'towards':2,'through':1,'out':1},'meal':{'.':1},'bone':{'and':1,'for':2,'of':1,'u':1,'which':1,'in':1,'the':1,'muscle':1},'mean':{'and':1,'distance':1,'great':1,'save':1,'that':7,'stagnation':1,'one':1,'1':1,'to':1,'so':1,'not':1,'the':1,'.':1,'by':3},'telescope.':{'illustration:':1,'but':1},'afforded':{'the':1,'much':1,'by':3},'problems.':{'sec':1},'successively':{'worked':1},'suspended':{'particles':2,'at':1,'for':1,'in':1},'conifer':{'and':1},'principles':{'employed':1,'of':2},'hive-bees':{'italians':1},'taught':{'to':2,'two':1,'us':1,'that':2},'wave-lengths':{'.':3,'that':1},'first-class':{'sensory':1,'cereal':1},'extract':{'from':1},'conspicuous.':{'at':1},'conjectures':{'which':1},'superposing':{'a':1},'restricted':{'to':2,'that':1,'.':1},'content':{'even':1,'to':2,'ourselves':1,'for':1},'sparkle':{'in':1},'cave-man':{'may':1},'is.':{'energy':1,'let':1},'reader':{'a':1,'who':1,'may':1,'imagines':1,'an':1,'will':1,'to':1},'surprise':{'none':1},'sluggish':{'fishes':1,'turtle':1,'the':1,'animals':1,'creatures':1},'langur':{'monkeys':1},'turning':{'upon':1,'off':1,'the':1,'every':1,'up':1},'meridian.':{'the':1},'hangers-on':{'and':1},'wave-length.':{'deep-red':1},'ascending':{'the':1},'skin.':{'but':1},'246':{'photo':2},'240':{'white':1},'243':{'the':1},'telescopes':{'begins':1,'and':1,'smaller':1,'for':1,'of':2,'.':1,'at':1},'shaggy':{'hair':1},'began.':{'archaeozoic':1,'ordovician':1},'starts':{'as':1,'.':1},'messages':{'from':1,'.':3},'thus':{'diverts':1,'set':1,'just':1,'produces':1,'certain':1,'some':1,'it':4,'separated':1,'as':2,'at':2,'sir':1,'from':2,'appear':1,'securing':2,'no':2,'began':1,'there':5,'uranium':2,'two':1,'been':1,'to':1,'helps':1,'molecules':1,'volvox':1,'we':12,'arises':1,'form':1,'again':1,'becomes':1,'formed':1,'possible':1,'completely':1,'although':1,'fishes':1,'flowers':1,'producing':2,'a':1,'animals':1,'driving':1,'this':1,'professor':2,'shunted':1,'ascertain':1,'the':12,'spiders':1},'isn':{'t':1},'survive--although':{'they':1},'arrived':{'at':3},'cave-lion':{'and':1,'cave-hyaena':1},'loud':{'noises':1},'user':{'provide':1,'to':1,'who':1},'untutored':{'bird':1},'features':{'and':1,'of':3,'there':1,'but':1,'so':1,'which':1,'such':1,';':1},'grade':{'bring':1},'unlit':{'lamp':1},'peculiarity':{'of':1},'disappearing':{'a':1},'enumerate':{'the':1},'radiate':{'away':1,'long':1,'out':1},'immensely':{'large':1,'larger':1,'greater':1,'faster':1},'ditch':{'or':1,'.':1},'hood':{'is':1,'spread':1,'called':1,'or':1},'monotonous':{'world':1,'green':1},'anyone':{'providing':1,'may':1,'.':1,'anywhere':2,'can':2,'in':1,'else':1},'pelagic':{'plants':1,'life':1,'bird':2,'haunt':1,'area':1},'84116':{'801':1},'shiver':{'.':1},'periwinkle':{'or':1},'witnessing':{'the':1},'dwell':{'too':1},'growth':{'and':1,'of':6},'fiery':{'tongues':1,'vapour.':1,'fate':1,'journey':1,'eruptions':1,'outbreak':1},'radiation':{'and':1,'from':2,'of':2,'.':1,'cannot':1,'in':1},'ages--the':{'procession':1},'feathers':{'of':2,'proving':1,'.':1,'are':2,'have':1,'91':1,'the':1,'or':1},'pre-material':{'world':1},'floor.':{'jasper':1},'digs':{'away':1},'glumes':{'or':1},'somewhat':{'like':2,'suddenly':1,'of':1,'as':1,'higher':1,'in':1,'simpler':1,'difficult':2},'feature.':{'some':1},'conger-eels':{'and':1},'brazil.':{'the':1},'peculiar':{'and':1,'people':2,'physiological':1,'characteristics':1,'interest':2,'bones':1,'cases':1,'circumstances':1},'begins':{'on':1,'his':1,'.':1,'to':2,'as':1,'at':1,'in':1},'distance':{'a':1,'and':3,'towards':1,'from':8,'that':1,'of':13,'is':2,'in':2,'thus':1,'period':1,'.':5,'varies':1,'between':1,'it':2,'plays':1,'the':3,'once':1,'was':1,'away':1,'more':1},'creatures.':{'we':1,'the':1,'illustration':2},'dredge':{'has':1},'structures':{'and':5,'reveal':1,'inherited':1,'are':1,'tend':1},'regularised':{'and':1},'sea-serpents':{'terrestrial':1},'preparation':{'for':2},'matter':{'and':16,'chlorophyll':1,'says':1,'exists':1,'is':14,'it':1,'four':1,'as':2,'itself':1,'exist':1,'are':7,'have':3,'in':7,'consists':2,'throughout':1,'ether':2,'254':1,'if':1,'cannot':1,'from':2,'there':2,'.':18,'contained':1,'therefore':1,'which':7,'flowing':1,';':1,'really':1,'was':3,'into':2,'passed':1,'energy':1,'that':4,'may':1,'than':1,'of':10,'however':2,'but':2,'quite':1,'were':2,'cutting':1,'moving':1,'here':1,'itself.':3,'not':1,'end':1,'along':3,'by':1,'a':1,'on':1,':':2,'this':1,'ever':1,'attracts':1,'required':1,'up':1,'agoing.':1,'or':2,'trillions':1,'so':1,'can':1,'contain':1,'through':1,'the':2,'out':1,'reduced':1},'messengers':{'regulate':1,'from':1,'are':1,'which':2,'more':1},'silly':{'ants':1},'shore-waters':{'to':1},'hailstones':{'on':1},'enables':{'the':2,'them':1,'us':3,'it':1},'extracting':{'the':1},'chrysalis':{'probably':1},'recommence':{'when':1},'membranes':{'the':1,'vocal':1},'modern':{'mathematical':1,'researches':1,'mammals':1,'brain...':1,'times.':1,'comparative':1,'times':2,'birds':2,'size':1,'horse':4,'representatives':1,'philosopher':1,'spectroscopist':1,'astronomers':1,'investigation':1,'physicists':1,'instruments':1,'flowering':1,'type':5,'divers':1,'tree-shrews':1,'civilisation--coal':1,'life':1,'theory':2,'brains':1,'line':1,'giant':1,'direct-reading':2,'physicist':1,'binoculars':1,'world':1,'estimate':1,'astronomy':6,'telescopes':1,'man':10,'advance':1,'observatory':1,'language':1,'species.':1,'science':8,'industry':1,'science.':1,'diffraction':1,'british':1,'theories':1,'bird':3,'man.':1,'dynamo':1,'representation':1,'history':1,'physics':1,'view':1},'mind':{'and':3,'among':1,'is':3,'at':1,'in':6,'seemed':1,'from':1,'for':1,'.':12,'which':1,'has':4,'we':4,'205':1,'that':3,'cannot':1,'let':1,'the':2,'a':1,':':1,'of':15,'craves':1,'can':1,'entirely':1,'out':1},'eyes':{'and':4,'the':1,'of':5,'could':1,'.':5,'to':1,'are':3,'become':1,'protrude':1,';':1,'themselves':1,'having':1},'rigorous':{'boundary':1},'seed':{'being':1,'was':1,'for':1},'nervures':{'on':1},'seen':{'among':1,'emerging':1,'sometimes':1,'gripping':1,'just':1,'is':2,'an':1,'as':1,'full':1,'through':1,'at':4,'another':1,'in':15,'shooting':1,'its':1,'even':1,'what':2,'from':1,'for':2,'to':5,'giving':1,'when':2,'.':5,'how':1,'enough':1,'under':1,'energy':1,'we':1,'towards':1,'that':5,'edge-on':2,'but':1,'quite':1,'boys':1,'every':1,'entangled':1,'by':2,'a':1,'on':5,'washing':1,'driving':1,'of':1,'later':1,'making':1,'the':3,'or':1,'are':1},'seem':{'strangely':1,'do':1,'we':1,'for':1,'always':1,'bound':1,'early':1,'to':18,'bad':1,'does':1,'in':1},'grind':{'a':1},'seek':{'to':1,'any':1,'out':1},'tells':{'and':1,'of':2,'its':1,'us':6},'starfish':{'is':1,'sea-lilies':1,'acorn-shell':1,'which':2,'with':1,'called':1,'asterias':2},'point.':{'and':1},'chest':{'and':1,'.':1},'chess':{'with':1},'blotched':{'by':1},'permian':{'light':1,'period':3,'ice':2,'.':1,'reptiles':1,'the':1,'was':1},'established':{'on':1,'all':1,'may':1,'is':1,'between':1,'an':1,'.':2,'in':3,'themselves':1,'one':1,'by':2,'fact':1},'changefulness':{'and':1,'of':2,'rather':1},'vermiform':{'appendix':2},'regular':{'flux':1,'relation':1,'orbit':1,'movement':1},'meaning':{'of':10,'the':2,'.':1,'an':1},'see.':{'as':1,'that':1},'promising.':{'illustration':1},'refractor':{'and':1,'is':3,'measures':1,'the':1,'48':1},'zealand':{'is':1,'which':1},'broadcast':{'in':1},'observation':{'and':1,'on':1,'by':1,'that':1,'.':1,'or':1},'consumed':{'and':1},'deliberate':{'introductions':1},'m':{'and':1,'.':1},'dog':{'scouring':1,'and':4,'shown':1,'turning':1,'that':2,'of':2,'professor':1,'or':2,'as':1,'carrying':1,'at':1,'a':1,'in':1,'van':1,'the':1,'has':3,';':1},'breathes':{'dry':1,'by':1},'definitely':{'formulated':1,'proved':1,'begun':1,'that':2,'free':1,'guiding':1,'the':1},'principle':{'we':1,'of':2,'is':1,'can':1,'which':2,'applies':1,';':1},'molluscs':{'and':1,'.':1,'are':1,'ascidians':1,'in':1},'dover':{'and':1},'planetary':{'system.':1,'families':2,'nucleus':1},'aquatic':{'ancestors':1,'animals':1,'insects':1,'surinam':1,'ancestry':2,'locomotion':2},'rayleigh':{'stated':1},'visitor':{'gave':1},'probe':{'for':1},'skin-wing':{'a':1},'ending':{'in':1},'brilliancy':{'.':1},'attempts':{'to':4,'made':1,'at':1,'have':1},'fungas':{'spots':1},'counteractive':{'measures':1},'creature--far':{'from':1},'ear.':{'illustration':2},'representing':{'nude':1,'one':1},'explain':{'what':1,'presently':1,'for':1,'this':3,'how':1,'the':6,'why':1},'folded':{'in':1},'sugar':{'fats':1,'.':1},'judged':{'as':1,'from':1,'by':1},'above':{'and':1,'distances':1,'all':1,'is':1,'seven':2,'our':1,'scale':1,'shrinkage':1,'six':1,'them':1,'illustration':2,'it':1,'diagram':1,'five':1,'with':1,'boiling-point':1,'sea-level':1,'a':1,'illustration.':1,'these':1,'pictorial':1,'them.':1,'the':12},'compounded':{'of':2,'so':1},'indicus':{'--are':1},'morsel':{'of':1},'chromosphere':{'great':1,'extends':1,'are':1,'.':1},'stop':{'and':1,'vii':1,'when':1,'but':1,'at':1,'the':2},'perceive':{'a':1,'their':1},'coast':{'of':1},'12':{'is':1,'000':2,'what':1},'energy--what':{'a':1,'heat':1},'21.--typical':{'spectra':1},'ignoble':{'creatures':1},'comply':{'with':5,'either':1},'bat':{'the':1,'flying':1,'s':1,'shares':1},'bar':{'of':1,'.':1},'17':{'origin':1,'1905':2},'room--pour':{'molecules':1},'fields':{'.':1},'bay':{'and':1,'of':1},'bag':{'of':1,'containing':1},'microscope':{'behaving':1,'these':1,'which':1},'discs':{'of':1,'that':1,'.':1},'troop':{'of':1,'masked':1},'18':{'photo':1,'solar':1},'fertility':{'and':1,'in':1},'upwards':{'and':3,'of':2,'from':1,'that':1},'ears':{'and':2,'of':2,'.':1},'ethical':{'face':1},'head-brains':{'the':1},'reference':{'to':1,'has':1,'in':1},'testing':{'probing':1,'all':2},'alterations':{'would':1,'in':1},'tag--but':{'larger':1},'zones':{'of':1,'each':1},'decided':{'to':1,'that':1},'interruptions':{'of':1},'subject':{'and':1,'we':1,'of':2,'is':2,'here':1,'to':4,'as':1,'deeply':1},'pebbles':{'gripped':1,'.':1},'voyage':{'found':1,'darwin':1},'said':{'and':1,'is':1,'some':1,'in':1,'what':2,'for':2,'there':2,'long':1,'.':1,'to':9,'enough':1,':':1,'that':19,'but':1,'a':1,'about':1,'like':1,'of':2,'later':1,'so':1,'the':4,'consisted':1},'scrap':{'from':1},'sail':{'or':1,'in':1},'artificial':{'floor':1,'light':2,'fogs':1,'light.':1,'surroundings':1,'item':1,'transmutation':1},'pets':{'of':1},'simplest':{'forms':2,'animals':1,'form':2,'of':2,'possible':1,'multicellular':1,'bacteria':1,'creatures':1},'unsolved.':{'the':1},'sorts':{'and':1,'of':4,'occupations':1,'out':2},'polygamous':{'.':1},'lethargic':{'state':1},'profitable':{'to':3,'movements':1,'habit':2,'one':1},'cleverer':{'mammals':1,'animals':1,'than':1},'venture':{'out':1},'mountain-top-like':{'cusps':1},'physicist':{'and':1,'set':1,'brings':1,'.':1,'to':1,'has':1},'harvard':{'college':4},'386':{'times':1},'cousin':{'to':1},'motto':{'in':1},'suggested':{'genealogical':2,'this':1,'that':6,'however':1,'.':1,'to':1,'at':1,'another':1,'in':2,'by':2},'air--a':{'globule':1},'sperm-producer':{'and':2},'canines':{'and':1},'against':{'a':5,'downward-projecting':1,'branches':1,'her':1,'instability':1,'these':1,'certain':1,'it':1,'evaporation':1,'their':1,'intensities':1,'of':1,'accepting':1,'the':17,'one':2},'feathering':{'of':1},'puffin':{'s':2},'1.--diagrams':{'of':1},'distinction':{'of':1,'has':1,'so':1},'confronted':{'his':1},'simplified.':{'we':1},'fore-leg':{'of':1,'has':1},'appeared':{'suddenly':1,'upon':1,'related':1,'.':2,'to':1,'in':1,'inconceivable':1,'or':1},'repertory':{'of':5},'buries':{'itself':1},'incessant':{'colliding':1,'movement':2},'inquisitive':{'insects':1,'adults':1,'interest':1},'purling':{'brook':1},'lick':{'observatory.':4},'initiative':{';':1,'so':1},'lowly':{'forms':1,'origin.':2},'ether':{'and':11,'because':1,'exists':1,'disturbances':1,'is':2,'surrounding':1,'as':1,'are':1,'carry':1,'if':1,'permeates':1,'what':1,'disturbance':4,'.':8,'2':1,'which':1,'flowing':1,';':3,'has':2,'was':2,'then':1,'may':1,'but':2,'waves':2,'he':1,'by':2,'must':1,'of':2,'carries':1,'light':1,'or':1},'now.':{'the':1},'recognises':{'the':1},'puts':{'a':1,'the':1,'his':1,'forth':1,'it':2},'basis':{'of':5,'for':5,'but':1},'ramifying':{'system':1},'three':{'and':3,'cautions':1,'letters':1,'reasons':1,'arms':2,'feet':2,'in':2,'females':1,'species':1,'centuries':1,'different':1,'or':3,'dimensions':3,'distinct':2,'fingers':1,'to':3,'wonderful':1,'weeks':3,'hundred':3,'conditions':1,'lowest':1,'aspects':1,'complete':1,'inches':2,'thousand':3,'great':4,'atoms':1,'hours':1,'semicircular':1,'pairs':1,'months':2,'times':5,'chief':1,'miles':1,'fundamental':1,'quarter':1,'other':1},'erect':{'posture':1,'after':1,'lines':1,'attitude':2,'the':1,'he':1,'consisted':1},'milieu':{'.':1},'chrysanthemum':{'of':1},'trigger':{'of':4,'is':1,'which':1,'.':1},'interest':{'and':2,':':1,'for':3,'that':2,'of':2,'is':1,'us':1,'.':4,'to':3,'are':1,'in':5,'increasing':1,'was':1,'or':1},'entered':{'our':1,'into':2,'upon':1,'so':1,'on':1},'chaffinch':{'disguise':1},'threw':{'in':1},'light-year':{'is':1},'deeper':{'down':1,'and':1,'waters':1,'hollows':1},'quantities':{'not':1,'of':2,'pour':1,'destined':1},'sunshine':{'then':1,'of':1},'cold--an':{'eternal':1},'meadow-grass':{'before':1},'locations':{'where':1,'.':1},'168':{'profile':1},'164':{'suggested':1,'the':1},'165':{'the':1},'166':{'photo':2},'167':{'photo':1},'160':{'professor':1,'000':1,'tons':1},'161':{'photo':1,'after':1},'encyclopaedia':{'giving':1},'ether.':{'waves':1},'exception':{'and':1,'of':1},'were--the':{'working':1},'tank':{'of':1},'winding':{'in':1},'originate':{'and':1,'is':1},'spontaneously':{'and':1,'become':1,'or':1,'liberated':1,'becomes':1},'horse-power':{'in':1},'near':{'them':1,'that':2,'scarborough':2,'duesseldorf.':1,'victoria':1,'relative':1,'its':1,'shore':1,'at':2,'enough':2,'the':18,'with':1,'heidelberg':3,'as':2},'neat':{'way':1},'aeroplane':{'s':1,'in':1},'balance':{'of':1,';':1,'used':1,'between':1,'.':2},'study':{'and':1,'rabbits':1,'in':1,'of':12,'under':1,'mammals':1,'.':1,'which':1,'leading':1},'twenty-four':{'hours':2},'spawn':{'and':1,'only':1,'in':4,'.':3},'longer.':{'illustrations':1},'seven':{'hours':2,'different':1,'rays':1,'neck':1,'inches':1,'months':1,'two':1,'colours':5,'other':1,'planets':1,'stages':2},'thought.':{'sec':1,'yet':1},'mexico':{'to':1,'by':1},'diaphragm':{'came':1},'is':{'all':4,'evidence':5,'believed':3,'caused':2,'comparatively':2,'four':1,'remarkably':1,'abundant':2,'looking':1,'certainly':5,'inverse':1,'electricity':2,'concerned':2,'young':2,'to':52,'thinnest':1,'preserved':1,'inconspicuous':1,'worth':2,'tethered':1,'worse':1,'outside':1,'very':48,'indubitable':1,'radio-active':1,'vastly':1,'continued':1,'illustrated':1,'asexual':1,'probably':7,'woven':1,'familiarly':1,'smaller':1,'insignificant':1,'overlying--the':1,'past':1,'likely':1,'utter':1,'estimated':1,'situated':2,'shining':1,'even':2,'established':1,'what':7,'necessary.':1,'comparable':1,'beaten':1,'contributed':1,'expressed':1,'liberated':1,'above':1,'shared':2,'falling':1,'ever':1,'melancholy':1,'never':5,'leaping':1,'desired':1,'learnedly':1,'represented':5,'obtained':1,'great':5,'commonly':1,'descended':1,'usually':3,'conveniently':1,'composed':6,'love':1,'suddenly':1,'merely':1,'explained':2,'apt':3,'highly':10,'brought':4,'rarely':2,'from':4,'would':1,'superficially':1,'two':1,'doubt':1,'therefore':1,'taken':1,'unthinkable':1,'lessened':2,'more':23,'rich':1,'started':1,'pursuing':1,'one-sided':1,'suffused':1,'varying':1,'known':11,'given':4,'carried':2,'locked':1,'room':1,'this':6,'moulted':1,'itself':1,'obvious':1,'can':1,'growing':1,'making':2,'stimulating':1,'proof':2,'nearest':2,'bent':1,'pushed':2,'something':2,'wonderful':2,'struck.':1,'huge':1,'rather':4,'divided':1,'breaking':1,'fortunate':1,'1':1,'located':2,'instead':1,'left--to':1,'maternal':1,'intended':1,'inconceivably':1,'derived':2,'movable':1,'disgusted':1,'eighty-eight':1,'coming':1,'such':4,'horizontal':1,'inconceivable':1,'revealed':1,'a':196,'short':1,'natural':3,'effective':1,'yielding':1,'fortunately':1,'so':21,'pulled':4,'secured':1,'justifiable':2,'unpalatable':1,'indeed':1,'mainly':3,'discharging':1,'produced':3,'held':1,'through':3,'committed':1,'still':9,'its':5,'admirably':1,'superior':1,'26':1,'how':2,'susceptible':1,'interesting':14,'actually':1,'better':2,'covered':1,'travelling':2,'admirable':1,'easier':3,'then':4,'popularly':1,'affected':1,'greater':2,'thereby':1,'food':1,'safe':4,'wise':1,'not':79,'now':18,'always':7,'reasonably':1,'tenanted':1,'arrested':1,'establishing':1,'transmitted':1,'reasonable':1,'radial':1,'found':6,'entirely':4,'physiologically':1,'afforded':3,'doing':1,'there':10,'crushing':1,'related':2,'our':3,'beyond':5,'thick':2,'really':4,'living':1,'shown':5,'surrounded':3,'content':1,'contained':1,'denoted':1,'revolving':1,'twenty-five':1,'borne':2,'disputed':2,'built.':1,'incalculable':1,'quite':10,'reason':3,'surely':2,'struggle':2,'intensely':1,'thrown':1,'enormous':1,'organic':1,'keen':2,'disturbed':2,'moving':5,'assuredly':1,'most...':1,'first':1,'complete.':1,'constantly':4,'blown':1,'synonymous':1,'reflected':6,'one':23,'well-known':1,'done':1,'sunlight':1,'another':13,'impossible':8,'immensely':1,'discharged':1,'bitten':1,'little':3,'necessarily':2,'needed':1,'unknown':2,'their':2,'2':1,'too':3,'passed':1,'molecular':1,'vigorous':1,'that':76,'relieved':2,'continuous':2,'wisdom':1,'wasted':2,'prodigious':1,'undoubtedly':2,'flightless':1,'16':1,'divisible':1,'double':1,'enabled':2,'slowed':1,'866':1,'matter':2,'supposed':5,'historical':1,'accessed':1,'and':2,'unrestricted.':1,'gathering':2,'lightly':1,'turned':2,'vitally':1,'unlikely':2,'cleaned':1,'imperfect':2,'obviously':3,'apparently':1,'any':3,'relatively':1,'forced':1,'built':2,'efficient':1,'thoroughly':1,'able':5,'snow':1,'also':18,'trying--the':1,'absorbed':2,'embryological':1,'sure':1,'diminishing':1,'-273':1,'most':5,'connected':1,'printed':1,'nothing':7,'alpha':1,'measured':1,'conspicuous':2,'considered':1,'calculated':1,'sometimes':8,'repeated':1,'dissolved':1,'accounted':1,'normally':1,'lying':1,'precise':1,'particularly':2,'supported':1,'scattered':1,'discovered':2,'scarce':2,'enormously':2,'nearer':1,'founded.':1,'shuffling':1,'with':2,'excessively':1,'enough':6,'unhappy':1,'only':19,'going':7,'touched':1,'molecules':1,'regrowing':2,'adequate':1,'evinced':1,'meant':5,'compounded':2,'exceptional':1,'dependent':1,'familiar':2,'famous':3,'unimportant':1,'123':1,'nearly':1,'closely':5,'drawn':2,'instinctive':2,'dr':1,'justified':1,'beset':1,'evolution':2,'instructive':2,'influenced':1,'common':2,'rung':1,'characteristic':3,'fixed':2,'steam':1,'strengthened':1,'swept':1,'physically':1,'condensed':1,'observed':1,'are':1,'enhanced':1,'tender':1,'close':1,'luminous':1,'forthcoming':1,'best':1,'subject':2,'said':5,'probable':4,'distinctive':1,'missing':1,'continually':1,'written':1,'between':2,'conceptual':2,'progress':2,'neither':1,'available':1,'we':1,'reproduced':1,'nature':2,'tending':1,'however':5,'efficiency':1,'386':1,'suggested':4,'both':1,'essentially':2,'reported':2,'freely':1,'ill':1,'thickly':1,'against':1,'called':21,'sensitive':1,'passing':1,'among':2,'volcanic':1,'simple':1,'acted':1,'maintained':1,'simply':4,'learning':3,'associated':2,'pouring':1,'described':1,'capable':1,'scented':1,'due':5,'.':3,'recognised':1,'hardly':6,'resting':1,'life':2,'partly':5,'sufficient':5,'formed':2,'an':40,'diverted':1,'applied':3,'these':3,'plain':6,'eclipsed':1,'intimately':1,'reflex':1,'64-6221541':1,'flooding':1,'taking':1,'owed':1,'almost':8,'endowed':1,'thus':4,'it':7,'according':1,'helped':1,'good':2,'clinging':1,'in':33,'ready':1,'if':2,'tumbled':1,'perhaps':3,'occupied':1,'limited--there':1,'clearly':1,'solidary':1,'capped':1,'split':2,'finite':1,'difficult':6,'independent':1,'used':7,'wisest':1,'running':2,'arrived':1,'climbing':1,'circumvented':1,'centred':1,'lower':2,'largely':2,'paralysed':1,'humanly':1,'well':10,'magnified':1,'rife':1,'without':1,'the':158,'left':3,'departed':1,'just':5,'less':4,'being':3,'profoundly':1,'disguise':1,'stored':1,'atomic':1,'rocked':1,'behind':1,'useful':1,'renewed':1,'corroborated':1,'possible.':1,'passive':1,'spread':1,'transformed':1,'easy':2,'born':1,'struck':1,'increased':1,'loss':1,'showing':1,'decomposed':1,'possible':15,'marked':2,'advanced':1,'acute':1,'sorting':1,'necessary':7,'like':11,'lost':2,'shaped':1,'cooler':1,'admittedly':1,'62':1,'lapsed':1,'fully':1,'soft':1,'essential':1,'towards':2,'right':1,'often':22,'some':4,'somehow':1,'urgent':1,'added':2,'jupiter':1,'52':1,'perfected':1,'irresistible':1,'provided':1,'gradually':3,'condensed--who':1,'for':4,'unlocked':1,'recorded':1,'critical':1,'masked':2,'conquering':1,'good.':1,'freed':1,'indestructible':2,'peculiarly':2,'continuing':1,'broken':4,'worthy':1,'by':3,'on':6,'about':8,'mingled':3,'anything':1,'getting':1,'of':16,'mutually':1,'steadily':2,'introduced':1,'consequently':1,'swimming':1,'diversely':1,'equally':1,'within':1,'bound':1,'because':2,'lively':1,'primarily':1,'einstein':1,'nowadays':1,'doubtless':2,'seen':18,'indispensable':1,'flying':1,'long':1,'much':12,'infected':1,'low':1,':':4,'considerably':1,'complete':1,'secreted':1,'abundantly':1,'constituted':1,'heat':1,'true':20,'considerable':3,'posted':3,'absent':1,'made':10,'arranged':1,'evident':1,'obscure.':2,'whether':2,'dangerous':1,'placed':3,'converted':1,'emotional':1,'clear':7,'hotter':2,'certain':9,'slowing':1,'general':1,'transfused':2,'as':9,'at':11,'effected':2,'again':1,'raised':1,'inborn':2,'no':60,'unaccustomed':1,'out':1,'poor':1,'white-hot':1,'convincing':1,'ultimately':1,'generated':1,'important':2,'suited':3,'included':1,'aware':1,'promising.':1,'to-day':1,'happening':1,'practically':6,'cohesion':1,'ascertained':1,'implied':1,'time':1,'far':5},'it':{'holds':1,'illustrates':2,'scooped':1,'over':1,'fall':1,'splitting':1,'leads':1,'boils':1,'through':2,'looks':8,'cuts':1,'consists':2,'facilitates':1,'agrees':1,'causes':1,'crashing':1,'sprang':1,'sinks':1,'burns':1,'betokens':1,'furnished':1,'seems':23,'should':3,'forms':4,'to':18,'only':2,'spread':1,'firmly':1,'positively':1,'easy':1,'under':2,'8':1,'hammers':2,'has':82,'might':6,'sent':1,'gave':1,'meant':3,'then':1,'his':1,'wished':1,'goes':3,'listeth':1,'means':7,'contracts':2,'breaks':1,'continues':1,'stop':1,'possible':8,'flew':1,'engulfs':2,'matters':1,'cannot':5,'they':1,'altogether':2,'not':2,'meets.':1,'now':3,'neither':1,'discovered':1,'necessary':1,'went':2,'lies':1,'did':3,'always':2,'fixes':1,'serves':1,'loses':2,'herald':1,'off':1,'expels':1,'turns':1,'found':2,'feeds':2,'works':1,'mean':1,'reveals':1,'often':5,'exists':1,'sends':1,'folds':1,'acquires':1,'back':1,'alive':1,'differs':1,'used':1,'swims':3,'are':1,'picked':1,'reached':2,'collects':1,'out':1,'ascends.':1,'what':1,'probable':1,'for':4,'profit':1,'away':2,'revolves':1,'stops':1,'climbs':1,'misses':1,'does':14,'provides':2,'without':2,'got':1,';':1,'seemed':1,'ever':1,'occurs':4,'shows':2,'be':5,'we':1,'give':2,'led':2,'chose':1,'passes':3,'pours':1,'jumps':1,'works--the':1,'disintegrates':1,'works.':1,'surely':1,'put':1,'refers':1,'emits':1,'change':1,'takes':6,'on':6,'dates':1,'hunts':1,'consisted':1,'limits':1,'rests':1,'could':2,'settles':2,'approaches':1,'against':2,'must':20,'suggests':1,'became':5,'greatly':1,'usually':1,'leaps':1,'makes':2,'finds':1,'comes':4,'being':1,'own':1,'afterwards':1,'weighs':1,'had':17,'into':6,'were.':1,'corresponds':1,'reaches':1,'one':1,'running':1,'skips':1,'casts':1,'likes.':1,'impossible':3,'.':31,'doubtless':1,'utters':1,'rises':3,'from':3,'collides':1,'would':23,'remains':4,'expands':1,'there':1,'chooses':1,'vibrate':1,'by':2,'fully':1,'belongs':1,'appears':3,'recognised':1,'furnishes':2,'tells':1,'grew':1,'hardly':1,'until':1,'perishes':1,'slips':1,'that':3,'becomes':2,'contains':3,'convinces':1,'took':1,'strikes':1,'gently':1,'implied':1,'lives':3,'stiffens':1,'probably':1,'with':2,'than':1,'present':1,'he':1,'begins':1,'save':1,'were':18,'builds':1,'looks.':1,'was':98,'originate':1,'bids':1,'up':3,'promotes':1,'will':20,'exerts':1,'can':19,'applies':1,'about':1,'happened':1,'leaves':1,'breeds':1,'and':12,'buries':1,'changed':1,'go':1,'jettisons':1,'escapes':2,'almost':1,'is':473,'occupies':2,'thus':1,'naturally':1,'or':1,'an':1,'as':7,'at':1,'in':13,'need':4,'follows':4,'made':1,'proceeds':1,'if':1,'gives':2,'again':4,'needs':1,'shuts':1,'thereby':1,'amounts':1,'began':4,'acts':1,'when':3,'aside':1,'intelligently':1,'also':1,'parts':1,'which':1,'brings':1,'you':1,'gets':2,'pecked':1,'pursues':1,'practicable':1,'effected':1,'looked.':1,'wrongly':1,'radiates':1,'may':59,'fails':1,'occurred':1,'develops':1,'grows':2,'uses':1,'thrills':1,'contain':1,'concentrating':1,'died':1,'glow':1,'a':2,'implies':1,'advantageous':1,'records':1,'behaves':1,'clear':2,'sometimes':4,'flow':1,'breathes':1,'obviously':1,'more':1,'points':1,'so':2,'fitted':1,'harks':1,'the':4,'once':2,'requires':1,'possesses':1,'came':2,'repeatedly':1},'iv':{'the':1,'.':3},'ii':{'the':1,'.':3},'clinging':{'to':1},'in':{'limited':2,'all':20,'evidence':1,'skeleton':1,'particular':2,'four':2,'sleep':1,'canes':1,'hunting':1,'reptiles':1,'those':3,'masculine':1,'very':4,'indubitable':1,'duck-ponds':1,'every':5,'asia.':1,'hibernating':1,'monkeys':3,'minute':1,'archaeopteryx':1,'apprehension':1,'succession':2,'relation':1,'sedentary':1,'pterodactyl':1,'revolution':1,'ten':4,'dealing':2,'rivers':2,'cost':1,'nests':1,'what':2,'constitution':1,'nature.':2,'favour':1,'asia':2,'uniform':1,'new':3,'nails':1,'contrast':1,'movement':2,'body':1,'degree':2,'ninety-nine':1,'atoms':1,'water':2,'others':1,'directions':1,'fifteen':2,'great':7,'bygone':1,'northern':2,'healthy':1,'compliance':2,'miniature':1,'amount':2,'action':2,'locomotion':2,'mistake':2,'amphibians;':1,'diameter':14,'egypt':1,'africa':3,'gristly':2,'1907':2,'1900':2,'1901':1,'attendance':2,'from':2,'two':3,'cretaceous':1,'france':3,'comparing':1,'doubt':1,'black':1,'fossiliferous':1,'more':2,'horses':1,'pencil':1,'bodily':1,'glass':1,'warm':2,'virtue':3,'varying':1,'andalusia':1,'keeping':1,'animals':3,'this':48,'facilitating':1,'paragraph':6,'nine':1,'stature':2,'following':1,'making':4,'nurture':1,'control':1,'figure':1,'process':5,'persuading':1,'india':1,'pieces':1,'autumn':1,'orion':2,'times':2,'spite':6,'winter':5,'destroying':1,'six':1,'machine':1,'buns':1,'vital':1,'animal':2,'elephant':1,'ordinary':1,'civilisation':1,'edinburgh':1,'southern':1,'orbits':1,'unawares':1,'mankind':4,'waves':1,'1887':1,'such':8,'response':1,'trinil':1,'man':19,'a':188,'short':3,'natural':2,'outline':1,'so':1,'order':7,'typical':1,'imagining':1,'reproduced':1,'breaking':1,'september':1,'hand.':2,'years':1,'radio-active':3,'pascal':1,'existence':1,'cold':1,'its':36,'apes':1,'interesting':1,'amazing':1,'writing':3,'forms':1,'fig':1,'travelling':1,'admirable':1,'them':3,'good':1,'greater':2,'similar':1,'practice':1,'underneath':1,'overpowering':1,'not':1,'courtship':1,'sea-urchins':1,'respiration.':1,'all.':1,'truth':1,'each':3,'pools':2,'liberating':1,'doing':1,'year':1,'our':16,'operation':1,'1898.':1,'special':1,'canada':1,'living':2,'space':4,'safety':2,'kent':3,'millions':1,'turning':1,'monkeys--activity':1,'others--which':1,'little':1,'reason':1,'fastening':1,'organic':4,'e.g':1,'determining':1,'cosmic':1,'british':1,'behaviour.':1,'motion':1,'turn':4,'length':7,'place':1,'consequence':2,'locating':1,'south':1,'flying':1,'faculty':1,'number':6,'one':14,'dominating':1,'another':11,'precisely':1,'quality':1,'sockets':1,'size':11,'horse':1,'obedience':1,'their':35,'sumatra':1,'intermediate':1,'fiery':1,'reign.':1,'white':1,'store':1,'exploring':1,'that':5,'relieved':1,'kangaroo-like':1,'1918':1,'part':6,'western':1,'conger-eels':1,'1912':2,'1917':1,'kind':3,'accordance':3,'isolation':1,'matter':1,'supposed':1,'gigantic':2,'photosynthesis':1,'and':7,'modern':8,'mind':5,'locations':1,'interruptions':1,'any':19,'domestication':1,'relatively':2,'strength':1,'studying':1,'suddenness':1,'scotland':3,'isolated':1,'moist':1,'perigord':1,'internal':1,'which':43,'forming':2,'green':1,'circles':3,'inky':1,'play':1,'permian':1,'opposite':2,'scotland.':1,'most':15,'nothing':1,'difficulties.':1,'whalebone':1,'professor':1,'perceiving':1,'section':2,'fact':5,'quantity':1,'saying':2,'walking':1,'insects':2,'brief':1,'multicellular':1,'manchester':1,'prodigious':1,'changeful':1,'subtle':1,'thickness':3,'fine':1,'gilded':1,'knowledge':1,'stormy':1,'situations':1,'proportion':2,'considerable':1,'surroundings':1,'flood.':1,'darwin':1,'abeyance.':1,'photographs':1,'his':23,'exceptional':2,'expectation':2,'trees':2,'nearly':1,'words':1,'conjunction':1,'areas':1,'evolution':12,'luminosity':1,'violent':2,'flight.':1,'insectivorous':1,'miles':1,'croatia':1,'common':1,'activity':1,'view':1,'unison':1,'multiplying':1,'reference':1,'habit':1,'electrons--and':1,'intelligence':3,'radium':1,'silurian':1,'relative':1,'1921':5,'migration':1,'andromeda':2,'creating':1,'combustion':1,'ways':1,'opening':1,'birds--intelligence':1,'birds':14,'3':1,'various':4,'crookes':1,'europe':5,'we':1,'terms':4,'august':1,'parental':1,'ignorance':1,'queensland':1,'coma':2,'cities':1,'both':6,'many':26,'connection':8,'whole':1,'experimental':2,'point':1,'simple':1,'sweet':1,'vain':1,'ants':3,'height':1,'concluding':1,'adaptation':3,'scottish':1,'majestic':1,'extinct':1,'ether':5,'adults':1,'considering':2,'late':1,'unusual':1,'java':3,'addition':6,'damp':1,'three':6,'.':1,'tropical':2,'interest':2,'bewildering':1,'empty':1,'life':4,'sufficient':1,'search':1,'amphibians':1,'1864':1,'1869':1,'1868':1,'general':2,'captivity':2,'respiration':1,'plants':1,'sixes':1,'prehistoric':1,'these':10,'britain':4,'air':1,'lesser':1,'formats':1,'wild':3,'picturing':1,'girth':1,'albatros':1,'almost':1,'is':1,'it':7,'bipedal':1,'itself':2,'1895':2,'different':4,'locomotion;':1,'estuaries':1,'several':1,'crevices':1,'higher':1,'development':1,'safe':1,'leopard':1,'cleaning':1,'recent':1,'lower':1,'colour':6,'contact':2,'regulating':1,'biology.':1,'the':800,'chemistry':1,'summer':3,'less':2,'being':4,'ideas':1,'front':3,'shape':1,'hercules':3,'distant':1,'human':5,'succeeding':2,'rapid':3,'gentleness':1,'evolution.':1,'thinking':1,'alternate':1,'wet':1,'showing':2,'sussex':2,'early':2,'vacuum':1,'belgium':1,'cape':1,'hollow':1,'dreams':1,'ponds':1,'backboned':1,'brain-development':1,'lightning':1,'true':1,'either':2,'popular':1,'65':1,'methods':1,'some':52,'choosing':1,'sight':1,'illumination':1,'proper':2,'ourselves':3,'preparing':1,'dense':1,'dimensions':1,'for':2,'broad':1,'normal':1,'fluids':1,'1856':1,'tertiary':1,'cuttlefishes':1,'intimate':1,'miles.':1,'of':1,'agreement':1,'illustration':1,'constructive':1,'broken':2,'by':2,'comparison':3,'about':1,'central':3,'getting':3,'freedom':1,'hot':1,'gentler':1,'despair':1,'ox':1,'vogue':1,'or':1,'swimming':1,'1859.':1,'gearing':1,'fishes':3,'bats':1,'lieu':2,'your':2,'ontario':1,'her':5,'shells':1,'support':1,'sargasso':2,'question':1,'war':1,'north':6,'form':1,'mammals':4,'regard':15,'gait':1,'wireless':1,'1871--a':1,'thickness.':1,'with':1,'themselves':2,'partially':1,'blanketing':1,'places':3,'dordogne':1,'iron-mines':1,'diameter.':1,'laplace':1,'nature':8,'constant':1,'mesozoic':1,'certain':5,'paragraphs':1,'an':21,'as':2,'1894':1,'kind.':1,'1896':1,'work':1,'mutual':1,'inborn':1,'no':2,'overcoming':1,'peace':1,'erecting':1,'reality':1,'other':21,'electrical':2,'themselves.':1,'thickness--a':1,'conclusion':2,'gaining':1,'explaining':1,'star':1,'scrutinising':1,'sal-ammoniac':1,'shore-pools':1,'william':1,'scores':1,'variable':1,'astronomy':2,'structure':5,'building':2,'remote':1,'ancestral':1,'holes':1,'2001':1,'thames':1,'time':4,'fresh':7,'starting':1,'having':5},'unbranched':{'radial':1},'mouse':{'as':1,'is':1,'which':1,'chose':1},'boom':{'of':1},'disappear':{'for':1,'in':1},'if':{'unimpeded':1,'all':5,'it':25,'one':5,'nothing':3,'as':2,'at':1,'in':2,'our':2,'hydrogen':1,'any':5,'no':1,'there':8,'to':1,'going':1,'instead':1,'white':1,'ever':1,'division':1,'we':39,'that':2,'painted':2,'after':1,'every':1,'they':15,'progress':1,'not':1,'an':6,'you':17,'he':1,'a':11,'substances':1,'this':2,'light':1,'asexual':1,'she':3,'the':49},'grown':{'to':1,'now':1},'them--or':{'great':1},'belle':{'vue':1},'make':{'aerial':1,'mental':1,'some':1,'it':11,'society':1,'itself':1,'its':1,'galls':1,'for':4,'no':1,'any':2,'their':1,'new':1,'instinctively':1,'more':2,'to':1,'nothing':1,'themselves':1,'a':11,'up':8,'fewer':1,'mistakes':1,'donations':1,'the':9,'shows':1},'respectively.':{'the':1},'solidary':{'with':1},'concavity':{'.':1},'belly':{'very':1},'mixtures':{'of':1},'vegetable':{'mould':1,'matter':1,'kingdom.':1},'colonies':{'communities':1,'inside':1},'grows':{'hotter':1,'larger.':1,'hotter.':1,'to':1,'broader.':1,'old':1,'until':1,'out':1},'bells':{'drove':1},'evolve':{'such':1,'in':1,'.':1},'dissolution':{'must':1},'differing':{'for':1},'delight':{'in':1},'renaissance':{'of':1},'waterfall':{'is':1,'or':1},'sea-water':{';':1,'with':1,'back':1},'kin':{'by':1,'at':1},'supposing':{'our':1,'the':1,'that':3},'opportunity':{'and':1,'for':2,'of':1,'to':2,'during':1,'was':1},'butter':{'in':1},'bell.':{'copper':1},'changes':{'and':1,'again':1,'from':1,'e.g':1,'very':1,'of':7,'that':2,'.':3,'to':1,'as':1,'are':1,'which':1,'in':9,'occurring':1,'involved':1,'with':1,'wrought':2,'endless':1},'stimuli':{'and':1,'to':1,'from':1},'neptune':{'and':1,'2971.6':1,'quite':1,'s':1,'.':1,'by':1},'sea-anemone-like':{'polyps':2},'skull-cap':{'a':1,'indicates':1,'thigh-bone':1,'157':1},'809':{'north':1},'materials':{'nearer':1,'deeper':1,'for':1,'that':1,'this':1,'of':2,'are':1,'have':1,'such':2,'or':1},'impure.':{'the':1},'qualities':{'not':1,'of':1,'with':2,'sir':1,'.':2},'bootlace':{'and':1},'claims':{'of':1},'801':{'596-1887':1},'800':{'illustrations':1,'trillion':1},'left':{'and':4,'wall':1,'is':1,'it':2,'high':1,'alone':2,'at':1,'in':1,'only':1,'out':1,'isolated':1,'their':1,'behind':3,'his':1,'showing':1,'free':1,'else':1,'not':1,'hand':1,'a':1,'severely':1,'of':1,'having':1,'the':2,'side':1},'just':{'one':1,'as':28,'examined':1,'mentioned':3,'seen':1,'before':1,'detect':1,'two':1,'been':2,'foam-bells':1,'liberated':1,'peeping':1,'means':1,'outlined':1,'said':1,'mentioned.':1,'a':1,'on':1,'like':3,'this':1,'leaving':1,'dealt':1,'the':1},'sentence':{':':1,'set':1,'with':1},'ignorabimus.':{'a':1},'sporting':{'jellyfish':1,'or':1,'stock':1},'presume':{'that':1},'longish':{'hair':1},'fife--a':{'first-class':1},'identify':{'do':1},'salivary':{'juice':1},'fullness':{'freedom':1},'facts':{'and':3,'appear':1,'that':1,'of':2,'is':2,'there':1,'favour':1,'.':2,'to':2,'are':2,'point':1,'suggest':1,'not':1,'with':1,'recall':1},'yes':{'card':1},'yet':{'there':1,'just':1,'it':6,'discovered':1,'as':1,'at':1,'another':1,'in':1,'its':1,'even':1,'again':1,'would':1,'flash':1,'admit':1,'been':1,'to':1,'without':1,'passed':1,'stable':1,'we':2,'greater':1,'that':1,'here':1,'discover':1,'met':1,'they':1,'not':1,'now':1,'the':8,'man':1,'a':2,'steadfastly':1,'this':1,'many':1,'possessed':1,'studied':1,'these':1,'remain':1,'definitely':1,'she':1,'though':1,'found':1,'unborn':1},'infinitely':{'small':1,'long':2,'minute':1},'agile':{'hunters':1,'clever':1},'regarded':{'as':13,'the':2},'royal':{'astronomical':2,'observatory':6,'college':2},'long-lost':{'heir':1},'save':{'them':1,'that':1,'in':1,'it':1,'itself':1,'blood':1,'time':1,'fun':1,'the':1,'its':1,'man':1},'resting-place':{';':1},'ago.':{'when':1,'illustration':2},'nightjar':{'with':1,'.':1},'seventy-five':{'inches':1},'loose-limbed':{'fellow':1},'roadside':{'we':1},'forester':{'or':1},'gyrating':{'with':1},'background':{'and':1,'of':2,'professor':1,'parallax':1,'.':1},'destroy':{'a':1,'energy':1,'all':2},'hibernating':{'mammals':1},'dreamt':{'much':1},'grape-sugar':{'.':1},'dreams':{'mixed':1},'shoulder':{'.':1},'ascent.':{'illustration':1},'post-glacial':{'pleistocene':2},'nude':{'female':1},'autumn.':{'we':1},'manual':{'of':1},'unnecessary':{'display':1},'x-rays.':{'below':1},'admittedly':{'provisional.':1},'signal':{'noli':1,'illustration':1,'for':1},'greenland':{'whale':2},'deal':{'about':1,'of':5,'is':1,'.':1,'in':1,'further':1,'the':1,':':1,'with':8,'more':1},'sound--':{'five':1},'deaf':{'for':1},'somehow':{'condensed;':1,'associated':1,'breaking':1,'been':1,'underneath':1,'connected':1,'or':1},'dead':{'plants':1,'star':4,'stars':1,'forests':1,'cuticle':1,'.':1,'matter':1,'reverently':1,'fishes':1,'world':3,'animals.':1,'herring':1,'or':1,'before':1},'jupiter':{'and':3,'shine':1,'saturn':1,'from':1,'23':1,'is':3,'however':1,'.':2,'s':1,'which':1,'in':1,'the':1,'483.3':1,'as':1},'paragraphs':{'1.e.1':2,'1.e.8':1},'chromosomes':{'represented':1,'nuclear':1,'2':1,'lie':1},'disadvantage--a':{'broiling':1},'shapes':{'of':1,'282':1,'.':1,'in':1,'wave-motions':1},'dense':{'by':1,'waters':1,'forests':1,'or':1,'moisture':1,'region':1,'masses':1},'stations.':{'what':1},'normal':{'development':1,'number':1,'routine':1,'baby':1,'path':1,'condition':1,'circumstances':1},'distrust':{'which':1,'for':1},'nerve-cord.':{'4':1},'flounder':{'is':2},'conquering':{'them':1,'time':1,'the':2,'two':1,'space':1},'scotland.':{'what':1},'bold':{'enough':1},'novelties':{'may':1,'.':1,'or':1,'that':1},'burn':{'itself':1},'34':{'000':1},'translated':{'the':1,'mind.':1,'into':1},'bolt':{'escaped':1,'their':1},'tartan':{';':1},'flinty-shelled':{'radiolarians':1},'invertebrate':{'stocks':1,'animals':1},'bury':{'their':1},'air--by':{'means':1},'skin-twitching':{'muscle':1},'flourished':{'probably':1,'in':1},'conceal':{'.':1},'acceptation':{'of':1},'ribs':{'and':1,'of':1,';':1,'are':1,'.':1},'azure':{'blue':1},'islands':{'and':1,'off':1,'of':1,'but':1,'.':3,'in':1},'plesiosaurs':{'dinosaurs':1},'little-changed':{'descendant':1},'automatically':{'to':1,'adjusts':1},'ores':{'of':1},'nerve':{'to':1,'for':1,'man':1},'thinner':{'and':1,'as':1,'than':3},'for.':{'information':1},'formerly':{'had':1},'intellectual':{'keys':1,'tool':1,'property':2,'adventure':1,'coin':1},'chooses':{'for':1},'down':{'and':7,'into':1,'it':1,'as':1,'sec':1,'at':1,'in':2,'before':1,'even':1,'again':1,'from':2,'their':1,'when':1,'.':4,'to':9,'behind':1,';':2,'more':1,'towards':1,'unless':1,'upon':1,'losing':1,'with':1,'by':4,'a':1,'on':5,'branches':1,'these':1,'of':5,'taking':1,'without':1,'many':1,'the':20},'lies':{'in':1,'safe':1,'.':2,'at':1,'between':1,'the':1},'doctrine':{'of':2},'lieu':{'of':2,'travail':1},'refined':{'methods':1},'crab-apple':{'of':1},'ring-formations':{'on':1},'weathered':{'by':1},'amazingly':{'.':1},'initial':{'picture.':1},'jealousy':{'and':1},'approximate':{'and':1,'way':1},'saucerful':{'.':1},'fraction':{'1':1,'of':3,'about':1},'marten':{'for':1},'form':{'and':2,'accessible':1,'is':2,'some':1,'an':2,'as':1,'including':1,'are':1,'any':1,'what':1,'no':2,'.':5,'molecules':2,'we':2,'that':1,'atoms':1,'water':1,'part':2,'reappears':1,'a':16,'fossils':1,'this':1,'of':20,'centres':1,'the':9,'or':1,'once':1},'pinna':{'a':1},'analyse':{'it':1},'feminine':{'structures':1,'characters':1,'.':1},'powerfully':{'along':1},'snow-caps':{'in':1},'magellanic':{'cloud':1},'minuteness':{'of':2},'221':{'photo':1},'evinced':{'and':1},'manatees':{'and':1},'builds':{'up':1},'understood':{'before.':1,'unless':1,'that':1,'when':1,'to':1,'as':1},'harmony':{'and':2},'attached':{'to':3,'full':1},'bounds':{'of':1,'until':1},'pistil':{'thus':1},'centipede':{'s':1},'bird-dropping':{'perhaps':1,'on':2,'spider':1},'egg-eating':{'african':1},'cosmos':{'more':1},'attaches':{'to':1},'temper':{'rather':1,'the':1,'but':1,'.':1},'fractions':{'showing':1},'strengthening':{'of':1},'sticks':{'to':1},'discovery.':{'certain':1,'2':1},'seeds--and':{'resolving':1},'covers':{'them':1,'the':1},'sticky':{'club':1},'gland':{'of':1,'.':1},'mediocre':{'stock':1},'marking':{'the':1},'profit.':{'illustration':1},'discriminate':{'infallibly':1,'differences':1,'sifting':1,'between':1,'cards':1,'the':1},'x-rays--the':{'discovery':1},'font-de-gaume':{'on':2,'cavern':2},'generally':{'described':1,'burst':1,'correspond':1,'deep':1,'as':1,'accepted':1,'adopted.':1},'handed':{'a':1,'on':1,'over':3},'carnivorous':{'confined':1,'turtles':1},'mediaeval':{'and':1},'delivered':{'up':1},'dies':{'to':1},'felt':{'thought':1,'.':1,'than':1,'that':1},'diet':{'mainly':1,'in':1},'genealogical':{'tree':6},'journey':{';':1,'through':1,'round':1,'.':3},'routine--not':{'that':1},'authorities':{'on':1,'neanderthal':1,'recently':1,'referring':1,'is':1,'there':1,'regard':1,'who':1,'have':1,'the':1,'include':1,'think':1},'died':{'away':1,'when':1,'suffered':1,'.':1},'billion':{'is':1,'the':1},'immemorial':{'and':1,'spawning':1},'happening':{'to':1,'is':1},'potato':{'and':1},'assume':{'different':1,'its':1,'that':1},'blushing':{'but':1},'microcosm':{'only':1},'daily':{'.':1,'paper':1,'mail':1,'i.e':1,'mail.':1,'round':1},'jacket':{'and':1},'gorilla':{'g':1,'inhabiting':2,'.':1,'brain':1,'s':1,'164':1,'the':2,'man':3},'almanac':{'and':1,'.':1},'teeth':{'and':3,'on':2,'that':1,'of':1,'.':5,'obeying':1,'till':1,'without':1,'so':1,'are':3,'which':2,'in':3,'fixed':1},'skull-cap.':{'illustration':1},'restored':{'.':2,'it':1,'by':1},'milt':{'and':1},'managed':{'to':1},'limbless':{'lizard':1,'larva':1},'woodwork':{'knew':1},'relieve':{'the':1},'vestiges':{'have':1},'pierces':{'with':1},'hind-legs':{'and':5,'about':1},'manages':{'to':1},'skin':{'and':5,'able':1,'is':1,'pushed':1,'as':1,'are':1,'when':1,'responds':1,'.':2,'to':1,'was':1,'extended':1,'becomes':1,'during':1,'with':1,'minute':1,'begins':1,'on':1,'of':2,'involved':1,'the':1,'or':1},'leche':{'of':2},'shot':{'out':4,'in':1,'humming-bird':1},'mill':{'in':1,'.':1},'abundant':{'modern':1,'from':1,'material':1,'evidence':1,'flux':1,'near':1,'representation':2,'oxygenation':1},'milk':{'.':2},'resourceful':{'of':1},'retention':{'of':2},'anticipation':{'of':1},'depend':{'on':4},'disorders':{'are':1},'educable':{'and':1,'loquacious':1,'creature':1,'.':1},'pouch':{'and':2,'83':1,'the':1,'on':1},'father':{'secchi':1,'of':1,'sea-horse':1,'s':1,'lumpsucker':1,';':1,'stickleback':1,'was':1,'sea-spider':1},'travel.':{'but':1},'answered':{'that':1},'finally':{'and':1,'we':1,'marquis':1,'becomes':1,'there':1,'it':2,'discover':1,'to':1,'words':1,'resulted':1,'become':1,'the':1},'appendicitis':{'.':1},'reptiles':{'and':7,'appeared':1,'some':1,'are':1,'in':4,'birds':2,'before':2,'suggest':1,'when':1,'.':1,'finding':1,';':1,'burrowing':1,'but':2,'such':2,'with':1,'on':1,'e.g':1,'did':1,'of':1,'the':1,'or':1},'swoop':{'from':1},'marks':{'on':1,'most':1,'with':1,'an':1},'vegetation.':{'the':1,'illustration':1,'they':1},'suffered':{'and':1,'from':1},'must':{'often':1,'give':1,'describe':1,'influence':1,'it':1,'one':1,'recall':1,'exist':1,'at':1,'have':17,'go':1,'still':1,'open':1,'find':1,'use':1,'necessarily':1,'appear':1,'suffice':2,'point':1,'also':4,'live':1,'therefore':1,'include':1,'be':59,'draw':1,'move':1,'return':1,'extend':1,'rise':1,'gradually':1,'however':2,'surely':1,'struggle':1,'recognise':4,'imagine':1,'not':11,'affect':1,'come':1,'comply':2,'look':2,'convert':1,'remember':3,'of':1,'require':1,'leave':1,'admit':3,'always':4,'cease':1,'first':3,'obtain':1,'think':3,'sink':1},'fancied':{'there':1},'abundance':{'of':5,'so':1,'at':1},'mud-turtle':{'or':1},'string':{'of':1,'beads':1},'einstein--the':{'tides--origin':1},'theme.':{'when':1},'soapy':{'water':1,'froth':1,'film':1},'figment':{'of':1},'first-known':{'bird':1},'merit':{'of':1},'word':{'development':1,'obviously':1,'about':1,'now':1,'like':1,'for':1,'pencilled':1,'may':1,'processing':1,'atom.':1,'surface':1,'atoms':1,'specificity':1,'.':1,'s':1,'learn':1,'need':1,'has':1,'history':1},'dim':{'and':1,'luminous':1,'at':1},'banished':{'from':1},'did':{'fly':1,'naturally':1,'great':1,'good':1,'service':1,'this':1,'all':1,'long':1,'it':1,'to':1,'much':1,'exist':1,'at':1,'they':1,'not':14,'.':1,'really':1},'die':{';':1,'after':1,'or':1,'.':2},'cavendish':{'professor':1,'physical':1},'travels':{'from':1,'straight':1,'down':2,'at':3,'in':2,'along':2,'by':2},'item':{'in':1},'excellence':{'and':1,'that':1},'perceptual':{'inference.':1,'inference':5,'influence.':1},'round':{'and':3,'it':7,'at':1,'planets':1,'in':3,'its':2,'rapidly':1,'would':1,'.':1,'which':1,'mars':1,'hers.':1,'them':2,'his':1,'that':2,'each':1,'a':5,'on':2,'about':1,'this':2,'smooth':1,'these':1,'centres':1,'the':38},'attracting':{'other':1,'or':1},'talked':{'of':1},'dealing':{'with':4,'from':1},'radium.':{'the':1},'run':{'to':1,'leap':1,'on':2},'langmuir':{'has':1},'bipeds':{'and':1},'adds':{'to':1},'1910.':{'illustration':1},'heaviest':{'and':1,'uranium':1,'.':1},'favour':{'of':1,'the':2,'in':1},'rub':{'it':1},'international':{'donations':1},'filled':{'with':1},'dwarf':{'a':1},'fibre':{'.':1},'mr':{'.':11},'appetites':{'of':1},'french':{'mathematician':1,'copper':1,'authority':1},'tangent':{'is':1,'.':1},'congestion':{'and':1},'four-chambered':{'mammalian':1},'nooks':{'of':1},'wait':{'for':2},'box':{'and':3,'of':1,'containing':1,'green':1,'.':1},'boy':{'a':1,'or':1},'cranial':{'cavity':2,'walls':1,'capacity':1},'1924':{'the':1,'made':1},'shift':{'of':2,'against':1},'intelligence.':{'illustration':1},'works.':{'sec':1,'1.e.9':1,'professor':1,'-':1},'animals--the':{'most':1,'flying':1},'smoke-like':{'haze':1},'exploitation':{'is':1},'simultaneous':{'discharge':1},'atoms.':{'molecules':1,'illustration':1},'conveniently':{'divided':2},'hither':{'and':2},'adjustable':{'in':1},'elect':{'to':1,'were':1},'merely':{'passes':1,'striking':1,'of':1,'that':1,'approximate':1,'air':1,'as':1,'have':1,'represented':1,'finger-posts':1,'means':1,'the':3},'reef-building':{'coral':2},'everybody':{'knows':1,'.':1},'coaxing':{'he':1},'wealth':{'of':1},'sake':{'of':1,'professor':1,'there':1},'hundred-thousandth':{'part':1},'uncritical':{'generosity':1},'--are':{'related':1},'trilobites.':{'looking':1},'ways.':{'iii':1},'flaunting':{'conspicuousness':1},'100-inch':{'telescope':2,'reflector':1},'phosphorescent--they':{'become':1},'cooperated':{'with':1},'lessened':{';':1,'by':1},'alpines':{'and':1},'fish-eating':{'turtles':1},'sharing':{'project':1},'labyrinth':{'if':1},'malay':{'and':1,'to':1,'islands':1},'rigid':{'during':1},'knowledge--the':{'senses':1},'effort':{'to':2,'good':1,'.':1,'much':1},'robe':{'of':1},'capturing':{'a':2,'the':1},'bushels':{'of':1,';':1},'fly':{'off':4,'for':1,'far':3,'into':2,'spreads':1,'.':1,'which':2,'in':1,'flicking':1,'once':1},'flagellum':{'by':1},'avoiding':{'death':1,'enemies':1},'sum-total':{'of':1},'amarus':{'a':1,'124':1},'reappear':{'perhaps':1,'at':1},'growing':{'on':1,'point':1,'over':1,'moulting':1,'stronger':1,'period':1,'to':1,'under':1,'thicker':1,'out':1},'making':{'a':5,'great':1,'towards':1,'daring':1,'these':1,'of':7,'cache':1,'life':1,'what':1,'it':1,'antagonistic':1,'more':1,'experiments':1,'them':1,'sentences':1,'the':10,'.':1,'intelligent':1,'animate':1,'tentatives--new':1},'thicknesses':{'of':1},'sea-spider':{'carries':1,'or':1},'claim':{'a':1},'portals':{'were':1},'bullhead':{'and':1},'predict':{'the':1},'596-1887':{'email':1},'permutations':{'and':1},'agent':{'or':1,'.':1},'sample':{'sent':1,'david':1},'stroke.':{'illustration':1},'1.f.':{'1.f.1':1},'above--that':{'is':1},'redness':{'.':1},'pages.':{'illustration':1},'rays':{'streamed':1,'visible':1,'see':1,'are':5,'have':1,'in':1,'carry':1,'out':1,'from':2,'their':1,'had':2,'except':2,'.':5,'to':3,'poured':1,'which':1,'was':1,'crookes':1,'passed':1,'that':2,'becomes':1,'emitted':1,'but':1,'263':1,'impinged':1,'carrying':1,'post':1,'must':1,'shoot':1,'diverging':1,'of':4,'as':2,'will':1,'were':2,'at':1,'the':2,'consisted':1},'comb-bearers':{'or':1},'get':{'crumbs':1,'into':3,'mind':1,'an':2,'at':3,'another':1,'in':3,'out':3,'even':1,'little':1,'from':1,'two':1,'much':1,'white':1,'more':1,'good':1,'some':2,'free':1,'correspondingly':1,'plenty':2,'a':8,'both':1,'about':1,'this':1,'the':3,'farther':1},'mongols':{'include':1,'curly-or':1},'till':{'a':1,'we':1,'daybreak':1,'there':1,'all':2,'dawn.':1,'only':1,'the':5,'he':1},'orang-utan':{'a':1,'3':1,'4':1,'232':1,'233':2},'1.e.9':{'.':1},'1.e.8':{'or':2,'.':1},'pure':{'radium':1},'skates':{'and':1},'1.e.5':{'.':1},'1.e.4':{'.':1},'1.e.7':{'and':1,'or':1,'.':1},'1.e.6':{'.':1},'1.e.1':{'through':2,'with':1,'.':1},'1.e.3':{'.':1},'1.e.2':{'.':1},'146':{'the':1,'protective':1},'147':{'cuckoo-spit':1,'photo':2},'144':{'dead-leaf':1,'another':1},'142':{'photo':1,'000':1},'swayed':{'their':1},'140':{'photo':1,'photos':1},'141':{'protective':1},'strokes':{'and':1,'of':2},'max':{'schultze':2},'accessory':{'factors':1},'mankind':{'given':1,'evolution':1,'though':1,'migrations':1,'.':3,'so':1,'at':1,'the':1,'or':1},'gill-plates.':{'illustration':1},'grow':{'down':1,'for':1,'older':1,'it':1,'large':1,'in':1,'out':1},'jellyfish':{'easily':1,'starfish':1,'is':1,'there':1,'it':1,'aurelia':1,'has':1,'with':1},'scrambling':{'on':1},'aimless':{'wandering':1},'neck':{'and':1,'passes':1,'of':1,'.':1,'vertebrae':1,'or':1},'johnson':{'and':2},'duckmole':{'and':2,'or':3},'tale':{'.':1},'idea--of':{'taking':1},'sun--measuring':{'the':1},'rarified':{'form':1},'deposit':{'on':1,'in':1,'their':1},'african':{'representative':1,'mudfish':1,'race':1,'snake':1,'the':1,'ape':1},'basket':{'a':1,'of':1,'euplectella':2,'on':1},'mottlings':{'especially':1},'proposal':{'.':1},'development.':{'continental':1},'shield':{':':1,'.':1},'cathedral':{'would':1,'each':1},'civilisation.':{'pleistocene':1,'before':1},'pointed':{'ear':1,'out':2},'wishing':{'to':1},'entity':{'just':1,'that':1,'.':1,'to':2,'which':2,'providing':1},'stability':{'and':1},'globe-fishes':{'which':1},'rings.':{'illustration':1},'planetesimals':{'into':1,'formed':1,'which':1},'pitch':{'.':1},'differs':{'from':3,'greatly':1},'tropisms':{'a':1,'obligatory':1,'play':1,'.':1},'mind--mind':{'in':1},'rhinoceros':{'had':1,'the':1,'bison':1,'irish':1},'ice-fields':{'of':1,'cleared':1},'police':{'dog':1},'monitor':{'varanus':2},'interesting':{'and':1,'because':1,'saving':1,'give':1,'is':1,'sidelight':1,'questions':1,'in':2,'birds':1,'subject':1,'information':1,'glimpse':1,'ways':1,'point':3,'to':16,'way':2,'living':1,'minor':1,'case':1,'that':1,'gradations':1,'archaic':1,'than':1,'condition':1,'recent':1,'chapter':1,'picture':1,'outcome':1,'consequences':1,'study':2,'work':1,'circumstance':1,'race':1,'greenish':1,'problem':1,'works':1,'discoveries':1,'fact':5},'yorkshire':{'stream':1},'consequential':{'punitive':1},'ours':{'would':1,'does':1,'judged':1,'but':1,'are':1},'main':{'layers':2,'use':1,'force':1,'methods':1,'primate':1,'motive-force':1,'lines':2,'processes--':1,'stem':2,'seat':1,'trends':1,'mass':2,'pg':1,'groups':1,'stems':1,'chapters--the':1,'line':14,'one':1,'types':1,'scientific':1},'captivated':{'the':1},'fire-mist':{'that':1},'sooner':{'or':2},'gregariousness':{'and':1},'begun.':{'splitting':1},'markings':{'and':1,'on':1},'leopards':{'238':1,'trained':1},'killed':{'on':1,'by':1,'in':1},'possess':{'a':2,'what':1,'well-developed':1,'.':1,'in':1,'the':3,'an':1},'stock--common':{'to':1},'obviates':{'any':1},'meets.':{'these':1},'thymus':{'gland':1},'careless':{'statement':1},'rock':{'formations.':1,'to':1,'of':1,'kangaroo':2,'record':5,'whence':1,'many':1,'dove':1,'or':1},'vogue':{'but':1},'sheep-ranches':{'were':1},'eyelid':{'is':1,'used':1,'in':1},'elephants':{'and':1,'what':1,'the':1,'is':1,'.':1},'water-bird':{'such':1},'treacherous':{'internal':1,'ooze':2},'tobogganing':{'on':1},'richly':{'endowed':1},'unlock':{'locks':1},'glaciation':{'had':1},'sifted':{'and':1,'again':1,'.':3,'for':1,'out':1},'telescoped':{'manner':1},'description':{'aeschylus':1,'from':1,'.':1},'canada':{'and':1,'about':1},'emerges':{'the':1,'from':1},'afghans':{'alpines':1},'greeks':{'applied':1,'of':1,'said':1,'thought':1},'interference':{'as':1,'with':1},'miles':{'and':1,'into':1,'deep':2,'an':1,'winding':1,'distant':1,'per':4,'in':13,'odd':1,'out':1,'away.':1,'from':5,'would':1,'away':9,'long':1,'.':9,'to':1,'above':3,';':1,'was':1,'across':1,'though':1,'coloured':1,'driven':1,'satellites':1,'a':17,'wide':1,'getting':1,'of':8,'the':2,'or':1,'at':1},'emerged':{'a':1,'on':1,'about':1,'rich':1,'in':1},'dioxide':{'and':1},'correct':{'path':1,'the':1},'assurance':{'the':1},'behaving':{'to':1},'earlier':{'a':1,'chapter':1,'form':1,'generation':1,'organisation':1,'page':1,'stages':1,'or':1},'telegraphy':{'and':1},'sideways':{'towards':1,'scooping':2},'atomism.':{'an':1},'electrically':{'and':1},'imaginable':{'.':1},'paralysing':{'effect':1},'surface-atoms':{'of':1},'existed.':{'even':1},'sunlight.':{'saturn':1},'cough':{'or':2},'orb':{'on':1},'advance':{'and':1,'towards':1,'of':3,'is':1,'in':2,'has':2},'grist':{'to':1},'derivation':{'from':1},'language':{'and':1,'logos':1,'of':1,'there':1,'to':1,'as':1,':':1},'thing':{'and':1,'we':1,'works':1,'to':3,'may':1,'is':1,'.':2,'did':1,'as':3,'existed.':1,'has':1,'yet':1,'happened':1},'invalidity':{'or':1},'2971.6':{'164.78':1},'alevin':{'encumbered':1},'assuredly':{'much':1},'waited':{'on':1,'in':1},'first':{'and':3,'discovered.':1,'telescope':1,'bird--was':1,'beholding':1,'animals':5,'preparation':1,'crop':1,'dynasty':1,'observed':1,'known':6,'animals--beginnings':2,'view':1,'sight':3,'such':1,'alternative':1,'amphibians.':1,'vital':1,'creatures':1,'terrestrial':1,'living':4,'plants--the':2,'one-toed':1,'organisms':1,'make':1,'there':3,'question':1,'three':2,'.':1,'to':3,'prism':1,'became':1,'reptiles':1,'finger':2,'time':6,'learned':1,'if':1,'was':1,'bird':2,'body':1,'be':2,'men':1,'wheat':1,'that':1,'mammal':1,'becomes':2,'voice--surely':1,'divergence':1,'use':1,'but':1,'step':2,'part':1,'sir':1,'amphibians':2,'atom':1,'fishes':1,'invasion':1,'printing':1,'one':1,'come':1,'bronze':1,'a':2,'great':5,'backboned':1,'impressive':1,'showed':1,'gale':1,'successes':1,'of':2,'books.':1,'formed':1,'discoveries':1,'thought':1,'plants':1,'definitely':1,'place':2,'evolved':1,'error':1,'fishes.':1,'found':1,'the':2,'quarter':1,'called':1,'two':1,'know':1},'dwelling':{'on':1},'americana':{'with':2},'discharges':{'at':1},'miocene':{'and':2,'n':1,'was':1,'or':1,'others':1},'arrhenius':{'svante':1},'amidst':{'the':1},'violet-light':{'waves':1},'specificity':{'which':1},'carry':{'them':1,'his':1,'many':1,'messages':1,'it':2,'us':1,'an':1,'their':2,'out':1},'sounds':{'and':2,'on':1,'become':1,'were':1,'except':1,'two':1,'are':1,'in':1,'such':1,'the':1,'.':1},'fiji':{'.':1},'rome':{'observed':1,'were':1},'discharged':{'by':2,'.':1},'interchange':{'of':2},'little':{'reptile':2,'secure':1,'family':1,'taste':1,'of':1,'is':2,'mud-turtle':1,'colony':2,'primitive':1,'evidence':1,'likely':1,'books':1,'creatures.':1,'in':3,'conical':1,'species':1,'lid':1,'glimpse':1,'books--an':1,'monkey':1,'plankton':1,'detail':1,'chemical':1,'lower':1,'doubt':4,'finger':1,'colony.':1,'units':1,'bubble':1,'over':1,'store':1,'more':1,'plate':1,'ball':1,'garden':1,'fish':1,'that':1,'structure':1,'mammals':1,'wax':1,'use':1,'glass':1,'ferment':1,'resemblance':1,'dull':1,'pool':1,'room':1,'building':1,'about':1,'freshwater':1,'like':1,'grains':1,'uneasy':1,'whether':1,'scraping':1,'patch':1,'green':1,'ten-miles-wide':1,'pockets':2,'pinch':1,'the':1,'piece':2,'book':1},'man--the':{'culmination':1,'fountain':1,'metal':1},'unduly':{'obscure':1},'parallel':{'to':2,'wires':1},'1a':{'fore-limb':1},'plains':{'and':3,'to':1,'were':1},'pockets.':{'in':1},'alfred':{'a':1,'russel':1},'speaking':{'of':2},'mining':{'no':1},'dived':{'and':1,'appropriately.':1,'disappeared':1},'american.':{'professor':1},'continuous':{'and':3,'natural':1,'relationship':1,'since':1,'gradations':1,'.':1,'current':1,'accretion':1,'night':1,'raft':1},'accurately':{'the':1,'measured':1},'crevice':{'of':1},'ridges.':{'illustration':1},'undoubtedly':{'great':1,'radio-active--then':1,'an':1},'splendid':{'failures':2},'11':{'feet':1,'the':1,'magnetism':1},'10':{'what':1,'ft':1,'photo':2,'professor':1,'.':1,'feet':1,'000':3,'uranus':1,'1910.':1},'13':{'is':1,'substitutes':1},'cracks':{'of':1},'15':{'matter':1,'from':1},'14':{'dissipation':1,'photo':1,'the':1,'you':1},'sailing':{'of':1,'round':1},'16':{'rise':1,'minutes':1,'until':1},'19':{'1911':2,'photo':2,'consists':1},'scraping':{'of':1},'coco-palm':{'for':1},'victorian':{'.':1},'protected':{'and':1,'as':1,'e.g':1},'fertilisation':{'may':1,'of':1,'it':1},'centigrade':{'below':1},'were':{'all':3,'shot':1,'being':2,'soon':1,'forests':1,'discovered':1,'introductions':1,'through':1,'handed':1,'jointed-footed':1,'still':2,'birds':1,'waiting':1,'teeming':1,'destroyed':3,'to':1,'microscopic':1,'dead.':1,'employed':1,'hidden':1,'surprised':1,'presently':1,'very':3,'wiser':1,'not':5,'hunted':1,'like':1,'presented':2,'always':2,'porous':1,'intrigued':1,'found':4,'entirely':1,'prompted':1,'somehow':1,'born':1,'sifted':1,'borne':1,'even':1,'established':2,'opened':1,'for':1,'wrought':1,'laid':3,'dominated':1,'probably':4,'neither':1,'involved':3,'fed':1,'free':1,'quite':1,'met':1,'experimenting':1,'imperfectly':1,'represented':1,'atoms':1,'beginning':1,'gained':1,'on':1,'about':1,'feeling':1,'evolved--destined':1,'indivisible':1,'broken':1,'many':2,'substituted':1,'streams':1,'usually':1,'symmetrical':1,'first':2,'composed':1,'raised':2,'afterwards':1,'slipped':1,'suddenly':1,'within':1,'marked':2,'due':1,'brought':2,'done':1,'suspended':1,'often':1,'ichthyosaurs':1,'given':1,'ancient':1,'from':1,'hunters':1,'three':1,'approximately':1,'.':1,'few':1,'much':1,'too':1,'fish-lizards':1,'taken':1,'reptiles':1,'minor':1,'composed.':1,'separated':1,'formed':4,'amphibians':2,'it':1,'overcrowded':1,'trying':1,'true':2,'expounded':1,'electrified':1,'made':6,'these':1,'originally':1,'created':1,'extraordinarily':1,'replaced':3,'evolved':2,'of':4,'prematurely':1,'more':1,'buried':1,'crowning':1,'almost':1,'composed--':1,'an':2,'entombed':1,'as':1,'at':2,'in':5,'bones':1,'sharp':1,'no':1,'breaking':1,'able':4,'continually':1,'eagerly':1,'also':4,'prospecting':1,'accumulating':1,'several':1,'rediscovered':1,'gaining':1,'living':2,'immersed':1,'after':1,'most':1,'connected':1,'rejected':1,'eaten':1,'fishes':2,'such':1,'twenty-nine':1,'a':2,'succeeded':1,'largely':1,'later':1,'magnified':1,'so':3,'the':11,'left':3,'once':3},'gigantic':{'flywheel':1,'eye':1,'streamers':1,'orbits.':1,'sun':1,'orbits':1,'.':1,'magnet':1,'glowing':1,'shreds':1,'bubbles':1,'intellect':1,'as':1,'size':2},'proofread':{'public':1},'1.':{'illustration':1},'awns':{'or':1},'coconut':{'palm':1,'from':1},'conjectural':{'.':1},'mundane':{'goal':1},'occupies':{'only':1,'more':2,'an':1},'lice':{'have':1},'entombed':{'in':1},'kurtus':{'carries':1},'metcalf':{'outline':1},'spectacle':{'again':1,'197':1,'is':1},'occupied':{'the':1,'by':2},'euclid':{'or':1},'hitherto':{'known':1,'unknown':1,'shut':1,'we':1,'the':1},'intruder.':{'when':1},'bavaria':{'and':1},'efficient':{'to':1,'answers':1,'they':1},'isolate':{'it':1},'potential':{'energy':3,'.':1},'interior':{'of':4,'is':1,'yet':1,'energy':1,'periodically':1},'performance':{'of':1,'was':1,'hundreds':1},'inveterate':{'enemies':1},'volplanes':{'in':1},'jungle':{'fowl':1,'of':1,'ends':1,'folk':1,'tribes':1},'201':{'photo':2},'200':{'well-marked':1,'cassowary':1},'203':{'jackdaw':1},'202':{'a':1,'the':1},'205':{'a':1},'norman':{'lockyer':2,'inorganic':1},'trace':{'of':5,'the':1,'some':1,'any':1},'206':{'.':1},'arguing':{'whether':1},'208':{'photo':1,'from':1},'correlation':{'of':1},'paid':{'a':1,'for':3,'within':1,'toll':1,'the':1,'by':1},'blackest':{'ignorance':1},'beta':{'and':2,'rays':3,'electrons':1},'sheets':{'of':1},'tract':{'of':2},'contrasts':{'as':1,'in':1,'between':1},'conspicuous':{'and':3,'on':1,'is':1,'material':1,'canines':1,'against':1,'60':1,'black':1,'during':1},'especially':{'among':1,'from':1,'for':1,'prominent.':1,'on':1,'of':1,'when':3,'as':1,'commercial':1,'in':4,'those':2,'look':1},'surprising':{'power':1,'that':2,'when':1,'as':1,'effects':1,'fact':1},'fills':{'the':1},'bustard':{'the':1},'hedgehog':{'mole':1},'alone.':{'the':1},'precise':{'origin':1,'needs':1,'unless':1,'scientific':1,'form-resemblance':1,'object':1,'mechanism':1,'anthropology':1,'time':1,'studies':1,'answers.':1,'vision':1},'grouselike':{'above':1},'show':{'intelligence':1,'evidence':1,'even':1,'gill-clefts--':1,'what':2,'no':2,'interesting':1,'definite':1,'.':1,'to':1,';':1,'that':9,'notable':1,'how':2,'not':1,'man':1,'a':4,'on':1,'great':2,'this':1,'arrested':1,'us':1,'face':1,'without':1,'artistic':1,'teeth':1,'the':6},'gill-cover.':{'the':1},'forbidding':{'by':1},'drawings':{'and':1,'over':1,'by':2},'uranus':{'and':1,'neptune':1,'is':1,'1781.9':1,'.':1},'saying':{'nothing':2,'.':1,'merely':1,':':2,'that':4},'threshold':{'of':1},'corner':{'and':1,'of':5,'near':1,'at':1},'gaseous.':{'now':1},'directions--an':{'alternating':1},'fend':{'for':1},'stormy':{'weather':1},'plume':{'or':1},'treasure':{'at':1},'storms':{'on':1,'.':1,'to':1,'manifest':1},'enough':{'even':1,'has':2,'for':2,'of':2,'when':1,'however':1,'.':1,'to':17,'in':1,'the':1,'air':1},'either':{'case':1,'solitary':1,'of':2,'packet':1,'plants':1,'in':1,'the':1,'with':1,'before':1},'black':{'and':2,'body':1,'quills':1,'tip':1,'spots':2,'.':2,'surroundings':1,'stuff':2,'marks':1,'tips':1,'patch':1,'or':1},'germs':{'of':1},'down-rushing':{'water':1},'pegged':{'down':1},'abeyance.':{'disappearance':1},'awareness':{'and':2,'of':2,'.':1},'single-chambered':{'shell':1},'bittern':{'and':2,'begin':2,'is':1},'contracts':{'and':1,'under':1},'persisting':{'in':1},'midriff':{'or':1},'unimportant':{'and':1,'elements':1,'bladder':1},'nearly':{'a':2,'all':5,'every':1,'thirty':1,'everything':1,'twenty':1,'three':1,'related':2,'up':1,'twice':1,'so':3,'4':1,'9':1,'186':1,'the':2,'any':1,'two':1},'distinctly':{'later':1},'conjunction':{'with':1},'secondary':{'bodies':1},'pollen-nucleus':{'of':1},'bearings':{'cannot':1},'median':{'section':2},'yield':{'us':1},'morning':{'and':1,'coat':1,'especially':1,'to':1},'stupid':{'as':1,'bird':1},'photographically':{'reduced':1},'kernel':{'of':1,'is':1,'divides':1},'declared':{'that':1},'milling':{'and':1},'seas':{'and':2,'many':1,'had':1,'.':1,'to':1,'became':1,'are':1,'were':1,'went':1,':':1,'phosphorescent':1},'seat':{'of':4},'relative':{'distances':2,'sizes':2,'peace':1,'to':1,'absence':1,'in':1,'fixity':1,'shortness':1,'beginning':1},'j.':{'thomson':2},'mud-nests':{'or':1},'mcgregor.':{'profile':2,'a':1,'photograph':1,'sand-pit':1,'piltdown':3,'restoration':1,'the':3},'unaltered':{'.':1},'sameness':{'and':1},'permeates':{'all':1},'steadfast':{'sign':1},'eoliths':{'.':1},'habits--experiments':{'in':1},'behind':{'and':1,'both':1,'them':1,'it--a':2,'it':2,'us':1,'.':2,'while':1,'the':5},'chimpanzees':{'photos':1,'233':1,'but':1,'in':1},'radiated':{'away':2,'by':1,'in':1},'accustomed':{'to':2},'reading':{'of':1,'the':1,'ourselves':1,'anything':1,'or':1},'across':{'a':3,'space':3,'it':2,'the':11,'its':1,'empty':1},'roentgen':{'discovered':2,'s':1},'deletions':{'to':1},'august':{'1922':1,'1924':1},'parent':{'on':1,'of':5,'colony':1,'s':2,'has':1,'until':1},'parental':{'care.':1,'call':1,'care':17},'ascribed':{'the':1},'sea.':{'the':3,'2':2,'conquest':1,'proterozoic':1,'land':1},'tree-lizards':{'tree-kangaroos':1},'killing':{'and':2,'out':1},'dates':{'we':1,'from':3,'except':1,'varying':1},'vaporous':{'matter':1},'feelers':{'whereas':1},'diameter.':{'the':1,'innumerable':1},'diamond.':{'as':1},'according':{'to':24},'disappointment':{'when':1},'among':{'strongly':1,'all':1,'aquatic':1,'simple':1,'domestic':1,'them':1,'spiders':1,'domesticated':1,'birds':1,'cuttlefishes':1,'terrestrial':1,'lizards':1,'animals--by':1,'other':1,'which':2,'plant':1,'mammals':1,'mammals.':1,'dissimilars':1,'animals':4,'monkeys':1,'plants':3,'backboned':1,'this':1,'cosmic':1,'sand':1,'kindred':2,'the':21},'stretches':{'of':3,'from':1},'mound-birds':{'of':1,'young':1},'terse':{'and':1},'function--we':{'may':1},'flower-vase':{'well':1},'parachutists':{'and':1,'climbers':1},'maintained':{'this':1,'that':2,'by':1,'in':1},'stretched':{'in':1},'spans':{'the':1},'associated':{'a':1,'files':1,'his':1,'is':1,'enlargement':1,'reduction':1,'in':3,'the':2,'with':17},'reason--lays':{'her':1},'technicalities':{'.':1,'in':1},'considering':{'the':3},'sensible':{'things':1},'millimetre':{'and':1,'is':1},'caricature':{'of':1},'capable':{'of':3},'one-celled':{'plants--paint':1,'marine':2,'organism':1,'animal':1,'animalcules':1},'conditions.':{'illustration':2},'wilkinson.':{'jackdaw':1,'two':1},'mark':{'races':1,'individuals':1,'.':1},'attaching':{'too':1},'marked.':{'it':1},'mars':{'and':7,'is':3,'it':1,'maintained':1,'jupiter':1,'at':1,'141.5':1,'in':1,'there':1,'29':1,'.':2,'to':1,'going':1,';':1,'showing':1,'on':1,'october':1,'as':1,'were':1,'--jupiter':1,'the':1,'makes':1,'are':1},'tree-shrews':{'tupaia':1,'tree-mice':1,'hedgehog':1},'fiftieth':{'trip':1},'educated':{'who':1},'nautilus.':{'keen':1},'offered':{'some':1,'by':2,'for':1},'suns.':{'our':1},'dangerous':{'and':1,'to':1,'motto':1,'days':1,'maladies':1},'gripped':{'and':1,'in':1},'hippolyte':{'of':1,'which':1},'cod-banks':{'is':1},'dramatic':{'discoveries':1},'wake':{'of':1},'it.':{'the':1,'there':1,'whereupon':1,'other':1,'sun-spots':1},'captivity':{'has':1,'.':1},'sound':{'and':1,'conception':1,'though':1,'of':3,'.':3,'travels':1,'cannot':1,'another':1,'consists':1,'has':1,'judgment':1,'or':1},'turtles':{'and':3,'lay':1,'have':1,'which':1},'cannonade':{'of':1},'humming-bird':{'moths':1},'promising':{'wild':1,'a':1,'as':1,'.':1},'awakened':{'from':1},'margin':{'of':3,'are':1,'interlock':1},'luidia':{'which':1},'eventually':{'there':1,'like':1,'formed':1,'it':1,'to':3,'succeed':1,'they':1,'the':1,'creep':1,'after':1},'characteristics':{'of':2,'which':1,'e.g':1},'sleeping':{'prawns':1,'sickness':5},'strain':{'and':1},'sudden':{'and':2,'protrusion':1,'throwing':1,'irruption':1,'irritation':1,'withdrawal':1,'beginning':1,'acquisition':1,'movement':1},'tse-tse':{'fly':3},'dangerously':{'.':1},'ferns':{'conifers':1},'jackdaw':{'is':1,'balancing':2},'everyday':{'functions':1,'life':1,'intellectual':1,'bodily':1,'routine':1,'conditions':1},'movements':{'and':7,'on':1,'by':2,'that':3,'of':7,'is':1,'should':1,'how':1,'as':1,'implied':1,'are':2,'which':2,'in':1,'.':1,'until':1},'bags':{'of':1},'different':{'and':1,'set':1,'physiological':1,'methods':1,'instruments':1,'wave-lengths':2,'ages':1,'metals':1,'fellow':1,'rate':1,'manner':1,'times.':1,'in':3,'kinds':9,'as':1,'colours':5,'functions':1,'rays':1,'from':7,'ways':3,'relations':1,'.':3,'forms':1,'parts':1,'rates':1,'sedimentary':1,'105':1,'degrees':2,'main':1,'sections':1,'temperature.':1,'tacks':2,'idea--of':1,'aspects':1,'substances':4,'solution':1,'lines.':1,'groups':1,'fishes':1,'world':2,'rivers':1,'types':3,'areas':1,'lengths':2,'sizes':1,'this':1,'habitat-zones':1,'countries':2,'lines':2,'haunts':1,'thicknesses':1,'patterns':1,'length':1,'levels':2,'velocities':1,'latitudes':1,'terms':1},'paw':{'and':1,'to':1,'in':1},'pay':{'a':1,'out':1,'no':1},'oven':{'at':1},'same':{'and':1,'impression':1,'macaque':1,'facility':1,'appearance':1,'is':7,'table':1,'primary':2,'general':1,'attitude':2,'mistakes':1,'in':1,'bones':1,'corner':1,'face':3,'speed':1,'disadvantage--a':1,'as':3,'size':1,'story':1,'rays':1,'temperature':2,'opaque':1,'interesting':1,'nature':1,'proportion':1,'.':2,'state':1,'experiment':1,'way':9,'must':1,'conditions':1,'side':2,'foundation':1,'sex':1,'animal':1,'power':1,'format':1,'nest':1,'material':1,'gas':2,'effect':1,'period':1,'moment':1,'everywhere':1,'waves':1,'stem':1,'distance.':1,'day':1,'change':1,'stage':1,'kind':3,'type':1,'lines':1,'shape':1,'element':1,'magnet':1,'thing':1,'place':1,'principle':1,'fundamental':1,'time':8,'species':1,'applies':1,'table.':1,'essential':1},'eggs--up':{'towards':1},'thinning':{'of':1},'speech':{'.':1},'arguments':{'on':1,'.':1},'--all':{'the':1},'played--for':{'better':1},'intermediary':{'associative':1},'movement.':{'under':1},'extended':{'on':1,'tail':1,'from':1,'the':1,'their':1},'73000':{'10':1},'prominences':{'22':1,'these':1,'of':1,'which':3,'seen':2,'shooting':1,'ever':1},'assist':{'in':1},'companion':{'and':1},'running':{'on':2,'from':1,'no':1,'birds':1,'water':1,'leap':1,'leaps':1,'down.':2,'across':1,'down':2},'dynamo.':{'by':1,'illustration':1},'driven':{'outward':1,'by':2},'is--should':{'evolve':1},'waves.':{'the':1},'ripening':{'hard':1},'break':{'out':1,'up':2,'one':1},'largely':{'a':2,'feed':1,'based':1,'due':2,'with':1,'by':1},'roughly':{'group':1},'spoonful':{'of':1},'objection':{'there':1},'frontispiece':{'laplace':1,'.':1},'bottle':{'containing':1,'upside':1},'repulsive':{'or':1},'consisted':{'of':5,'only':2,'in':1},'generalisation':{'that':1},'money':{'paid':2,'if':1},'adjustments':{'which':1},'egg-cell':{'a':1,'certain':1,'within':1,'.':3,'fertilised':1,'in':1,'with':2,'divides':1},'down-drifting':{'food':1},'aspect':{'of':5,'can':1},'multiples':{'of':1},'sprang':{'the':1,'from':4,'but':1},'pinkish':{'eggs':1},'beagle':{'voyage':1},'crocodiles':{'and':1,'a':1,'there':1,'bury':1},'dipper':{'and':1,'or':1},'4':{'and':4,'another':1,'our':1,'living':1,'depict':1,'from':1,'tentative':1,'there':1,'.':11,'1':1,'500':1,'chromosomes':3,'information':1,'forming':1,'000':1,'external':1,'by':2,'a':2,'likeness':1,'this':1,'neptune':1,'the':6,'drawing':1},'grating':{'instead':1,'is':1},'pupa':{'stage':1},'extensive':{'repertory.':1},'heavier':{'to':1,'the':1,'materials':2,'more':1,'atoms':1},'pill':{'fizzing':1},'grip':{'and':1,'the':3},'1914.':{'baby':1,'4':1,'nos':1},'bitterling':{'cannot':1,'rhodeus':2},'tenses':{'.':1},'dissected':{'out':1},'tissues':{'and':1,'no':1,'of':1,'.':1,'to':1,'are':1,'or':1},'sight.':{'the':1},'water-measurers':{'in':1},'long-haired':{'angoras':1},'disadvantageous':{'dints':1},'aiming':{'at':1},'blankets':{'otherwise':1},'thames':{'gravels':1},'vertically':{'through':1},'dingo':{'or':2},'identifying':{'a':1,'different':1,'substances':1},'brain-development':{';':1},'serves':{'as':5},'lightning':{'278':1,'of':1,'in':1,'.':1},'facing':{'towards':1,'page':1},'chamber':{'only':1,'that':1},'behaviour-variations':{'which':1},'nose':{'that':1},'spinthariscope':{'making':1},'ascends':{'to':1,'into':1},'hunterian':{'professor':1},'mimicry.':{'colour':1},'flattely':{'and':1},'reveals':{'to':1,'the':2,'about':1},'alternately':{'and':1},'titan':{'a':1},'ascend':{'to':1,'the':2},'second.':{'their':1,'the':2,'sir':1},'specified':{'in':2},'images':{'of':1,';':1},'pasture':{'.':2},'ascent':{'of':7,'.':2,'not':1,'the':1,'by':1,'170':1},'gross':{'profits':1},'entities':{'of':1,'really':1,'.':1,'in':1},'apprenticeship--an':{'apprenticeship':1},'bubbles.':{'illustration':1},'footing':{'on':1},'fluids':{'and':1,'.':1},'considers':{'is':1},'pioneer':{'scorpion':1,'backboned':1,'animal':1},'critical':{'scientific':1,'discussion':1,'to':1,'time':1,'velocity':1,'spirit':1,'testings':1},'lunar':{'dawn':1,'apennines':1},'expressing':{'themselves':1,'or':1,'judgments':1,'feelings':1},'pipes':{'from':1,'by':1},'aboriginal':{'races':1},'rooks':{'and':1,'nests':1,'deal':1},'measuring':{'the':1,'does':1,'from':1,'it':2},'prerogative.':{'the':1},'buckling':{'up':1},'seconds':{';':1,'later':1,'takes':1,'.':2},'manufactured':{'by':1},'each':{'and':1,'other.':2,'foot':1,'pole':1,'constituent':1,'limb':1,'subject':1,'standing':1,'variety':1,'distinct':1,'incipient':1,'flash':1,'spiral':1,'.':2,'cell':2,'to':1,'prism':1,'other':9,'brick':1,'is':2,'foot.':1,'body':1,'star':1,'sinks':1,'molecule':1,'kind':2,'electrified':1,'electron':1,'descending':1,'atom':2,'date':1,'article':1,'with':3,'case':1,'independently':1,'substance':1,'particle':2,'of':11,'age':1,'tenanted':1,'metal':1,'element':2,'wave-length':1,'shade':2,'about':3,'side':1,'limb.':1},'notable':{'differences':1,'was':1,'feature':3,'power':1},'unusual':{'circumstances':1},'notably':{'the':3,'to-day':1,'planarians':1,'those':1},'trials':{'was':1},'arithmetical':{'question':1},'refers':{'to':1,'in':1},'stock--some':{'of':1},'psychical':{'level.':1,'research':1},'staff.':{'please':1},'stations':{'.':1},'instantaneously':{'into':1,'.':1,'he':1},'fringe':{'round':1},'insect':{'living':1,'lived':1,'flight':1,'larvae':3,'may':1,'is':1,'.':1,'visitors':3,'s':6,'lighting':1,'are':1,'pierces':1,'has':1,'with':1},'mixes':{'with':1},'practical':{'proposal':1,'judgments':1,'interest':1,'disappearance':1},'pockets':{'on':2},'west':{'of':1,'indian':1,'salt':1,'at':1,'coast':1},'corals':{'and':1,'worms':1,'which':1},'lasting':{'power':1},'provisional':{'picture':1},'road':{'home':1},'cautions':{'to':1},'lands':{'and':1,'in':1},'fertile':{'soil':1,'land':1,'meadows':1},'sea-grass':{'a':1,'area.':1,'red':1},'spreading':{'over':1,'meadows':1},'bountiful':{'and':1},'mills.':{'sir':1,'professor':1},'haddon':{'a':2},'gambiense':{'very':1,'69':1},'einstein':{'s':1,'has':1,'the':1,'who':1},'shortening':{'of':2,'the':1},'bon':{'has':1},'shells':{'of':1,'keeping':1,'are':3,'like':1},'camouflaging':{'giving':2,'and':1,'but':1},'brute':{'associates.':1,'man':1},'appears':{'on':1,'melancholy':1,'that':2,'to':1,'therefore':1,'the':1,'or':1},'caterpillars':{'and':2,'of':1,'to':1,'through':1,'they':1,'fasten':1},'laboriously':{'manufacture':1,'taught':1},'deepened':{'interest':1},'granules':{'and':1,'are':2},'unsettled':{'parts':1},'strikes':{'these':1,'the':1,'it':1},'white.':{'and':1,'banded':1},'trouble--an':{'instance':1},'land.':{'ages':1,'illustration':1,'getting':1},'spice':{'of':1},'arranged':{'his':1,'in':5},'romantic':{'and':1},'reflex':{'arc':2,'actions':8,'.':1,'action.':1,'action':4,'response':1,'chains':1,'than':1},'vice':{'versa':1},'dordogne':{'galley':1},'arranges':{'the':1},'pre-cambrian':{'eras':1},'blackbird':{'a':1},'shell.':{'the':1,'sec':1},'mimicked.':{'the':1},'moles':{'freshwater':1,'are':1},'affection':{'for':1,'.':1},'celestial':{'objects':1},'deliberation':{'and':1},'travailing':{'becomes':1,';':1,'of':1},'fanwise':{'to':1},'deer':{'of':1,'rabbit':1},'body-making':{'is':1},'deep':{'and':1,'water':2,'cups':1,'retreat.':1,'waters':3,'isolated':1,'waters.':1,'dark':1,'reason':1,'so':1,'sea':6,'in':2,'sea--the':1,'borings':1,'cold':1,'difference':1,'lake':1,'lying':1},'general':{'and':1,'impression':1,'outlook':1,'glare':1,'features':1,'symmetry':1,'trend':1,'life':1,'statements':1,'information':1,'question':1,'ideas':7,'relations':1,'statement':1,'significance':1,'public':2,'conclusion':1,'direction':1,'terms':3,'way':5,'very':1,'reader':1,'agreement':1,'flattened':1,'astronomy':1,'outlines':1,'we':1,'colour':2,'lines':1,'rule':1,'method':1,'aim':1,'agreement.':1,'succession':1,'opinion':1,'fact':1},'imagination':{'to':1,'.':1,'of':2},'examine':{'one':1},'planets':{'and':5,'they':1,'back':1,'spinning':1,'including':1,'are':2,'in':1,'seem':1,'what':1,'from':1,'would':3,'.':4,'to':1,'drawn':2,'life':1,'showing':1,'but':1,'five':1,'besides':1,'put':3,'of':3,'together':1,'or':1,'venus':1,'round':1},'lifetime':{'will':1,'namely':1,'by':1,'.':1},'cables':{'but':1},'film':{'and':1,'of':3,'is':1,'cling':1,'on':1},'fill':{'every':3},'tedious':{'time':1},'again':{'and':6,'as':3,'are':1,'in':5,'from':1,'knowledge':1,'would':1,'there':3,'.':1,'to':2,'does':1,'recaptures':1,'meant':1,'be':1,'we':3,'after':1,'led':1,'elsewhere':1,'that':1,'becomes':1,'never':1,'but':1,'with':1,'for':1,'many':1,'the':5,'having':1},'gbnewby':{'pglaf.org':1},'retiring':{'disposition':1},'field':{'and':3,'around':1,'of':6,'is':2,'it':1,'.':2,'as':2,'book':1,'240':1,'seen':2},'prism':{'and':1,'we':2,'produces':1,'into':1,'.':3,'entering':1,'separates':1,'is':1},'unaccustomed':{'and':1},'salamanders':{'of':1},'carapaces':{'form':1},'lafayette':{'alsatian':1},'coughing':{'or':1},'shelter':{'and':1,'of':2,'with':1,'for':1},'planet.':{'so':1,'if':1},'deriving':{'their':1},'important':{'stones':1,'and':2,'because':1,'is':5,'idea':1,'general':1,'phase':1,'as':1,'in':2,'mill':1,'activity--that':1,'for':2,'to':6,'role':1,'parting':1,'was':1,'however':1,'part':4,'food-plants':1,'parasites':1,'than':1,'linkage':1,'acquisitions':1,'advance':1,'acquisition':1,'the':1,'fact':6},'itself.':{'forms':1,'of':1,'but':1,'in':1},'tackle':{'the':1},'rainbow-colour':{'.':1},'revolve':{'the':1,'round':2},'sun--a':{'kind':1},'sneeze':{'on':1,'.':1},'hoofed':{'mammals':2},'remote':{'aquatic':1,'star':1,'age':1,'antiquity':1,'future':1,'ancestors.':1,'the':1},'recapitulation':{'of':3},'casts':{'off':1},'innocent-looking':{'little':1},'burrow':{'becomes':1,'which':1,'in':1},'u':{'of':1,'the':1},'resembles':{'a':1},'ovary':{'.':1},'once':{'and':3,'adjusted':1,'useful':1,'one':1,'rotating':1,'understood':1,'in':8,'said':1,'.':1,'attained':1,'got':1,';':1,':':1,'was':2,'tell':1,'more':4,'dominant':1,'that':1,'very':2,'eight':1,'they':1,'represented':1,'a':2,'on':1,'made':1,'effective':1,'larger':1,'rule':1,'every':1,'pulled':1,'or':1},'starting':{'a':1,'new':2,'point':1,'of':1},'represent':{'the':1,'stars':1,'tentative':1},'pheasant':{'and':1,'for':1},'forget':{'the':1},'founder':{'of':1},'suns':{'many':2,'.':1,'in':1},'invariable':{'.':1},'worms':{'and':2,'like':1,'that':1,'sea-cucumbers':1,'of':1,'began':1,'but':1,'.':1,'notably':1,'to':3,'2':1,'starfishes':1,'were':1,'requires':1},'founded':{'on':1},'sunk':{'very':1,'into':1,'in':1},'cooperative':{'relations':1},'expressions':{'of':3,'have':1},'plodding':{'methods':1},'shattered':{'to':1},'red-hot':{'ball':1,'gas':2,'.':1},'brain-box':{'and':1},'inexhaustible':{'fountain':1,'floating':1,'stores':1},'former':{'.':1},'bushmen':{'.':1},'those':{'upper':1,'pieces':1,'produced':1,'excessively':1,'farther':1,'in':1,'fine':1,'whose':1,'two':1,'regions':1,'immense':1,'contained':1,'other':1,'which':3,'between':1,'open-sea':1,'we':2,'kinds':2,'elsewhere':1,'that':13,'mammals':1,'offered':1,'who':3,'problems':1,'provided':1,'now':1,'with':1,'sensational':1,'great':1,'made':1,'of':15,'days':1,'glittering':1,'called':1,'bodies':1,'at':1},'hideous':{'and':1},'turnips':{'devouring':1},'distorting':{'effect':1},'straightforward':{'.':1},'sitting':{'a':1,'among':1,'figure':1,'for':1,'156':1,'the':1},'worm.':{'the':1},'interglacial':{'period.':1,'period':1,'times':1,'times.':1,'.':1,'or':1},'sun.':{'a':1,'look':1,'this':1,'it':1,'illustration':1,'one':1,'to':1,'sec':1,'but':1,'our':1,'the':2,'laplace':1},'fall':{'a':1,'on':4,'casting':1,'is':2,'upon':2,'suggested':1,'together':1,'down':1,'without':1,'from':1,'into':4},'difference':{'and':2,'is':1,'between':4,'to':1,'saturates':1,'does':1,'in':2},'expulsive':{'force':1},'mild':{'current':1,'moist':1,'electric':1,'temperatures':1,'of':1},'forking':{'of':2},'washing':{'the':1},'benevolent':{'visitors':1},'skeletal':{'rod':1},'applicable':{'to':1,'state':1,'taxes':1},'grubs':{'and':1},'camouflaged.':{'the':1},'hollowed-out':{'cotton-reel':1},'inorganic':{'world':1,'evolution':7,'groaning':1},'economically':{';':1},'pterodactyl':{'and':1,'or':2,'wing':1},'range.':{'the':1},'selected.':{'illustration':1},'aristocrat':{'apple-trees':1},'zero':{'of':2},'perception':{'and':1,'of':1,'rapidity':1},'further':{'and':3,'slowing':1,'down':1,'books':1,'human':1,'out':1,'knowledge':1,'for':2,'opportunities':1,'experiment':1,'until':1,'revision':1,'advantage':1,'complicated':1,'with':1,'contraction':1,'inland':1,'heightened':1,'ahead':1,'found':1,'the':1,'discovery':1,'changes':1},'double-slide':{'plate':1,'plate-holder':1},'creatures':{'and':4,'appeared':1,'it':1,'sec':1,'are':3,'have':3,'in':2,'if':1,'living':1,'from':1,'varied':1,'to':1,'began':1,'there':1,'.':6,'superficially':1,'which':3,'return':1,'that':1,'may':2,'act':2,'upon':2,'but':1,'let':1,'penetrate':1,'not':1,'such':1,'with':3,'by':1,'a':1,'on':1,'like':3,'of':4,'make':2,'turn':1,'were':1,'dance':1,'the':2,'round':1},'cilia':{'shown':1,'when':1},'stood':{'in':1,'at':1,'round':1},'short-lived':{'fishes':1,'relic':1},'swamps':{'and':1,'low':1},'storks':{'and':1,'pelicans':1},'associate':{'certain':1,'the':1,'particular':1},'caffeine':{'and':1},'everlasting':{'hills.':1},'schoetensack':{'.':1},'movement':{'and':6,'all':1,'is':4,'at':1,'in':2,'251':1,'if':1,'from':1,'for':1,'recalling':1,'.':1,'which':1,';':1,'was':1,'but':1,'a':1,'on':1,'of':6,'creates':1,'can':1,'the':1,'or':1},'outgoing':{'tide':1},'malaria':{'rife':1,'respectively.':1,'from':1,'organism':2},'martians':{'draw':1},'compilation':{'of':1,'copyright':1},'calculates':{'that':1},'component':{'cells':1},'ranges':{'and':2},'favourable':{'for':1},'cylindrical':{'.':2},'operating':{'on':1},'capacities--limited':{'when':1},'standard':{'of':2,';':1},'advance--the':{'central':1},'search':{'of':1,'after':1,'for':1,'facility:':1,'.':2},'tortoise':{'and':1,'of':1,':':1,'in':1,'has':1},'ichneumon':{'grubs':1},'cock':{'with':1},'stretching':{'as':1,'from':1,'for':1},'gleams':{'of':2},'milky':{'way':15},'formation':{'of':7,'due':1,'ten':1,'in':1},'narrow':{'and':1,'core':2,'like':1,'zone':1,'crowded':1,'sheaf':1,'passage':2,'marshes':1},'beak-like':{'jaws':1},'pathological':{'variation':1},'splashes':{'in':1},'24.--the':{'great':1},'transit':{'instruments':1,'is':1,'no':1},'mastering':{'the':1},'africa':{'a':1,'and':1,'india':1,'but':1,'coloured':1,'to':1,'asia':2,';':1,'where':1},'fastening':{'them':1,'pieces':1},'most--control':{'freedom':1},'empties':{'are':1},'extinction':{'of':1,'in':1},'establish':{'themselves':2,'race':1},'readily':{'separated':1,'lifted':1,'because':1,'heard':1,'swamped':1,'classified':1,'utilised.':1,'evaporate':1,'.':1,'understood':1,'see':1,'seen':1,'captured':1},'eye':{'and':3,'sees':1,'is':1,'are':1,'in':1,'.':6,'birds':1,'there':1,'next':1,'to':1,'which':2,';':2,'has':1,'that':1,'may':1,'fell':1,'continued':1,'by':1,'these':1,'of':1,'can':1,'the':1,'glued':1},'uniformity':{'and':1},'distinct':{'and':2,'individuality':1,'elements':1,'from':2,'species.':1,'sensation':1,'ancestors--a':1,'as':1,'classes':1,'tails':1,'sparks':1,'species':1},'hillock':{'of':1},'wiped':{'out':1},'destination':{'and':1},'two':{'years':1,'straws':2,'fore-limbs':1,'fine':1,'feather-stars':1,'forms':1,'molecules':1,'main':2,'photographs':2,'moorhens':1,'doors':1,'very':1,'minute':1,'feet':3,'positions':1,'spiny':1,'humps':2,'lashes':1,'phenomena':1,'back':1,'elements':1,'magnets':1,'creatures':1,'fingers':2,'halves':1,'chimpanzees':1,'new':1,'revolved':1,'ends':2,'electricities':1,'answers':1,'atoms':2,'hours':3,'wave-motions':1,'terminals':1,'groups':4,'others':1,'quite':2,'come':1,'days':1,'opossums':2,'of':4,'months':2,'haunts':1,'extremes':1,'streams':1,'or':11,'comes':1,'reflected':1,'screens':1,'skeletons':1,'millions':1,'working':1,'spiral':1,'long':1,'.':3,'macaques':1,'stars':2,'which':1,'hundred':7,'fractions':1,'eyes':1,'inches':4,'painted':1,'thousand':3,'exactly':1,'races':1,'cases':2,'cells':1,'shelves':1,'classes':1,'minutes':1,'and':8,'suggestions':1,'metals':1,'pieces':2,'periods':1,'have':1,'in':1,'paths':1,'different':5,'perhaps':1,'things':1,'widely':1,'lithium':1,'centrosomes':1,'facts.':1,'wires':1,'kinds':6,'opposite':1,'eggs':1,'teeth':1,'sides':3,'types':3,'together':3,'chief':1,'points':3,'sets':2,'serious':1,'the':1,'bodies':2,'foetal':1},'comparing':{'these':1,'notes':1,'reptiles':1},'cultivation':{'of':1},'endowed':{'with':4,'monkeys':1},'raft':{'across':1},'ovules':{'within':1,'in':1},'lapland':{'.':1},'leisure.':{'along':1},'unlink':{'or':1},'ahead.':{'the':1},'diamond':{'the':1,'point':1,'267':1,'.':1},'staggering':{'.':1},'views--the':{'nature':1},'chimpanzee':{'and':3,'illustrating':2,'157':1,'sitting':2,'is':1,'there':1,'.':1,'gorilla':2,'s':2,'2':2,'238':1,'at':1,'the':1,'an':1,'called':1,'233':1},'magpies':{'coral-snakes':1},'controlling':{'his':1,'nerve-centres':1},'particular':{'they':1,'some':1,'paper':1,'substance.':1,'sounds':1,'things':2,'emotions':1,'colours':1,'instance':1,'state':1,'difficulties':1,'interest':1,'conditions':1,'crab':1,'combination':1,'men':1,'atoms':1,'words':1,'circumstances':1,'case':1,'kind':4,'spawning-pond':1,'items':1,'moorhen':1,'place':1,'piece':1,'order':1},'straight-haired':{'mongols':2},'it--radium.':{'that':1},'none':{'being':1,'of':6,'the':1,'knew':1,'.':1},'hour':{'passes':1,'later':1,'would':1,'radium':1,'after':1,'.':1,'at':1},'middle':{'and':1,'zone':1,'of':2,'pleistocene':1,'ages':1,'oligocene':1,'.':1,'eocene':1},'recall':{'the':3},'sucks':{'in':1,'its':1,'milk':1},'cochroaches':{'and':1},'guards':{'them':2,'the':1},'remain':{'true.':1,'to-day':1,'inert':1,'just':1,'very':1,'freely':1,'together':1,'quite':2,'coherent':1,'in':2,'latent':1,'ether':1,'glorious':1,'apart':1},'pressing':{'a':1},'taut':{';':1,'or':1,'membranes':1},'pink-flush':{'on':1},'nothing.':{'evolution':1,'it':1},'specialized':{'in':2},'marble':{'for':1},'deg':{'.':6},'stubborn':{'as':1},'compare':{'with':2,'the':1,'jupiter':1},'gravels':{'in':1},'share':{'of':2,'it':1,'appreciatively':1,'in':1},'shard':{'the':1},'sphere':{'of':1},'minimum':{'the':1,'without':1},'numbers':{'and':2,'go':1,'above':1,'of':4},'hours.':{'at':1},'sharp':{'mountain-top-like':1,'prickle':1,'mouth-parts':1,'teeth':1,'nip':1,'conical':1,'points':1},'robinson':{'showed':1},'needs':{'to':2,'with':1,'occurring':1},'awkward':{'situation':1,'alacrity':1,'feint':1},'receptacle':{'for':1},'1873-6':{'gave':1},'acts':{'on':1,'as':4,'upon':1,'in':1},'responsibilities':{'.':1},'procellaria':{'pelagica':2},'sacred':{'river-tortoises':1},'profiting':{'by':2},'stir':{'water':1},'ensemble':{'of':1},'indian':{'and':2,'islands':1,'macaque':1,'ocean':1},'advice':{'to':1},'genius.':{'illustration':1},'narrow-beaked':{'crab':1},'tangere':{'leave':1},'blood':{'and':1,'corpuscles':2,'from':1,'relationship':1,'of':5,'is':1,'never':1,'it':1,'throughout':1,'.':4,'to':1,'as':1,'goes':2,'injected':1,'the':1,'has':1,'bringing':1,'or':3},'polynesian':{'mariners':1},'coming':{'and':1,'from':1,'down':2,'to':1,'with':1,'by':1,'out':1},'bloom':{'with':1},'response':{'to':1,'the':1,'from':1},'alps':{'at':1},'reappeared':{'his':1},'crowded':{'meteors':1,'when':1,'with':1,'haunt':1,'difficult':1},'coat':{'to':1,'used':1,'helps':1},'eats':{'its':1},'dragon':{'the':1,'flying':1,'draco':1,'94':1},'coal':{'burns':1,'consider':1,'would':1,'supply':1,'derived':1,'deposits':1,'for':1,'which':1,'.':3,'or':1},'skilful':{'artificer':1},'playing':{'mammals':1,'is':1,'period':2,'possum':1,'the':1,'with':2},'covered':{'a':1,'great':1,'over':1,'all':1,'everything':1,'the':3},'chopped':{'earthworm':1},'infant':{'and':1,'s':1,'.':1,'about':1,'three':1},'rounded':{'skull':2},'winged':{'phase':1,'snails':1,'insect.':1},'much-disputed':{'lines':1},'hypertext':{'form':1},'quiet-looking':{'cloud':1},'lumpsucker':{'mounts':1,'guards':1},'through':{'and':2,'it':3,'one':1,'our':1,'any':2,'unthinkably':1,'space':1,'.':1,'which':3,'orange':1,'1.e.7':2,'them':3,'his':1,'trees':1,'estuaries':1,'every':1,'but':1,'denser':1,'contrasts':1,'an':4,'a':19,'stone':1,'glass':1,'these':2,'air':2,'this':2,'the':54,'stages':1,'its':3,'bodies':1},'lava':{'rising':1},'filters':{'and':1},'existence':{'what':1,'135':1,'of':6,'is':3,'it':1,'.':2,'namely':1,'without':1,'are':1,'animal':1,'in':2,';':1,'by':1,'as':1,'if':2},'visceral':{'clefts':2},'bell-like':{'blossoms':1},'soddy':{'has':1,'frederick':1,'have':1,'puts':1,'one':1},'24':{'the':1,'were':1},'25':{'and':1,'of':1,'trillions':1,'000':6},'26':{'and':1,'we':1,'000':2,'tons':1},'27':{'illustration:':1,'000':1},'thrilling':{'a':1,'story':1},'21':{'1914.':1,'.':1},'22':{'from':1,'would':1,'tons.':1,'yerkes':1,'miles':1,'2007':1},'sodium':{'is':1,'lines':1,'iron':2},'rigel':{'466':1},'physophora':{'hydrostatica':2},'28':{'the':1,'deg.-34':1,'mars':1},'29':{'1919':1,'a':1,'drawings':1,'1908':2,'1919.':1},'late':{'polished':1,'professor':3,'years':1,'autumn':1,'as':1,'triassic':1,'.':1},'detected':{'a':1,'anywhere':1},'microscopic':{'cilia':1,'burdens':1,'organisms':1,'food':1,'study':1,'globules':1,'fertilised':1,'animal':3,'each':1,'animals':1,'algae':1},'--and':{'that':1},'bugbear':{'it':1},'sheaves':{'in':1},'triumphantly':{'from':1},'beginnings.':{'our':1},'good':{'and':1,'atmosphere':1,'old':2,'deal':6,'reasons':1,'idea':1,'as':3,'seed':2,'in':1,'insulators':1,'will':1,'touches':1,'.':2,'instance':1,'samples':1,';':2,'conditions':1,'eyes':1,'send-off':2,'illustration':1,'reason':1,'restoration':1,'purpose':1,'pair':1,'many':1,'second':1,'example':2,'practical':1,'conductor--six':1,'temper':1,'heel':1},'seeking':{'rather':1,'automatically':1},'gardens.':{'the':1},'sappers':{'and':1},'noticing':{'the':1,'that':1},'walls':{'and':1,'of':6,'so':1,'are':1,'nor':1},'compound':{'reflex':2},'olcott':{'field':1},'detach':{'or':1},'struggling':{'too':1},'association':{'a':1,'established':1,'and':1,'of':2,'professor':1,'when':1,'to':1,'which':1,'between':1,'meeting':1},'limpet':{'s':1},'mystery':{'of':1,'they':1,'drowned':1,'.':1},'easily':{'tamed':1,'be':1,'acquiesce':1,'blown':1,'supported':1,'washed':1,'selected.':1,'called':1,'as':1,'disturbed':1,'part':1,'seen':1,'get':1,'find':1,'comply':1},'deteriorates':{'.':1},'fish-like':{'characters':1},'evade':{'the':3},'abdomen--for':{'the':1},'ashes':{'of':1},'habits':{'and':5,'all':1,'there':1,'.':2,'while':1,'which':1,';':1},'2a':{'orohippus':1},'repeating':{'the':1},'possession.':{'if':1},'exquisite':{'tactility':1,'refinements':1},'horsetail':{'and':1},'harm':{'in':1},'everyone':{'is':2,'who':2,'recognises':1,'knows':1},'mental':{'activities':1,'life':2,'endeavour':1,'ability':1,'inheritance':1,'pictures':1,'subtlety':1,'life;':1,'equipment':2,'experimenting':1,'health':1,'aspect':1,'activity':1,'images':1,'aspect.':1,'mill':1,'endowment':1,'side':2,'powers':1,'qualities':1},'hundred':{'and':2,'trillion':4,'varieties':1,'strokes':1,'of':1,'thousand':2,'million':4,'years':2,'ways':1,'planetoids':1,'degrees':2,'stars':1,'in':1,'miles':3,'the':1,'times':1,'odd':1,'generations.':1,'millions':1},'hare':{'willow':2,'it':1,'.':1,'may':1,'s':1,'in':2,'the':1,'or':1},'hard':{'and':2,'saying':1,'work':2,'times':1,'substratum':1,'to':4,'in':2,'legs':1,'or':1,'red':2},'idea':{'that':4,'of':13,'is':1,'but':1,'how':1,'has':1,'was':1,'or':1},'foxes':{'and':2,'stoats':1},'macmillan':{'the':2,'.':4},'oil':{'on':2,'from':1,'is':1,'upon':1,'down':1,'must':1},'schuchert':{'again:':1,'s':1},'connect':{'them':1},'ripple':{'of':1},'hart':{'the':1,'is':1},'antarctic':{'circle--which':1,'shore':1},'shoulders.':{'the':1},'flower':{'and':4,'puts':1,'is':1,'.':1,'basket':3,'collects':1},'associations.':{'there':1},'pigeon':{'a':1,'because':1,'212':2,'gliding':1,'is':1,'continues':1,'s':1,'but':1,'brooding':1,'carrier':1,'which':1},'acting':{'on':3,'upon':2},'49.4':{'rigel':1},'flowed':{'along':1},'print':{'editions':1},'three-quarter':{'days':1},'waterholes':{'full':1},'rejuvenescence':{'e.g':1},'circumstance':{'that':1},'dealt':{'with.':1,'with':6},'extraordinary':{'protrusion':1,'strength':1,'proceeding':1,'power':1,'variety':1,'educability':1,'things':2,'results':1,'vigour':1,'therefore':1,'interest':1,'outbursts':1,'properties':1,'adaptability':1},'terminals':{'thus':1,'.':1},'members':{'of':12,'at':1},'backed':{'by':3},'entrancing':{'interest.':1},'beginning':{'again':1,'for':1,'this':1,'of':35,'when':1,'it':1,'.':1,'to':5,'at':1,'in':2,'was':2,'with':2},'poles.':{'our':1,'there':1},'demands.':{'as':1},'snails':{'various':1,'or':1},'omit':{'one':1},'brain...':{'.':1},'audacity':{'to':1},'72-inch':{'reflector':1},'varanus':{'139':1,'the':1},'down--sometimes':{'dangerously':1},'exercising':{'the':1},'reinforced':{'by':1},'copper':{'and':1,'wires':1,'coin--smaller':1,'that':1,'immersed':1,'in':1,'together':1,'.':1,'age.':1,'wire':3,'zinc':2,'were':1,'beech':1,'age':1,'is':5,'came':1},'bullies':{'of':1},'disregarded':{'only':1},'instances':{'of':1,'where':1,'must':1},'7918':{'1':1},'done':{'is':1,'.':1,'to':1,'as':1,'with':1,'by':1},'vibrate':{'about':1,'.':1,'in':1},'climbing':{'grasping':1,'up':1},'cups':{'whereas':1},'island-universes':{'they':1},'family.':{'viviparity':1},'light-gatherer':{'.':1},'construct':{'a':2},'hollows':{'of':1},'obligatory':{'movements':1},'183':{'evolutionary':1},'assumption':{'of':2},'186':{'photograph':1,'nautilus':1,'shoebill':1,'000':7},'187':{'photo':1},'statement':{'will':1,'that':4,'often':1,'in':1},'185':{'000':1},'rates':{'.':1},'compartment':{'a':1,'b':1,'was':1},'too':{'faint':3,'plainly':1,'simple':1,'soon':2,'high':2,'inhospitable':1,'cold':3,'thick':1,'stingy':1,'easygoing':1,'little':1,'deeply':1,'there':1,'long':1,'hot':2,'much':6,'sheltered':1,'was':1,'complete':1,'shallow':1,'generous':1,'complicated':1,'closely':1,'precious':1,'great':1,'short':1,'large':1,'severe':1,'were':2,'small':2,'serious':1,'soft':1},'muscles':{'and':4,'of':2,'to':1,'going':1,'are':1,'which':1,'in':1,'than':1,'at':1},'travail':{'of':1},'lightest':{'hydrogen':1,'atom':2},'needle':{'on':1,'magnified.':1,'.':1},'park':{'in':1},'procession':{'of':3,'or':1},'part':{'the':1,'corresponding':1,'for':1,'vaporised':1,'of':54,'into':1,'in':3,'.':1,'to':3,'at':1,'under':1,'obscure':1,'with':4,'company':1},'parr':{'become':1,'about':1,'which':1},'prodigious':{'expulsive':1,'speed--and':1,'speed.':1,'outpour':1,'quantities':1,'age':1,'.':1,'scale.':1,'rapidity':2},'selenium-cell':{'which':1},'believe':{'that':11,'in':1,'an':1,'to':1,'were':1,'the':1,'by':1},'don.':{'it':1},'jump':{'at':1,'out':1},'supposes':{'that':2},'b':{'c':1,'that':1,'of':1,'showing':1,'there':1,'when':2,'it':1,'.':7,'in':1,'some':1,'alteration':1,'others':1},'parent--little':{'likely':1},'damages':{'even':1,'costs':1,'-':1},'clodd':{'story':1},'866':{'000':1},'recording':{'of':1},'dissection--or':{'screwing':1},'totteringly':{'for':1},'supposed':{'that':4,'dead':1,'to':4,'indication':1,'have':1,'the':1,'he':1},'messrs.':{'macmillan':3},'treated':{'merely':1},'anthropoid':{'embryo':1,'stock--common':1,'apes':7,'apes--the':3,'type.':1,'apes.':1,'ape':4},'rhacophorus':{'that':1},'efface':{'itself':1},'trifles':{'felted':1},'pre-existing':{'organisms':1},'ages':{'and':3,'set':1,'afterwards':1,'is':1,'sec':2,'in':1,'before':1,'living':1,'organisms':1,'there':1,'had':1,'.':4,'to':2,'which':3,';':2,'has':1,'was':1,'be':1,'we':1,'passed':6,'necessity':1,'along':1,'he':1,'ago':2,'many':1,'of':1,'the':3,'or':1},'left-handed':{'vortices':1},'egg.':{'very':1,'8':1,'3':1},'paltry':{'pigmies':1},'agee':{'when':1},'confirms':{'our':1},'fading':{'away':1},'paths':{'a':1,'of':1,'round':1,'pursued':1},'acid':{'and':1,'water':1,'indigo':1,'caffeine':1},'built':{'a':1,'and':1,'elastic':1,'on':1,'of':1,'up':10,'as':1,';':1,'with':1},'depending':{'upon':1},'trip':{'sideways':1,'which':1},'majority':{'of':7,'is':1,'are':1},'lifts':{'a':2,'the':1},'build':{'a':2,'up':5,'but':1},'deepening':{'hold':1},'sea-perches':{'live':1},'facts.':{'sec':1},'unpalatability':{'or':1},'easygoing':{'kind':1,'conditions':2,'the':1,'swimmers--for':1},'capillaries':{'of':1},'sciences.':{'the':1,'it':1},'eggs':{'and':5,'into':1,'are':2,'have':1,'in':7,'close':1,'during':1,'lie':1,'develop':3,'perhaps':1,'two':1,'.':5,'to':1,'only':1,'which':4,';':1,'77':1,'i.e':1,'with':1,'by':2,'a':1,'on':1,'of':2,'inside':2,'attached':1,'were':1,'or':4},'trains':{'lit':1,'of':1,'and':1},'salmon':{'spawn':2,'do':1,'in':1,'of':1,'is':1,'196':1,'surmounting':1,'leaping':2,'.':1,'1':1,'s':1,'keeps':1,'fry':1,'still':1,'was':1,'or':1,'as':2},'tail-feathers':{'braced':1},'took':{'origin':1,'a':1,'his':1,'longer':1,'advantage':2,'no':1,'flying':1,'up':1,'element':1,'as':1,'place':2,'so':1,'the':2},'depths':{'of':4,'showing':1,'119':1,';':1,'whence':1},'most':{'obdurate':1,'beautiful':2,'primitive':4,'debased':2,'remarkable':4,'people':4,'powerful':4,'valuable':1,'far-reaching':1,'multicellular':1,'bones':1,'inconspicuous':1,'diverse':1,'distant':3,'commonly':1,'abstruse':1,'intricate':1,'fishes':1,'birds':2,'resourceful':1,'impressive':2,'living':1,'salient':1,'daring':1,'patent':1,'interesting':2,'favour':1,'chemical':1,'to':1,'complex':1,'attractive':1,'laborious':1,'mammals':2,'mysterious':3,'promise.':1,'important':8,'difficult':1,'we':1,'popularly':1,'general':1,'scientific':1,'spectacular':2,'intimate':1,'successful':1,'familiar':1,'apparent':1,'convincing':1,'significant':1,'notably':1,'eminent':2,'part':1,'enduring':1,'recent':1,'authorities':1,'cases':9,'trying':1,'monkeys':1,'fascinating':2,'puzzling':1,'a':1,'land':1,'animals':2,'playsomest':1,'effective':2,'famous':1,'marvellous':1,'of':16,'signal':1,'countries':1,'metals':1,'enemies.':1,'distinguished':3,'project':1,'solid':2,'severe':1,'dramatic':1,'tempting':1,'distinctive':1,'ancient':3,'astonishing':1,'essential':1,'extraordinary':1},'petromyzon':{'marinus':2},'significant':{'as':1,'periods':1},'fluctuate':{'the':1},'branching':{'air-tubes':1},'transmissibility':{'of':1},'charitable':{'donations':1},'seething':{'foam':1,'mass':1,'vapours':1},'mammoth':{'drawn':2,'tube':1,'woolly':1,'age':1,'the':1},'weigh':{'a':2,'about':1,'only':1,'them':1,'approximately':1},'overcrowding':{'of':2},'organism':{'explores':1,'reproduced':1,'that':1,'may':1,'is':2,'acts':1,'which':1,';':1,'plays':1,'the':2,'its':1},'thomas':{'henry':2},'secrets.':{'the':1},'particularly':{'rich':1,'characteristic':1,'fond':1,'disposed':1,'important':1,'suited':1,'in':1,'memorable':1},'217':{'the':1},'obligations':{'and':1,'has':1},'fins':{'and':1,'on':1,'used':1,'of':1,'as':1,'taut':2},'scattered':{'the':1,'throughout':1,'was':1,'hither':1,'in':1},'converge':{'in':1},'wasted':{'in':1,'.':1},'shore-pool.':{'sec':1},'relation':{'to':3,'between':3},'carefully':{'just':1,'read':1,'there':1,'considered':1,'examine':1,'drawn':2},'212':{'photo':2},'amphibians.':{'as':1,'palaeozoic':1,'in':1},'fine':{'art':1,'crown':1,'results':1,'textbook':1,'powder':1,'suspended':1,'children':1,'creatures':1,'bulbs':1,'inequalities':1,'particles':2,'enough':1,'details':1,'vapour-like':1,'specimens':1,'product':1,'description':1,'brains':1,'time-recording':1,'translucent':1,'cross-striped':1,'photograph':1,'sections':1,'work':1,'balance':1,'example':1},'find':{'all':1,'some':1,'it':2,'in':3,'any':1,'out':4,'no':2,'two':1,'their':2,'enough':1,'much':1,'if':1,'reflex':1,'them':1,'that':11,'they':1,'included':1,'by':2,'a':4,'none':1,'these':2,'solid':1,'the':5},'downward-projecting':{'sharp':1},'giant':{'recently':1,'instruments':1,'spiral':3,'amphibians':1,'planet':1,'amoeba':1,'reptiles':2,'stars':1,'elephant':1,'whirlpools':1,'reptiles.':1},'double.':{'after':1},'depended':{'and':1,'on':1},'dividing':{'the':1,'into':2,'themselves':1,'as':1},'nervous':{'disturbance':1,'restlessness':1,'system.':1,'system':4,'excitement':1,'rhythm.':1},'bird--was':{'about':1},'distributed':{'old-fashioned':1,'project':1,'to':1,'proofreading':2,'in':1,'throughout':1,'by':1},'unhappy':{'over':1},'lockyer':{'sir':1,'detected':1,'pointed':1},'convoluted':{'.':1},'eruptions':{'at':1},'credulous':{'and':1},'8':{'and':1,'with':1,'there':1,'.':2,'in.':1,'other':1,'100':1,'minutes':2},'gills':{'again':1,'except':1,'.':3,'are':1,'which':2,';':3},'stringops':{'and':1},'merged':{'into':1},'indetal':{'is':1},'forreri':{'which':2},'dust':{'and':1,'no':1,'of':4,'.':2,'to':1,'at':1,'although':1,'in':5},'permission':{'and':1,'from':8,'for':1,'of':15,'.':1,'in':1},'express':{'a':2,'and':1,'the':1,'themselves':1,'or':1},'water-vole':{'and':1},'shore-pools':{'and':2,'makes':1,'in':1},'cheaper':{'.':1},'courage':{'and':1},'breast':{'pocket':1},'silk':{'tassel':4,'from':1,'handkerchief':1,'.':2,'threads':1,'across':1},'target':{'on':1},'transitional':{'experience':1,'between':1},'experiments.':{'illustration':1},'freedom.':{'the':1},'doubled':{'straw':1,'their':1,'over':1},'1825-95':{'86':1,'one':1},'common':{'and':1,'among':1,'habit':1,'is':1,'in':1,'at':2,'sense':1,'insectivore':1,'knowledge':1,'to':4,'chameleon':2,'foraminifer':2,'frog':1,'.':1,'hydra':1,'assumption':1,'animal':1,'chaffinch':1,'stock':1,'mud-skipper':1,'starfish':2,'centre':1,'showing':1,'ancestry--are':1,'shore-crab':2,'objects':2,'drone-fly':1,'from':1,'telescopes':1,'otter':2,'accident':1,'basis':1,'eel':3,'ancestry':1},'doubles':{'of':1},'experiments;':{'and':1},'immigrants':{'from':1},'tended':{'to':2},'disc-like':{'collection':1},'lion':{'.':1},'individual':{'is':1,'life':2,'at':1,'in':1,'movements':1,'from':1,'stands':1,'opportunities':1,'to':1,'stars':1,'has':1,'development':6,'variability':1,'plant':1,'hairs':1,'but':1,'atoms':1,'nurture':1,'types':1,'these':1,'work':1,'experience':3,'liberty':1,'project':2,'habits':1,'can':1,'the':1,'works':1,'ears':1},'starfishes':{'is':1,'spend':1,'sea-urchins':1},'medley':{'of':1},'long-fingered':{'pterodactyl':1},'tender':{'plant':1,'all':1},'forthcoming':{'for':1},'hole':{'and':2,'is':2,'before':1,'only':1,'in':1},'rays.':{'illustration':1},'gunnel':{'escape':1},'degree':{'of':12,'an':1,'which':1,'in':1,'not':1,'the':1,'.':1,'than':2},'halved':{'along':1},'please':{'read':1,'visit':1,'check':1},'splendidly':{'active':1},'halves':{'of':1,'the':1},'smallest':{'particle':2,'web-footed':1,'atom.':1,'french':1,'atom':2,'known':1},'planarians':{'and':1},'vascular':{'hood':2,'tufts':1},'to.':{'during':1},'mouthful':{'of':1},'donate':{'royalties':1,'section':1,'please':1},'sexual':{'reproduction':2},'beetling':{'ape-like':1,'eyebrows':1,'brows':1,'eyebrow':2},'historical':{'evolution':1,'succession':1,'or':1,'fact':1,'evidence':1},'masterful':{'more':1},'deliberately':{'selecting':1},'vanishing':{'mammals':1},'half-hour':{'longer':1},'reverse':{'the':1,'.':1},'journeyed':{'three':1},'annual':{'amount':1},'sons.':{'professor':1,'skeletons':1},'foreign':{'elements':1},'quadruped':{'.':1},'protopterus':{'91':1,'it':1},'elliot':{'fry':1},'point':{'and':1,'on':3,'we':1,'to':9,'that':1,'very':1,'of':9,'is':7,'though':1,'it':1,'.':5,'sound':1,'let':1,'the':3,'forty-five':1,'where':1,'out':1},'simple':{'protists':1,'and':2,'calculation':1,'instincts':1,'worms':1,'one':1,'multicellular':1,'as':1,'bibliographies':1,'creatures':3,'living':1,'many-celled':1,'one-celled':1,'there':1,'ideas':1,'process':1,'book':1,'electrical':1,'animal':1,'maze':2,';':1,'reflex':3,'sort':2,'experiment':1,'worm-types.':1,'that':1,'labyrinth':1,'but':2,'wave':1,'consideration':1,'cases':1,'flagellates':1,'outline':1,'tentatives':1,'form':1,'beginnings':1,'problem':1,'piece':1,'predatory':1},'unremitting':{'vibration':1},'smother':{'many':1},'knipe':{'s':6},'newborn':{'earth--the':1,'cuttlefish':1,'pigling':1},'electrons.':{'this':1,'when':1,'sec':1,'it':1,'illustration':1},'simply':{'a':1,'because':1,'that':2,'to':1,'thin':1,'with':1,'told':2},'unsuccessful':{'movements':1},'zeta':{'orionis':2},'throughout':{'and':1,'set':1,'that':1,'to':1,'the':13,'numerous':1,'its':1},'suppressing':{'useless':1},'expensive':{'and':1},'transformations':{'of':1},'meteorite':{'i.e':1,'or':1,'which':3},'create':{'fresh':1,'are':1,'or':2},'vertebrate':{'race':1,'at':1,'characters':1},'screened':{'the':1},'rivals':{'a':1,'in':2},'secret':{'of':6,'under':1,'from':1,'was':1,'phosphorus':1},'dropping':{'on':1},'stoat':{'becomes':1},'experiments--indications':{'of':1},'astonishment':{'a':1},'slips':{'down':1},'doles':{'of':1},'gas':{'and':3,'shot':1,'less':1,'expanding':1,'is':1,'it':1,'four':1,'as':1,'at':1,'in':3,'still':1,'would':1,'no':2,'there':1,'when':1,'.':2,'glowing':1,'which':1,';':1,'was':1,'be':1,'they':1,'absorbs':1,'about':1,'bill':1,'identified':1,'will':1,'were':1,'the':2,'cooled':1},'gap':{'to':1,'between':1},'vane':{'for':1},'waves--the':{'ultra-violet':1},'tupaia':{'began':1},'likened':{'our':1},'top--the':{'falling':1},'grains':{'of':2},'solid':{'body':2,'core':1,'and':1,'or':1,'liquid':1,'gold':1,'body.':1,'of':1,'could':1,'crust':2,'.':1,'substratum':1,'matter':1,'iron':1,'in':1,'earth':5,';':1,'earth--a':1,'the':1,'is':1,'ground':1},'tree-porcupines':{'and':1},'bill':{'and':1,'adapted':12,'where':1,'would':1},'eclipsed':{'when':1},'cluster':{'of':3,'is':1,'in':3},'plovers':{'lie':1},'replaced':{'by':9},'teaspoonful':{'of':1},'rhinoderma':{'of':1},'schultze':{'.':2},'eclipses':{'can':1},'manner':{'of':3,'away':1,'.':1,'born.':1,'at':1,'rarely':1},'youthful':{'stages':1},'adjusts':{'its':1},'debased':{'with':2},'century':{'we':1,'telescope':1,'that':2,'when':1,'.':4,'the':1,'was':1},'violently':{'and':3,'agitated':3},'metazoa':{'.':1},'regius':{'professor':1},'itself':{'and':3,'because':1,'is':3,'back':1,'an':1,'as':2,'registers':1,'through':1,'at':1,'in':5,'out':1,'again':1,'what':1,'for':1,'.':4,'to':6,'which':2,';':1,'millions':1,'until':1,'more':3,'tentatively':1,'that':1,'along':1,'with':3,'by':1,'he':1,'a':1,'on':1,'up':1,'the':2,'or':1},'atom--the':{'new':1},'saline':{'matter':2},'salina':{'that':1},'evading':{'this':1,'or':1},'discourse':{'.':2},'copying':{'and':1,'distributing':1,'displaying':1,'or':1},'leisurely':{'life':1},'ray':{'of':10,'lankester':4},'sapiens':{'the':1},'alertness.':{'ii':1},'non-digitate':{'paired':1},'eels':{'ascending':1,'are':1,'seem':1,'circumvent':1,'or':1,'illustrate':1},'keys':{'by':1},'leopard':{'is':1,'the':1},'deperet':{'transformation':1},'moment':{'a':1,'to':1,'.':1,'how':1,'s':1,'in':1,'the':3,'by':1},'purpose':{'and':1,'of':1,'is':1,'and--it':1,'here':1,'.':1,'they':1,'such':1,'the':1,'with':1},'timid':{'orioles':1},'circumvented':{'by':1,'.':1},'predecessors':{'rather':1,'of':2,'we':1},'gestures':{'and':1},'organically':{'enregistered':1},'task':{'of':1},'noli':{'me':1},'craves':{'for':1},'gambier':{'bolton.':6},'thoroughly':{'terrestrial':1,'aquatic':1,'aerial':1,'well':2,'it':1,'erect':1,'protected':1},'chemistry':{'and':1,'.':2},'spend':{'their':2,'much':1,'half':1},'examining':{'a':1},'matter.':{'a':1,'lockyer':1,'hitherto':1,'so':1,'another':1,'he':1},'snow':{'mouse':1,';':1,'upon':1,'or':1,'.':4},'profoundly':{'and':1,'influenced':1},'shape':{'and':2,'irresistibly':1,'from':1,'for':1,'that':1,'of':6,'they':1,'changes':1,'change':1},'atomic':{'theory':1,'weight':3,'energy':3,'weights':1,'numbers':1,'in':1,'reservoirs':1},'matter;':{'a':1},'alternative':{'reactions':1,'pathways':1,'but':1,'between':1},'unawares.':{'professor':1},'riki-tiki-tavi':{'which':1},'apes.':{'man':1},'timber':{'for':1},'letting':{'it':1},'superficial':{'differences':1,'work':1,'resemblance':1,'.':1},'cut':{'glass--the':1,'the':1,'up':1,'that':1},'developed.':{'nor':1},'alternate':{'directions--an':1,'format':1},'hereditarily':{'.':1},'source':{'may':1,'of':15,'which':1},'twig-insects':{'put':1},'follow.':{'since':1},'round-mouths':{'cyclostomes':1},'snap':{'at':1,'in':1},'hydrosphere.':{'formative':1},'ganglia':{'.':1},'excited':{';':1,'clucking':1},'silken':{'balloon.':1,'threads':1,'cocoon--the':1},'overhanging':{'bank':1},'big':{'and':1,'telescope':1,'spring':2,'canine':1,'sea-anemone':1,'brain':3,'as':1,'legacy':1,'simply':1,'seal':1,'toe.':1,'clock':1,'forehead':1,'toe':2,'robber-crab':2,'full':1,'brains':2,'lens':1,'with':1,'collar':1,'tree':1,'worm':1,'eyebrow':1,'seeds':1,'fact':5},'adventures.':{'there':1},'smallness':{'by':1},'far-fetched':{'and':1},'disappeared.':{'there':1},'life--a':{'progress':1},'bit':{'of':5},'stingless':{'.':1},'knock':{'over':1,'against':1},'photosphere--the':{'sun':1},'degenerated':{'in':1},'follows':{'a':1,'on':1,'from':2,'that':3,'an':1,'therefore':1,'the':1},'flux':{'and':1,'is':1,'in':1},'indication':{'of':2,'that':1},'beyond-blue':{'waves':1},'cotton-reel':{'as':1,'attached':2},'cloudlets':{'cannot':1,'come':1},'complicated.':{'sec':1},'gibbon.':{'bone':1},'valleys':{'.':1},'often':{'beautiful':1,'exhibit':1,'flies':1,'followed':1,'flapped':1,'pays':1,'overlooked':1,'float':1,'some':1,'libelled':1,'crop':1,'an':1,'say':1,'been':2,'vitally':1,'at':2,'in':2,'touch':1,'seen':1,'dug':1,'nests':1,'linked':1,'seems':1,'forced':1,'given':1,'from':1,'also':1,'apparently':1,'faint':1,'reminded':1,'outside':1,'expressed':1,'find':1,'attracted':1,'only':1,'complex':1,'easy':1,'buys':1,'got':1,'swims':1,'gets':1,'intelligent':1,'grows':1,'shows':1,'poor':1,'badly':1,'attended':1,'to':1,'make.':1,'very':3,'great':1,'safe':1,'about':2,'it':1,'saves':1,'succeed':1,'a':3,'become':1,'not':1,'associated':1,'revealed.':1,'subtle':1,'is':1,'fly':1,'and':1,'made':2,'created':1,'did':1,'of':1,'when':1,'with':4,'reads':1,'different':1,'adjust':1,'so':1,'.':1,'found':3,'lined':1,'involves':1,'referred':1},'absolutely':{'true':1,'essential':1},'hair-like':{'whilst':1},'triceratops':{':':2},'abundantly':{'these':1,'tenanted':1},'back':{'and':6,'into':1,'as':1,'at':1,'in':1,'our':1,'still':1,'again':2,'from':2,'for':1,'downwards':2,'.':1,'to':20,'which':1,';':1,'over':1,'becomes':1,'illustration':1,'125':1,'affording':1,'with':1,'by':3,'of':11,'sometimes':1,'became':1,'teeth':2,'the':1,'or':1},'evolution--there':{'is':1},'martian':{'day':2},'examples':{'of':5},'mirror':{'and':1,'for':1,'produces':1,'is':4,'.':1,'the':1,'than':1},'candle':{'but':1},'ourselves':{'to':2,'into':1,'here':2,'.':1,'how':1,'the':2,'quite':1},'pronounced':{'that':1},'crooked':{'stick':1},'condensed--who':{'can':1},'contacts':{'between':1},'affects':{'the':1},'per':{'hour':1,'second':3,'cent':5,'hour.':1,'step':1,'minute':1},'brain-case':{'of':2},'too--the':{'rabbit':1},'eliminate':{'useless':1},'king-crab':{'limulus':1},'peg':{'pulls':1},'11.--mars':{'october':1},'good.':{'bibliography':1},'scaly':{'fore-limbs':1,'covering':1},'stilt-like':{'legs':1},'life-history':{'of':7,'into':1,'.':1,'for':1,'to':1},'patient':{'with':1},'magnifies':{'this':1},'300':{'000':2,'chickens':1,'times':2},'peculiarly':{'interesting':1,'penetrating':1,'liable':1},'continuing':{'the':1,'.':1,'before':1},'fed':{'on':1,'when':1,'by':1,'.':1},'subconscious':{'cerebration':1},'more-pork':{'or':3},'flanks':{'and':1},'times--glacial':{'and':1},'feigning':{'death':3},'web-wing':{'of':1,'or':1},'nematodes':{'many':1},'piled':{'around':1},'ounce':{'or':1},'offshoot':{'is':1,'from':5},'consequently':{'the':1,'good':1,'changed.':1},'tree-loving':{'animals':1},'aliens':{'like':1},'night-light':{'noctiluca':1},'invading':{'the':1},'inhospitable':{'had':1},'gramme':{'of':1,'.':1},'relapses':{'to':1},'realisation':{'of':1},'deep-violet':{'light-waves':1,'waves':2},'ontario':{'about':1},'live-and-let-live':{'compromise':1},'plane.':{'the':1},'drosophila':{'among':1},'mudstones':{'and':2,'which':1},'trying--the':{'deep':1},'infected':{'with':1,'by':1},'manifested':{'by':1,'in':1},'checks':{'online':1},'forward':{'past':1,'to':2,'as':1,'by':1,'.':1},'examination':{'of':4},'adjusting':{'their':1,'its':1},'exterminated':{'the':1},'niagara':{'we':1,';':1,'are':1,'for':1,'falls':2},'boys':{'place':1},'quiescent':{'well-protected':1,'pupae':1},'hopes':{'that':1},'role':{'of':1,'in':2},'hipparion':{';':1},'directed':{'forwards':1},'blanketing':{'the':1},'non-existence':{'they':1},'rejection':{'of':1},'casein':{'which':1},'detachable':{'electrons':1},'generating':{'strong':1},'lungbooks':{'.':1},'planet':{'and':3,'on':1,'from':1,'around':1,'turns':1,'is':3,'after':1,'neptune':1,'but':2,'.':4,'will':1,'to':2,'s':1,'so':1,'always':1,'venus':2,'might':1,'the':1},'fitter':{'folk':1},'exploration':{'of':2},'planes':{'.':1},'water-bag':{'over':1},'groove':{'.':1},'sea-urchin':{'s':2,'which':1},'recognition':{'among':1,'of':2},'sort':{'and':1,'of':28,'when':1,'at':1,'may':1},'constant':{'interchange':1,'movement.':1,'temporary':1,'temperature':1,'state':2,'able':1,'spectrum':1,'effect':1,'amount':1,'in':1,'movement':1},'punnett':{'that':1},'expedition':{'1873-6':1},'metal':{'tags':1,'uranium':1,'globe':1,'that':1,'ages':1,'to':1,'ages.':1,'displays':1,'the':1,'vapour':1,'is':1,'vapours':1},'scarlet':{'solar':2},'single':{'word':2,'cubic':1,'molecule':1,'young':1,'feature':1,'cell':2,'prism':1,'electron':1,'grain':4,'gramme':1,'leaf':1,'atoms':1,'cell--a':1},'clever':{'synthetic':1,'associations':1,'dwarf':1,'things':2,'dog':2,'as':4,'in':1,'creatures':1},'curl':{'of':1},'dragging':{'effect':1},'prevail':{'.':1},'brethren':{'by':1},'corners':{'being':1,'of':3,'in':1},'biology.':{'the':1},'dimmed':{'by':1},'teemed':{'with':1},'confine':{'ourselves':1},'explaining':{'a':1,'positive':2,'the':1},'best--':{'a':1},'accidental':{'introductions':1,'discovery':1},'neck.':{'illustration':1},'heir':{'is':1},'surface--before':{'in':1},'prepared':{'chemical':1,'the':1,'spectrum':1},'lively.':{'illustration':1},'restoration':{'of':1,'by':3,'modelled':6,'shows':1},'relatives.':{'illustration':1},'utterly':{'dependent':1,'extinct':1,'beyond':1,'artificial':1},'fishes':{'and':5,'emerge':1,'appeared':1,'is':1,'191':1,'it':1,'as':1,'are':2,'in':2,'moreover':1,'saw':1,'before':1,'perhaps':1,'pay':1,'there':2,'had':1,'.':5,'to':2,'much':1,'which':3,'crustaceans':2,'probably':1,'was':1,'do':1,'we':1,'utilise':1,'that':1,'becomes':1,'males':1,'120':1,'cannot':1,'fishes':1,'such':1,'hold':1,'continued':1,'a':1,'like':3,'these':1,'of':1,'could':1,'will':1,'near':2,'were':3,'the':3},'stoppages':{'register':1},'desert':{'where':1},'worsted':{'instinctive':1,'mistake':1},'implies':{'a':2,'ability':1,'that':2,'rather':1,'certain':1,'becoming':1,'an':1,'complexity':1,'if':1},'vehicles':{'of':2},'speculations':{'.':1},'responded':{'to':1},'ascertained':{'is':1},'unhatched':{'crocodile':1,'or':1},'presenting':{'the':1},'ignoramus':{':':1},'failures':{'notably':1,'which':2,'that':1},'ready-made':{'capacities':1,'centres':1,'responses':1,'cleverness':1,'or':2},'tube':{'and':3,'a':1,'fertilises':1,'that':1,'of':1,'began':2,'258':1,'.':5,'bringing':1,'s':1,'as':1,'are':1,'which':1,'leading':1,'from':1,';':1,'with':1,'the':2,'is':1,'at':1},'discards':{'when':1},'tombs':{'that':1},'commoner':{'still':1,'sight':1},'telescope--the':{'largest':1},'served':{'as':3,'for':1,'an':1},'intricate':{'canal':1,'colony':2,'branches':1},'vicious':{'circle':1,'snaps':1},'disintegration':{'or':1,'that':1,'of':3,'.':1,'vital':1,'proceeds':1},'interlock':{'preventing':1},'compose':{'atoms':1},'peanut':{'and':1},'literary':{'archive':13},'blaze':{'of':1,'had':1,'means':1},'masculine':{'and':3,'features':1},'weather':{'conditions':1,'comes':1,'.':3},'gravel':{'and':1,'by':1,'.':1},'coal-field':{'.':1},'little-brain':{'type':5},'stupefying':{'effect':1},'random':{'.':1},'presently':{'the':2,'recognised':1,'what':1,'.':2},'listeth':{'and':1},'time-recording':{'machine':1},'putting':{'food':1,'themselves':1,'two':2},'aerolite.':{'sec':1},'intelligence--of':{'putting':1},'arrange':{'a':1,'themselves':1,'the':1},'severely':{'alone':1},'origin.':{'the':1,'we':1,'none':1,'7':1},'diverging':{'towards':2,'from':1},'shock':{'and':1,'or':1},'mottled':{'brown':1,'appearance':1},'penguins':{'come':1,'are':3},'murrayi':{'and':1},'believed.':{'sec':1},'unsatisfied':{'tendency':1},'orohippus':{'a':1,';':1},'bleeding':{'a':1},'crow':{'and':1,';':1},'other.':{'the':1,'there':1},'crop':{'of':2,'up--a':1,'up':2},'rivers':{'and':4,'from':1,'of':2,'but':1,'.':4,'to':1,'as':1,'in':2,'with':1,'or':1},'frog-mouth':{'sleeps':1},'insertion':{'of':2},'exuberant':{'radiation':1},'laws.':{'the':1},'nests':{'on':2,'or':1,'swaying':1},'pale-white':{'belt':1},'zest':{'with':1,'.':1},'giving':{'condensed':1,'animals':2,'these':1,'rise':4,'up':1,'us':1,'an':1,'birth':1,'off':2,'the':2,'out':1},'assisted':{'the':1},'fat':{'below':1,'.':1},'habituation':{'the':1},'paddle':{'of':1,'which':1},'access':{'to':10},'away--you':{'may':1},'crossed':{'by':1},'3a':{'mesohippus':1},'exercise':{'fifty-four':1},'rhodesian':{'cave-man':1,'man':4},'beasts':{'of':1,'have':1},'works--the':{'furnishings':1},'pelage':{'than':1},'outlying':{'electrons':3},'nimble':{'and':1},'river.':{'2':1},'intercept':{'some':1},'sink':{'and':1,'from':1,'away':1,'down':1,'to':3,'in':1,'beyond':1},'others':{'likewise':1,'as':2,'are':3,'have':2,'in':3,'rapidly':1,'for':1,'there':1,'.':4,'to':1,'which':1,'regard':1,'that':2,'read':1,'who':1,'such':1,'worked':1,'like':4,'thought':1,'suggests':1,'remain':1,'were':2,'at':1,'the':1,'weaves':1,'or':1,'climbers':1},'tremor':{'it':1,'.':1},'safer':{'to':1},'implicit':{'in':2},'widening':{'spread':1},'respiration':{'and':1,'than':1},'stalks':{'a':1,'which':1},'broken':{'and':2,'down':2,'off':2,'shells':1,'up':6,'.':1,'past':1,'their':1,'hill':2,'empties':1},'33':{'photo':2},'32':{'a':1,'comet':1,'600':1},'31':{'15':1,'735':1,'vast':1},'30':{'000-50':1,'1885':1,'000':2,'days':1},'37':{'photo':2},'alaska':{'and':1},'35':{'feet':1,'tons.':1,'000':1},'redbreast':{'and':1},'wasplike':{'which':1},'climb':{'on':1,'the':1,'up':1},'tubercles':{'on':1},'composed':{'of':13,'.':1},'named':{'coronium.':1,'the':1,'darwin':1,'20417.txt':1,'brown':1},'land-crab':{'birgus':1},'67.2':{'0.62':1},'sculling':{'and':1},'vulcanite':{'and':1},'decrease':{'of':1,'until':2,'in':1},'names':{'in':1},'oval':{'and':1,'than':1,'.':1},'tap':{'this':2},'lime':{'the':1,'64':1},'links':{'and':1,'to':1,'or':1},'readable':{'by':1,'form':1},'cretaceous':{'white':1,'there':1,'strata':1,'era':1,'period':2},'themselves':{'nearest':1,'into':3,'pass':1,'as':1,'are':3,'have':1,'in':6,'go':1,'if':1,'from':1,'.':5,'to':1,'adequate':1,'traceable':1,'then':1,'we':1,'very':1,'sufficient':1,'affording':1,'by':3,'whenever':1,'of':1,'up':1,'spontaneously':1,'unmistakably':1,'so':1,'energetically':1},'pre-arrangements':{'of':2,'we':1},'oily':{'water':1},'excitedly':{'.':1},'engender':{'where':1},'ancestral.':{'the':1},'myriads':{'of':1},'magnesium.':{'illustration':1},'proton':{'.':1},'train':{'travelling':1,'.':1},'indifferent':{'or':1},'batesian':{'after':1},'harvest':{'of':1,'at':1,'field':1},'elbow-room':{'for':1},'hints':{'of':1},'swooping':{'gull':1,'leaps':1,'87':1},'account':{'of':4,'has':1,'for':8},'understanding.':{'for':1},'f':{'.':7},'crickets':{'and':2},'pelicans':{'and':1},'non-radiant':{'matter':1},'closing':{'of':1,'words':2},'continuity':{'of':1},'experiential':{'learning.':1},'violence':{'.':1},'instinct--a':{'useful':1},'e.g.':{'nitrates':1},'proportions':{'on':2,'for':1},'reconstructed':{'from':2},'renewed':{'our':1},'mixture':{'of':2},'water.':{'the':2,'illustration':3,'in':1},'bones':{'and':2,'e.g':1,'of':2,'some':1,'.':1,'running':1,'slowly':1},'native':{'of':1},'daring':{'operations':1,'of':1},'democracy':{'.':1},'noises':{'does':1},'holds':{'a':1,'also':1,'its':1,'together':1,'in':1},'regions':{'of':3,'to-day.':1,'are':1,'or':1,'empty':1,'farther':1},'flood.':{'there':1,'sec':1},'lamp':{'and':1},'proceeded':{'far':1,'further':1},'called--it':{'will':1},'furnace':{'the':1,'like':1},'imprints':{'from':1},'says:':{'all':1,'they':1},'watery':{'with':1},'dull-red':{'heat':1},'gill-clefts':{'are':1,'they':1},'waters':{'and':1,'that':1,'afford':1,'of':5,'allows':1,'.':4,'under':2,'covered':2,'the':1,'beyond':1,'where':1,'quite':1},'philosophy':{'of':1},'collection':{'will':1,'of':4,'so':1,'are':1,'.':1},'mixed':{';':1,'all':1,'together':1},'them--simple':{'one-celled':1},'united':{'states':13,'states.':1},'preferred':{'to':1},'multiplication':{'of':4,'into':1,'takes':1,'covers':1},'soup-plate':{'but':1},'primers':{'beginning':1},'chasing':{'mates':1},'tethering':{'the':1},'bind':{'animals':1,'long':1},'lines':{'and':2,'it':1,'replace':1,'not':1,'as':1,'are':3,'have':1,'in':2,'birds':1,'would':1,'.':3,'to':2,'which':1,'drawn':1,'we':1,'they':1,'fishes':1,'he':1,'on':2,'of':7,'will':1,'placed':1,'became':1,'the':2},'correspond':{'to':4},'chief':{'among':1,'use':1,'kinds':1,'scientific':1,'importance':1,'executive':1,'theories':1,'four':1,'plains':2,'reason':1,'classes':2,'stocks':1},'counterbalances':{'its':1},'stony':{'meteorite':1},'subsequently':{'fed.':1,'ignored':1},'lined':{'with':2},'furnish':{'a':1,'the':2,'data':1},'motions.':{'sec':1},'africans':{'straight-haired':1},'lens.':{'a':1},'symbols':{'of':1,'help':1},'alacrity':{'towards':1,'with':1},'horns':{'but':1},'agricultural':{'pioneers':1},'bunch':{'of':4},'industries':{'of':1,'.':1},'bridges':{'the':1,'were':1,'he':1},'negotiated':{'he':1},'le':{'verrier':1,'bon':1},'lb':{'.':1},'la':{'chapelle-aux-saints':2},'labor':{'in':1},'age':{'and':4,'just':1,'it':1,'as':1,'in':5,'whereas':1,'seems':1,'.':4,'to':3,'which':1,';':2,'has':1,'was':1,'more':1,'that':1,'after':2,'amphibians':1,'by':1,'dates':1,'of':13,'could':1,'lasted':1,'without':1,'the':2},'squatting':{'figure':1},'marsh':{'and':2,'birds.':1,'.':1},'bridged':{'very':1},'diverts':{'.':1},'junction':{'of':1},'greater':{'distance':2,'distorting':1,'plasticity':1,'intelligence':1,'in':1,'antiquity--perhaps':1,'celandine':1,'resistance':1,'possibilities':1,'rate':1,'part':2,'mass':1,'compactness':1,'interest':2,'activity':1,'concentration':1,'than':7,'accuracy':1},'descendants':{'as':1,'to-day':1,'.':1},'faunas':{'of':1},'dam':{'of':1,'.':1},'gauging':{'their':1},'cock-paidle':{'probably':1,'or':1},'phagocytes':{'may':1,'which':1},'accumulates':{'a':1},'faunal':{'drift':1},'day':{'and':10,'is':3,'it':2,'comprised':1,'as':1,'are':1,'in':1,'seem':1,'from':1,'for':1,'rather':1,'when':3,'long':1,'.':7,'also':1,'therefore':1,'covered':1,';':1,'was':1,'we':2,'alighting':1,'becoming':2,'sink':1,'one':1,'by':2,'he':1,'of':1,'equal':2,'were':1,'the':2},'6.--solar':{'prominences':1},'least.':{'these':1},'radiant':{'heat':2,'matter.':1,'than':1,'element':1},'tenanted':{'and':1,'the':1,'to-day':1,'by':1},'identified':{'an':1,'by':2,'.':1},'blazing':{'star':1},'exploring':{'new':1,'the':1,'with':1,'habit':1},'slipping':{'down':2,'back':1},'harness':{'this':1,'and':1,'the':1},'integumentary':{'structures':1},'references':{'to':2},'giants.':{'thus':1},'jasper':{'did':1,'studied':1},'movement-controlling':{'organ':1},'vestigial':{'muscles':1,'structures':4,'third':1},'attendant':{'on':1,'field':1},'pivot':{'the':1,'through':2},'slumped':{'together':1},'tubular':{'sea-anemone':1,'shells':1},'suctorial':{'mouth':1,'tube-feet':1},'kids':{'and':1,'foals':1},'inch':{'and':2,'less':1,'of':3,'long':2,'.':6,'at':1,'in':7,'thick':3,'one':2,'or':1,'thick.':1},'wholly':{'of':1},'mate':{'and':1,'kith':1,'s':1,'has':1},'oriental':{'race':1},'technically':{'this':1,'called':1},'red':{'and':4,'fife':1,'spring':1,'deer':1,'yellow':1,'disc':1,'at':1,'tumultuous':1,'mouth.':1,'giant':1,'end':1,'sandstone':2,'.':3,'glowing':1,'stars':3,'orange':1,'star':3,'on':1,'prominences':1,'spot':1,'seaweeds':1,'ones':1,'blood':1,'waves':1,'fife--a':1,'card':1,'a':1,'worsted':2,'flames':3,'glory':1,'light':1,'region':1,'will':1,'calcutta':2,'the':1,'tinge':1,'or':3,'seaweed':1},'approached':{'too':1},'many-celled':{'wheel':1,'animals':1,'organism':1,'animal':1,'creature':1},'lizzie':{'had':1,'the':1,'never':1,'was':2,'s':1},'others--which':{'is':1},'discover':{'a':1,'that':2,'this':1,'differences':1,'some':3,'their':1,'how':1,'in':1,'the':2},'fourteen':{'hours':1,'days':2,'or':1},'coronium.':{'measuring':1,'we':1},'approaches':{'to':1,'the':3},'electricity--electric':{'current--the':1},'trends':{'of':1},'qui':{'vive':1},'likelihood':{'far':1,'the':2},'young--a':{'use':1},'backwards':{'and':1,'we':3,'for':1,'over':1,'when':1,'it':1},'yard':{'in':1},'mortar':{'of':2},'chicken':{'procellaria':2},'allied':{'to':4},'barriers':{'.':1,'must':1},'retain':{'a':1,'their':1},'mammal-like':{'and':1},'empire.':{'he':1},'south':{'sir':1,'poles.':1,'of':4,'africa.':1,'american':3,'pacific':1,'.':3,'pole':1,'poles':1,'in':1,'america':4},'predominate':{'over':1},'complete.':{'illustration':1},'rudely':{'dressed':1,'shaken':1},'finest':{'triumphs':1,'measurements':1,'exhibition':1,'gold':1},'braced':{'against':1},'investigated.':{'ether':1},'condensed;':{'but':1},'food-plants':{'of':1},'improvements':{'and':1,'like':1,'in':2},'sacs':{'which':1},'reached':{'a':1,'then':1,'about':1,'animals':1,'this':1,'their':1,'nearly':1,'immediately':1,'the':4,'its':1},'michelson':{'and':1},'humblest':{'living':2},'ancient':{'copper':1,'type.':1,'seas':3,'astronomer':1,'seashore':1,'human':1,'extinct':1,'times':1,'skeletons':1,'hunters':1,'crust':1,'peoples':1,'mediaeval':1,'life':1,'amphibians':1,'days.':1,'sea.':1,'than':1,'types':4,'days':2,'civilisations':2,'rocks':1,'beds':1},'sadly':{'impressed':1},'monkey':{'and':1,'has':1,'b':2,'that':1,'of':1,'there':1,'it':1,'an':1,'how':1,'s':3,'which':1,';':1,'.':2,'yet':1,'as':1},'guiana':{'82':1,'the':1},'all--the':{'atom':1},'ripples':{'measuring':1,'in':1},'hotter.':{'it':1},'nebular':{'theory.':2,'theory':2,'region':2,'theory--spiral':1,'gases':1,'hypothesis':4,'mass':1},'intermediate':{'positions':1,'layer':1,'between':1},'sky--this':{'we':1},'anatomises':{'the':1},'completed':{'a':1,'her':1},'acquire':{'kinetic':1,'the':1},'negro':{'and':1},'device--more':{'reflex':1},'environmental':{'sometimes':1},'slopes':{'down':1,'of':1},'plumage':{'like':1,'of':1,'is':1,'are':1,'makes':2,'or':1},'bodyguard':{'of':1},'furnishings':{'of':2},'kant':{'had':1},'shrapnel':{'which':1},'brusque':{'variations':2},'lizard-like':{'tail.':1,'tail':1},'depends':{'on':10,'all':1,'partly':1,'upon':4,'.':2,'to':1},'heavens.':{'of':1},'light':{'and':12,'emerging':1,'besides':1,'previously':1,'penetrates':1,'is':14,'coming':1,'reaches':1,'an':1,'visible':1,'as':1,'rings.':1,'are':4,'in':3,'consists':2,'our':1,'passes':2,'differ':2,'rays':1,'from':10,'tread':1,'would':1,'electricity':1,'travel':1,'there':1,'wave-lengths.':1,'sunlight':1,'.':14,'to':3,'returns':1,'production':1,'which':7,'according':1,'travelling':1,'has':3,'was':1,'into':1,'red':1,'more':1,'body':2,'then':1,'we':1,'283':1,'travelled':1,'that':4,'may':1,'becomes':1,'gathered':1,'emitted':1,'took':1,'but':2,'falls':2,'magnetism':1,'will':3,'falling':1,'waves':2,'i.e':1,'with':1,';':4,'upwards':1,'a':1,'on':9,'made':1,'takes':3,'of':20,'radiant':1,'depends':1,'against':1,'reduced':1,'travels':2,'without':2,'so':1,'can':1,'many':1,'the':4,'or':1,'comes':1},'lurching':{'movements':1},'flashes':{'of':1},'anthropologist':{'professor':1},'imaginative':{'range':1,'or':1,'minds':1},'involution':{'but':1},'wood-cock':{'which':1},'curves':{'of':1},'comfortable':{'far':1,'as':1},'tide':{'and':2,'the':2,'in':1,'or':1,'out':1},'corrupt':{'data':1},'comfortably':{'in':1},'astrophysical':{'observatory':3},'unlikely':{'that':2},'uganda':{'bug':1},'sporadic':{'and':1,'members':1},'throat':{'bulges':1},'curved':{'bodies.':1,'pillar':1,'on':1,'than':1,'fingers':1},'activity--that':{'of':1},'complete':{'and':1,'living':1,'proof':1,'stereoscopic':1,'reflection':1,'absorption':1,'.':2,'pace':1,'revolutions':1,'master':1,'fossil':1,'in':1,'one':1,'its':1,'change':1,'theory':2},'mic':{'.':1},'wits':{'and':1,';':1,'in':1,'when':1,'.':1},'gravity':{'pressure':1,'is':1,'.':1,'near':2,'the':1},'provokes':{'simple':1},'pectoral':{'fins':5,'muscles':1},'gliding':{'on':1,'from':2,'alligator-like':1,'one':1},'rediscovered':{'by':1},'jumna':{'doles':1},'unless':{'a':1,'we':2,'indeed':1,'there':2,'it':1,'they':1,'our':1,'the':3,'you':3},'trundles':{'about':1},'mathematician':{'leibnitz':1,'le':1,'can':2,'.':1},'mimics':{'they':1},'eight':{'large':1,'unbranched':1,'of':1,'months':1,'years':1,'feet':1,'sense-organs':1,'tons':1,'branched':1,'planets':2,'the':1},'peppered':{'moth':1},'cleverest':{'animals':1,'monkey':1},'sally':{'the':1,'some':1,'above':1},'plastic--a':{'generalised':1},'profoundest':{'of':1},'palaeolithic':{'and':1,'cave-men':2,'men':1,'culture':1,'peoples':1},'firelight':{'must':1},'inexorable':{'laws':1},'gullet':{'unbroken':1},'heartening':{'encouragement':1},'enthusiastic':{'.':1},'gather':{'to':1,'the':2,'round':1,'on':1},'request':{'of':1},'disease':{'and':1,'is':1,'after':1,'.':2},'animal--perhaps':{'the':1},'park.':{'profile':1,'side-view':1,'chimpanzee':3,'surface':1,'comparisons':1,'the':3},'artificially':{'and':1,'to':1,'it':1},'occasion':{'and':1,'on':1,'.':1,'suggested':1,'of':1},'normally':{'a':1,'concealed':1,'handed':1},'ten-armed':{'cuttlefish':2},'true.':{'if':1},'area.':{'swimmers':1,'it':1},'selection':{'of':3,'advantage':1},'kith':{'and':1},'text':{'to':1,'emits':1,'.':2},'supported':{'on':1,'in':1,'like':1,'by':1},'braking':{'action':1},'pinhead':{'brain':1},'continually':{'added':1,'being':2,'recuperate':1,'worn':1,'tends':1,'changing':1,'passing':1,'travelling':3},'thicker':{'fur':1},'staff':{'shows':1},'wear':{'and':1,'any':2},'knowledge':{'and':1,'be':1,'means':2,'respecting':1,'advances':1,'is':1,'there':1,'had':1,'it':1,'but':1,'.':2,'may':1,'that':2,'were':1,'extends':1,'of':13,'the':1,'has':1,'as':1,'more':1},'sparks':{'which':1},'scorpion':{'we':1},'luminescent':{'and':1,'animals':1},'body-making.':{'in':1},'insectivores':{'not':1,'and':1,'including':1},'fatiguing':{'exertions':1},'emitting':{'light':1,'rays':1},'wild.':{'two':1},'hand.':{'attempts':1,'cross-fertilisation':1,'half':1},'inferior':{'either':1},'equilibrium':{'positions':1,'has':1,'results':1,'otherwise':1},'photographs':{'we':1,'show':2,'of':1,'.':1,'fig':1,'taken':2,'by':1,'figs':1},'coin--smaller':{'than':1},'exceptional':{'and':1,'spring':1,'auroral':1,'in':1,'cases':2,'conditions':1},'beat':{'a':1,'things':1,'it':1},'photography':{'and':1},'bear':{'and':2,'on':1,'of':2,'straight':1,'illustration':1,'to':1,'numerous':1,'in':3,'the':1,'was':1},'perfection':{';':1,'is':1,'in':1,'by':1,'.':1},'swiftest':{'flywheel':1},'stigma':{'the':1},'striped':{'tiger':1,'muscles':1,'muscle':1},'halo':{'surrounding':1,'there':1,'such':1},'areas':{'and':1,'differ':1,'land':1,'corresponding':1,'was':1,'of':1,'.':1,'to':1,'at':1,'known':1,'where':1,'or':1},'crabs':{'and':1,'are':1,'that':1},'egg-laying':{'is':1,'.':1},'caves':{'unsunned':1,'in':1},'organ':{'of':3,'is':1,'called':1,'for':1,'.':1},'pglaf.org':{'fundraising':1,'for':1,'section':1,'.':1,'while':1,'donate':1},'fixes':{'a':1,'to':1,'sea-anemones':1},'shore-animals':{';':1,'e.g':1,'which':1,'have':1,'.':1},'eyebrow':{'ridges.':1,'ridges':6},'saturates':{'through':1},'excesses':{'of':1},'light--is':{'the':1},'gibson':{'gives':1},'cave-hyaena':{'mammoth':1},'farthest':{'out':1},'exists':{'because':1,'there':1,'only':1,'as':1,'in':2,'the':1},'universe--the':{'evolution':1,'solar':2},'national':{'physical':2},'flapped':{'very':1},'inextricably':{'interwoven':1},'carnivores':{'and':1},'intensity':{'of':4},'cenozoic':{'making':1,'began':1,'era':1,'or':1,'eras':1},'enhanced':{'by':2},'greece':{'and':2},'ruse':{'succeeded':1},'36.0':{'0.24':1},'shallows':{'.':1},'phases':{'of':1},'pedigree':{'of':1,'the':2,'.':2,'is':1,'must':1},'apparently':{'clever':1,'red-hot':1,'unconscious':1,'simple':1,'inexhaustible':1,'instantaneous':1,'in':1,'served':1,'you':1,'sluggish':1,'inevitable':1},'nebula':{'and':1,'what':1,'round':1,'march':2,'although':1,'of':1,'57':1,'we':1,'but':1,'.':2,'seen':2,'to':7,'need':1,'which':1,'in':8,'it':1,'revolving':1,'has':2,'laplace':1,'is':4},'difficulties':{'and':5,'may':1,'of':5,'is':1,'in':1,'when':1,'.':1,'are':3,'have':1,'were':1,'the':1},'routine':{'and':1,'cannot':1,'is':3,'.':1,'became':1,'so':2,'activity':1,'instinctive':1,'has':1,'metabolism':1},'progress':{'we':1,'towards':2,'unless':1,'demands.':1,'many':1,'is':1,'of':4,'.':5,'depends':1,'have':1,'in':3,';':1,'has':1,'was':1},'boundary':{'line':1,'lines':1},'janes':{'leonard':2},'various':{'distances':1,'methods':2,'elements.':1,'conditions.':1,'proportions':1,'intervals':1,'human':1,'subtle':1,'racial':1,'classes':1,'physical':1,'layers':1,'forms':5,'concrete':1,'ways':1,'interesting':1,'flying':1,'ways.':1,'colours':2,'parts':1,'electrical':1,'open-sea':1,'kinds':4,'bolts':1,'mammals':1,'atoms':1,'races':1,'fishes':1,'shore-haunts.':1,'stocks':1,'articles':1,'processes':1,'places':1,'departments':1,'theories':1,'lengths':2,'experiments':1,'formats':1,'stages':1,'other':1},'reproduced':{'in':3,'from':7,'below.':1,'by':18},'cauliflower':{'sticking':1,'and':1},'superior':{'to':1},'emitted':{'by':3},'deliver':{'insects':1},'willing':{'to':2,'is':1},'nightfall':{'hippolyte':1},'exist.':{'there':1,'some':1},'guiding':{'his':2},'sharply':{'away':1},'asunder':{'the':1},'freely':{'and':1,'available':1,'sharing':1,'distributed':1,'as':1,'suspended.':1,'shared':1,'round':1},'taking':{'a':1,'longer':1,'advantage':2,'it':1,'running':1,'place':2,'5':1,'the':2,'care':1},'equal':{'weight':1,'pieces':1,'to':7,'length':1,'perfection':1,'.':1},'attributed':{'this':1,'to':1},'pulp':{'.':1},'flesh-eating':{'and':1},'sexes':{'and':1,'wander':1},'wringing':{'the':1},'swim':{'much':1,'at':1,'against':1,'for':1},'conquered':{'and':1,'the':3,'one':1},'swallow':{'a':1},'temporal':{'or':1},'glorious':{'failures':1,'display':1},'otherwise':{'would':1,'there':1,'when':1,'quite':1,'the':3,'called':1},'basins':{':':1,'.':1},'acorn-shell':{'and':1},'heritable':{'novelties':1},'deflected':{'as':2},'unearthed':{'.':1},'pouring':{'floods':1,'out':2},'marett':{'r':1},'tremendous':{'energy':3,'movements':1,'question':1,'but':1,'movement':1},'everything--so':{'there':1},'muddy':{'feet':1,'precipitate':1},'copies':{'of':7},'armadillos':{'.':1},'migrate':{'about':1},'dogfish':{'have':1},'natans':{'stands':1},'curtain':{'of':1,'floating':1},'copied':{'and':1,'or':1},'sluggish.':{'animals':1},'home.':{'long':1},'herbage':{'fastening':1,'and':1,'by':1,'.':1},'composed.':{'the':1},'antlers':{'in':1},'arises':{'what':1,'from':1},'sex--emotions':{'of':1},'looked.':{'using':1},'essentially':{'a':1,'of':2,'the':1,'wrapped':1,'is--should':1},'assert':{'themselves':1},'finished':{'and':1},'angles':{'to':4,'which':1},'angler':{'of':1,'s':2},'fellow':{'short':1,'from':1},'food-canal':{'and':3,'a':1,'the':1,'muscular':1,'.':2},'arisen':{'as':1,'in':1,'from':1,'by':1,'.':1},'volunteer':{'support.':1},'homes':{'of':1,'from':1},'economised':{'reproduction':2},'splits':{'up':1},'article.':{'bibliography':1},'appearance':{'and':1,'we':1,'very':1,'of':5,'.':2,'habits':2,'cloaked':1,'which':1,'in':1},'value':{'.':1,'or':1,'in':1},'promotes':{'both':1},'dendrites':{'of':1},'amenity':{'.':1},'file':{'or':1,'should':1},'chaotic':{'molecular':1},'squid':{'in':2},'weighed':{'but':1},'arrangements':{'of':2,'for':1},'arabia':{'ceylon':1},'partner':{'s':1,'sea-anemones':2,'.':1},'tumbled':{'into':1},'watchful':{'mother':1},'physiologists':{'like':1},'locomotion;':{'new':1},'mid-europe':{'red':1},'jurassic.':{'for':1},'prognostications':{'as':1},'well-grown':{'fishes':1},'felted':{'together':1},'aquitania':{'is':1},'locomotion.':{'illustration':1},'twelfth':{'printing':1},'neolithic':{'age':1,'days':1,'community':1,'.':1,'culture':1,'men.':1,'times':1,'man':6},'material':{'and':2,'in':1,'which':4,'e.g':2,'things':2,'is':1,'of':2,'particles.':1,'particles':1,'studying':1,'aspect':1,'universe':5,'such':1,'throughout':2,'than':1,'resources':2},'soddy--as':{'any':1},'cubic':{'inch':2,'inches':2,'centimetre':2},'absent;':{'stars':1},'water-filled':{'quarry':1},'binoculars':{'is':1},'discredited':{'atomism.':1},'26.--a':{'spiral':1},'judgment':{'on':1},'buttonholes':{'at':1},'nevertheless':{'these':1,'all':1,'been':1,'master.':1},'pompilius':{'common':1},'weapon':{'on':1},'capella':{'49.4':1},'treacly':{'fluids':1},'thought':{'and':2,'even':1,'that':3,'of':2,'is':1,'it':1,'.':1,'to':1,'was':1,'they':1,'hydrogen':1},'exceedingly':{'small':2},'sets':{'of':3,'off':1,'up':1,'in':1},'comparisons':{'of':2},'wreckage':{'of':1},'arising':{'afresh':1},'latest':{'and':1,'measurements':1},'appropriately.':{'birds':1},'barking':{'down':1},'humdrum':{'non-plastic':1,'race':1},'executive':{'and':1},'domestic':{'pigeons':1,'rabbits':1,'dog':1},'harpy-eagle':{'216':1,'clean':1},'bivalves':{'and':1},'stored':{'may':1,'away':1,'up':2,'for':1},'books':{'may':1,'recommended':1,'now':1,'are':1,'.':1},'protecting':{'blanket':1,'them':1},'swimming-bells':{'and':1},'wrens--to':{'try':1},'one-toed':{'horse':1},'work.':{'1.e.4':1,'the':2,'there':1,'-':1,'first':1},'absorption':{'of':2,'was':1},'onward':{'.':1},'lake':{'and':1,'pond':1,'of':1,'constance':1,'city':1},'mathematically':{'satisfactory':1},'add':{'just':1},'work;':{'the':1},'slits':{'the':1},'spirals':{'present':1,'in':1},'warns':{'us':1},'280':{'wave':1,'in':1},'283':{'photo':1,'niagara':1},'282':{'the':2},'287':{'photo':2},'incarnations':{'and':1,'one':1},'resolved':{'into':1,'the':1,'in':1},'worlds':{'and':1,'in':3,'sec':1,'.':1},'hermonis':{'and':1},'refinements':{'are':1},'mutations':{'and':1,'then':1,'whatever':1},'royalty':{'fee':1,'payments':2},'98.8':{'arcturus':1},'elapses':{'between':1},'implements--knives':{'scrapers':1},'jupiter.':{'the':1},'audibly':{'when':1},'capacities':{'of':4,'work':1,'but':3,'are':1,'usually':1,';':1},'like':{'plaice':2,'deliberateness':1,'toads':1,'london':1,'fungas':1,'birds':1,'shuffling':1,'to':2,'insectivores':1,'very':1,'duckmole':1,'sandstones':1,'one':1,'minute':1,'patrick':1,'globe-fishes':1,'shapes':1,'sloths':1,'amoebae':1,'rats':2,'partridges':1,'sugars':1,'some':3,'sea-squirts':1,'jupiter':1,'our':5,'bark':1,'ourselves':1,'poisonous':1,'its':2,'asking':1,'trout':1,'volvox':1,'opening':1,'of':1,'carnivorous':1,'great':1,'flames':1,'many':1,'otters':1,'ants':1,'skunks':1,'chlorophyll':1,'house-flies':1,'mercury':1,'whales':1,'.':3,'white':1,'genesis':1,'pallas':1,'that':6,'centipedes':1,'coughing':1,'fountains':1,'glass':1,'those':1,'he':1,'this':2,'starts':1,'sea-anemones':1,'matter':4,'fallow':1,'silly':1,'were':1,'and':2,'rooks':1,'certain':1,'is':1,'it':2,'an':8,'as':1,'which':2,'skates':1,'but':1,'waves':1,'fishes':1,'ours.':1,'a':44,'wisps':1,'professor':2,'dog':1,'kipling':1,'so':1,'raindrops':1,'the':56,'brer':1},'success':{'and':1,'of':1,'is':1,'to':1,'as':1,'in':1,'has':1},'spiral.':{'thus':1,'but':1},'porous':{'like':1},'admitted':{'of':1,'that':5},'ozone':{';':1},'radio-active--then':{'we':1},'chick':{'does':1,'out':1},'works':{'and':1,'in':7,'its':1,'if':1,'even':1,'provided':1,'based':2,'harmless':1,'.':2,'to':1,'only':1,';':1,'unless':1,'that':2,'1.a':1,'from':1,'with':1,'by':2,'posted':1,'on':1,'possessed':1,'reports':1,'so':1,'mr':1,'calculated':1},'soft':{'food':1,'soil':1,'muddy':1,'tail':2,'.':1,'to':1,'enough':1,'parts':2,'moss':1,'browns':1,'silvery-looking':1,'abdomen--for':1},'heel':{'a':1,'of':2,'than':1},'italian':{'scientist':1},'accessible':{'by':1},'simple.':{'the':1},'propel':{'our':1},'alive':{'.':1,'at':1,'are':1},'hair':{'and':1,'is':1,'woolly-haired':1,'in':1,'the':1,';':1},'convey':{'an':1},'convex':{'curves':1},'proper':{'answer':1,'proportions':2,'number':1,'way':1,'time':1},'happens':{'for':1,'that':2,'certain':1,'is':1,'.':2,'in':1},'0.24':{'3030':1},'students':{'of':1},'masked':{'their':1,'by':2},'economical':{'reduction':1},'assuming':{'reasonably':1},'results.':{'fog':1,'but':1},'mind-body':{'at':1},'snuggle':{'under':1},'overcharged':{'with':1},'manifesting':{'itself':1},'noise':{'of':1,'.':1},'slight':{'changes':1,'as':1,'improvements':1,'keel':1,'fluttering':1,'clouding':1},'ever-lengthening':{'tail':1},'combative':{'creature':1},'stellar':{'universe.':1,'universe--the':1,'spectra':1,'system':1,'universe':5,'universes':1,'astronomy':1},'crossing':{'the':1},'host':{'of':1,'is':2,'s':1,'for':1,'.':1},'although':{'we':5,'modern':1,'thirsty':1,'all':1,'there':2,'great':1,'it':1,'at':1,'they':1,'mr':1,'small':2,'our':1,'the':8},'worthy':{'of':1},'periodically':{';':1,'bursts':1,'in':1,'pass':1},'christened':{'coronium.':1,'them':1,'electrons':1},'about':{'among':2,'seven':2,'because':1,'twenty-one':1,'ten':1,'on':3,'the':47,'energy':1,'within':1,'all':1,'10':1,'two':6,'60':1,'as':1,'two-thousandths':1,'sec':1,'35':1,'in':3,'our':2,'shooting':1,'its':1,'sun-spots':2,'six':3,'for':1,'eleven':1,'ways':1,'twenty':2,'there':1,'forty':1,'40':1,'.':2,'1':3,'their':1,'3':1,'5':3,'4':1,'which':3,'9':3,'electrons':1,'more':1,'twenty-five':1,'thirty-two':1,'500':1,'equilibrium':1,'life':2,'2-1':1,'an':2,'to':1,'580':1,'that':3,'very':1,'constantly':1,'after':1,'eighty':1,'new':1,'it':1,'them':1,'two-thirds':1,'variable':1,'100':1,'one':5,'with':3,'by':4,'elevations':1,'a':15,'four':2,'12':1,'48':1,'thirty':1,'twice':1,'we':2,'1842':1,'56':1,'half':2,'us':1,'project':2,'these':2,'donations':2,'three':5,'fundamental':1,'things':1,'nine':1,'800':1,'fifty':3},'quills':{'.':1},'branch-gripping':{'member':1,'.':1},'electron--the':{'electron':1},'certainty':{'and':1,'as':1,'has':1},'introduces':{'into':1},'preen':{'gland':1},'avoided.':{'when':1},'rock-record':{'which':1},'introduced':{'perhaps':1,'into':1,'by':1},'fitnesses':{'have':1},'ways':{'and':2,'we':1,'that':1,'of':10,'.':4,'as':1,'including':1,'in':7},'marshes':{'and':1,'fed':1,'resounded':1,'were':1},'dubois':{'in':1},'sense-organs':{'the':1,'round':1},'rhythmical':{'rise':1},'billions':{'of':3},'chemists':{'and':1,'said':1,'of':1,'who':1,'should':1,'physicists':1,'.':1},'guard':{'over':2,'is':1,'against':1},'female':{'or':1,'with':1,'where':1,'is':1,'only':1,'covers':1,'.':1,'s':1,'paper':1,'figures':1,'makes':1,'in':1,'carries':1,'stickleback':2,'yucca':1,'side':1,'at':1},'quickly':{'from':1,'that':1,'contracting':2,'as':1,'recognised':1,'moving':1,'in':1,'coiled':1,'than':2},'kallima':{'inachis':2,'conspicuously':1},'cross-fertilisation':{'of':1,'is':2},'minute.':{'in':1},'punics':{'and':1},'sticklebacks':{'are':1,'learned':1,'were':1,'live':1,'in':1},'ridge':{'for':1},'mazy':{'passages':1},'elastic':{'solid':1,'wings':1},'rushed':{'into':1},'outline':{'we':1,'like':1,'of':17,'is':2,'it':1,'will':1,'where':1,'its':1},'condense':{'it':1,'round':1},'rushes':{'on':1,'through':1,'round':1},'bees':{'and':4,'may':1,'richly':1,'which':1,';':1,'by':1},'development':{'and':1,'has':1,'often':1,'for':1,'of':18,'leaves':1,'should':1,'certain':2,'which':1,'in':1,'.':4,'is':2,'man':1},'biggest':{'gulf':1,'fact':1},'maze':{'and':1,'a':1,'in':1,'by':1,'.':1},'duffus.':{'cuckoo-spit':1,'chimpanzee':1},'woodpecker':{'inserted':1,'hammering':2},'mcgregor':{'from':2},'but':{'all':3,'particularly':1,'among':1,'able':1,'move':1,'worms':1,'bright':1,'its':4,'before':1,'also':1,'electricity':1,'agile':1,'enough':1,'evidences':1,'to':5,'only':3,'has':1,'giants':1,'eventually':2,'very':1,'sooner':1,'quickness':1,'they':19,'new':1,'not':5,'during':1,'now':2,'necessary':1,'like':1,'profound':1,'light-waves':1,'these':9,'she':2,'each':1,'because':1,'farthest':1,'some':4,'imply':1,'are':2,'our':2,'best':1,'even':4,'what':7,'for':2,'since':2,'remain':3,'birds':1,'behind':1,'difficulties':1,'between':1,'probably':1,'millions':1,'movement':1,'we':23,'eminently':1,'nature':1,'little':1,'here':2,'although':3,'others':1,'along':1,'contraction':1,'on':2,'about':1,'many':3,'omit':1,'usually':1,'adapted':1,'naturalists':1,'copper':1,'contains':1,'besides':1,'one':4,'learning':1,'your':1,'often':3,'startling':1,'given':1,'air-sacs':1,'would':1,'few':1,'positive':1,'devouring':1,'there':46,'three':1,'their':3,'was':3,'more':1,'survives':1,'lived':1,'that':4,'blindly':1,'careful':1,'with':1,'those':1,'he':6,'plants':1,'none':2,'whether':1,'science':2,'this':11,'will':2,'while':3,'of':2,'constant':1,'remained':1,'is':1,'it':74,'an':2,'as':7,'at':2,'in':16,'if':11,'different':1,'no':4,'perhaps':5,'when':10,'astronomers':1,'how':3,'another':1,'other':1,'which':2,'you':1,'relatively':1,'inconceivably':1,'ultimately':1,'most':2,'why':2,'man':5,'a':10,'expert':1,'slightly':1,'splendid':1,'enter':1,'the':90},'reminds':{'us':1},'repeated':{'trials':1,'over':1,'until':1,'but':1,'many':1},'billion.':{'illustration':1},'plague':{'of':1},'bug':{'closely':1,'actually':1},'versatile':{'life':1},'partially':{'eclipsed.':1,'reappeared':1,'collided':1,'landlocked':1,'dried-up':1},'constitute':{'light':1,'as':1,'heat':1,'matter':1},'wise':{'and':1,'saying':1,'enough':1},'glory':{'and':1,'that':1},'wish':{'to':1,'however':1,'they':1},'j':{'.':98},'variations':{'and':2,'often':1,'that':1,'are':4,'which':1,'in':3,'or':3},'lynx':{'and':1,'the':2},'minutes':{'and':1,'saving':1,'for':1,'hard':1,'.':5,'holding':1,'in':1,'the':1,';':1,'before':1},'squat':{';':1,'motionless':2},'supreme':{'synthesis':1},'rabbits':{'and':2,';':1,'.':1},'pin':{'s':2},'swimmers--for':{'there':1},'transfused':{'into':2},'reptiles.':{'triassic':1,'carboniferous':1,'permian':1,'illustration':1,'in':1},'well-defined':{'and':1,'hereditary':1},'periods':{'of':4,'but':1,'to':1,'in':1,'the':1,'if':1},'141.5':{'1.88':1},'our':{'planetary':1,'atmosphere':5,'boyhood':1,'flesh':1,'rooms':1,'human':1,'skin':1,'earth':6,'admiration.':1,'web':1,'knowledge':11,'conclusions':1,'energies':1,'dipper':1,'consideration':1,'views':3,'very':1,'oceans':1,'photograph':1,'dark':1,'coal-measures':1,'hands':1,'foot':1,'coal-fields':1,'problems.':1,'solid':1,'race':2,'common':2,'small':1,'telegraphic':1,'bone':1,'methods':1,'colossal':1,'legacy':1,'blues':2,'sun':8,'artificial':1,'moon':2,'finger':3,'new':1,'email':1,'universe.':2,'belief':1,'power':1,'attention':1,'craters':1,'stellar':2,'heads':1,'estimate':1,'cities':1,'hours':1,'great':2,'central':1,'water-oceans.':1,'universe':7,'days':2,'forbears':1,'physiological':1,'survey':1,'steadily':1,'successors':1,'whole':1,'first':2,'own':15,'point':1,'instruments':2,'primary':1,'system':6,'feet':1,'elder':1,'cultivated':1,'total':1,'kind':1,'mental':1,'little':1,'eye':1,'flying':1,'charts':1,'wonderful':2,'way':1,'time':1,'scope':1,'sort':1,'eyes':4,'shell':1,'gas':1,'appreciation':1,'solar':9,'present':1,'apprehension':1,'admiration':1,'comprehension.':1,'imagination.':1,'universe--astronomical':1,'future':1,'exploration':1,'life.':1,'problem':1,'average':1,'mud-fishes':1,'frogs':3,'modern':3,'mind':2,'metals':1,'general':1,'sudden':1,'experience':2,'orchards':1,'domesticated':1,'terrestrial':1,'ancestors':1,'winter':1,'conclusions.':1,'ideas':1,'food':1,'conceptions':1,'largest':1,'ordinary':2,'civilisation':1,'bells':1,'investigations':1,'senses':4,'milky':1,'hand':1,'shores':1,'most':2,'purpose':1,'predecessors':1,'age':1,'coal':1,'chief':1,'greatest':1,'trains':2},'paraguay':{'and':1},'mysteriously':{'regular':1,'from':2},'pit':{'the':1,'whence':1},'proceeds':{'to':1,'what':1,'the':1},'48':{'the':1,'ounces':1},'49':{'photo':1,'by':1},'corporation':{'organized':1},'44':{'photo':1},'fore-arm':{';':2,'.':1},'fruit-laden':{'branch':1},'detail':{'to':1,'so':1,'which':1,'such':1},'40':{'photo':1,'are':1,'tons.':1},'41':{'photo':1},'sandy':{'shores':1,'loess':1,'places':1},'tree-tops':{'express':1},'out':{'and':6,'among':1,'is':1,'into':1,'some':1,'as':4,'at':4,'in':12,'sounds':1,'still':1,'apparently':1,'its':5,'saline':1,'light-waves':1,'from':9,'for':3,'their':1,'1890':1,'there':1,'had':1,'three':1,'.':5,'to':4,'those':1,';':2,'pre-eminent':1,'until':1,'more':1,'we':1,'his':1,'that':6,'very':1,'measures':1,'about':1,'fat':1,'how':2,'heat':1,'waves':1,'during':1,'profitless':1,'with':2,'by':3,'vast':1,'he':1,'a':9,'on':2,'great':1,'like':1,'these':1,'of':54,'according':1,'whether':1,'streams':1,'the':9,'are':2},'quintillion':{'atoms':1},'conveys':{'that':1},'period.':{'illustration':1},'functionless':{'letters':1},'dilatable':{'sac':1},'variation':{'being':1,'of':2,';':1,'in':1},'enlargement':{'of':3},'d-e.':{'an':1},'death.':{'this':1},'astronomy':{'and':1,'be':1,'that':1,'this':1,'of':1,'.':9,'deals':1,'to':1,'as':1,'at':1,'which':1,'the':1,'has':1,'by':1,'are':1},'keane':{'a':1},'race--many':{'animal':1},'pupil':{'the':1},'4a':{'hypohippus':1},'limited':{'warranty':1,'right':2,'.':1,'to':3,'as':1,'extent':1,'than':1,'areas':2},'gossamer':{'forms':1,'the':1,'202':1,'spiders':2,'.':1},'oxygenation':{'and':1},'holman':{'matter':1},'comparatively':{'dry':1,'little':1,'everlasting':1,'shallow':1,'large':1,'few':1,'narrow':1,'recent':2},'dynasty':{'and':1},'neoceratodus':{'has':1,'by':1},'sleep':{'and':1,'the':1},'admiration.':{'sec':1},'poorly':{'developed':2},'belonged.':{'when':1},'flash.':{'it':1},'feeding':{'growing':1,'on':2,'purposes':1,'chiefly':1},'patches':{'of':1,'in':1,'on':1},'paris':{'also':1,'as':1},'34.':{'illustration':1},'ceylon':{'and':1,'the':1},'charles':{'darwin':4,'r':1,'e':1,'descent':1},'thinnest':{'vapours':1,'part':1,'parts':1,'.':1},'340':{'000':1},'whatsoever':{'we':1,'.':2},'caused':{'a':1,'though':1,'this':1,'when':1,'to':1,'in':2,'by':1},'elapsed':{'before':1},'comet--the':{'stellar':1},'risk':{'of':6},'arboreal':{'and':1,'life':5,'apprenticeship--an':1,'mammals':1,'evolution':1,'.':2,'insectivores':1,'habits':2,'apprenticeship--tentative':1,'mother':1,'apprenticeship':8,'marsupials':1},'dispense':{'energy':1,'with':2,'largely':1},'brackish':{'water':1,'swamp':1},'rise':{'and':1,'great':1,'enormously':1,'very':1,'of':8,'into':1,'.':2,'to':17,'in':1},'lurk':{'among':1},'hermon':{'there':1,'grass':1,'.':1},'every':{'ten':1,'laboratory':2,'house':1,'haunt':1,'one':1,'second':1,'human':1,'year':3,'corner':1,'element':2,'species':1,'physical':1,'now':2,'many-celled':3,'atom.':1,'addition':1,'question':1,'two':1,'port':1,'chemical':1,'few':1,'gramme':1,'other':2,'animal':3,'empty':1,'niche':3,'amateur':1,'form':1,'class':1,'gas':1,'possible':1,'killing':1,'protection':1,'atom':1,'vigorous':1,'hole':2,'twenty-thousandth':1,'opportunity':1,'day':4,'man':1,'kind':1,'substance':3,'instant':1,'third':2,'hour':1,'particle':3,'arc-lamp':1,'glowing':1,'introduction':1,'part':1,'bone':1,'time':1,'star':1,'side':4,'clap':1,'twenty-four':2},'gratification':{'of':1},'east.':{'illustration':1},'slipperiness':{'.':1},'monkeys':{'and':5,'is':1,'it':2,'sec':1,'at':1,'have':2,'securing':1,'.':3,'may':1,'other':1,'which':1,';':1,'semnopithecus':1,'learn':1,'but':1,'such':1,'than':1,'on':1,'leaving':1,'were':1,'very':1,'the':2,'where':1,'or':1,'are':2},'encounter':{'the':1},'discovers':{'the':1,'when':1},'school':{'in':1},'parrot':{'of':1,'s':2,'belongs':1,'which':1,'s-beak':1,'stringops':1},'conceive':{'of':2,'the':1,'then':1},'loess':{'of':1,'either':1,'sandy':1},'apprehension':{'so':1,'.':1},'hickson':{'s':1,'puts':1},'relics':{'of':3,'vestigial':1,'.':1},'venus':{'and':1,'flower':3,'67.2':1,'is':1,'s':1,'fly-trap':2,'earth':1,'the':3,'are':1},'humps':{'daily':1,'were':1},'degeneracy':{'in':1},'enjoy':{'pulling':1,'.':2},'veritable':{'museum':2,'physical':1},'zinc':{'and':8,'is':2,'sulphite':1,'which':1,'pass':1,'has':1},'faintest':{'stars':1},'infancy':{'is':1,'would':1},'estimates':{'which':1},'direct':{'and':2,'a':1,'knowledge':1,'descendants':1,'there':1,'competition':1,'passage':1,'to':1,'appropriate':1,'four-footed':1,'statement':1,'indirect':1,'traces':1,'or':1},'nail':{'and':1,'on':1,'as':1,'pulled':1},'yerkes':{'experimented':1,'observatory':1,'studied':1,'40-inch':4,'changed':1,'observatory.':9,'has':1,'refractor':2},'electricians':{'have':1},'street':{'a':1,'or':1},'infiltration':{'of':1},'estimated':{'to':2,'the':3,'fig':1,'that':2},'expressive':{'of':1},'shining':{'disc':1,'through':1},'blue':{'and':2,'box':1,'butterfly':1,'chequer':1,'fit':1,'in':1,'sky':6,'.':1,'hot':1,'disc':1,'green':1,'waves':1,'indigo':1,'the':1,':':1,'or':1,'reptiles':1},'change.':{'a':1,'sec':1},'hide':{'their':2},'pariasaurus':{':':2},'organisms':{'and':1,'to-day':1,'which':4,'of':1,'upon':1,'it':1,'.':1,'are':1,'have':2,'i.e':1,'found':1,'seem':1,'has':1},'solemn':{'occasion':1,'slowness':1},'beaten':{'into':2,'grain':1,'out':1},'revolves':{'round':2},'museum.':{'a':1,'meteorite':1,'carrier':2,'homing':1,'yellow-crowned':1},'liberty':{'.':1},'children':{'and':1,'who':1,'should':1},'characters.':{'in':1},'zoologists':{'with':1},'change;':{'variability--evolution':1},'conduct':{'man':1,'.':1,'in':1,'but':1,'demands':1},'ebbs':{'and':1},'supplies':{'of':1,'the':1,'.':1},'revolved':{'will':1,'on':1,'round':1},'reacts':{'cannot':1},'electricities':{'in':1},'unexhausted':{'possibilities':1},'hundreds':{'and':1,'of':15,'but':1},'seven-weeks-old':{'human':1},'resounded':{'to':1},'represented':{'as':2,'by':9,'for':1,'in':4},'path':{'followed':2,'of':6,'when':1,'marked':1,'round':2,'closely':1,'from':1,'the':1,'by':1,'if':1},'shortness':{'of':2},'through.':{'light':1},'digits':{'of':1,'on':1},'wood-snail':{'in':1},'earth--a':{'transition':1},'distinctness':{'.':1},'ventures':{'were':1},'tons.':{'the':2,'illustration':2},'leaves':{'and':3,'a':1,'or':1,'fanwise':1,'us':1,'one':1,'which':1,'the':1,'.':2,';':2},'settles':{'down':3},'mantis':{'on':1,'religiosa':2,'mantis':2},'mistake':{'to':2,'for':2,'but':1},'settled':{'down':2,'the':1,'within':1},'svante':{'worlds':1},'substances.':{'in':1},'stray':{'present-day':1,'erratic':1},'straw':{'looked':1,'as':1,'so':1},'plants--paint':{'the':1},'equipment.':{'1.f.2':1},'feelings':{'and':2,'such':1,'it':1,'in':1},'patience':{'and':2,'of':1,'were':1},'miles--eighteen':{'times':1},'anyhow':{'as':1},'greatness.':{'it':1},'ape-man--an':{'early':2},'scaffolding':{'but':1},'would':{'help':1,'do':2,'cover':1,'thus':1,'it':1,'one':1,'say':2,'cease':2,'have':15,'in':1,'go':1,'seem':4,'provoke':1,'yet':1,'witness':1,'doubtless':1,'certainly':1,'still':2,'appear':3,'lead':1,'also':1,'estimate':1,'disintegrate':1,'make':2,'unduly':1,'favour':1,'tend':3,'increase':1,'consistently':1,'only':1,'shiver':1,'take':12,'fade':1,'recover':1,'probably':1,'include':1,'cause':1,'shrink':2,'therefore':1,'then':2,'begin':2,'survive':1,'that':1,'mean--matter':1,'burn':1,'confer':1,'obtain':1,'evolve':1,'a':1,'fall':1,'not':9,'penetrate':1,'be':45,'tick':1,'fly':2,'on':1,'frequently':1,'give':3,'like':2,'tear':1,'require':2,'no':1,'account':1,'yield':1,'explode':1,'suppose':1,'contain':1,'become':1,'inevitably':1,'instantly':1,'mean':3},'palings':{'and':1},'distributing':{'a':1,'medium':1,'this':1,'performing':1,'or':1,'project':2,'any':1},'smelted':{'together':1},'romanes':{'used':2},'preserved':{'namely':1,'except':1},'musk':{'will':1,'in':1},'ages--for':{'britain':1},'beauty':{'became':1},'ll.d':{'.':2},'correspondingly':{'longer':1},'arms':{'and':3,'emerging':1,'into':1,'bear':1,'.':1,'which':1,'not':1,'or':1},'excellent':{'milling':1},'20417':{'produced':1,'language':1},'outdated':{'equipment':1},'off.':{'peculiarities':1},'me':{'alone':1,'tangere':1,'a':1,'that':2},'mc':{'the':1},'piltdown':{'man':6,'skull':5,'.':1},'parachuting--a':{'persistence':1},'henry':{'huxley':2},'appendage':{'which':1},'ernest':{'h':2,'rutherford':6},'my':{'own':1},'latitudes':{'appear':1},'clock-work':{'started':1,'so':1},'mud-fishes':{'do':1,';':1,'of':1,'are':1,'or':1},'decorative':{'plume':1},'ingenuity':{'patience':1,'has':1},'powerfulness':{'of':1},'orion':{'the':1,'40':1},'keep':{'them':1,'up':2,'two':1,'their':1,'time':1,'the':3,'themselves':1,'ebooks':1},'attract':{'them':1,'any':1},'returned':{'to':2,'.':1},'ones':{'and':1,'on':2,'about':1,'made':1,'develop':1,'is':2,'pass':1,'make':1,'.':2,'below':1,'are':5,'hatching':2,'in':1,'go':1,'such':1,'come':1,'creeping':1,'first':1},'progression--always':{'a':1},'end':{'all':1,'which':1,'being':1,'of':32,'were':1,'it':1,'against':1,'.':3,'to':2,'they':1,'in':1,'fishes':1,'the':1},'telephonic':{'communications':1},'returning':{'half':1},'intruders':{'with':1,'.':1},'damages.':{'if':1},'particulars':{';':1},'buns':{'without':1,'some':1,'ashore':1},'writers':{'have':1},'modernising':{'of':1},'widespread':{'and':2},'ancestor':{'of':2,'from':1},'badly':{'stung':1,'when':1,'agee':1},'poker':{'again':1,'into':1,'loses':1,'is':2,'in':1},'both.':{'monkeys':1},'scion':{'of':1},'mouths':{'of':2,'on':1},'erected':{'on':1},'invisible--just':{'as':1},'albumin':{'casein':1},'delicacy':{'in':1},'confirmed':{'as':1,'by':1},'lump':{'of':1},'jumping':{'out':2},'poked':{'it':1},'system--with':{'all':2},'leplay':{'school.':1},'amid':{'the':1,'green':1},'spout':{'.':1,'in':1},'hypotheses':{'and':1,'which':1},'perform':{'all':1,'distribute':1},'complexity':{'and':2,'of':3,'possible':1,'or':1},'upside':{'down':1},'eurypterids':{'or':1},'decreasing':{'coal':1},'diary':{'of':1,'is':1},'squirrel-like':{'marmosets':1},'unsteady':{'slippery':1},'flippers':{'which':1,'for':1},'recurrent':{'stimulus':1,'vicissitudes.':1},'untold':{'ages':1},'daughter-units':{'thus':1,'are':1,'that':1},'alternation':{'of':1},'orang':{'and':2,'notice':1,'is':1,'chimpanzee':2,'.':1,'will':1,'are':1,'the':2,'has':2,'than':1,'232':1},'underside':{'of':1},'inattentive.':{'of':1},'london':{'bridge':1,'the':1,'as':1,'zoological':1},'thesis':{'that':1},'terns':{'spending':1},'beside':{'it':1},'daughter-buds':{'go':1,'living':1},'borneo':{'living':1},'anolis':{'of':1},'expectations':{'there':1},'exhibits':{'a':1,'an':1},'writing':{'without':1,'from':1,'or':1},'destroyed':{'and':1,'for':1,'it':1,'but':1,'.':1,'to':1,'the':1,'was':1,'by':2},'trams':{'in':1},'fade':{'entirely':1},'400':{'000':1},'peopling':{'of':4},'centimetre':{'of':2},'250000':{'inch':1},'prevented':{'by':2},'direct-reading':{'spectroscope':2},'tree-stems':{'and':2},'revelations':{'of':2,'it':1,'to':1},'diseased':{'condition':1},'flotation':{'and':1},'skin-leaves':{'about':1},'shadows':{'are':1},'ingested':{'food':1},'swaying':{'on':1},'potatoes':{'settling':1},'water-fleas':{'and':1},'explode':{'and':1,'them':1},'instant':{'of':1,';':1,'it':1},'victory':{'is':1,'alike':1},'fitness':{'of':1,'for':1,'follows':1},'unit-bodies':{'.':1},'attained.':{'now':1},'notifies':{'you':1},'wariness':{'is':1},'flat-fish':{'has':1,'does':1,'like':1},'verrier':{'discovered':1},'provisions.':{'1.f.6':1},'emphasise':{'as':1},'member':{'and':1,'of':2,'.':2},'magnets':{'.':1},'defences':{'of':1},'clothe':{'itself':1},'depress':{'one':1},'gutenberg-tm.':{'1.e.5':1},'gibbon':{'and':1,'is':2,'orang':2,'which':1,'others':1},'driving':{'water':1,'away':1,'off':1,'the':1},'god':{'s':1},'washed':{'away.':1,'away':2,'down-stream.':1},'integrative':{';':1},'day.':{'there':1,'bibliography':1,'but':1},'laid':{'within':1,'it':1,'down':4,'in':2,'the':1,'or':1},'adjust':{'themselves':1},'millennium':{'b.c':2,'further':1,'after':1},'heavenly':{'body':1,'bodies':3},'got':{'possession':1,'a':4,'his':1,'from':1,'apparatus':1,'no':1,'very':1,'into':1,'loose':1,'it':2,'together':1,'the':3,'their':1,'started':1,'green':1,'nothing':1,'rid':2,'across':1,'films':1},'newly':{'born':1,'hatched':4},'twenty-five':{'trillion':1,'tons':1,'miles':1,'million':1},'independence':{'of':1},'splashed':{'into':1},'provide':{'access':1,'a':4,'volunteers':1,'in':1},'carcass':{';':1},'eternal':{'night':1,';':1,'night--relieved':1,'winter':1,'possible':1},'free':{'from':2,'for':1,'oxygen':1,'air':1,'if':1,'.':1,'access':1,'to':3,'future':1,'agents':1,'nitrogen':1,';':1,'hand':4,'distribution':3,'has':1,'intercrossing':1,'anyhow':1,'swimming':1},'carcase':{'of':1},'masterliness':{'of':1},'whereupon':{'the':1},'rain':{'of':1,'dissolving':1,'each':1,'began':1,'to':1},'biological':{'conditions':1,'idea':1,'necessity':1,'ideas--the':1},'calcareous':{'algae':1},'wanted':{'and':1,'.':2},'publication':{'of':1},'solution...':{'.':1},'grasses':{'and':1},'inexpensive':{'physiologically':1},'days':{'and':1,'old':2,'it':1,'in':2,'there':1,'when':1,'29':1,'.':5,'note':1,'to':2,'weeks':1,'then':1,'fourteen':1,'with':1,'he':1,'on':1,'longer':1,'of':5,'stand':1,'were':1,'following':1,'the':1},'rang':{'our':1,'up':1},'appeals':{'to':2},'possibility--involution':{'rather':1},'researches':{'have':1},'primary':{'reservoir':1,'occupations':1,'meaning':1,'emotions':1,'entity':2,'colours':3,'source':1,'reason':1,'atomic':1},'rank':{'mammals':1},'hearing':{'and':1,'this':1,'is':1,'.':1,'heard':1,'are':1,';':1,'has':1,'comes':1},'staying':{'power':1},'philosophical':{'dictum':1},'adopted':{'by':1},'scissors':{'fall.':1,'.':1},'redivides;':{'there':1},'mercury':{'the':2,'is':1,'it':1,'.':1,'s':2,'between':1,'venus':1,'36.0':1},'magnificent':{'spread':1},'toy':{'of':1},'discriminates':{'between':1},'top':{'with':1,'of':9,'end':1,'are':1},'sumatra':{'and':1},'heights':{'of':1,'holding':1,'above':1},'ton':{'of':1,'or':1,'to':1},'motility':{'are':1,'in':1},'wildly':{'down':1},'variational':{'uplifts':1},'unbroken':{'and':1,'silence':1},'toe':{'to':1,'is':1,'reaches':1},'instreaming':{'multitude':1},'tool':{'is':1,'in':1,'.':2},'brushes':{'off':1},'serve':{'to':1,'as':3,'its':1},'conspicuously':{'as':1,'coloured':1},'190':{'photo':1,'the':1},'western':{'and':1},'injected':{'into':1},'mankind--notably':{'the':1},'frankly':{'answered':1},'divisible':{'into':1},'immaterial':{'.':1},'cogged':{'wheel':1},'classes':{'of':2,'into':1,'called':1,'so':1,'which':1,'orders':1},'flame':{'shattered':1,'is':1,'was':1},'hearing.':{'instinctive':1,'power':1},'bridge':{'the':1,'for':1},'donkey':{'grazing':1},'fashion':{'so':1,'of':1,'with':1,'.':2},'handkerchief':{'.':1},'ran':{'riot':1},'progressing.':{'b':1},'agility':{'.':1,'that':1},'raw':{'material':1,'materials':3},'rat':{'or':1},'regulate':{'what':1,'growth':1,'the':1},'leafy':{'surroundings':1},'relatively':{'poor':2,'great':1,'slow':1,'easygoing':1,'less':2,'cooler':1,'shallow':4,'well':1,'uniform':1,'naked':1,'simple':1,'safe':1,'short':1,'larger':1,'small':1,'recent':2,'more':2},'reminding':{'him':1,'one':1},'-':{'of':1,'you':5,'except':1,'if':1},'isolated':{'ponds':1,'from':1,'northern':1,'here':1,'districts':1,'alpine':1},'thorough':{'aeration':1},'curly-haired':{'australian':1},'perigord':{'mentone':1},'rodents':{'and':1,'are':1},'hatch':{'inside':1,'from':1,'out':1},'world.':{'besides':1,'it':1,'illustration':1,'but':1,'another':1,'if':1,'physical':1},'effectiveness':{'of':1},'douching':{'with':1},'beta-rays':{'from':1},'propitious':{'environment':1},'greatest':{'mathematical':1,'distance':1,'accuracy':1,'reflector':1,'density':1,'of':4,'prominences':1,'triumphs':1,'instrument':1,'physicists':1,'in':1,'authorities':1,'were--the':1,'scientific':1},'though':{'it':9,'in':1,'still':1,'its':1,'there':1,'their':1,'other':1,'more':1,'we':3,'viviparous':1,'that':1,'very':1,'most':1,'they':5,'not':1,'now':1,'man':1,'a':1,'this':1,'many':1,'these':1,'the':9},'picturesquely':{'the':1},'leaf.':{'illustration':1},'tree-snakes':{'tree-lizards':1},'swampy':{'low':1},'glimpses':{'of':1},'plays--the':{'reindeer':1},'plenty':{'of':4},'coil':{'of':3,'is':1,'thus':1},'coin':{'and':1,'through':1},'parting':{'of':1},'glow':{'as':1,'made':1,'with':3,'into':1,'.':2},'lift':{'a':1,'it':1,'sea-urchins':1},'flow':{'of':10,'is':2,'in':1,'or':1,'.':1},'spencer':{'formulated':1},'unwary':{'person':1},'curie':{'and':1,'was':1},'orderly':{'hierarchy':1},'reputation':{'of':1,';':1,'for':1},'gratefully':{'accepted':1},'constance':{'or':1},'chariot':{'and':1},'bait':{'and':1},'spikelets':{'in':1},'manifestation':{'of':3,'in':1},'solutions':{'are':2},'nerve-cells':{'and':4,'an':1,'in':1,'.':1},'mingle':{'with':1},'observatory.':{'a':3,'giant':1,'star':1,'diagram':1,'meteorite':1,'3':1,'jupiter':1,'fig':10,'solar':1,'mars':1,'the':4,'100-inch':1},'endowment':{'of':2,'.':1},'availability':{'of':1},'founded.':{'if':1},'spite':{'of':6},'flat-fishes':{'we':1,'like':1},'situations':{';':1,'which':1},'institution':{'of':1,'at':1,'for':1},'turkestan':{'and':1},'fifty-foot':{'beach':2},'disgust':{'.':1},'gods':{'.':1},'lodge':{'reminds':1,'has':1,'sir':1},'announce':{'every':1},'insect-visitors--began':{'to':1},'borrowed':{'house':1,'shell':1},'waltz':{'round':1},'solution.':{'imitation':1},'nerve-cell.':{'7':1},'watch':{'a':4,'.':1},'fluid':{'water':1,'the':2,'that':1,'was':1,'.':1},'system--regions':{'of':1},'existence--which':{'includes':1},'shutting':{'out':1},'tuberculosis':{'.':1},'despite':{'these':1},'report':{'1914.':1,'1915.':4,'1917.':3,'1917':1,'1914':1},'knocks':{'it':1},'wavy-haired':{'pre-dravidians':1},'gutenberg-tm':{'and':1,'web':1,'license.':1,'concept':2,'name':1,'license':7,'is':1,'work':5,'trademark':4,'s':1,'collection':2,'mission':2,'project':1,'depends':1,'including':1,'works.':2,'works':3,'electronic':18,'ebooks':2},'beads':{'screw':1},'to-day--the':{'elk':1},'countries':{'a':1,'of':1,'there':1,'are':1,'.':1},'rowing':{'and':1},'taken--the':{'emergence':1},'public':{'is':1,'would':1,'support':1,'domain':8},'twice':{'.':1,'as':2,'they':1,'during':1,'the':2,'or':1},'progress.':{'vi':1,'sec':1,'conquering':1},'automatic':{'machine':2,'internal':1,'machine.':1},'farther':{'and':3,'away.':1,'from':2,'away':2,'back':2,'in':1,'north':1},'new.':{'the':1,'illustration':1},'swept':{'down':1,'away':1,'slowly':1,'out':1},'habit':{'a':1,'and':1,'may':1,'of':8,'some':1,'amongst':1,'which':1,'has':1},'nut':{'and':2,'drop':1},'send-off':{'in':2},'retreat.':{'the':1,'another':1},'resist':{'such':1,'the':1,'snapping':1},'t.':{'hobhouse':1},'sea-squirts':{'and':1,';':1,'which':1},'life-preserving':{'value':1},'volans':{'of':1,'which':1},'disturbing':{'influence':2},'discriminating':{'and':1,'quality':1},'combustion':{'is':2,'as':2,'it':1},'capacity':{'and':1,'about':1,'for':3,'that':1,'of':1,'is':1,'.':2,'in':1,'the':1},'ranged':{'one':1},'paternal':{'origin':1,'and':1,'care':1},'mud':{'and':3,'getting':1,'encasements':1,'when':1,'.':2,'that':1,'or':1},'wave-lengths.':{'light-waves':1,'light--visible':1},'finger':{'and':3,'on':1,'from':2,'would':1,'joints':1,'.':1,'usually':1,';':1},'monkeyish':{'features':1},'367':{'000':1},'stored-up':{'energy':1},'approach':{'of':1,'the':2,'160':1,'by':1,'us':1},'discovery':{'and':1,'has':2,'that':2,'of':29,'site':2,'to':1,'which':1,'in':1,'go':1,':':1},'guesses':{'as':1,'or':1},'elk':{'and':2,'the':1},'confusion':{'of':1},'incarnation':{'to':1},'weak':{'and':1,'breakage':1,'keel':1,'plane':1,'one':1},'however':{'composed':1,'and':1,'there':4,'is':1,'it':4,'say':2,'another':1,'in':1,'if':1,'different':1,'acknowledge':2,'interesting':1,'faint':1,'long':1,'by':3,'to':1,'only':2,'slowly':1,'take':1,'that':8,'continuous':1,'what':1,'following':1,'they':2,'not':1,'with':1,'than':1,'a':2,'on':1,'this':1,'enabled':1,'as':1,'so':2,'things':1,'small':1,'the':7},'sand-crab':{'takes':1},'larynx':{'.':1},'aquarium':{'.':1},'consists':{'almost':1,'of':11,'essentially':2,'chiefly':1},'flowering':{'plants':7,'plant':1,'plants.':1},'newt':{'or':1},'improve':{'the':1},'protect':{'the':3},'rhythms':{'.':1},'irregular':{'stretches':1,'speck':1},'jelly':{'about':1,'.':1},'threads':{'used':1,'secreted':3,'of':4,'.':1,'sink':1,'the':2,'are':1},'expense':{'to':1},'frequenting':{'forests':1},'diversity.':{'thus':1},'goodrich':{'evolution':1},'discolorations':{'produced':1},'starling':{'and':1},'majestic':{'spirals':1},'trust':{'.':1},'utilised.':{'indeed':1},'colour-scheme':{'of':1},'influence.':{'illustration':1},'phyllopteryx':{'has':1},'cockroaches':{'to':1,'.':1},'been':{'unified':1,'shot':1,'able':6,'pointed':1,'named':1,'profoundly':1,'attempts':2,'elevated':1,'mentioned':1,'wrought':1,'subjected':1,'written':3,'to':3,'detected':1,'going':3,'transformed':1,'attained':1,'emitting':1,'fancied':1,'unravelled':1,'secured.':1,'very':4,'familiar':2,'reconverted':1,'got':1,'vastly':1,'hitherto':1,'adventurous':1,'rotating':1,'lost':1,'banished':1,'dulled':1,'traced':2,'retrogressions':1,'solved':3,'slipping':1,'found':9,'discussing':2,'interbreeding':1,'achieved':1,'some':1,'briefly':1,'understood':1,'invaded':1,'added':2,'sifted':1,'estimated':1,'borne':1,'established':1,'shown':2,'said':4,'witnessed':1,'beaten':1,'expressed':1,'laid':1,'progress':1,'burned':1,'induced':1,'numerous':1,'blotched':1,'demonstrated':1,'recently':3,'opening':1,'analysed':1,'broken':1,'drawn':1,'colonised':2,'christened':1,'suggested':4,'on':1,'great':1,'buckled':1,'many':1,'greatly':1,'introduced':1,'reached.':1,'examining':1,'raised':1,'followed':1,'adepts':1,'hewn':1,'explained':1,'one':3,'brought':1,'visible':1,'done':1,'capacious':1,'.':1,'given':1,'invented':1,'flaws':1,'weathered':1,'exposed':1,'noticed':2,'smelted':1,'much':2,'slowly':1,'taken':2,'fortuitous':1,'more':1,'life':1,'gaseous':1,'discovered':1,'enough':1,'successful':2,'registered':1,'tested':1,'part':1,'known':7,'suspected':1,'worked':1,'true':1,'chequered':1,'applied':1,'made':10,'abandoned':1,'impatiently':1,'regularised':1,'evolved':3,'pumped':1,'propounded':1,'making':1,'called':1,'and':1,'resolved':1,'proved':1,'indicated':1,'exhausted':1,'turned':1,'an':3,'as':2,'at':3,'in':4,'seen':1,'constricted':1,'clearly':1,'if':1,'different':2,'no':1,'emancipated':1,'that':2,'generally':2,'handed':1,'any':2,'hot':1,'speeding':1,'digged':1,'fostered':1,'used':2,'tried':2,'confirmed':1,'prepared':1,'moving':1,'throughout':1,'measured':1,'recent':1,'a':11,'stupendous':1,'described':2,'slightly':1,'calculated':2,'required':1,'becoming':1,'thought':1,'dissolved':1,'so':4,'the':7},'legend':{'of':1},'were.':{'the':1},'spread':{'and':1,'from':1,'of':3,'over':2,'until':1,'underneath':1,'to':2,'through':2,'table':1,'public':1,'out':3},'expected':{'when':1},'poker.':{'they':1},'pallas':{'s':1},'pecked':{'at':2},'bladder':{'growing':1},'uncommon':{'on':1},'gaboon':{'in':2},'proportional':{'to':1},'catch':{'this':1,'small':1,'the':1},'own--a':{'fore-limb':1},'ancestors.':{'given':1},'deeps':{'the':1,'3':1,'are':1},'5a':{'merychippus':1},'lessen':{'the':1},'n':{'is':1,'.':5},'ape':{'and':2,'frequenting':1,'or':1,'for':1,'.':1,'s':1,'s.':1,'man':2,'agree':1,'at':1},'fallow':{'deer':1},'gave':{'off':6,'of':1,'rise':2,'most':1,'place':1,'the':3},'precede':{'the':1},'natives':{'of':1},'cyclones':{'.':1},'cast':{'.':1,'aside':1,'by':2},'jellyfishes':{'the':1,'swimming-bells':1,'worms':1},'expenses':{'including':2},'experts':{'should':1},'decanter':{'for':1},'www.pglaf.org.':{'section':1},'significance--called':{'the':1},'containing':{'a':3,'meat':1,'liquid':1,'very':1,'say':1,'the':1,'more':1},'headley':{'life':1},'circumventing':{'the':1},'suggest':{'the':4,'that':3},'underwood.':{'boiling':1,'the':1},'sollas':{'w':1},'linked':{'to':1,'together':1},'forehead':{'and':2,'a':1,'the':1,'without':1,'beetling':1},'utilitarian':{'in':1},'complex':{'and':2,'fur':1,'of':2,'problems':2,'.':3,'forms':1,'as':1,'nucleus':1,'brains':1},'gambian':{'mud-fish':2},'advances':{'the':3,'that':1,'but':1,'came':1,'in':2},'scapula':{'or':1},'snow-line':{'.':1},'several':{'millions':1,'colours':2,'kinds':1,'centuries':1,'cells':1,'sometimes':1,'human':1,'times':1,'hours':2,'enregistered':1,'complex':1,'printed':1,'molecules':1,'cases':1,'years':1,'thousands':1,'other':1,'transparent':1,'more':1},'satellite':{'of':1},'peaks':{'.':1},'pick':{'them':1,'up':2,'out':1},'constantly--either':{'spontaneously':1},'mouse-pupil':{'with':1},'characters':{'even':1,'of':1,'is':1,'.':1,'such':1,'swarming':1},'darwin.':{'illustration':1},'cycle':{'thread':1},'mentioning':{'birds':1},'tassel':{'being':1,'discharged':2,'branches':1,'electrified':2,'strikes':1},'staving':{'off':1},'paralysed':{'and':2},'possessed':{'of':1,'by':1,'in':2},'boxes':{'golden':1,'similar':1,'difficult':1},'rock-pool':{'where':1},'wide-awake':{'more':1},'mother':{'and':7,'digs':1,'for':1,'places':1,'that':1,'may':1,'of':1,'orang':1,'spider':1,'carey':2,'s':2,'so':1,'are':1,'tramps':1,'earth':1,'.':2},'unification':{'but':1},'jean':{'brownian':1},'photosphere.':{'above--that':1},'possesses':{'.':1,'an':1},'seasonal':{'colour-change':2,'change':1},'food-supply':{'.':2},'departed':{'from':2},'mending':{'of':1,';':1},'harmonise':{'with':2},'eye-hole':{'of':1},'partridge':{'sitting':1},'foundation.':{'-':1},'rivulets':{'and':1},'tailless':{'cat':1},'insectivore':{'stock':1},'evolution.':{'we':1,'metcalf':1,'parasitism':1,'this':1,'hutchinson':1,'illustration':1,'mccabe':1,'v':1,'the':1,'darwin':1,'iii':1,'osborn':1},'vibration':{'increased.':1,'of':1,';':1,'.':1},'master-key':{'that':1},'leibnitz':{'s':1,'who':1},'triangular-shaped':{'piece':1},'apart':{'and':1,'from':14,'of':3,'continuing':1,'.':2,'the':2},'interprets':{'be':1},'humanity':{'of':1,'into':1,'.':1},'foot.':{'there':1},'casting':{'themselves':1},'tracheae':{'.':1},'breaks':{'making':1,'off':2,'up':1,'across':1,'under':1},'sussex':{'and':1,'weald--hinted':1,'in':1},'vulture':{'is':1},'chitin':{'which':1,'.':1},'flattish':{'web':1},'expels':{'vitiated':1},'descending':{'element':1},'judge':{'the':1,'animals':1},'burns':{'the':1,'without':1},'advanced':{'and':1,'again':1,'life':1,'knowledge':1,'.':1,'to':1,'than':1},'foster-parent':{'to':1},'melting':{'ice.':1,'ice':1},'appearing':{'and':1,'on':1,'more':1},'angoras':{'and':1},'gift':{'follows':1},'55':{'cubic':1},'57':{'photo':2},'gifted':{'a':1},'50':{'states':1,'000':1},'53':{'the':1},'52':{'inches':1},'specific':{'gravity':2,'permission':1},'gristly':{'fishes':2,'rod':1},'mosquito':{'is':1,'introduces':1},'fixity':{'of':1},'56':{'photo':2,'lb':1},'outpour':{'of':1},'over-anxious':{'on':1},'successfully':{'applied':1,'by':1},'sponge':{'121':1,'illustration':1,'.':1,'to':1,'densely':1,'which':1,'has':1,'or':2},'clawed':{'mammals':1},'cessation':{'of':1},'finger-posts':{'for':1},'indirect':{'consequential':1,'interference':1,'in':1},'guess':{'and':1,'what':1},'tracheate':{'arthropods':1},'intellect':{'who':1,'which':3},'rapidity':{'and':1,'of':1,';':1,'illustrating':1,'.':1},'first--began':{'to':1},'drowned':{'himself':1},'proceeding':{'to':1,'is':1,'in':1},'rhine':{'and':1},'hibernates':{'but':1},'self-effacing':{'flat-fishes':1},'ear':{'and':1,'a':1,'of':2,'well':1,'marked':1,'to':1,'below':1,'which':1,'in':1,'has':1,'160':1,'came':1},'ice':{'and':1,'when':1,'is':1,'ages':4,'it':1,'.':2,'age.':2,'age':5,'287':1,'travel':1},'everything':{'and':1,'appeals':1,'that':1,'is':1,'as':1,'depends':1,'in':1,'not':1,';':1,'teemed':1},'loins':{'of':1},'select':{'a':1,'the':3},'seals.':{'almost':1},'cord':{'and':1,'lies':1,'the':1,'then':1},'core':{'to':2,'is':1,'254':1,'illustration':1,'left':1},'antiquity--perhaps':{'30':1},'disappeared':{'and':1,'from':1,'leaving':1,'somewhat':1,'.':1,'with':1},'littoral':{'animals':1,'haunts':1,'zone':1,'area':3},'permitted':{'by':2},'chapter':{'on':1,':':1,'give':1,'is':1,'in':7,'one':1,'to':1,'how':2,'.':1,'has':1,'was':1,'more':1},'limitation':{'of':2,'set':1,'permitted':1,'in':1},'attacks':{'the':1},'plum':{'and':1},'spikelet-bearing':{'axis':1},'burbank':{'such':1},'plunging':{'into':1},'coiled':{'round':1,'up':1},'steadily':{'accumulating':1,'through':1,'radiating':1,'decreasing':1},'efforts':{'project':1,'of':1,'and':1,'her':1},'alga':{'like':1,'which':1},'sept':{'.':1},'osborn':{'h':2,'s':4,'points':2,'calls':1},'antique':{'types':1},'primitive':{'animals':1,'nebulae':1,'instrument':1,'insects':1,'constituents':1,'men':3,'mammals':2,'.':3,'forms':1,'bushmen':1,'heat':1,'races':1,'bolt':1,'culture':1,'peoples':1,'mammal':1,'collaterals':1,'creatures':1,'type':1,'types':2,'man':2},'cracking':{'the':1},'presence':{'of':4,'.':1},'orders':{'of':2,'families':1,'like':1},'puzzle':{'in':1},'visible':{'and':2,'on':2,'all':2,'from':1,'266':1,'light':1,'radium':1,'spots':1,'.':2,'to':3,'surface':3,'suspended':1,'in':1,'tens':1,'by':1,'at':2},'bath':{'nor':1},'finely':{'developed':1},'bats':{'certainly':1,'for':1,'.':2,';':1,'volplaning':1,'or':1,'involves':1},'existed':{'.':1},'rely':{'to':1},'weald--hinted':{'at':1},'outbreaks':{'on':1,'of':1},'indispensable':{'as':1,'role':1,'sociality':1,'if':1},'sneezing':{'and':1},'transform':{'mechanical':1},'sunlight':{'and':1,'for':2,'is':2,'reflected':1,'to':2,'can':2,'which':3,'in':2,'has':1,'into':1,'are':1,'he':1},'why':{'a':1,'do':1,'we':1,'animals':1,'they':1,'for':1,'this':1,'is':2,'there':1,'some':1,'it':2,'should':4,'most':1,'so':1,'iron':1,'not':1,'our':1,'the':2,'he':1},'stuck':{'together':1},'tacks':{'of':2},'partridges':{'respond':1},'metabolism':{'.':1},'synthesis':{'the':1},'round.':{'c':1,'in':1},'head':{'and':2,'weighted':1,'from':1,'just':1,'157':1,'of':6,'is':2,'after':1,'downwards':1,'to':1,'when':1,'65':1,'they':1,'the':1,'with':1,';':1,'shows':1},'medium':{'and':1,'on':1,'we':1,'that':1,'of':3,'called':1,'through':1,'a':1,'you':1,'throughout':1,'with':2,'or':1},'amateur':{'knows':1},'hydrogen--which':{'consists':1},'java.':{'2':1},'wireless':{'he':1,'telegraphy':1},'heat':{'and':9,'because':1,'being':1,'is':4,'as':1,'are':1,'in':2,'our':1,'.':9,'is--substitutes':1,'rays':1,'from':4,'for':1,'to':2,'there':1,'had':1,'continually':1,'how':1,'only':1,'radiated':1,';':3,'has':1,'energy':12,'that':1,'becomes':1,'introduce':1,'heat':1,'radiations':1,'by':1,'like':2,'on':2,'would':1,'of':4,'could':1,'chiefly':2,'so':1,'light':1,'the':1,'changes':1,'or':2},'silvery-looking':{'light':1},'hear':{'a':1,'about':1,'the':1,'it':1},'satisfactorily':{'accounted':1},'heap':{'it':1},'manoeuvres':{'she':1},'removed':{'all':1,'in':1,'from':1,'.':1},'donate.':{'international':1},'luxuriant':{'vegetation':1},'admiration':{';':1},'indo-china':{'china':1},'portions':{'and':1,'reached':1,'of':1},'consequences':{'may':1,'.':2,'to':1,'as':1,'follow.':1,'have':1},'born':{'a':1,'and':1,'like':1,'of':1,'in':1,'.':1,'as':1,'so':1,'child':1},'bids':{'fair':1},'vivo':{'as':1},'meteorites.':{'every':1},'undeniable':{'endeavour':1,'apartness':1},'disturbances':{'and':1,'of':3,'we':1,'are':1,'man':1},'prematurely':{'and':1},'brightly':{'illumined':2,'but':1,'coloured':3},'furs':{'.':1},'roamed':{'many':1},'escape':{'the':4,'.':1,'from':3,'between':1},'everest':{'would':1},'0.62':{'7700':1},'scotia':{'voyage':1},'universes.':{'illustration':1},'shines':{'through':1},'entellus':{'venture':1},'furl':{'if':1},'constructed':{'to':1,';':1,'from':1},'looked':{'a':1,'upon':1,'at':1,'like':1},'planets--venus--is':{'there':1},'inborn':{'inspirations':1,'predispositions':2,'novelties':1,'engrained':1,'repertory':1,'capacities':2,'pre-arrangements':1,'efficiencies':1,'impulse':1,'in':1,'not':1,';':1,'changes':1,'or':1,'powers':1},'no':{'atmosphere':1,'less':3,'lack':1,'resistance':1,'commoner':1,'hibernation':1,'facts':1,'nearer':1,'glimpse':1,'effort':1,'better':1,'tail':1,'other':3,'warrant':2,'real':1,'sound':1,'return':1,'animal':1,'descendants':1,'trees':1,'figment':1,'instinctive':2,'difference':2,'twilight':1,'bigger':1,'particle':1,'success':1,'yucca':1,'cry':1,'eel':1,'indication':1,'nerves':1,'bulky':1,'scenery':1,'right':1,'hard':1,'idea':1,'sign':1,'cost':2,'escape':1,'employment':1,'bacteria':1,'enemies':1,'blue':1,'living':2,'thoroughfare':1,'steadfast':1,'opening':1,'definite':2,'spur':1,'kidneys':1,'movement':1,'body':1,'noise':1,'cleverer':1,'power':1,'parental':1,'attention':1,'use':3,'twinkling':1,'difficulty':2,'reason':4,'chapter':1,'restrictions':2,'great':1,'actual':1,'feelers':1,'certainty':1,'transition':1,'motion':1,'connection':1,'place':1,'nervous':1,'successors':1,'transit':1,'one':16,'such':6,'sounds':1,'scent':1,'ether':1,'landscape':1,'exertions':1,'jugglery':1,'additional':1,'union':1,'discrimination':1,'doubt':28,'positive':1,'interest':1,'more':5,'remedies':1,'life':2,'tissues':1,'way':1,'reaction':2,'training':1,'direct':2,'adult':1,'true':1,'plants':2,'animals':2,'conception':1,'cells':1,'air':1,'individual':1,'risks':1,'chlorophyll-possessing':1,'proof':2,'larger':3,'deliberation':1,'lock':1,'modern':3,'mind':1,'mining':1,'evidence':4,'chin':1,'sense':1,'ready':1,'floating':1,'organs':1,'check':1,'winter':1,'depth':1,'chemical':1,'vital':1,'branch':1,'intelligent':1,'plant':1,'star':1,'crowding':1,'trace':3,'backbone':1,'vicious':1,'prohibition':1,'pouch':1,'representations':1,'slums':1,'man':1,'diffusion':1,'longer':8,'rotting':1,'light':2,'shore':1,'fresh':1},'whereas':{'on':1,'lead':1,'these':1,'in':2,'others':1,'the':3},'tip':{'of':5,'t':1,'to':2,'.':1},'perfected':{'on':1,'scientific':1,'by':1},'tin':{'with':1},'setting':{'apart':3,'forth':1,'in':1},'sobral':{'brazil':1,'brazil.':1},'globigerinid':{'foraminifera':1},'investigations':{'in':1},'papers':{'and':1,'the':1},'pipa':{'the':1,'americana':2},'picture':{'represents':1,'these':1,'of':11,'is':1,'acts':1,'an':1,'the':2,'with':1,'shows':1},'ceasing.':{'where':1},'worm-types.':{'among':1},'toad':{'and':1,'winds':1,'s':1,'pipa':3,'looks':1},'preceding':{'state':1,'neanderthal':2,'the':1},'uniformly':{'around':1},'emission':{'came':1},'flower-perfumed':{'nor':1},'leonard':{'johnson':2},'ridges':{'and':3,'the':2,'which':1},'dullest':{'red':1},'discharge':{'takes':1,'of':3,'travels':1,'through':1,'in':4,'with':1},'suffused':{'with':3},'thorax':{'.':1},'buller':{'s':1},'to-day':{'and':2,'is':2,'as':1,'are':2,'in':1,'there':1,'.':13,'attack':1,'recapitulates':1,':':1,'mostly':1,'that':2,'very':1,'after':1,'but':1,'such':1,'by':1,'104':1,'a':2,'about':1,'of':2,'shall':1},'longer':{'be':2,'what':1,'redolent':1,'than':7,'in':1,'deny':1,'or':1,'to':3,'because':1,'at':1,'waves':1,'the':1,'.':1,'emit':1},'n.':{'america.':1},'1800':{'of':1},'vigorously':{'.':1,'continued':1,'for':1,'that':1},'changed':{'and':1,'by':1,'from':1,'but':1,'.':1,'in':1,'the':3,'its':1},'hypohippus':{';':1},'serious':{'and':1,'errors':1,'business':1,'nervous':1,'friction':1,'responsibilities':1,'difficulties':1},'nuclei':{'then':1,'within':1},'undoubted':{'but':1},'remarkable':{'plants':1,'and':2,'bony':1,'physical':1,'knowledge':2,'success':2,'habit':2,'appearance':2,'metamorphosis':1,'combination':1,'results':1,'discovery':2,'except':1,'power':3,'exuberance':1,'perfection':1,'words':1,'locomotor':1,'.':2,'sucking':1},'varying':{'forms':2,'nature':1,'notably':1,'magnitude--and':1,'degrees':1,'situation':1,'with':1},'rod':{'which':1,'.':1},'focus':{'of':1,'whence':1,'within':1},'leads':{'to':2,'one':1,'us':2,'on':1},'inspirations':{'of':1},'computation':{'.':1},'coyote':{'.':1},'jointed-footed':{'invaders':1,'animals':1},'dragon-flies':{'and':2,'are':1},'displaying':{'the':1,'performing':2,'or':1},'tucking':{'it':1},'injure':{'their':1},'doom':{'by':1},'books--an':{'outline':1},'essentials':{'of':1},'ascidians':{'and':1},'fahr.':{'due':1},'metallurgists':{'and':1},'passage':{'from':6,'of':3,'is':2,'onward':1,'direct':1,'in':2},'environment':{'and':4,'we':2,'adaptations':1,'where':1,'acts':1,'.':3,'to':1,'113':1,'which':1,'making':1,';':1,'education':1,'with':1},'charge':{'and':1,'on':1,'anything':1,'for':1,'was':1,'of':3,'to':1,'a':3,'with':1},'promoting':{'the':1,'free':1},'discovering':{'new':1},'hammers':{'on':1,'until':1,'it':1},'ulna':{'of':1,'bone':1},'advantage':{'for':1,'may':2,'of':7,'over':2,'here':1,';':1,'was':1,'is':1},'coot':{'swims':1},'exalted':{'powers--man':2},'inspiriting':{'picture':1},'fleece':{'cutting':1},'untenable':{';':1},'nesting':{'behaviour':1},'refractive':{'granules':1},'regular.':{'now':1},'roving':{'animal':1},'cool':{'and':1,'mass':1,'gas':1},'annihilated':{'distance':1},'clouds':{'of':3,'which':1,'in':1},'impressive':{'triumphs':1,'picture':1,'nebula':1},'level':{'and':1,'on':3,'of':5,'is':1,'there':1,'up':1,'.':3,'at':1,'the':1,';':1,'man':1},'sedimentary':{'rocks':6},'hawaii':{'to':1},'cloudy':{'precipitate':1},'standards':{'is':1,'are':1},'starlit':{'night':1},'slouching':{'gait':1},'vicissitudes':{'due':1},'quick':{'to':5,'or':1},'lever':{'against':1},'accumulation':{'of':2},'bull-terrier':{'called':1},'illustrating':{'the':5,'walking':2,'animal':1},'trend':{'of':3},'becquerel':{'brought':1,'was':1},'obsolete':{'old':1},'inland':{'and':1,'the':1,'than':1},'widened':{'and':1},'invaded':{'age':1,'by':1},'dried':{'and':1,'up':4},'hair.':{'the':1},'trent':{'the':1,'291':1,'290':1,'an':1},'danger-note':{'.':1},'bacteria':{'and':1,'serving':1,'that':1,'of':2,'though':1,'.':1,'can':1,'have':1,'in':1},'substitute':{'the':1},'spectral':{'lines':1},'water-plants':{';':1},'stands':{'about':1,'unique':1,'by':2,'apart':1},'stomach.':{'4':1},'structure--the':{'remains':1},'extinct.':{'unfortunately':1,'others':1},'paragraph':{'1.f.3':3,'1.e.1.':1,'to':1,'1.e':1,'f3':1,'1.e.8':1,'1.c':1,'1.e.8.':1,'1.e.1':1},'goes':{'on':6,'back':1,'leaving':1,'down':1,'to':4,'as':1,'without':1,'through':1},'bearers':{'and':1},'illimitable':{'.':1},'morgan':{'observed':1,'s':1,'who':1,'was':1},'intelligent.':{'sec':1},'ninety-nine':{'cases':1},'mean--matter':{'ether':1},'evolution-idea':{'to':1,'is':2,'has':1},'water':{'and':15,'brightly':1,'because':1,'furnished':1,'being':1,'is':5,'spider':1,'held':1,'as':2,'owing':1,'through':1,'are':1,'in':5,'earth':1,'out':2,'even':1,'will':1,'from':4,'would':2,'to':8,'remains':1,'began':1,'that':4,'28':1,'.':28,'how':1,'only':1,'offers':1,'which':2,';':5,'gets':1,'was':1,'into':2,'do':1,'than':1,'though':1,'may':1,'but':3,'gently':1,'flows':1,'came':1,'rises':1,'with':2,'by':1,'nor':1,'a':2,'on':3,'periodically':1,'has':1,'animals':1,'for':4,'you':1,'fills':1,'did':1,'of':2,'seldom':1,'vigorously':1,'occurs':1,'sometimes':1,'where':1,'near':1,'became':1,'so':1,'can':2,'were':1,'at':3,'beneath':1,'disappears':1,'or':2,'comes':1,'first':1},'meteorites':{'is':1,'it':1,'every':1,'are':1,'have':1,'enter':1,'or':1},'generation.':{'the':1,'they':1},'twentieth':{'trial':1},'groups':{'of':4,'are':2,'drifting':1},'cyril':{'crossland':1},'dissipated':{'as':2,'the':1,'.':1},'cork':{'she':1,'out':1},'f.r.s.':{'conservator':1},'one--of':{'protective':1},'pearly':{'nautilus':7,'nautilus.':1},'bygone':{'ages':1},'thirty':{'miles':1,'million':4,'stars':1,'deep':1,'years':4},'healthy':{'lives':1},'chalmers':{'mitchell':1},'blotch':{'on':1},'sex--beginning':{'of':2},'stomachs':{'of':1},'descended':{'and':1,'from':6},'weird':{'ways':1,'peaks':1},'illustrations.':{'1':1},'say--of':{'various':1},'emerge':{'the':2,'before':1,'from':1,'as':1,'in':1},'credited':{'with':1},'threes':{'and':1},'semang':{'and':1},'swallowed':{'and':1,'by':1,'one':1},'crisis':{'in':1},'wings.':{'vi':1},'bulbs':{'on':1},'russell':{'has':1,'sons.':2},'atom.':{'how':1,'the':1,'like':1,'an':1},'percept':{'of':1},'prey':{'of':1,'by':1,'working':1,'.':3},'memory':{'of':1},'negroes':{'and':1},'lycosa':{'lying':1},'australian':{'and':1,'mudfish':1,'race':1,'more-pork':2,'frilled':2,'the':1,'species':1},'diagrams':{'of':1},'conductor':{'of':1},'bristle-tails':{'show':1},'fuel':{'.':1},'flapping':{'their':1},'southwards':{'following':1,'.':1},'sequoia':{'or':1},'cases':{'is':2,'within':1,'it':4,'purely':1,'at':1,'in':3,'yet':1,'its':1,'out':2,'no':1,'rather':1,'there':2,'two':1,'.':3,'to':1,'supplanted':1,'much':1,'which':1,'under':1,'relatively':1,'be':1,'we':2,'that':2,'stow':1,'however':4,'they':1,'measured':1,'than':1,'like':1,'especially':1,'e.g':3,'this':1,'of':3,'the':9,'where':3},'andalusia':{'arabia':1},'autumn':{'gales':1,';':1,'or':1,'they':1},'diagram.':{'the':1},'collision':{'with':2},'thousands':{'being':1,'of':17,'but':1},'reflux':{'of':1},'modified':{'and':1,'for':2},'means.':{'sec':1},'handle.':{'in':1},'districts':{'here':1,'.':1},'jetsam':{'that':1},'female-producing':{'egg':1},'wrong:':{'hence':1},'fauna':{'of':5,'is':1,'there':1,'namely':1,'.':1,'contemp':1,'as':2,'does':1,'bodily':1},'attain':{'a':1},'streak':{'of':1},'hutchinson':{'h':1},'wrist-bones':{'with':1},'stream':{'and':1,'sometimes':1,'gripping':1,'seeking':1,'of':7,'there':1,'some':1,'.':1,'relative':1,'that':1,'going':1,'the':1,'with':1,'or':1,'ought':1,'through.':1},'irruption':{'of':1},'supra-renal':{'and':1,'.':1},'and--it':{'smells':1},'coal--dissipation':{'of':1},'amalgams':{'and':1},'stroke':{'of':4},'performed':{'viewed':1},'octopus.':{'shifts':1},'flora.':{'the':1},'provoke':{'new':1,'them':1},'hydrogen':{'and':3,'uniting':1,'19':1,'travel':1,'atom':1,'gas':4,'.':2,'to':1,'rising':2,'at':3,'were':1,'so':1,'was':1},'requirements':{'of':1,'we':1,'are':1,'.':1},'white-hot.':{'they':1},'mole':{'and':1},'secured':{'in':1},'eloquent':{'vestige':1,'anticipation':1,'detail':1,'instance':1,'in':1,'than':1},'innumerable':{'tons':1,'methods':1,'minute':1},'fishes--a':{'very':1},'ginkgos':{'and':1},'vital':{'and':1,'activities':1,'processes':2,'power':1,'importance':2,'inter-relations':2,'than':1,'to':1,'connection':1,'interest':1,'activity':1,'laboratory':1,'process':1,'sounds':1,'economy':1},'fourth':{'and':1,'great':2,'haunt':1,'ice':1,'state':3,'printing':1,'millennium':1,'glacial':1},'speaks':{'of':1},'reactions.':{'3':1},'secures':{'the':1},'unutterably':{'stupid':1},'information':{'is':2,'about':6,'can':1},'digesting':{'intruding':1,'them':1},'larmor':{'suggested':1},'eighty':{'figures--bison':1,'distinct':1,'different':1,'miles':1,'million':1},'unawares':{'.':1},'apprenticeship':{'and':2,'often':1,'of':1,'since':1,'.':1,'to':1,'at':1,'in':1,'during':2,'the':1},'eighth':{'printing':1},'branches':{'and':1,'down':1,'still':1,'that':1,'of':6,'in':1,'.':2,'will':1,'gives':2,'firmly':1,'at':1,'hanging':1,'must':1,'come':1,'or':2,'out':1},'drained':{'swamps':1},'commodity':{'on':1},'joint':{'to':1},'enemies.':{'when':1,'if':1},'branched':{'and':2},'lagoon':{'and':1},'water-oceans.':{'in':1},'lamented':{'the':1},'imagining':{'how':1},'estuary':{'and':1},'furnished':{'the':1,'them':1,'an':1},'constituents':{'may':1,'and':1,'.':1,'of':1},'mainly':{'composed':1,'among':1,'arboreal':1,'vegetarian':1,'to':1,'in':2,'vertical;':1,'by':1},'discharging':{'them':1,'sepia':1},'ocean-troughs':{'and':1},'furnishes':{'a':2},'ducklings':{'catch':1},'motions':{'would':1,'of':2,'can':1,'which':1,'along':1,'are':1},'weather.':{'there':2},'side--a':{'mobility':1},'pre-eminent':{'as':1,'e.g':1},'pterodactyls':{'varied':1,'could':1,'had':1,'birds':2,'by':1,'gave':1},'supplemented':{'the':1},'emmer':{'which':1},'wallace':{'maintained':1,'was':1,'darwinism.':1},'organisation':{'than':1},'mantle':{'of':1,'as':1},'offers':{'to':2,'the':1,'grave':1,'an':1},'marvels':{'the':1},'meridian':{'while':1,'.':1},'whirlpool':{'of':1,'or':1},'employment':{'of':2},'pre-dravidians.':{'the':1},'obtaining':{'a':2,'considerable':1},'motion.':{'the':2},'photograph.':{'illustration':2},'evolution':{'and':2,'particularly':1,'is':13,'states':1,'as':1,'are':1,'in':8,'home':1,'if':2,'from':1,'no':1,'remains':1,'there':3,'.':12,'current':1,'to':4,'that':2,'going':11,'fig':1,'which':2,';':1,'has':6,'was':6,'real':1,'we':1,'led':1,'theory':3,'means':1,'but':3,'quite':1,'not':1,'animals':1,'1917':1,'chequered':1,'a':1,':':1,'implies':1,'especially':1,'practically':1,'of':54,'introductory':1,'53':1,'element':2,'will':1,'so':1,'agoing.':1,'though':1,'the':4},'delighted':{'darwin.':1},'underneath':{'things':1,'the':2,'her':1,'.':1},'expertness':{'the':1},'conquer':{'every':2,'for':1},'browns':{'and':1},'sowing':{'and':1,'but':1},'term':{'race':1,'commensalism':1},'name':{'given':1,'from':2,'for':1,'of':1,'cock-paidle':1,'electrons':1,'which':1,'mare.':1,'associated':1,'primates':1},'civilisation':{'of':1,'is':1,'there':1,'here':1,'.':1,'depends':2,'the':1,'more':1},'advent':{'of':1},'possibilities':{'and':1,'of':3,'.':1,'are':1,'in':1,'probably':1},'realise':{'of':1,'the':3,'what':1,'that':3},'telegraphic':{'and':1},'individually':{'and':1},'weighted':{'with':1},'gape':{'and':1,'two':1},'woodpeckers':{'are':1},'sprinkle':{'iron':1},'catching':{'and':2,'small':4,'the':2,'with':1,'some':1},'begun':{'to':1,'before':1,'some':1,'.':1},'distributor':{'under':1},'tumultuous':{'surging':1},'y.s.':{'which':1,'.':1},'ultimately':{'composed':1,'the':1,'dispensed':1},'intercourse':{'and':1,'.':1},'factors':{'and':1,'would':1,'that':2,'of':2,'which':1,'in':5,'the':1},'profit':{'a':1,'by':2,'501':1},'these--which':{'illustrate':1},'attracted':{'to':1,'one':1},'parallax':{'the':1},'kent':{'dating':1,'but':1,'cro-magnon':1},'picture-logic':{'which':1},'overflowing':{'waters':1},'eagle':{'lifts':1,'or':1},'--the':{'mind':1,'planets--venus--is':1},'performing':{'distributing':1,'other':1,'displaying':1,'chimpanzee':1,'copying':1},'theory':{'is':7,'as':1,'sec':1,'in':1,'bears':1,'.':1,'which':3,';':1,'has':1,'was':1,'more':1,'we':1,'provides':1,'that':5,'1796':1,'but':2,'vividly':1,'nor':1,'a':1,'implies':1,'of':16,'or':1},'stimuli.':{'animals':1},'interpose':{'when':1},'ascertain':{'how':1},'electrified':{'270':1,'and':1,'the':1,'with':1,'will':1},'gizzard--certainly':{'the':1},'explorers':{'of':1},'reptiles--snakes':{'lizards':1},'importance.':{'difficulties':1,'sec':1},'www.pgdp.net':{'updated':1,'illustration':1},'corroborating':{'individual':1},'motion':{'and':2,';':2,'would':1,'was':1,'whether':1,'of':3,'is':2,'within':1,'or':1,'to':1,'as':2,'than':1,'in':1,'into':1,'the':1,'.':3,'ever':1,'kinetic':1,'are':1},'turn':{'on':1,'form':1,'stiff':1,'of':3,'is':1,'it':1,'the':2,'to':4,'are':1,'in':1,'into':1,'making':1,'white':1,'with':1,'round':1,'becomes':1,'once':1},'butterflies':{'allied':1,'are':3},'place':{'and':2,'is':1,'inaccessible':1,'it':1,'itself':1,'in':1,'end':1,'for':3,'remains':1,'there':2,'favouring':1,'preventing':1,'to':4,'work;':1,';':1,'let':1,'by':1,'a':1,'on':1,'of':9,'work':1,'sea-anemones':1,'the':1,'where':1,'or':1},'retreating':{'forehead':1},'swing':{'of':1,'to':1},'deep-sea':{'life':1,'animals':2,'fish':3,'sponge':2,'corals.':1,'are':1,'fishes':2,'fauna':1},'gradually.':{'when':1},'close-set':{'eyes':1},'saucers':{'.':1},'weakling':{'it':1},'origin':{'and':3,'of':19,'is':1,'there':1,'direct':1,'are':1,'the':1},'pelican':{'s':2},'surviving':{'the':1,'symbol':1},'revenue':{'service':1},'faculty':{'in':1,'if':1},'greatest.':{'v':1},'soaring':{'upward':1},'them--':{'melanocetus':1},'array':{'of':1},'field-voles':{'perhaps':1},'george':{'h':1},'millions':{'of':39,'the':1,'is':1,'.':1},'gertrude':{'white':1},'given':{'because':1,'over':1,'sense-presentation':1,'as':2,'in':1,'.':1,'to':8,'illustrations':1,'conditions':1,'variability':1,'away--you':1,'sufficient':1,'rise':1,'but':1,'part':1,'an':2,'by':2,'a':5,'off':1,'up':1,'us':2,'place':2,'the':3},'necessarily':{'be':1,'progressive':1,'keep':1,'progressive;':1,'cooling':1,'difficult':1},'persons.':{'the':1},'marine.':{'in':1},'croaking-sacs':{'which':1},'trillion':{'100':1,'miles':5,'revolutions':1,'molecules':1,'waves':1},'tides--origin':{'of':1},'plastic':{'and':3,'appreciation':1,'stock--some':1},'stimulation':{'proves':1},'hardwood':{'forests':1},'returns':{'to':1,'.':1},'virgil':{'refers':1},'fortuitous':{'.':1},'legally':{'required':1},'white':{'and':1,'polar':1,'one':2,'hair':1,'ermine':1,'in':1,'dress':1,'surfaces':1,'winter':1,'except':1,'.':2,'surroundings':1,'combine':1,'stars':2,'cross':1,'save':1,'body':1,'then':1,'star':1,'of':1,'but':1,'pigment':1,'heat':2,'wake':1,'pelage':1,'background':1,'remarks':1,'with':1,'by':1,'card':1,'plumage':1,'fur':1,'coat':1,'colour':1,'will':2,'s':1,'mass':1,'light':9,'blackbird':1,'the':1,'or':1,'blood':1},'anguilla':{'vulgaris':1,'vulgalis':1},'farthing--contains':{'an':1},'gives':{'a':7,'rise':1,'up':1,'us':5,'.':1,'place':1,'the':2},'sex-call':{';':1,'.':1},'million.':{'there':1},'hug':{'the':1},'aurelia':{'.':1},'centipedes':{'and':2,'millipedes':1,'spiders':1},'hum':{'comparable':1},'circulated':{'round':1},'released':{'from':1},'suspended.':{'the':1},'freeze':{'throughout':1},'holder':{'found':1,'the':1,'.':1,'your':1,'on':1},'intrinsically':{'too':1},'population':{'consists':1,'of':5,'could':1,'contains':1,'.':1},'eohippus':{'about':1,';':1},'unfortunately':{'the':1,'we':1},'require':{'a':1,'extension':1,'no':1,'fifty':1,'to':3,'much':1,'such':1,'intelligent':1},'pigmy':{'representatives':1},'modelled':{'by':6},'computer':{'virus':1,'codes':1},'ooze':{'likewise':1,'so':1,'of':1},'aesthetic':{'reasons':1},'proteins':{'e.g':1},'1.e.9.':{'1.e.8':1,'1.e.3':1},'earth.':{'a':1,'we':1,'is':1,'it':1,'illustration':1,'making':1,'the':1,'establishment':1},'and':{'discards':1,'all':10,'pheasant':1,'consider':1,'caused':1,'stems':1,'results':1,'foul':1,'four':1,'crocodile':1,'avalanche':1,'debris':1,'broader':1,'dainty':1,'go':3,'honour.':1,'nematodes':1,'decisions':1,'causes':2,'skeleton':1,'hold':4,'depend':1,'hunting':1,'educable':1,'shrinkage':1,'father':1,'young':4,'send':1,'squirrels':2,'to':29,'finally':5,'reptiles':1,'skill.':1,'stable':1,'portentous':1,'hammers':1,'cochroaches':1,'sent':1,'ulna':1,'activities':1,'protective':1,'presently':1,'club-moss':1,'very':4,'einstein--the':1,'miners':1,'wave':1,'interglacial':1,'coal-measures':1,'fall':2,'mixing':1,'more.':1,'soles':1,'monkeys':2,'minute':2,'respiratory':1,'baking':1,'parrot':1,'ceased':1,'tear':1,'michael':1,'joined':1,'culminating':2,'large':1,'these':13,'sand':1,'guiding':1,'small':2,'venus':1,'mammoth.':1,'snails':1,'round':1,'degeneracy':1,'favoured':1,'smaller':2,'illustrating':1,'ten':1,'concise':1,'imagination.':1,'becquerel':1,'measurable':1,'seas.':1,'second':2,'notwithstanding':1,'further':1,'nests':1,'perish':1,'even':12,'established':2,'what':10,'stood':1,'constitution':2,'voluminous':1,'giving':1,'storks':1,'fingers':1,'emotions':1,'hereditary':1,'white-hot':1,'salamanders':1,'above':2,'new':5,'3a':1,'cycad':1,'guinea-pigs':1,'bird':2,'alertness':1,'scenery':1,'brain-case':2,'toes':5,'malaria':1,'gathered':1,'concepts':1,'here':2,'hundreds':2,'water':8,'reported':1,'humidity.':1,'let':3,'others':12,'lull.':2,'strong':2,'anchoring':1,'extreme':1,'dry':3,'great':1,'substance':1,'broken':1,'technical':1,'employees':2,'whine':1,'36':1,'animals--the':1,'apes':5,'credit':1,'smoke':1,'browsing':1,'bettered':1,'weird':1,'otters':1,'makes':1,'beautiful.':1,'sticking':1,'control':1,'adjustable':1,'love':2,'waves--light--what':1,'family':1,'distributed':2,'bathers':1,'feelings':1,'peahen':1,'retires':1,'preparatory':1,'comets--millions':1,'sugar':1,'herring':1,'select':1,'ape':1,'standing':1,'use':1,'from':10,'takes':1,'working':1,'distinct':1,'positive':1,'continuous':1,'give':3,'two':6,'trilobites.':1,'distributing':1,'ocean-basins.':1,'live':2,'touched':1,'untie':1,'therefore':6,'taken':2,'tell':1,'more':23,'brings':2,'habits--the':1,'about':1,'chimpanzee':2,'jellyfishes':1,'magnesium.':1,'carrying':2,'big':1,'rabbit':1,'lawlessly':1,'hjort':1,'tearing':2,'must':1,'swooping':2,'metazoa':1,'animals':15,'fro.':1,'this':23,'work':2,'sucks':2,'london':1,'guards':2,'diverse':1,'crickets':1,'can':2,'mr':1,'knocked':1,'making':2,'fauna':1,'scatter':2,'mud-fishes':1,'beautiful':1,'sinking':2,'squat':1,'escapes':1,'of':27,'share':1,'purposes':1,'accept':1,'pieces':1,'parachute':1,'heard':1,'rise':1,'masterfulness':1,'bones':1,'every':4,'provoke':1,'hydrogen':1,'offspring':2,'salts':5,'firmly':1,'sir':1,'winter':2,'decaying':1,'telephonic':1,'rather':1,'breaking':2,'gannets':1,'oligocene':1,'species':1,'fishes--a':1,'cycads':2,'hot':1,'occasionally':1,'aerates':1,'animal':1,'elephant':1,'relinquished':1,'willing--has':1,'expresses':1,'oceans':1,'maternal':1,'utilise':3,'inconceivably':2,'may':7,'digesting':2,'burrowing':1,'after':3,'southern':2,'permanent':2,'produce':1,'space.':1,'curiosity':2,'coming':1,'such':2,'flourish':2,'grow':2,'lids':1,'man':4,'a':67,'short':1,'calves':1,'remember':1,'third':2,'pithecanthropus':1,'light':6,'register':1,'descends':1,'think':1,'eye':2,'perhaps':5,'complexity':2,'gloomy':1,'so':35,'silence':1,'back--till':1,'reflux':1,'first':1,'moulton.':1,'make':1,'furnish':1,'grasshoppers':1,'digested':1,'help':1,'furnished':1,'unpalatable':3,'indeed':1,'over':5,'altogether':1,'orang':1,'soon':1,'years':2,'produced':1,'bounding':1,'toads':3,'thinner':1,'including':1,'looks':1,'drifters':1,'cuts':3,'mottlings':1,'still':1,'its':17,'roots':1,'before':2,'chemical':2,'26':1,'27':1,'curly':1,'thence':1,'willow':1,'mites':1,'coarser':1,'forms':2,'saturn--the':1,'absence':1,'dogfish':1,'marsh':1,'dwarfs':1,'hind-limb':1,'societies':1,'admirable':1,'no':12,'formosa':1,'finer':1,'then':22,'evening':1,'return':2,'fourth':1,'seeking':1,'africa.':1,'saltatory':1,'inter-relations':1,'kin.':1,'giraffe':2,'elephants.':1,'they':26,'not':5,'now':1,'lifelong':1,'smoothness':1,'down':2,'obviates':1,'bluffing':1,'rocky':1,'oxygen':1,'mathematician':1,'hunterian':1,'proteins':1,'identified':1,'composition':1,'explode':1,'did':1,'someone':1,'habits':2,'2a':1,'realise':1,'each':3,'veins':1,'feeds':1,'higher':4,'erratic':1,'lively':1,'enigmatic':1,'reactions':1,'clams':1,'matthew.':2,'snakes':3,'weight':1,'elephants':3,'there':42,'energy':8,'hard':1,'prolonged':1,'tobogganing':1,'unlock':1,'catching':4,'fewer':1,'primates':1,'year':2,'our':4,'beyond':2,'primitive':4,'conspicuous.':1,'out':2,'living':1,'opened':1,'present':2,'since':3,'research':1,'looking':1,'transforming':1,'laid':1,'mate':1,'pool':1,'got':4,'get':1,'receiving':1,'cause':1,'caucasian':1,'red':1,'shows':2,'buds':1,'turning':1,'inert':1,'telescoped':1,'horse':2,'decay.':1,'quite':1,'backboneless':1,'reason':1,'complicated':1,'splashes':1,'besides':1,'backed':2,'animals;':1,'cattle':1,'steering':1,'swimming':2,'lifts':1,'delight':1,'importance.':1,'organic':1,'mortar':2,'could':2,'put':3,'success':1,'keep':1,'motion':3,'turn':1,'butterflies':1,'massive':1,'withering':1,'hence':1,'stone':1,'pterosaurs':1,'zoophyte':1,'throws':1,'south':3,'toads--it':1,'knots':1,'copper':2,'finest':1,'possessing':1,'waves':2,'delicately':1,'one':7,'feet':1,'will':4,'unexpected':1,'disappearing':1,'another':7,'carry':2,'gripping':1,'blows':1,'ways':1,'earthworms':1,'size':2,'sheep':1,'continental':1,'given':3,'tadpoles':1,'monkey':1,'similarly':1,'apple.':1,'opportunity':1,'caught':1,'relations':1,'plastic':1,'1a':1,'their':23,'2':6,'wasps':4,'motility':1,'democracy':1,'embryology':1,'anatomises':1,'dogs':3,'opening':1,'gives':1,'muscles':1,'imperfect':1,'starfish':1,'that':57,'brains':1,'needle':1,'screwing':1,'bees.':1,'folded':1,'part':2,'because':2,'cereal':1,'manipulation':1,'rivers':3,'white':3,'explodes':1,'lays':2,'distance':1,'kind':1,'legs':1,'meteors':1,'looting':1,'showed':1,'depressed':1,'sea-squirts':1,'vocal':1,'instincts--of':1,'project':1,'matter':1,'future':1,'magnesium':1,'iron':1,'arboreal':1,'starfishes':1,'hailstones':1,'proofread':1,'dusty':1,'anthropoid':2,'extracting':1,'manatees':1,'dust--that':1,'sea':1,'7a':1,'violets':1,'gate-posts':1,'modern':1,'mind':4,'lice':1,'bugs':1,'disguise--other':1,'gentle':1,'say':1,'have':4,'need':1,'vigorous':1,'fishes':1,'clearly':1,'relatively':1,'forced':1,'strength':1,'built':1,'-':1,'peculiarities':1,'also':8,'fitting':1,'internal':1,'take':1,'which':5,'deepening':1,'swims':1,'foot--an':1,'surfaces':1,'begin':1,'shallow':1,'lion':1,'though':2,'any':5,'proving':1,'who':1,'fishermen;':1,'falls':2,'creek':1,'most':5,'microbic':1,'eight':1,'printed':1,'nothing':1,'foothold':2,'measured':2,'why':4,'behaviour.':1,'mineral':1,'feminine':2,'mobile':2,'pulled':1,'backwards':1,'sometimes':5,'hungry':1,'absorbing':1,'solemn':1,'dissolved':1,'reflecting':1,'electrons':3,'punting':1,'hurled':1,'distinctive':1,'velocity':1,'europe.':1,'physics':1,'molluscs':1,'repeatedly':1,'precise':3,'saying':2,'permeable':1,'selection':1,'one-eighth':1,'show':1,'insects':3,'disappear.':1,'scattered':1,'fifty':2,'discovered':1,'bring':2,'attempts':1,'fiord':1,'seaweed':1,'carefully':2,'corner':2,'continually':1,'find':1,'slow.':1,'sea-snakes':1,'sharks':1,'nearer':1,'judgments':1,'quaint':1,'varied':1,'heavily':1,'grotesque':1,'gouging':1,'should':1,'surroundings':2,'only':4,'going':1,'black':1,'deepest':1,'molecules':4,'germs':1,'uppermost':1,'pegged':1,'rice':1,'local':1,'do':2,'his':5,'means':1,'beat':1,'tissues':1,'leisure':1,'famous':1,'explosively':1,'rest':1,'lighter':1,'swiftest':1,'combinations':1,'instinctive':1,'thomson':1,'dr':1,'falling':1,'endless':1,'birds.':1,'playful':1,'evolution':1,'progressive':1,'alacrity':1,'exactitude':1,'kidneys':1,'rowing':1,'mathematicians':1,'eyebrow':1,'segregating':1,'she':1,'quaternary':1,'eventually':3,'through':1,'fixed':1,'farther':3,'body':1,'bars':1,'official':1,'predicts':1,'seas':2,'intelligence':1,'radium':2,'bears':1,'bolivia.':1,'decided':1,'cenozoic':1,'sea-serpents':1,'snow-capped':1,'violet':2,'collects':1,'frequency':1,'pliocene':1,'best':1,'sameness':1,'pebbles':1,'closes':1,'combustion':1,'brave':1,'inequalities':1,'plasticity':2,'rugged':1,'pattern':2,'away':1,'trilobite':1,'stealthy':1,'gaseous.':1,'weapons':1,'north-west':2,'3':5,'mind.':1,'various':1,'gases':1,'closed':1,'between':2,'progress':1,'open-sea':1,'timber':1,'birds':4,'beasts':1,'crookes':1,'we':37,'men':1,'explosive':1,'parental':1,'importance':1,'sole':2,'industrious':1,'craters':2,'fishermen':1,'saturn':4,'death':3,'drew':1,'energy--may':1,'proterozoic':1,'invisible':3,'carbon':1,'carnivorous':1,'come':2,'bronze':1,'c':2,'enables':3,'cox':1,'mongol':1,'borneo':1,'according':2,'attributed':1,'sea-urchin':1,'became':2,'figures':1,'wringing':1,'everything.':1,'loose':1,'comes':1,'unconvincing':1,'wade':1,'stretches':1,'diversity.':1,'simple':3,'structure':2,'fitness':1,'ganymede':1,'america':1,'lake':1,'moreover':1,'extinct':1,'suppressing':1,'ether':1,'better':1,'steamships':1,'described':1,'raise':2,'one-celled':1,'travailing':3,'fro':2,'three':3,'been':1,'jerks':1,'immense':1,'willing':2,'slowly':1,'sponges':1,'likewise':1,'degrees':1,'herbage':2,'spacious':1,'6a':1,'caterpillars.':1,'partly':5,'success.':1,'lakelets':1,'turned':2,'conifers':1,'mammals.':1,'amphibians':2,'drainpipes':1,'made':3,'kids':1,'demand':1,'sifting--the':1,'worked':1,'left-handed':1,'food-canal':1,'mammals--with':1,'spain':1,'inconspicuous':2,'plants':3,'tide':1,'heavier':2,'uncertain':1,'caucasians':1,'frozen':1,'leave':1,'sex':1,'as':16,'morley':1,'air':1,'growth.':1,'calcium':1,'while':1,'lichen':1,'cannot':3,'many':11,'wild':1,'valleys':1,'voice':1,'toothed':1,'leaves':1,'at':6,'comets':2,'streams':1,'palings':1,'almost':2,'soil':1,'is':33,'thus':7,'it':79,'expenses':2,'weighed':1,'trilobites':1,'against':2,'knocks':1,'in':42,'beaver':1,'vanish':1,'currents':1,'if':13,'different':1,'feebler':1,'cools':1,'inquire':1,'muscle-cells':4,'granted':1,'bat':1,'fading':1,'cultivated':3,'unity':1,'complex':1,'grand':1,'vegetable':1,'joy.':1,'gorging':1,'engravings.':1,'day':1,'difficult':2,'development':1,'alertness.':1,'used':1,'see':2,'planting':1,'comprehensive':1,'blue-greens':1,'blue':2,'hotter':1,'drives':1,'flows':1,'hand':1,'director':1,'much':1,'moving':1,'purpose':1,'dark':3,'brussels':1,'timid':1,'climb':1,'warming':1,'cycle':1,'poultry':1,'race-continuing':1,'narrow':1,'off':1,'modes':1,'cliff-loving':1,'changes':2,'variety':1,'neptune':2,'without':4,'severe':1,'rome':1,'trains':1,'position':1,'the':357,'chemistry':2,'drawing':2,'heaps':1,'indigo':1,'birth':1,'just':2,'flesh':1,'being':1,'uranium':1,'licensed':1,'distribute':3,'adjusted':1,'actions':1,'disguise':1,'violent':1,'radio-activity':1,'distant':1,'circling':1,'human':3,'touch':1,'useful':1,'skill':1,'yet':11,'captured':1,'addresses':2,'migration':1,'superficial':2,'enters':1,'evolution.':1,'legitimately':1,'far-reaching':1,'had':2,'melanocetus':1,'undulating':1,'crocodiles':1,'lets':1,'potential':1,'4':2,'easy':1,'hind':1,'usage':1,'hydrosphere.':1,'has':3,'5a':1,'peanuts':1,'good-humoured':1,'australia':1,'rodents':1,'depends':2,'transitional':1,'bristle-tails':1,'babylonia':1,'discontinue':1,'absorptive':1,'regard':1,'early':1,'sparrows':1,'ultra-violet':1,'facial':1,'dreamt':1,'grape-sugar':1,'redistributing':1,'string':1,'apart':2,'loss':1,'phenomena':1,'tail':1,'stingless':1,'lost':1,'ill':1,'cooler':1,'beyond-blue':1,'reduces':1,'sizes':1,'tend':1,'loses':1,'harmonising':1,'donations':3,'electro-magnetic':1,'night':2,'nerves':1,'downward':1,'disorder':1,'dentition':2,'newton':1,'portuguese':1,'performing':1,'old':1,'often':8,'habitat':1,'scents.':1,'hair-like':1,'difficulties':1,'some':15,'back':3,'pacific':3,'mosquitoes':1,'ideals':1,'understood':1,'therein':1,'towards':1,'jupiter':2,'convex':1,'duration':1,'diving':2,'bruising':1,'recognition':1,'feeling':1,'einstein':1,'dimensions':1,'for':5,'broad':1,'ice':1,'moon':5,'when':13,'critical':1,'passion':1,'meaningful':1,'conquering':1,'starch':1,'27-1':1,'nose':1,'limitations':2,'be':1,'depressions':1,'novelties':1,'selecting':1,'combative':1,'lakes':1,'expansion':1,'pressure':1,'enregistering':1,'fullest':1,'although':2,'become':6,'drawn':3,'stows':1,'repair':1,'by':14,'hearing':2,'on':9,'mammoths':1,'energetically':1,'would':1,'branch-gripping':1,'temper':1,'reappear':2,'theirs':1,'moths':1,'side':1,'cockroaches':2,'whence':1,'spreads':1,'three-quarter':1,'piled':1,'little-changed':1,'gamma':3,'plan':1,'heavy':1,'rats':1,'baboons':1,'sea-grass':1,'trademark':1,'into':2,'good':1,'habituations':1,'intellectual':1,'negative':7,'chemists':2,'spinal':1,'everyone':3,'bats':2,'rapid':1,'sow':1,'formidable':1,'financial':1,'error':5,'cross-fertilisation':1,'mental':2,'arctic':2,'deep-violet':1,'sticklebacks':1,'expositor':1,'chrysanthemum':1,'well-developed':1,'flying':4,'vigour':1,'fast':1,'reflectors':1,'rushes':1,'mudstones':2,'bees':5,'caterpillars':1,'physicists':1,'stars':3,'spring':1,'molecular':1,'wonderfully':1,'was':3,'fish':1,'naturally':1,'endeavour.':1,'deepened':1,'form':4,'kittens':1,'mammals':14,'spirit':1,'magnetism':1,'analyse':1,'within':2,'wireless':1,'mysterious':1,'heat':5,'brain':1,'competition':1,'flexible':1,'fastened':1,'ear':1,'with':15,'eat':1,'he':14,'balancing':1,'pull':1,'swamp':1,'places':1,'whether':1,'dangerous':2,'two-spined':1,'hind-limbs':2,'social':2,'up':1,'sticklebacks.':1,'foresight':2,'placed':2,'growth':1,'those':4,'shape':1,'how':7,'acting':1,'distribution':2,'piece':1,'similar':5,'professor':3,'storing':2,'proud':1,'constant':2,'mimicry--the':1,'taste':1,'certain':1,'measure':1,'porcelain':1,'deep':1,'an':11,'proper':2,'female':1,'senses':1,'periods':2,'planets':1,'crystals':2,'domesticated':1,'are':16,'struggled':1,'again':1,'functions':1,'ancestors':1,'readjustments':1,'entirely':1,'charitable':1,'mantises':1,'thither':2,'power':1,'other':21,'5':1,'adventure':1,'holding':3,'becomes':1,'u':1,'you':4,'smell':1,'chemist':1,'horsetails':1,'gaining':1,'consequent':1,'formed':1,'ordovician':1,'accidental':1,'shelter':1,'uniformly':1,'inherently':1,'planarian':1,'runs':3,'walton':1,'insect':1,'marshes':1,'scores':1,'lasso':1,'stocks':1,'carries':1,'died':2,'began':5,'your':1,'independently':1,'breaks':2,'faster':1,'sperm-cells':3,'practically':3,'controlled':1,'dog':1,'mme':1,'persistent':1,'walked':1,'gorilla':2,'ensuring':1,'redivides;':1,'conveying':1,'time':1,'fresh':1,'indirectly':1,'chimpanzee--and':1,'4a':1},'sea-gooseberries':{'which':1},'spectroscope:':{'it':1},'froth':{'which':1},'silvanus':{'p':1},'ant':{'to':2,'the':1,'has':1,'where':1,'.':1},'spectroscope.':{'we':1},'fall.':{'we':1},'mates':{'.':1},'any':{'woodwork':1,'money':2,'alternative':1,'snout':1,'hint':1,'alternate':1,'had':1,'permanent':1,'very':1,'pigment':1,'provision':1,'day':1,'condition':1,'sufficiently':1,'bad':1,'inherent':1,'disclaimer':1,'nitrogenous':1,'people':1,'idea':1,'rate':2,'distributor':1,'living':2,'mud':1,'body':1,'scientific':1,'use':3,'understanding':1,'protection':1,'collection':1,'monkey':1,'on':1,'substance':3,'country':1,'length':1,'suggestion':1,'copper':1,'statements':1,'point':1,'character':1,'one':3,'learning':1,'fees':1,'quality':1,'given':1,'additional':1,'zoologist':1,'cooling':1,'way':3,'suit':1,'white':1,'waste':1,'type':1,'more':2,'files':1,'hydrosphere':1,'muscles':1,'corresponding':1,'statement':1,'form':1,'ordinary':1,'apparent':2,'direct':1,'part':2,'virtue':1,'particular':2,'copy':1,'case':8,'kind':4,'word':1,'hour':1,'work':2,'project':3,'record':1,'of':3,'age':1,'sense':1,'influence':1,'defect':1,'agent':1,'rigorous':1,'in':1,'binary':1,'angle':1,'member':1,'other':16,'you':1,'star':1,'trace':1,'rain':1,'purpose.':1,'moment':2,'purpose':1,'necessity':1,'conscious':1,'light':1,'colour':1,'person':1,'time':1,'representation':1,'volunteers':1,'irregularity':1},'confirmation':{'of':2},'transcription':{'errors':1},'ideas':{'and':4,'meant':1,'what':1,'of':8,'is':1,'when':1,'but':2,'.':4,'are':1,'in':3,';':1,'or':1},'form-resemblance':{'for':1},'sciences':{'study':1,'forcing':1},'emphasis':{'on':1},'mesohippus':{'about':1,';':1},'fracture':{'of':1},'thermometer':{'seem':1},'resembling':{'a':1,'in':1},'shafts.':{'then':1},'primaries':{'pr':1},'inky':{'darkness':1},'sure':{'on':1,'that':2,'of':1,'but':1,'.':2,'effectiveness':1},'multiple':{'of':1,'pedigree':1},'nebulae--the':{'birth':1},'azores':{'or':1},'indelible':{'stamp':2},'harmonious':{'mingling':1},'clearer':{'to':2},'falls':{'on':1,'about':1,'of':4,'obliquely':1,'as':1,'they':1,'the':2,'286':1,'more':1},'hincks':{'astronomy':1},'boiling':{'a':2,'of':1,'point.':1,'ocean':1},'donation':{'methods':1},'multiply':{'quickly':1},'cleared':{'off':1},'spectroscopist':{'is':1},'dried-up':{'and':1},'study.':{'i':1},'thigh-bone':{'and':2,'indicates':1},'considered':{'what':1,'opaque':1,'only':1,'.':2,'also':1,'as':1,'they':1,'by':1},'proud':{'as':1,'.':1,'that':1},'science.':{'these':1,'the':1,'bibliography':1,'it':1,'illustration':1},'hungry':{'sharp-eyed':1,'hermit-crabs':1,'animals':1,'eyes':1},'idea.':{'what':1},'vulgaris':{'200':1},'prout':{'suggested':1},'quantity':{'of':7,';':1,'.':2},'detective':{'story':1},'pans':{'of':1,'as':1},'permeable':{'materials':1,'so':1},'spaced':{'from':1,'with':1},'solar':{'atmosphere':1,'observer':1,'system.':4,'phenomena':2,'prominences':4,'eclipse':3,'system':34,'surface':1,'system--regions':1,'electrons':1,'envelope':1,'spectrum':3,'system--with':2,'tides':1},'radiation.':{'that':1},'inshore':{'waters':1},'hustler':{'given':1},'homology':{'essential':2},'protrusion':{'of':2},'gulf':{'was':1,'in':1},'richness':{'of':1},'gull':{'with':1},'written':{'a':1,'confirmation':1,'recently':1,'explanation':2,'.':1,'in':2,'with':1,'by':1},'crime':{'and':1},'double-breather':{'dipnoan':1,'showing':1},'wood':{'jones':1,'of':1,'or':3,'but':1},'believing':{'that':1},'dreaded':{'it':1},'lighted':{'gas':1},'closed':{'the':1,'with':1,'in':1},'ink-bags':{'are':1,'.':1},'masking':{'the':1,'for':1},'expectation':{'of':2},'space.':{'many':1,'the':1},'bolometer':{'which':1},'radiations':{'the':1,'he':1},'vive':{'ready':1},'space;':{'and':1},'antler':{'or':1},'telescopes.':{'telescopes':1},'reveal':{'to':1,'the':1,'his':1},'reality--the':{'life':1},'aluminum':{'in':1},'floods':{'to':1,'or':1,'of':1},'naked':{'eye':2,'with':1,'body.':1},'scots':{'name':1},'bison':{'and':2,'delicately':2,'above':1,'.':1},'big-brained':{'modernised':1,'skulls':1,'extremely':1,'chimpanzee':1},'pouch;':{'while':1},'fainter':{'of':1},'borings':{'might':1},'orioles':{'.':1},'discussing':{'telescopes':1,'.':1},'ignored':{'.':1},'beholding':{'they':1},'encourages':{'us':1},'foetal':{'membrane':1,'membranes':1},'stars--or':{'rather':1},'1920':{'in':1},'1921':{'attention':1,'176-177':1,'.':4,'in':2,'the':1,'meeting':1},'1922':{'by':1,'third':1,'sixth':1,'seventh':1,'ninth':1,'twelfth':1,'second':1,'eleventh':1,'fourth':1,'tenth':1,'eighth':1,'fifth':1},'disarranged':{'.':1},'enregistered.':{'in':1},'obliging':{'in':1},'collects':{'a':1,'pollen':1,'some':1},'violates':{'the':1},'encouraged':{'by':1},'surfaces':{'and':1,'hooky':1,'for':1,'of':2,'reflect':1,'in':1,'such':2},'fails':{'to':1},'invoked':{'to':1},'crystal':{'we':1,'between':1},'federal':{'tax':1,'laws':1},'subsequent':{'research':1,'eras':1,'stage':1},'birds--intelligence':{'co-operating':1},'weapons':{'and':1,'or':1},'north-west':{'australia':2},'outside':{'and':1,'we':1,'his':1,'scientific':1,'these':1,'of':2,'it':1,'himself':1,'influences':1,'our':1,'nothing':1,'world':2,'the':6},'ages.':{'illustration':1},'hiss':{'.':1},'crookes':{'and':1,'sir':1,'experimented':1,'talked':1,'tube.':1,'tube':1,'had':1,'preferred':1,'247':1,'used':1,'but':1,'in':1,'really':1,'tubes':1,'at':1},'multiplied':{'by':1},'tylor':{'e':1},'hundredth':{'but':1},'originated':{'a':1,'from':1,'by':1,'in':1},'one-mile':{'thickness':1},'densely':{'packed':1},'kea':{'or':1,'parrot':1},'multiplies':{'by':1,'in':1},'coma':{'berenices':2},'oxalic':{'acid':1},'cities':{'150':1,'because':1,'.':1,'to':1,'of':1},'come':{'and':1,'nearest':1,'into':4,'back':3,'in':2,'mysteriously':1,'out':2,'from':2,'for':1,'next':1,'to':13,'under':1,'more':1,'up-stream.':1,'presently':1,'nutritive':1,'those':1,'a':1,'about':2,'up':2,'together':3,'near':2,'.':1},'reaction':{'of':2,'between':1,'at':1,'or':1},'pests':{'were':1},'successes':{'but':1,'.':1},'primus':{'berry':1},'23':{'photo':2,'saturn':1,'1914':2,'000':1},'water-ouzel--a':{'bird':1},'quiet':{'upper':1,'unobtrusive':1},'contract':{'.':1,'except':1,'it':1},'energies':{'light':1},'berry':{'the':1},'equatorials':{'and':1,'.':1},'railway':{'siding':1,'trucks':1},'utterance':{'to':1},'surface.':{'this':1,'open-sea':1},'radio-activity':{';':1,'has':4,'we':1,'were':1},'afterwards':{'found':1,'recommence':1,'it':2,'words':1,'requires':1},'bricks':{'of':2,'out':1,'are':2,'each':1},'course.':{'this':1},'employee':{'of':1},'colony':{'of':10,'is':2,'.':1,'are':1,';':1,'south':1},'period':{'often':1,'is':2,'as':1,'including':1,'in':2,'before':2,'perhaps':1,'there':2,'when':1,'.':1,'peopling':1,'which':1,'reptiles':1,';':1,'has':1,'was':7,'we':2,'that':5,'rise':5,'during':1,'a':1,'land':1,'showed':1,'e.g':1,'of':16,'either':1,'through':1,'the':5,'90':1,'first':2},'6.':{'enregistered':1},'satisfaction':{'and':1,'in':1,'.':1},'61':{'diagram':1,'a':1},'62':{'feet':1,'inches':1},'64':{'from':1},'straws.':{'the':1},'67':{'miles':1,'000':2},'68':{'photo':1},'69':{'green':1,'reproduced':1,'proterospongia':1},'pod':{'.':1},'skeletons':{'of':5,'are':1},'noisy':{'with':1},'song-thrush':{'when':1,'takes':1},'blend':{'into':1},'pilgrims':{'for':1},'deposited':{'as':1,'in':1},'cords':{'stretched':1,'.':1},'hardly':{'even':1,'be':6,'needs':1,'necessary':2,'pauses':1,'conceive':1,'seems':1,'change':1,'imagine':1,'counts':1,'tenable':1,'inferior':1,'too':1},'500':{'pounds':1,'000':4,'to':1,'miles':1,'fathoms':3,'yards':1,'extinct':1,'deg':1},'501':{'c':2},'6a':{'hipparion':1},'direction':{'towards':1,'whereby':2,'that':1,'of':6,'is':1,'when':1,'.':2,'as':1,'contrary':1,'in':4,'taken':1,';':1},'forecloses':{'the':1},'robbed':{'of':1},'radiates':{'heat':1},'tiger':{'begins':1,'the':1},'implied':{'a':3,'getting':1,'many':1,'.':4,'including':1,'in':2,'an':3,'was':1,'warranties':1},'sea-horses':{'phyllopteryx':1},'eaters':{'in':1},'attentive':{'persistent':1},'squirrels':{'quickly':1,'which':1,'.':1},'robber':{'crab':1},'paying':{'any':1,'copyright':1},'specialised':{'member':1,'instincts':1},'caucasians':{'we':1,'include':1},'mount':{'on':1,'wilson':16,'hermon':2,'everest':1},'twigs':{'very':1},'life;':{'precise':1},'premature':{'to':1},'vegetation--an':{'awkward':1},'slippery':{'bridge':1},'life.':{'origin':1,'wallace':1,'similarly':1,'many':1,'there':1,'wherever':1,'it':1,'illustration':1,'sec':2,'they':1,'volunteers':1,'if':1},'mound':{'.':1},'hunts':{'small':1,'vigorously':1},'focussed':{'on':1},'trackless':{'waste':1},'another--to':{'pass':1},'person.':{'besides':1},'someone':{'not':1,'said':1},'anti-bodies':{'which':1},'unsounded':{'i.e':1},'uncatchable':{'in':1},'meals.':{'there':1},'helmet':{'or':1,'.':1},'revolutions':{'a':1,'round':1},'author':{':':1},'alphabet':{'of':2,'the':1},'granted':{'tax':1,'but':1},'skips':{'the':1,'about':1},'knowable':{'way':1},'motley':{'crowd--we':1,'into':1},'a-b.':{'newer':1},'buys':{'a':1},'implement.':{'on':1},'generated':{':':1},'status':{'of':2,'with':1,'by':1},'wall-like':{'formation':1},'males':{'six':1,'especially':1,'that':1},'disadvantages':{'for':1},'pays.':{'when':1},'nest':{'and':2,'or':2,'to':1,'else':1,'of':3,'into':1,'191':1,'.':2,'how':1,'while':1,'which':2,'in':5,';':1,'several':1,'with':2,'the':6,'is':1,'out':1},'insects.':{'whether':1,'mesozoic':1,'devonian':1},'tree-toad':{'whose':1},'drives':{'off':2},'weed':{'120':1,'.':1},'director':{'of':1,'gbnewby':1},'persons':{'bearing':1,';':1,'is':1},'arose':{'and':1,'what':1,'we':1,'.':1,'as':1,'races':1,'various':1,'the':3,'or':1},'changing':{'natural':1,'energy':1,'process':1,'colour':1,'conditions':1,'its':1},'implements':{'a':1,'instruments':1,'were':1,'or':1,'.':1},'marsh.':{'the':1,'six':1},'perennial':{'tendency':1},'safely':{'be':1,'away':1},'shift.':{'we':1},'magical':{'glass':1,'way':1},'without':{'saying':1,'seeing':1,'being':2,'intelligence':1,'ceasing.':1,'an':2,'as':1,'at':1,'further':1,'domesticated':1,'any':6,'heat--forms':1,'trying':1,'thinking':1,'there':1,'.':4,'doing':1,'charge':1,'much':1,'too':1,'fatiguing':1,'prominently':1,'reading':1,'measuring':1,'mentioning':1,'them':2,'committing':1,'permission':1,'sufficient':1,'significance':1,'noticing':1,'free':1,'heat':2,'a':3,'supposing':1,'disparagement':1,'complying':1,'trouble--an':1,'conspicuous':1,'sacrificing':1,'paying':2,'wide':1,'that':1,'getting':1,'stimulus':1,'this':1,'fertilisation':1,'the':7,'having':1},'model':{'of':2,'is':1,'by':4,'seen':1},'reward':{'and':1,'of':1},'bodies':{'and':1,'certain':1,'held':1,'are':3,'in':1,'whose':1,'would':1,'had':1,'.':1,'behave':1,'which':1,'has':1,'we':1,'dependent':1,'acquire':1,'but':1,'fall':1,'represented':1,'i.e':1,'with':1,'like':1,'considered':1,'of':2,'up':2,'the':2,'having':1},'justify':{'themselves':1,'the':2,'all':1},'clog':{'the':1},'when':{'and':1,'this':4,'all':1,'full-grown':1,'dealing':1,'it':34,'competition':1,'one':3,'appropriate':1,'jupiter':1,'something':1,'human':1,'in':2,'seen':1,'cold':2,'abundant':1,'its':1,'even':1,'compared':2,'to':1,'observing':1,'caught':2,'there':6,'young':2,'sunlight':1,'birds':2,'needed':1,'only':3,'bombarded':1,'sponges':1,'lizzie':1,'tens':1,'you':3,'he':9,'resting':1,'we':31,'his':1,'scientific':1,'parental':1,'liberated':1,'however':2,'atoms':1,'water':1,'moving':2,'two':2,'they':16,'put':1,'an':7,'with':1,'man':3,'a':19,'great':1,'revolved':1,'animals':1,'these':2,'of':1,'professor':1,'applied':1,'she':2,'baits':1,'enough':1,'small':1,'hot.':1,'the':82,'grass':1,'at':1},'guided':{'astronomers':1},'actions':{'and':4,'among':1,'show':1,'becoming':1,'but':1,'.':4,'cease':1,'are':1,'which':2,'living':1,';':1},'violent':{'and':1,'death':1,'end':3,'disturbances':1,'agitation':1,'motion':3,'discharge':1,'movement':1},'cease':{'to':1,'is':1,'in':1,'using':1},'anamnia':{'the':1},'mongoose':{'riki-tiki-tavi':1},'differentiation':{'of':1,'.':1},'polish':{'wife':1},'colonise':{'the':2},'captured':{'a':2,'arm':1,'for':1,'.':1},'blow':{'from':1},'gentleness':{';':1},'widest':{'and':1,'array':1,'variety':1},'hint':{'of':5},'--from':{'unicellular':1},'rose':{'and':1,'on':1,'above':1,'in':1},'favouring':{'certain':1,'the':1},'except':{'about':1,'for':3,'that':6,'electricity':1,'when':1,'in':8,'upon':1,'to':1,'as':1,'red':1,'violet':1,'the':7,'those':1,'man':1},'great.':{'illustration':1},'lets':{'it':1},'interested':{'in':1},'samples':{'of':1},'hind':{'part':1,'end':1,'.':1},'engulfed':{'.':1},'stagnant':{'lifeless':1},'nekton':{'and':1},'sociality':{'.':1},'men-of-war':{';':1},'kingdom':{'we':1,'of':1,'.':2,'not':1,'the':1,'where':1},'crustaceans':{'and':3,'lamp-shells':1,'insects':1,'insect':2,'can':1,'which':2,';':1},'confines':{'the':1},'action.':{'what':1},'confined':{'to':2,'so':1,'our':1},'characteristically':{'vital':1},'shore-haunts.':{'following':1},'accepted':{'theory':1,'that':1,'it':1,'but':1,'which':1,'in':1},'left-hand':{'photograph':2,'side':1},'acute':{'senses':1,'especially':1},'standstill':{'that':1},'particle':{'that':1,'of':8,'is':1,'which':1,'becomes':1,'was':1},'harmonising':{'the':1},'patrick':{'sheriff':1},'reduces':{'to':1,'friction':1},'multifarious':{'tasks':1},'sieves':{'with':1,'by':1},'sternly':{'regulated':1},'petrie':{'has':1},'donations':{'received':1,'from':2,'1':1,'to':4,'can':1,'in':2,'or':1,'are':2},'always':{'new.':1,'human':1,'being':1,'have':1,'in':5,'ring':1,'giving':1,'regarded':1,'had':1,'tend':1,'presents':1,'to':2,'setting':1,'black':1,'going':2,'receiving':1,'that':1,'clear-cut':1,'refused':1,'lives':1,'recognise':1,'put':1,'envelops':1,'aiming':1,'present':2,'a':1,'on':1,'turns':1,'or':1,'overlappings':1,'remain':1,'points':1,'so':1,'hobbled':1,'the':2,'think':1},'tower':{'above':1},'reduced':{'to':3,'the':1,'from':1,'for':1,'.':1},'burdens':{'of':1},'competition':{'e.g':1,'is':1,'but':1,'.':1,'in':1,'or':1},'deduce':{'more':1},'respect':{'most':1,'with':1},'oftener':{'than':1},'intact':{'ones':1},'leadbeater.':{'an':2},'chewing':{'a':1},'provided':{'to':1,'you':1,'that':1,'by':1,'in':1},'mood':{'at':1},'prolific':{'and':2,'multiplication':2,'early':1,'have':1,'though':1},'defenceless':{'weaponless':1},'legal':{'fees':2},'moon':{'and':4,'because':1,'exert':1,'28':1,'is':5,'newton':1,'it':1,'as':1,'at':2,'entering':2,'------':1,'32':1,'are':1,'passes':1,'from':1,'takes':1,'would':1,'began':1,'when':1,'.':15,'to':1,'of':1,'fig':1,'mars':1,';':1,':':1,'was':6,'split':1,'do':1,'we':1,'nearer':1,'may':1,'showing':1,'were':2,'took':1,'but':7,'crosses':2,'gets':1,'by':1,'partially':1,'has':2,'turns':1,'s':6,'act':1,'the':2,'makes':1,'farther':1},'depletion':{'of':1},'moot':{'point':1},'provides':{'the':3,'means':1},'out-side':{'influences':1},'freed':{'from':2},'lop-eared':{'forms':1},'ovaries':{'and':1},'nails':{'and':1,'in':1},'stereotyped':{'routine':1,'was':1,'bee':1},'communicate':{'some':1},'voracious':{'and':1,'insect':1},'journeyman':{'.':1},'resurrection':{'of':1},'affording':{'food':1,'most':1,'as':1},'on':{'all':1,'minced':1,'september':1,'isolated':1,'disguise':2,'through':1,'human':2,'earth':5,'its':31,'apace':1,'dividing':1,'true':1,'young':1,'better':1,'to':21,'board':2,'stable':1,'photographs':1,'brown':1,'them':3,'his':4,'around':1,'returning':1,'possible':1,'trees':2,'firmer':1,'sea-lettuce':1,'five':1,'probably':1,'radio-active':1,'one':5,'jupiter.':1,'evolution':3,'likeness':1,'january':1,'sufficiently':1,'sand':2,'each':5,'small':1,'them.':1,'entirely':1,'page':1,'saturn.':1,'transcribe':1,'some':4,'biology':1,'yerkes':2,'individual':1,'entering':1,'our':2,'special':1,'creatures':1,'what':1,'for':2,'god':1,'mars.':1,'ice':3,'various':1,'affecting':1,'progress':1,';':2,'receiving':1,'red':1,'can':1,'columbus':1,'wheat':2,'whose':1,'evolving':1,'atoms':1,'water':1,'by':3,'dry':4,'both':2,'backwards':1,'repeating':1,'leaves':1,'american':1,'islands':2,'passing':2,'or':1,'this':11,'striking':1,'hearing':1,'another':3,'einstein':1,'trust':1,'from':2,'her':3,'their':10,'top':1,'there':1,'two':1,'.':12,'183':1,'moisture':1,'mars':10,'until':1,'life':1,'clever':1,'that':3,'mammals':1,'exactly':1,'back':1,'bipedal':1,'with':1,'those':1,'must':1,'plants':2,'account':2,'these':4,'mount':2,'up':1,'air':2,'three':1,'under':1,'and':3,'withered':1,'gate-posts':1,'in':9,'surpassing':1,'slowing':1,'an':10,'protective':1,'planets':1,'further':1,'floating':1,'any':1,'different':3,'inborn':1,'wits':1,'radiation':1,'snow':1,'close-packed':1,'other':1,'sandy':2,'animal':1,'accumulating':1,'towards':1,'lanky':1,'it':8,'herbs':1,'itself.':1,'occasion':1,'such':1,'intrinsic':1,'parallel':1,'a':63,'land':6,'to-day':1,'decaying':1,'we':1,'which':18,'green':2,'every':4,'the':294,'berries':1,'again.':1},'beavers':{'who':1},'discussed':{'elsewhere.':1,'separately':1,'in':2},'chamberlin':{'and':1,'s':1,'says':2},'shrimp':{'net':1},'20417.zip':{'this':1},'whence':{'the':3,'man':1,'is':2,'they':2,'he':1},'stop.':{'illustration':1},'stand':{'in':1,'out':1,'alone.':1},'prism--a':{'triangular-shaped':1},'discrimination':{'of':1,'with':1,'between':1},'gregory':{'b':1},'investigators':{'professor':1,'.':1},'or':{'partial':1,'suns':1,'four':3,'nursery':1,'go':2,'layers':1,'brackish':1,'hunting':2,'electricity':1,'unenforceability':1,'young':2,'to':10,'under':1,'teaching':1,'division':1,'devonian':1,'fall':1,'animals':2,'whirlpools':1,'elevations':1,'squids':1,'alevins':1,'redistribute':1,'corpuscles':1,'clouds':1,'die':1,'frozen':1,'glaciations':1,'greenish':1,'small':1,'mammal':1,'autotomy.':1,'caries':1,'upper':1,'frog-mouth':1,'pass':2,'further':1,'even':16,'what':1,'adds':1,'fitnesses':1,'pipes':1,'paddle':1,'access':1,'above':1,'new':3,'thereabouts':1,'movement':1,'segmentation':1,'men':1,'water':1,'protection':1,'along':1,'extreme':1,'sending':1,'thirty':2,'brilliant':1,'wherever':1,'experience':1,'patagium':1,'formation':1,'threes':1,'feelings':1,'semang':1,'total':1,'herring':1,'tertiary':1,'engrain':1,'use':2,'from':5,'two':4,'distributing':3,'almost':2,'more':8,'becomes':1,'envelope':1,'about':1,'train':1,'rabbit':1,'breach':1,'glad':1,'must':1,'flagellum':1,'strain':1,'averaged':1,'can':1,'nothing.':1,'marble':1,'mud-fishes':1,'proprietary':1,'brown':1,'pulling':1,'something':1,'serum':1,'axis':1,'disappearing.':1,'six':3,'chemical':2,'how':2,'fourth':1,'re-use':2,'stock':1,'gonads':1,'communicating':2,'after':3,'eighty':1,'mankind':1,'a':33,'elusive':1,'light':2,'hypotheses':1,'coal':2,'so':4,'deterioration':1,'playing':1,'foetal':1,'refund':3,'sperm-cell':1,'evolutionary':1,'self-destructively':1,'rottenness':1,'double-breather':1,'hypertext':1,'years':1,'lumpsucker':1,'secondaries':1,'pterodactyls':2,'group':1,'lateral':1,'destroyed':2,'animal':1,'pglaf':1,'repulsive':1,'they':1,'weeds':1,'not':2,'detach':1,'adventurous':1,'bubbles.':1,'magnitude':1,'fitness':1,'beneath':1,'mental':1,'agriculture':1,'out':1,'dying':1,'cause':1,'alevin':1,'shut':1,'approached':1,'siege':1,'eternal':1,'rotifer':1,'duck-billed':3,'telescopes':1,'nebulae':1,'rearrangements':1,'wanderers':1,'audacity':1,'disturbed':1,'lemurs':1,'stone':1,'unborn':1,'zoophyte':3,'south':1,'emotion':1,'blown':1,'another':1,'flagella':1,'foraminifera':2,'monkey':1,'pelagic':1,'anyone':1,'their':2,'185':1,'white':1,'muscles':1,'immediate':1,'sea-scorpions':1,'egg-producer':1,'patches':1,'meteors':1,'grey':1,'actively':1,'iron':1,'were':1,'providing':2,'sea-gooseberries':1,'chrysalis':1,'shell':2,'have':2,'cleverness':1,'organs':1,'any':9,'built':1,'lumps':1,'camouflage':1,'gunnel':1,'take':1,'online':3,'destroy':2,'spawns':1,'primaries':1,'easygoing':1,'centres':2,'breaking':1,'invertebrate':1,'successive':1,'measured':1,'darkness':1,'sea-butterflies':1,'nostrils':1,'later':3,'dissolved':1,'electrons':1,'salt':1,'planetary':1,'distributed:':1,'nest-building':1,'bright':1,'archimedes':1,'seaweed':1,'entity':3,'find':1,'only':3,'wood':1,'black':1,'employee':1,'shepherding':1,'fossil':1,'get':1,'eel-fare':1,'fronds':1,'cannot':1,'preparing':1,'instinctive':2,'primates':1,'stone.':1,'devoured':1,'amid':1,'parasitic':1,'remove':1,'twice':1,'steam':1,'kernel':1,'seventeen':1,'ebb':1,'intelligence':1,'testing':1,'computer':1,'are':2,'corrupt':1,'eoliths':1,'federal':1,'away':1,'rings':1,'waltzing':1,'its':1,'weapons':1,'mud':1,'between':1,'nestor':1,'across':1,'deletions':1,'incarnation':1,'creating':2,'sole':1,'podargus':2,'invisible':2,'1.e.9.':2,'sperm-producer':1,'many':3,'region':1,'water-ouzel--a':1,'strains':2,'expense':1,'expression':1,'experimental':1,'mutating':1,'among':1,'adjusted':1,'mutations':3,'whatever':1,'extinct':2,'late':1,'gregarious.':1,'one-celled':1,'create':1,'three':5,'protoplasm':1,'thrice':1,'rather':1,'general':1,'else':1,'elvers':1,'homes':1,'solid':1,'dendrites':1,'replaced':1,'argonaut':1,'wild':2,'layer':1,'diaphragm':1,'is':1,'squid':2,'it':5,'cluster':1,'to-morrow':1,'anti-bodies':1,'in':14,'if':1,'damaged':1,'perhaps':1,'cromagnard':3,'shorter':1,'dermis':1,'double-breathers':1,'big':1,'mud-skipper':2,'prominences':1,'foam':1,'infinite':1,'staving':1,'reflection':1,'charges':4,'well':1,'command':2,'comes':1,'mother':2,'the':23,'left':1,'less':14,'cromagnards':1,'distribute':2,'egg-cell':1,'obtain':1,'fishing':1,'anamnia':1,'multiples':1,'vibration':1,'absorption':1,'killed':1,'dipper':1,'irresponsive':1,'humanity':1,'photographed':1,'tracheae':1,'early':1,'possibly':1,'gyrating':1,'five':2,'using':1,'modifications':1,'appearing':1,'feral':2,'post-glacial':2,'incidental':1,'eel':1,'vortex':1,'ctenophores':1,'often':1,'crown':1,'dead':1,'sponge':1,'indirect':1,'bruising':1,'for':2,'memories':1,'does':1,'glacial':1,'disproved--e.g':1,'enregistering':1,'by':10,'on':5,'limitation':3,'chaff':1,'central':1,'of':11,'20417.zip':1,'octopus':2,'sea-grass':1,'down':1,'because':3,'determine':1,'protozoa':1,'additions':1,'her':1,'camouflaging':2,'incipient':1,'sneezing':1,'was':2,'pinna':1,'some':3,'amongst':1,'heat':1,'shoulder-blade':1,'trying':1,'with':3,'whether':1,'dangerous':1,'variations':2,'frugivorous':1,'associated':1,'taste':1,'an':3,'as':3,'furl':1,'again':1,'dimly':1,'inborn':1,'when':3,'other':8,'dies':1,'casque':1,'nucleus':2,'pycnogon':1,'sneeze':1,'vice':1,'vehicles':1,'implied':1,'indirectly':3},'amber':{'trade':1},'cambridge':{'university':1,'manual':1,'.':3},'columbia.':{'the':1,'fig':1},'communication':{'that':1,'between':2},'charts':{'we':1},'spinal':{'canal':1,'cord':4},'clams':{'in':1},'accounts':{'for':1},'determine':{'the':3,'what':1,'survival':1},'cro-magnon':{'in':1},'speculated':{'on':1},'theoretically':{'a':1,'that':1},'buds':{'out':1},'pycnogon':{'walking':1},'whales':{'and':1,'great':1,'.':1,'which':1,'largely':1},'distinctions':{'except':1},'strictly':{'marine':1},'there':{'and':1,'emerge':1,'exists':2,'being':1,'had':4,'is':259,'191':1,'results':2,'one':1,'diverged':2,'are':142,'have':7,'in':3,'.':5,'any':2,'seemed':1,'emerges':1,'rises':1,'appear':1,'would':2,'seems':7,'been':2,'actually':1,'may':10,'only':1,'other':1,'probably':2,';':1,'has':12,'was':42,'ought':1,'be':1,'life':2,'an':1,'intervened':1,'some':1,'took':1,'illustration':1,'soon':1,'depressing':1,'cannot':1,'lives':1,'arose':2,'they':1,'not':5,'now':1,'comes':1,'depended':1,'a':3,'on':1,'are.':1,'should':3,'could':2,'will':5,'remain':2,'must':7,'can':11,'evolved':4,'were':26,'the':1,'might':1,'makes':1,'came':3},'disposed':{'to':2},'dispersion':{'is':3,'can':1},'strict':{'liability':1,'sense':3},'world--weighs':{'nearly':1},'house':{'of':1,'.':2,'to':1,'against':1,'on':1},'macaques':{'and':1,'the':1},'fish':{'and':2,'is':4,'it':2,'117':1,'at':1,'118':1,'firmly':1,'takes':1,'lizards':1,'flying':1,'when':1,'.':2,'to':2,'which':4,'probably':1,'has':1,'arges':1,'stock':1,'that':1,'ceratodus':1,'chiasmodon':2,'with':2,'like':1,'of':1,'larger':1,'grows':1,'the':3,'male':1,'makes':1,'called':1},'eoanthropus':{'expresses':1},'relic':{'of':3,'were':1},'kittens':{'or':1},'account.':{'since':1},'troubles.':{'another':1},'amongst':{'fishes':1,'the':8,'themselves':1,'them':1,'all':1},'instrument.':{'a':1},'strenuous':{'life.':1,'life':3,'conditions':1,'time':2},'promote':{'variability':1},'faster':{'and':1,'than':4,'.':2},'applying':{'severe':1},'bullet':{'and':1,'thirty':1,'leaves':1,'illustration':1,'one':1,'itself':1,'does':1,'the':1},'multiplicity':{'.':1},'electroscope':{'is':1},'centenarian':{'tortoise':1},'grasp':{'begins':1,'probably':1,'the':1,'an':1},'grass':{'and':2,'gathering':1,'forming':1,'the':1,'was':1,'he':1},'creeping':{'of':1,'about':1,'upwards':1},'strongly':{'developed':1,'illumined':1},'accentuated':{'by':1},'words:':{'bone':1},'stock.':{'every':1},'taste':{'do':1,'may':1,'of':1,'seems':1,'which':1,'in':1},'yacht':{'and':1},'lingula':{'of':1},'tactics--self-effacement':{'on':1},'britain':{'and':2,'do':1,'we':1,'just':1,'it':1,'has':1,'having':1},'curly-or':{'wavy-haired':1},'diverged':{'far':1,'the':2,'from':1},'orchards':{'descended':1},'corresponding':{'ratio':1,'magnetic':1,'to':10,'bright':1,'stages':1,'hump':1},'russel':{'wallace':1},'operation':{'of':1,'to-day':1},'collared':{'lashed':1},'deserve':{'for':1},'discerned':{'in':1},'shore-haunt':{'and':2,'littoral':1,'as':1,'are':1,'exhibits':1},'compel':{'the':1},'erecting':{'standing':1},'spring-tails':{'and':1},'blackish-grey':{'.':1},'f.z.s.':{'seasonal':1,'professor':1,'banded':1,'rock':1,'the':3,'woodpecker':1},'meteorites--pieces':{'of':1},'cock-pigeon':{'very':1},'deviation':{'it':1},'briefly':{'the':1,'discussed':1,'outline':1},'separate':{'and':1,'animals':1,'study.':1,'engines':1,'tuft':1,'whirling':1,'off':1,'entity':1,'universes--':1,'threads':1,'molecules':1,'existence':1,'genus':1},'manipulate':{'puzzle-boxes':1},'symbol':{'of':1},'carnegie':{'institution':2},'includes':{'not':1,'information':1,'all':2,'thousands':1,'the':2},'gutenberg':{'web':1,'associated':1,'license':3,'is':3,'ebook':4,'literary':13,'are':1,'you':1,'volunteers':1,'appears':1},'nucleus':{'and':2,'then':1,'we':1,'gr':1,'rather':1,'of':5,'is':1,'but':1,'.':4,'to':1,'are':1,'in':1,'into':1,';':1,'has':1,'or':3},'recognise':{'a':1,'both':1,'them':1,'that':1,'these':1,'an':1,'as':2,'progress':1,'the':6,'accessory':1},'fasten':{'themselves':1},'included':{'a':1,'was':1,'with':2,'.':2,'in':2,'the':1,'has':1,'numerous':1},'stocks':{'began.':1,'of':3,'began':1,'within':1,'it':1,'but':1},'irretraceable':{'course.':1},'bustard.':{'such':1},'atromaculatus':{'121':1,'in':1},'missed':{';':1},'meadow':{'it':1},'bilateral':{'symmetry.':1,'symmetry':2},'calls':{'of':1,'the':3,'it':1,'adaptive':1},'wife':{'took':1},'splendour.':{'they':1},'environment.':{'1':1,'sec':1},'eighty-odd':{'chemical':2},'migrated':{'to':1,'from':2},'all':{'opinions':1,'over':3,'mending':1,'four':1,'thoughtful':1,'through':3,'its':2,'except':2,'monkeys':1,'forms':1,'to':3,'only':1,'reptiles':2,'easy':1,'circle':1,'his':5,'liability':2,'they':1,'day':2,'processes':1,'50':1,'these':6,'works':1,'cells':1,'mean':1,'angles--that':1,'because':1,'energy':1,'hard':1,'phenomena':1,'are':1,'our':3,'shoots':1,'enemies':1,'respects':1,'space':1,'access':1,'outside':1,';':3,'be':1,'we':1,'scientific':1,'here':1,'atoms':2,'magnetism':2,'directions.':1,'members':1,'clues':1,'directions':3,'along':1,'likelihood':3,'things.':1,'mingled':1,'of':7,'round':3,'speeds':1,'probability':2,'point':1,'three':1,'chemists':1,'references':2,'sounds':1,'use':1,'her':1,'flying':1,'copies':2,'.':7,'scions':1,'conceivable':1,'molecular':2,'was':1,'life':2,'that':3,'but':2,'cases':2,'white':3,'those':2,'inconspicuous':1,'animals':2,'this':4,'originally':2,'appearance':2,'air':1,'matter':7,'were':1,'meet':1,'stages':2,'at':2,'and':1,'associated':1,'sorts':6,'is':3,'modern':2,'it':1,'as':1,'manner':1,'walks':1,'perhaps':3,'things':4,'make':1,'when':2,'detail':1,'how':1,'other':1,'which':1,'creatures':1,'higher':2,'kinds':1,'moving':2,'such':1,'in':2,'attaining':1,'time':1,'the':81,'bodies':2},'lack':{'of':2},'muscle-fibres':{'grow':1,'in':1},'son.':{'the':1,'alsatian':1},'seals':{'and':1,'.':1},'light-waves':{'and':1,'into':1,'.':2,'are':1,'which':1,'the':2},'disc':{'and':1,'for':1,'of':4,'.':2,'eight':1,'was':1},'dish':{'and':1},'follow':{'sir':1,'that':1,'it':1,'however':1,'till':1,'the':4,'with':1,'their':1},'disk':{'or':1},'decisions':{'were':1},'synthetic':{'chemists':2,'chemist':1},'glimpse':{'of':8,'the':1,'in':1},'deliberateness':{'and':1,'.':1},'meteorites--a':{'great':1},'subjected':{'.':1},'extraneous':{'source':1},'presentation':{'of':1},'tethered':{'on':1},'activities':{'and':1,'influenced':1,'may':1,'of':1,'.':1,'implying':1,'as':1},'belonging':{'to':1},'means--light':{'without':1},'worse':{'to':1,'for':1,'.':1},'devonian':{'a':1,'age':1,'period':4,'seas.':1,'lung-fishes':1,'foot-print':1,'the':1,'red':1},'song':{'of':1},'infringement':{'a':1},'combustible':{'material':1},'educative':{'process':1},'induce':{'fresh':1},'psychologist':{'whom':1},'sons':{'new':1,'first':1},'fan':{'or':1,'like':1,'by':1},'hatching':{';':1,'out':2,'.':1},'awful':{'possibility--involution':1},'time--wherein':{'to':1},'soles':{'with':1},'rhodeus':{'amarus':2},'corpuscles':{'and':1,'called':1,'form':1,'.':1},'morley':{'tried':1},'stimulus':{'almost':1,'of':1,'.':1,'travels':1,'to':2,'such':1},'eye-sockets':{'the':1},'list':{'may':1,'of':3,'is':1,'to':1},'prolonged':{'training':1,'period':1,'ice':1,'youthfulness':1,'ante-natal':1,'the':1,'trying':1,'drought':2,'exposure':1},'rods.':{'2':1},'indemnity':{'-':1},'familiarly':{'seen':1},'dexterity':{'and':1,'until':1,'besides':1,'.':1},'lightner':{'witmer.':1},'rats':{'and':4,'learn':1},'depths.':{'a':1,'illustration':1},'ten':{'and':1,'pounds':3,'of':1,'thousand':3,'times':1,'hours':2,'to':1,'straws':1,'unseen':1,'moons':1,'hours--a':1,'our':1,'years':1,'minutes':2},'foreground':{'holding':1},'fringing':{'the':1,'teeth':1},'tea':{'or':1},'reins':{'at':1,'in':1},'breakers':{'.':1},'000-50':{'000':1},'rate':{'a':1,'from':2,'that':1,'of':15,'which':1,'than':1},'invention':{'and':1,'of':1,'.':1,'first':1,'that':1},'1904-5':{'in':1},'s-beak':{'jaws':1},'functioning':{'properly':1,'throughout':1,'.':1},'remarkably':{'representative':1},'toe.':{'illustration':1},'paralyse':{'and':1},'babylonia':{'egypt':1,'greece':1},'what':{'origin':1,'this':3,'all':1,'right':1,'followed':3,'is':49,'it':4,'evidence':1,'are':10,'in':1,'peter':1,'causes':1,'before':1,'happens':2,'sir':1,'would':1,'matter':1,'electricity':1,'agency':1,'does':1,'goes':2,'resulted':1,'new':1,'you':1,'has':4,'might':5,'energy':1,'crookes':1,'sort':1,'then':2,'we':20,'elements':2,'electric':1,'may':5,'mammals':1,'of':1,'looks':2,'took':1,'mimics':1,'heat':1,'fruit':1,'mankind':1,'they':9,'satellites':1,'an':1,'come':1,'appears':1,'those':1,'man':1,'a':7,'great':1,'animals':1,'these':1,'was':8,'professor':1,'osborn':1,'more':1,'she':2,'were':1,'happened':1,'about':1,'the':18,'gives':1,'makes':1,'could':1,'bond':1},'necessary.':{'a':1},'imported':{'from':1},'advantageous':{'to':1,'than':1,'power':1,'for':1},'sun':{'and':22,'compare':1,'already':1,'often':1,'produces':1,'is':20,'in':5,'constitute':1,'ceased':1,'as':3,'itself':2,'sec':1,'looks':1,'uranus':1,'year':1,'------':1,'our':1,'are':2,'before':1,'mercury':1,'passes':1,'from':1,'would':5,'seems':1,'.':23,'to':4,'must':2,'without':1,'which':4,'dying':2,';':1,'has':4,'was':2,'into':1,'photographed':2,'we':4,'goes':1,'that':4,'may':1,'forming':1,'obscures':1,'however':1,'but':2,'cannot':1,'every':1,'here':1,'somewhat':1,'not':1,'with':2,'nearly':1,'like':2,'a':1,'whose':1,'19':1,'18':1,'could':1,'sweeps':1,'or':1,'s':35,'became':1,'flame':1,'can':1,'have':1,'were':2,'at':2,'the':7,'called':1,'thanks':1},'sum':{'up':1},'ticks':{'of':1},'crust':{'and':2,'of':3,'.':3,'brought':1,'has':1,'with':2,'by':1},'brief':{'moments':1,'outline':1},'version':{'posted':1},'for--may':{'have':1},'maze--which':{'they':1},'discern':{'the':2,'that':1},'heat-measuring':{'instrument':1},'cheetahs':{'or':2,'occur':1},'segmentation':{'of':1},'toes':{'and':1,'a':1,'scrambling':1,'form':1,'shorten':1,'.':3,'as':1},'tags':{'of':2},'ceratodus':{'which':1},'berthelot':{'that':1},'behaviour':{'and':2,'show':1,'is':5,'reaches':1,'depends':1,'sec':1,'are':1,'had':1,'.':8,'may':3,'which':6,'was':1,'we':1,'that':1,'very':1,'but':2,'diagram':1,'76':1,'on':1,'both':1,'of':15,'without':2},'inverse':{'ratio':1,'order':1},'compressed':{'body':1,'marked':1},'directions':{'and':1,'becoming':1,'within':1,'.':3,'as':1,'indicative':1,'at':2,';':1},'steamships':{'to':1},'observing':{'carefully':1,'all':1,'the':1},'water-shed':{'to':1},'chlorophyll-possessing':{'plants':1},'29.46':{'73000':1},'difficulty':{'of':1,'is':1,'about':1,'in':3},'1843':{'had':1},'1842':{'.':1},'allows':{'life':1,'for':1},'1845':{'of':1},'miniature':{'frogs':1,'solar':1,'.':1},'extremes':{'of':1,'are':1,'to':1},'reshufflings':{'or':1},'m.f.':{'near':1},'2163':{'--':1},'cataract':{'gives':1},'sticking':{'out':3},'disposition':{'taking':1},'suddenly':{'seized':1,'fired':1,'attacked':1,'this':1,'lights':1,'into':1,'perceive':1,'being':1,'so':1,'in':1,'rising':1},'semites':{'nordics':1},'bathers':{'are':1},'screens':{'in':1},'mme':{'.':1},'color':{'of':1},'1908':{'33':2,'notice':1,'the':1},'rainbow-tinted':{'colours':1},'know.':{'the':1},'1907':{'by':2},'coatings':{'is':1},'1905':{'22':1,'illustration':1},'herring':{'and':1,'illustrations':1,'the':1,'family':1,'would':1},'1900':{'by':1,'that':1},'1901':{'but':1},'unthinkably':{'long':1},'pervades':{'everything--so':1},'proceed':{'to':1,'from':2,'at':1},'degree.':{'until':1},'faint':{'and':2,'indications':1,'star':1,'.':1,'to':2,'impressions':1,'or':1},'unthinkable':{'on':1},'minor':{'chapter':2,'invasions':1,'alterations':1,'ones':1,'idiosyncrasies':1,'speculated':1},'horses':{'and':5,'a':1,'or':1},'flat':{'forehead':1,'on':2,'as':1,'spider':1,'skull':1},'darting':{'hither':1},'knows':{'his':1,'for':1,'that':1,'of':1,'but':2,'to':1,'only':1,'how':1,'the':1,'monkeys':1},'light-years':{'polaris':1},'definition':{'is':1},'coating':{'and':1},'text.':{'illustration':3},'screen.':{'the':1,'now':1},'flit':{'by':1},'stick':{'might':1,'with':1,'so':1,'to':1,'it':1},'known':{'and':5,'sources':1,'as':10,'human':1,'in':2,'from':1,'excepting':1,'approximately':1,'.':4,'bird--evidences':1,'to':15,'only':2,'easy':1,'between':1,'bird--too':1,':':1,'type':1,'bird':4,'then':1,'that':4,'but':2,'atom':1,'predecessors':2,'on':1,'about':2,'attempt':1,'of':3,'amphibian':1,'the':1,'fact':1},'glad':{'to':1},'presumed':{'evolution':1},'primate':{'stem':2,'stock':2},'sense-presentation':{'and':1},'lung-fish':{'inside':1},'v':{'the':1,'.':2},'--jupiter':{'and':1},'excursion':{'in':1},'tennis':{'ball.':1},'computers':{'including':1,'.':1},'hormones--itself':{'of':1},'brown':{'and':2,'plants':1,'that':1,'colour':1,'variety':1,'box':1,'bear':3,'plumage':1,'ones':2,'seaweed':1,'in':1,'variable':1,';':1,'on':1,'stoat':1},'bright--the':{'light':1},'joints':{'in':1},'locating':{'sounds':1},'abandonment':{'of':1},'moorhens':{'was':1,'which':1},'protects':{'its':1},'imitation':{'counts':1,'so':1,'two':1,'but':1,'.':1},'arise':{'mysteriously':1,'from':3,'take':2,'directly':1},'pond':{'and':3,'of':1,'is':1,'it':1,'to':1,'nor':1},'air-dome':{'.':1},'mother-of-pearl':{'or':1},'terrestrial':{'plants':2,'mountains':1,'life':3,'animals':3,'rather':1,'support':1,'haunt':2,'standards':1,'dinosaurs':1,'journeyman':1,'animal':3,'backboned':1,'dragons':2},'influenced':{'all':1,'by':4},'court':{'maze':2,'maze--which':1},'goal':{'is':1},'unavailable.':{'what':1,'the':1},'breaking':{'on':2,'up':3,'down':5,'diverse':2,'down.':1,'the':1},'84.02':{'31900':1},'occasionally':{'with':1,'however':1,'in':1},'influences':{'such':1,'shutting':1,'from':1,'they':1},'extinguished':{'at':1},'shoulder-blade':{';':1},'hers.':{'illustration':1},'mould':{'so':1,'opening':1},'simplicity':{'and':1,'of':1},'sea-squirt':{'and':1},'orbits':{'.':1,'with':1,'at':1,'round':1},'trial-and-error':{'method':1,'methods':1},'twenty-thousandth':{'of':1},'moult':{'and':2},'pupae':{'tend':1,'less':1},'adventure':{'and':1,'the':1,'which':4,'.':1},'infects':{'him':1},'prospecting':{'for':1,'in':1},'concentrating':{'always':1},'profited':{'by':1},'dissolving':{'out':1},'short':{'a':1,'summer':1,'we':1,'and':2,'stump-like':1,'of':1,'powerful':1,'tail':1,'lists':1,'.':1,'list':1,'length':1,'folk':1,'words':1,'time':7,'the':1,'sojourn':1,'excursion':1,'to':1,'distance':3},'chiefly':{'on':1,'used':1,'from':1,'of':1,'through':1,'in':2,'sounds':1,'with':1},'dispersion--that':{'is':1},'prefers':{'a':1},'life-histories':{'and':1,'of':1},'departure':{'of':1,'in':1},'height':{'and':1,'of':8,'.':1,'so':1,'in':1,'the':1,'was':1},'shore':{'and':2,'area.':1,'is':4,'scene':1,'inland':1,'1921':1,'as':1,'starfishes':1,'at':1,'in':1,'.':3,'to':1,'varies':1,'hatch':1,';':1,'life':1,'seaweeds':1,'but':1,'they':1,'others':1,'come':1,'must':1,'animals':2,'of':9,'according':1,'the':1,'something':1},'conjugal':{'affection.':1},'kippax':{'call':1},'shade':{'of':2},'iron-mines':{'saturated':1},'encased':{'in':2},'plaice':{'and':2,'or':1},'indebted':{'climatic':1},'september':{'of':1,'1922':1,'29':2,'7':1},'developed':{'and':1,'on':1,'from':1,'for':1,'is':1,'except':1,'vocal':1,'.':3,'through':1,'collar-bone':1,'in':1,'along':1,'striped':1,'than':1,'more':1},'universals.':{'intelligent':1},'mission':{'of':4},'cross':{'upon':1,'x':1,'with':1,'was':1,'from':1},'gauged':{'from':1},'unfitting':{'that':1},'scientist':{'galileo':1,'is':1},'concentric':{'regions':1,'lines':1},'emphasized':{'by':1},'thirtieth':{'case':1,'forty':1},'variability--evolution':{'of':1},'style':{'.':2},'forwards':{'as':1,'for':1},'call':{'radio-activity':1,'magnetic':1,'mind':1,'life':2,'as':1,'electrons.':1,'our':2,'living':1,'gravitation':1,'them--or':1,'electro-magnetic':1,';':1,'into':2,'nebulae.':1,'neolithic':1,'himself':1,'them--which':1,'it':1,'helping':1,'them':1,'white.':1,'canals':1,'white':2,'a':2,'light':1,'ozone':1,'of':1,'the':4,'perceptual':1,'reason.':1},'susceptible':{'to':1},'fairbanks':{'ak':1},'example.':{'the':1},'obscure--sometimes':{'environmental':1},'harmless':{'from':1,'snakes':1},'strange':{'animals':2,'animal':1,'amalgams':1,'nest':1,'rings':1,'state':1,'to':2,'as':1,'objects':1,'colouring':1,'lowly':1,'spectacle':1,'creations':1,'conditions':1},'combination-boxes':{'where':1},'non-plastic':{'efficiency':1},'partitions':{'se':1},'might':{'on':1,'be':17,'almost':1,'injure':1,'speak':1,'see':1,'therefore':1,'have':2,'take':2,'happen':1,'hasten':1,'think':1,'possess':1},'alter':{'the':2},'pre-human':{'ape-man':1,'ancestor':1,'ancestors':1,'pedigree':1},'return':{'and':2,'from':1,'later':1,'to':10,'as':1,'the':1,'or':2},'sucking':{'tongue':1},'alighting':{'only':1},'hunter':{'with':1},'chalones':{'which':1},'2.--the':{'milky':1},'communities':{'and':1},'hunted':{'out':1},'adventurous':{'and':1,'life-history':1,'experiment':1,'worms':1},'bigger':{'and':1,'than':2},'instructions':{'to':1},'subtler':{'demands':1},'intricacy':{'of':1},'bolts':{'and':1},'mastered':{'the':1,'so':1,'.':1},'man':{'all':1,'over':1,'discovered':1,'whose':3,'had':3,'except':1,'forms':1,'to':3,'has':9,'noticing':1,'coloured':1,'represents':1,'did':1,'found':1,'photographically':1,'works':1,'bone':1,'often':1,'past':1,'homo':2,'sec':1,'are':2,'thinks':1,'established':1,'plays':1,'stands':2,'since':1,'does':2,'got':1,';':2,'we':2,'sprang':1,'alone':2,'appears':1,'on':2,'would':1,'of':12,'could':1,'s':48,'or':4,'first':1,'appeared':1,'171':1,'asks':1,'.':18,'too':1,':':2,'was':4,'himself':2,'knows':1,'that':1,'exterminated':1,'took':1,'but':2,'to-day':1,'167':1,'with':3,'161':1,'he':1,'plants':1,'grew':1,'these':1,'type':1,'will':2,'values':1,'were':2,'and':22,'153':1,'type.':1,'157':1,'is':11,'it':1,'an':1,'reconstructed':1,'as':2,'lived':1,'have':1,'in':5,'saw':1,'occur':1,'perhaps':2,'interferes':1,'1':1,'how':1,'a-b.':1,'interfered':1,'pursues':1,'nearer':1,'may':1,'preceding':2,'who':3,'prepared':1,'73':1,'included':1,'man':1,'a':1,'off':2,'pithecanthropus':1,'m':1,'the':7,'possesses':1,'came':1},'inherent':{'biological':1},'difficult':{'chapter':1,'on':1,'word':1,'for':3,'of':1,'question':1,'theories':1,'environment':1,'to':14,'not':1,'situation':1,'speculation':1,'conditions':1,'than':1},'saturn.':{'the':1},'constructing':{'its':1},'weighs':{'1':1,'about':3,'nearly':1},'weight':{'for':1,'of':6,'is':1,'two':1,'.':1,'they':1,'than':1},'needless':{'to':2},'generation':{'and':1,'people':1,'of':1,'is':1,'after':1,'to':3,'that':1,'have':1,'in':1,';':1,'if':1},'female--first':{'one':1},'notochord':{'is':2,'.':2},'recapitulate':{'racial':1,'in':1},'culminating':{'with':2,'in':2},'scratching':{'swimming':1},'inflated':{'and':1,'balloon.':1},'croaking':{'of':2},'wondered':{'why':1,'idly':1,'at':1},'induces':{'a':1},'progressive;':{'everything':1},'health':{'and':1,'which':1,'.':1},'hill':{'cave':2,'in':1},'absorb':{'either':1},'celebes':{'lay':1},'induced':{'to':2},'caucasian':{'arose':1,'.':1},'regards':{'many':1,'their':1,'sight':1,'wave-lengths':1,'the':4,'its':2,'size':1},'note--that':{'of':1},'exertions':{'and':1,'running':1},'lesser':{'degree':1},'coco-palms':{'has':1},'rotifer':{'is':1},'monotony':{'.':1},'tassels':{'on':1},'fuller':{'embodiment':2,'well-being.':1},'teach':{'her':1},'colonised':{'by':1,'at':1},'generate':{'heat':1,'thousands':1},'lag':{'behind':1},'thrown':{'a':1,'on':2,'dust':1,'off':1,'upon':1},'preliminary':{'training':1,'scaffolding':1},'thread':{'of':1,'needles':1},'e.g':{'.':38},'decipiens':{'and':1},'77':{'photo':1,'reproduced':1},'light--we':{'have':1},'circuit':{'of':2,';':1,'generates':1,'.':1},'twenty':{'thousand':1,'million':2,'years':5,'hours':2,'to':1,'miles':1,'or':2},'lemurs':{'and':1,'there':1},'experimenter':{'or':1},'fallen':{'and':1,'sufficiently':1},'throws':{'light':1,'it':1},'solidly':{'frozen':1},'sperm-cell':{'and':1,'adapted':1,'with':1},'sheep-driving':{'competition':1},'limestone':{'canyon':2,'which':1},'feel':{'and':1,'sure':1,'for':1,'over-anxious':1,'quite':1,'dare':1},'radical':{'difficulty':1,'changes':1},'churning':{'water':1},'linking':{'generation':1,'of':1},'well-known':{'case':1,'elements':2,'that':1,'mudfish':1,'examples':1,'soft-shell':1,'carpo-metacarpus':1},'sympathy':{'which':2},'sailor':{'expressed':1},'brave':{'self-forgetful':1},'defects':{'such':1},'fees':{'to':1,'.':1,'or':1,'that':1},'says':{'and':1,'a':1,'no.':1,'do':1,'that':3,'professor':1,'meteorites':1,'sir':1,'can':1,'the':2,';':1},'vapour-like':{'matter':1},'whale':{'and':2,'what':1,'showing':1,'there':1,'reaches':1,'.':1,'rushes':1,'the':1,'has':1,'118':1,'is':1,'must':1},'earthworms':{'and':1,'which':1,'centipedes':1,'many':1,'began':2,'have':1,'in':1},'fossil-bearing':{'rocks':1},'passes':{'a':1,'from':2,'into':1,'to':1,'near':1,'through':4,'directly':2,'between':1,'along':2,'the':1,'out':1},'story':{'of':19,'is':1,'when':1,'.':1,'will':1,'simply':2,'in':2,'the':1,'has':1,'went':1},'birgus':{'latro':2,'which':1},'temperature':{'and':3,'is':1,'it':1,'reaches':1,'say':1,'at':2,'in':1,'would':2,'seems':1,'.':7,'which':1,';':1,'was':1,'day':1,'then':1,'we':1,'falls':1,'rises':1,'than':1,'must':1,'of':10,'could':1,'allows':1,'will':1,'the':2},'redistributing':{'project':1,'or':1},'kin.':{'the':1},'leading':{'to':3,'peculiarities':1,'from':1,'authority':1},'coasts':{'but':1},'brisker':{'flow':1},'hangs':{'over':1},'swarm':{'of':3,'sometimes':1,'like':1,'has':1},'storm':{'note':1,'petrel':4,'effects':1,'they':1},'pitted':{'against':1},'soddy.':{'it':1},'aristocracy':{'and':1},'store':{'of':3,'the':1},'fire-mists':{'such':1,'would':1},'imperfect':{'core':2,';':1,'telescope':1,'the':1},'fish-lizards':{'and':1},'pump':{'.':1},'information:':{'dr':1},'convinces':{'us':1},'tugs':{'at':1},'sea-scorpions':{'belonged':1},'treasures':{'behind':1},'rifle':{'and':1,'bullet':3,'.':1},'convinced':{'of':1,'that':2},'explodes':{'without':1},'king':{'of':1},'kind':{'and':2,'we':2,'enable':1,'from':2,'whereas':1,'that':2,'of':34,'taking':1,'express':1,'upon':1,'.':2,'will':1,'set':1,'in':3,';':2,'throughout':1,'or':1,'present':1},'earth--as':{'a':1},'wonder-world':{'of':2},'double':{'this':1,'streaming':1,'blowhole':1,'fold':1,'that':1},'instruction':{'and':1},'indifferent.':{'they':1},'dispensed':{'with':1},'risks':{'and':2,'to':1,'are':1,'of':2},'coast.':{'illustration':1},'earth--an':{'electric':1},'tongues':{'of':2},'unrestricted.':{'animals':1},'7a':{'the':1},'outstanding':{'events':1},'greenwich':{'observatory':1},'disguise--other':{'kinds':1},'gale':{'bringing':1},'alike':{'of':1,'in':1},'cleaned':{'artificially':1},'shrews':{'tree-shrews':1},'cases--marvellous':{'apparatus':1},'cobras':{'brightly':1},'blowhole':{'or':1},'check':{'on':1,'the':2,'comes':1,'vegetation.':1},'interferes':{'is':1},'cropped':{'up':1},'port':{'knows':1,'in':1},'middlemen':{'is':1},'moist':{'winds':1,'and':1,'climate':2,'internal':1,'air':1},'finding':{'their':1},'interfered':{'but':1},'added':{'a':2,'to':4,'up':1},'electric':{'current':15,'power':2,'bells.':1,'bell':1,'charges':2,'shock':1,'phenomena':1,'charge':3,'magnet':1,'tram':1,'terminals':1,'dynamo.':1,'circuit':1,'trams':1,'discharge':6,'spark':8,'furnace':1},'bands':{'it':1,'140':1},'intervened':{'the':1},'instance.':{'organic':1},'measures':{'of':1,'about':1,'on':1,'the':1,'three':1},'reach':{'a':2,'and':1,'about':1,'us.':1,'us':1,'.':1,'their':1,'only':1,'but':2,'the':7,'upward':1,'out':1},'react':{'effectively':1,'on':1},'cigarette':{'and':1},'attempt':{'to':2,'at':1,'too':1},'74':{'diagram':1},'73':{'okapi':1},'72':{'photo':2,'earthworm':1,'reproduced':1},'enduring':{'satisfaction':1},'nothing':{'happens':1,'appeals':1,'like':1,'solid':1,'of':1,'had':1,'but':3,'.':6,'better':1,'more':1,'at':1,'which':1,'in':2,'colder':1,';':1,'out':2,'was':1,'gives':1},'measured':{'and':2,'cube':1,'in':2,'drop':1,'only':1,'fall':1,'the':2,'by':1,'movements':1},'achievement':{'and':1,'is':1},'constitution':{'of':10,'could':1,'which':1,'.':1},'equatorial':{'regions':1,'forests':1},'22.--a':{'nebular':1},'mineral':{'particles':1},'coincides':{'with':1},'chemical':{'reaction':3,'processes':3,'elements':3,'energy':2,'substances':1,'science':1,'screen':3,'conditions.':1,'messengers':6,'element':2,'leave':1,'transformation--the':1,'analysis':1,'routine':1,'action':1,'.':1,'changes':1,'compounds':1,'element.':1,'level':2},'zealand.':{'some':1},'amphibian':{'foot-print--an':1,'mind':1,'race':1,'in':1},'wood-snails':{'but':1},'notch':{'next':1},'artemia':{'salina':1},'institutions':{'.':1,'were':1},'lying':{'on':2,'head':1,'inert':1,'over':1,'upon':1,'beside':1,'low':3},'stones':{'and':3,'on':1,'from':1,'of':2,'.':1,'so':1,'in':1,'probably':1,';':1,'where':1,'or':1},'copy':{'and':1,'a':1,'of':2,'is':1,'upon':1,'it':2,'or':1,'in':1,'display':1,'if':1},'journeys':{'undertaken':1,'.':1},'pennies':{'and':1,'from':1},'wayside':{'.':1},'to-day.':{'as':1,'illustration':1,'an':1},'shares':{'with':1},'gilded':{'boxes':1},'securing':{'a':1,'change-provoking':1,'the':2},'mudfish':{'may':1,'of':1,'is':1,'or':1},'fishes--the':{'mind':1},'moulting':{'immature':1},'grotesque':{'delusions':1},'betray':{'themselves':1},'hip':{'joint':1},'birnam':{'when':1},'hit':{'a':1,'and':1,'upon':1,'by':1},'gains':{'of':2,'that':1},'assumed':{'on':1},'furnaces':{'as':1,'with':1},'whistle':{'is':1},'explosively':{'from':1},'longest':{'for':1,'of':1,'feathers':1,'are':1,'waves':2,'or':1,'pinions':1},'instinctive':{'aptitudes':5,'activities':1,'repertory.':1,'capacities.':1,'rather':1,'capacities':5,'due':1,'actions':1,'element':1,'behaviour':10,'obligations':1,'registration.':1,'ants':1,'capacities--limited':1,'routine':2,'capacity':2,';':1,'.':1,'awareness':1,'behaviour.':1},'shreds.':{'whenever':1},'stone.':{'and':1,'nearly':1},'eye-piece':{'magnifies':1,'.':1,'its':1,'at':1},'expositor':{'.':1},'thereabouts':{'.':1},'nibbles':{'at':1},'arges':{'that':1},'investigate':{'the':1},'ninety-two':{'elements--we':1,'.':1},'activity':{'and':1,'we':1,'which':1,'for':2,'almost':1,'heretofore':1,'is':1,'in':2,'s':2,'.':3,'also':1,'as':2,'besides':1,'of':3,'known':1,';':1,'where':1},'rischgitz':{'collection.':6},'engraved':{'on':2},'nibbled':{'away':1},'bars':{'of':1,'have':1,'which':1},'art':{'of':1,'expressing':1,'in':1},'achieved':{'.':2},'intelligence':{'and':9,'on':1,'--the':1,'deteriorates':1,'cooperated':1,'of':2,'is':2,'when':1,'what':1,'.':7,'will':1,'to':3,'increases':1,'are':1,'a':1,'in':3,'seen':1,'the':2,'--a':1,';':2,'co-operating':1},'arc':{'in':2},'bare':{'head':1},'are':{'limited':1,'all':9,'scooped':1,'caused':1,'landlocked':1,'commoner':1,'illustrated':3,'particularly':3,'poorly':1,'particles':2,'certainly':1,'concerned':3,'to':9,'preserved':1,'under':1,'worth':1,'activities':1,'comparatively':1,'seized':1,'returned':1,'sitting':1,'very':25,'trillions':1,'foul':1,'vastly':1,'vast':2,'dim':1,'clouds':1,'large':2,'quick':3,'smaller':1,'specially':1,'dealing':1,'likely':1,'further':1,'estimated':1,'giving':1,'hereditary':2,'fossil':1,'ever':1,'led':1,'loose':1,'here':3,'hundreds':5,'met':1,'others':1,'persecuted':1,'strong':3,'observing':1,'great':2,'thirty':1,'vibrating':1,'descended':5,'usually':4,'conveniently':1,'composed':2,'mimicked':1,'suddenly':1,'merely':5,'explained':1,'marked':2,'highly':1,'brought':1,'visible':2,'hard-and-fast':1,'from':1,'recalling':1,'two':11,'few':1,'wonderfully':1,'therefore':2,'taken':1,'themselves':1,'phosphorescent--they':1,'more':13,'separated':1,'staggering':1,'tested':1,'ignorant':2,'known':7,'mounted':2,'none':1,'vicissitudes':1,'excessively':1,'exceptions':2,'pent-up':1,'bent':1,'indicated':1,'oviparous':1,'tax':1,'allowed':1,'huge':1,'rather':1,'divided':1,'breaking':2,'entangled':3,'1':2,'located':2,'ordinary':1,'substances--':1,'tried':1,'undergoing':2,'inconceivably':1,'burrowing':1,'different':2,'waves':3,'such':5,'a':13,'free-swimming':1,'chiefly':2,'four':2,'crowded':1,'light':1,'so':13,'pulled':1,'minded':1,'over':1,'mainly':1,'produced':1,'held':1,'still':5,'its':2,'26':1,'interesting':1,'masses':1,'actually':2,'strange':1,'microscopic':1,'spoiling':1,'covered':1,'receptacles':1,'secondary':1,'split':1,'good':1,'locusts':1,'safe':1,'they':3,'not':35,'sorted':1,'now':11,'killed':1,'well-known':1,'always':2,'sufficiently':1,'each':1,'found':3,'entirely':1,'traces':1,'lifted':1,'doing':2,'sifted':5,'transmissible.':1,'borne':3,'living':1,'shown':2,'fundamentally':1,'content':1,'laid':2,'7':1,'induced':1,'red':1,'attended':1,'quite':4,'small':1,'put':1,'beginning':2,'cremated':1,'exhibited':1,'constantly':1,'adepts':1,'greatest.':1,'instances':1,'spots':2,'directly':1,'immensely':1,'mercury':1,'little':1,'ancient':2,'similarly':1,'unknown':1,'plastic':1,'their':3,'cooling':1,'2':1,'too':1,'wrapped':1,'legally':1,'white':1,'witnessing':1,'mostly':4,'that':1,'exactly':1,'predictable':1,'convinced':1,'peculiar':1,'double':1,'enabled':1,'extraordinarily':2,'matter':1,'determined':1,'supposed':1,'treated':1,'encumbered':1,'variable':1,'close':2,'seen':4,'clearly':2,'relatively':2,'built':3,'thoroughly':3,'speculative':1,'able':8,'also':11,'edge':1,'absorbed':1,'presently.':1,'most':1,'eight':1,'printed':1,'drought':1,'incursions':1,'extremely':1,'nutritive':1,'manifested':1,'especially':1,'considered':1,'clear':1,'sometimes':1,'repeated':1,'face':1,'short-lived':1,'points':2,'left':4,'normally':1,'molluscs':1,'shot':1,'sceptical':1,'supported':1,'scattered':1,'right-handed':1,'rotating':1,'unsurpassed.':1,'giant':1,'highest':1,'distributed':2,'outside':1,'buttons':2,'being':2,'only':5,'going':1,'employed':1,'thousands':1,'meant':1,'exceptional':1,'dependent':1,'closely':1,'altogether':1,'instinctive':1,'areas':1,'playful':1,'sheltered':1,'common':1,'rung':1,'doubles':1,'approaching':1,'set':2,'acquired':1,'observed':1,'sporadic':1,'luminous':1,'subject':1,'said':2,'prominent.':1,'circulating':1,'continually':5,'jewels.':1,'luminescent':1,'unable':1,'various':2,'markedly':1,'probably':3,'prodigally':1,'numerous':3,'we':4,'gratefully':1,'invisible':3,'precious':1,'favourable':1,'many':16,'taking':1,'equal':1,'present':2,'tree-toads':1,'adapted':3,'among':1,'hollow':1,'learning':1,'deflected':1,'ether':1,'startling':1,'there.':1,'capable':1,'tremendous':1,'due':1,'.':3,'attaching':1,'immense':3,'much':4,'slowly':1,'likewise':1,'repelled':1,'painted':1,'suns.':1,'worked':1,'those':3,'stolen':1,'these':3,'awakened':1,'seven':1,'almost':2,'violently':2,'obtrusive':1,'obeying':1,'tell-tale':1,'in':26,'ready':1,'confirmed':1,'perpetually':1,'stimulated':1,'parts':1,'arguments':1,'mixtures':1,'played--for':1,'used':3,'temporary':1,'arctic':1,'constantly--either':1,'moving':1,'kept':2,'paralysed':1,'well':2,'without':2,'the':43,'charged':1,'just':4,'less':1,'increasingly':1,'offensive':1,'mistaken':1,'reincarnated':1,'human':1,'alternative':1,'revealed.':1,'corroborated':1,'thinking':1,'agile':1,'spread':1,'exempt':1,'resolved':1,'easily':1,'dark':1,'apt':4,'long-haired':1,'accepted':1,'redistributing':1,'ruled':1,'like':4,'complicated.':1,'shed':1,'right':1,'often':16,'some':9,'neutralised':1,'amongst':3,'born':3,'universes':1,'provided':1,'gradually':1,'dense':1,'asking':1,'pre-eminent':1,'palatable':1,'slight':1,'manufactured':1,'broken':1,'on':6,'about':6,'cautious':1,'carried':3,'getting':1,'of':7,'discussed':1,'greatly':2,'connected':1,'hatched':4,'flying':2,'attached.':1,'billions':1,'three':3,'authorities':1,'mere':1,'impressed':1,'strictly':1,'there':3,'disposed':1,'long':3,'stars':3,'deposited':1,'naturally':1,'lowest':1,'complete':2,'deaf':1,'but':3,'somehow':1,'curiously':1,'removed':2,'considerable':1,'directed':1,'made':5,'arranged':2,'characteristic':1,'placed':1,'called':11,'storing':1,'vehicles':1,'affectionate':1,'certain':1,'slowing':1,'general':1,'as':8,'definite':1,'at':7,'floating':2,'no':7,'generally':1,'other':8,'blackish-grey':1,'really':3,'separate':1,'suited':1,'included':1,'--a':1,'reflectors':1,'longer':2,'practically':3,'required':1,'utilised':1,'beds':1,'far':4,'undoubted':1,'restored':1},'walking-stick':{'insects':1},'chambers':{'perforating':1},'bark':{'and':1,'of':1},'arm':{'and':1,'spawn':1,'of':2,'is':1,'stretching':1,'.':1,'skips':1,';':1},'declined':{'and':1},'crunching':{'insects.':1},'youth':{'to':1,'from':1},'learns':{'a':1,'the':1},'discovered--pulling':{'and':1},'distinctive':{'features':1,'colour':1,'spectrum':3,'arrangement':1,'peculiarities':1,'fauna':1,'is':1},'anatomists':{'have':1},'misjudge':{'our':1},'universe.':{'this':1,'but':1,'sec':1,'illustration':1,'in':1,'our':1,'are':1},'contrary':{'to':1,'has':1},'nestor':{'parrot':1},'numerous':{'and':1,'hard':1,'locations':1,'parachutists--':1,'attempts':1,'lobes':1,'prehensile':1,'ways':1,'separate':1,'young':1,'microscopic':1,'muscles':1,'kinds':1,'that':1,'hundreds':1,'gas-bubbles':1,'types':1,'ribs':1,'colour-varieties':1,'variations':1,'as':1,'mutually':1,'tubercles':1,'appendages':1},'hairs':{'may':1,'of':2,'and':1,';':1,'which':1},'vitality.':{'illustration':1},'1.f.2':{'.':1},'recently':{'named':1,'said':1,'that':1,'regarded':1,'shown':1,'been':1,'erected':1,'discovered':2,'as':1,'learned':1},'creating':{'derivative':2,'the':2},'1.f.3':{'a':1,'this':1,'the':1,'.':1},'sole':{'of':2,'which':1,'have':1,'are':1},'outfit':{'for':1},'days.':{'there':1,'sec':1},'succeed':{'not':1,'and':1,'in':3,'but':1,'.':1},'head.':{'compare':1,'illustration':1},'prelude':{'to':1},'inertia':{'of':1},'bronze':{'second':1,'was':1,'age':1},'c':{'a':1,'that':1,'of':1,'there':2,'but':1,'.':16,'thirdly':1,'3':2,'others':1,'any':1},'license':{'available':1,'and':1,'terms':1,'especially':1,'for':1,'please':1,'when':1,'.':2,'as':1,'included':2,'apply':1,'the':1,'must':1},'attainment':{'at':1},'sheaths':{'of':1},'distinctively':{'new':1,'north':1,'marine':1},'1.f.5':{'.':1},'roman':{'galley':1},'became':{'useful':1,'heated':1,'an':2,'as':1,'in':1,'extinct':2,'gradually':1,'unavailable':1,'for':1,'restricted':1,'extinct.':1,'much':1,'too':1,'easier':1,'more':2,'aware':1,'suited':1,'a':3,'longer':1,'equal':1,'enregistered':1,'the':4,'essential':1},'cloud-like':{'effect.':1,'patches':1},'bond':{'of':1,'could':1},'finds':{'its':3},'peripatus':{'a':1,'83':1,'centipedes':1,'which':2},'sloth':{'s':1},'flies':{'to':2,'into':1,'at':1,'.':1},'flier':{'.':2},'distress':{'is':1},'reasons':{'and':1,'great':1,'have':1,'for':3,'is':1,'are':2,'which':1,'why':1},'sweet':{'sap':1,'odours':1},'sweep':{'of':1},'whelk':{'on':1,'the':1,'requires':1,';':1,'or':2},'regulated':{'then':1,'harmony':1,'by':1},'incandescent':{'may':1,'world-cloud':1,'atoms':1,'gas.':1},'fibres':{'come':1},'newbigin':{'m':1},'simpler':{'and':3,'elements':1,'animals.':1,'forms':2,'so':1,'fossil':1,'in':1,'still':1},'pr':{'are':1},'decline':{'europe':1,'of':1,'sometimes':1,'markedly':1},'there.':{'so':1,'it':1},'jugglery':{'with':1},'java':{'and':1,'ape':1,'ape-man':3,'at':1,'in':1,'man':2,'ape-man--an':2},'scented':{'with':1},'illumined':{'seaweed-growing':1,';':1,'green':1,'than':1,'surface':1},'pigmies':{'of':1},'dug':{'as':1},'whom':{'we':2,'you':1,'they':1},'reduction':{'of':3,'in':1},'pg':{'search':1},'--an':{'internal':1},'brick':{'you':1,'contains':1,'moves':1},'yolk-laden':{'portion':1},'attractive':{'phenomenon':1},'affectionate':{'and':1},'flight':{'and':1,'from':1,'also':1,'may':1,'brings':1,'is':2,'.':3,'brought':1,'most':1,'as':1,'so':1,'which':2,'of':3,'implies':1,'has':1,'was':1},'flints':{'with':1},'flinty':{'sponge':1,'needles':1,'skeleton':2},'precision':{'what':1},'defect':{'you':1,'in':2},'1864':{'by':1},'temperament':{'as':1},'1869':{'that':1},'1868':{'sir':1},'depends.':{'separate':1},'plants':{'and':24,'already':1,'begun':1,'is':1,'it':2,'at':1,'have':2,'in':3,'before':1,'stands':1,'for':1,'.':5,'to':3,';':2,'laboriously':1,'may':1,'upon':1,'but':2,'such':1,'with':1,'by':1,'flourished':1,'asexual':1,'can':1,'were':2,'the':4,'or':3,'are':2},'stolen':{'by':1},'conception':{'of':6,'the':1,'.':1,'to':1},'boast':{'with':1},'yellow-brown':{'the':1},'frozen':{'gas':1,'masses':1,'hard':2,'rigid':1},'compactness':{'of':1},'intercepts':{'great':1,'all':1},'64-6221541':{'.':1},'parents.':{'strangest':1},'lenard':{'and':1,'found':1},'dublin':{'high':1,'zoo':1},'obtrusive':{'rather':1},'obstacle':{'of':1,'race':1},'rid':{'of':3},'hare--with':{'human':1},'currents':{'within':1,'of':1,'there':1,'.':1,'needed':1,'at':1,'moisture':1},'peopled':{'than':1,'.':1},'away.':{'3':1,'it':1,'illustration':1},'chapter.':{'the':1},'twofold':{'process':1,'caution':1},'illustration:':{'the':1,'star':1},'lengths':{'.':2,'part':1,'which':1,'in':1},'muscle-cells':{';':1,'which':2,'.':1},'foretells':{'the':1},'undersides':{'of':1},'blood-relationship':{'with':1,'between':1},'stimulated':{'brain':1,'cells':1,'if':1,'by':2,'to':1},'dermis':{'and':1},'widely':{'separated':1,'distributed':1,'open':1},'peoples':{'with':1,';':1,'who':1,'to-day':1,'indeed':1},'9':{'a':1,'feet':1,'inches':1,'million':1,'looking':1,'000':1,'the':1,'saturn':1},'shirk':{'the':1},'yucca':{'moth':6,'flowers':2,'flower':3,'moths.':1},'higher':{'and':3,'vertebrates':2,'still':2,'reaches':2,'apes--gorilla':1,'pitch':1,'expressions':1,'education':1,'terrestrial':1,'forms':2,'apes':2,'power':1,'there':1,'note':3,'animal':1,'life':1,'degree':1,'insects.':1,'mammals.':1,'standard':1,'adventures.':1,'controlling':1,'faculty':1,'flowering':1,'than':1,'land':1,'animals':4,'level':3,'turn':2,'centres':1,'mammal':1},'current.':{'each':1},'chequer':{'hen':1},'mountain':{'ranges':2,'hare':4,'torrents':1},'ultimate':{'particles':1,'object':1,'service':1,'atoms':1},'flows':{'as':1,'in':1},'brooding':{'on':1,'it':1},'moving':{'and':2,'speck':1,'through':1,'at':1,'rapidly':2,'hoofed':1,'her':1,'away':1,'.':1,'particles':2,'how':1,'parts':2,'body':1,'very':1,'amongst':2,'atoms':1,'water':1,'objects':2,'molecules.':1,'with':5,'on':2,'about':1,'mass':1,'toward':1,'round':1},'mistake.':{'we':1},'sagacious':{'indeed':1,'when':1},'birch':{'alder':1},'vertical;':{'the':1},'263':{'professor':1,'reproduced':1},'lower':{'and':1,'side.':1,'vertebrates':1,'surface':1,'one':1,'in':1,'female.':1,'photograph.':1,'miocene':1,'jaw':6,'vertebrate':1,'orders':2,'eocene':1,'picture':1,'ends':1,'mammals':1,'levels':1,'jaw.':1,'than':3,'types':1,'temperature':2,'photograph':1,'diagram.':1,'animals':1,'level':1,'part':1,'side':1},'people.':{'no':1},'dancing':{'mice':1,'mouse':1,'or':1},'chickens':{'that':1,'incubated':1,'in':1},'outflame':{'of':1},'analysis':{'of':1,'showing':1,'would':1},'magnified':{'to':2},'solids':{'.':1},'edge':{'on':1,'or':1,'of':5},'length.':{'now':1},'b.c':{'.':2},'beautiful.':{'in':1},'muscle-fibre':{'m.f.':1},'266':{'the':1},'pollen':{'to':1,'from':2,'.':1},'abilities':{'come':1},'endeavour':{'to':1,'after':3,'associated':1,'or':1,'.':1},'unseen':{'occupies':1,'earthworms':1,'.':1},'mimicked':{'butterflies':1,'.':2,'by':1,'for':1,'are':1},'mood.':{'certain':1},'pigeons':{'and':2,'to':1,'it':1,'were':1},'competitive':{'.':1},'reincarnated':{'in':1},'intervals':{';':1},'inachis':{'from':2},'questions':{'and':1,'besides':1,'that':1,'of':3,'introduce':1,'have':1,'with':1},'inter-relations--the':{'subject':1},'reliance':{'on':1},'continent':{'of':1,'when':1,'fixes':1,'from':1},'tamed':{'.':1},'ravine':{'near':1},'wedge-shaped':{'piece':1},'corroborated':{'or':1,'by':1},'extracted':{'from':1},'workers':{'fastened':1},'tentatives--new':{'departures':1},'ocean':{'and':1,'for':1,'of':4,'is':2,'it':1,'.':2,'s':1,'home':1},'exclusively':{'of':1},'exhibition':{'of':2},'inducing':{'strange':1},'finder':{';':1},'turtle-backs':{'is':1},'associations':{'and':1,'established':1,'of':1,'between':1,'.':1,'were':1,'such':1,'with':1},'up-stream.':{'sometimes':1},'balloon.':{'photos':1,'running':1},'sensatory':{'nerve-fibre':1},'entangled':{'and':2,'in':2,'together':1,'air':1},'earth--making':{'a':2},'modifications':{'are':1},'rotate':{'and':1,'on':3,'all':1,'at':1,'round':1},'line--are':{'represented':1},'neanderthaler':{'.':1},'confront':{'us':1},'incidental':{'damages':1},'separately':{'is':1,'.':1},'collect':{'pennies':1,'half':1},'arthur':{'the':1,'thomson':5,'keith':7,'thomson.':1,'antiquity':1},'retires':{'to':1},'under-water':{'world':1},'foot--an':{'obvious':1},'table.':{'illustration':1},'essential':{'features':2,'similarity':2,'that':1,'vertebrate':1,'to':2,'oneness':1,'part':3,'independence':1,'in':1,'bones':1,'construction':1,'difference':1,'correlation':1,'identity':1},'engravings':{';':1},'hinted':{'at':2},'feet--the':{'largest':1},'men--races':{'of':1},'eluding':{'the':1},'streaming':{'motion':1,'from':2},'newsletter':{'to':1},'hjort':{'dr':1},'saucer':{'or':1},'aptitudes':{'many':1,'what':1,'which':1,'inborn':1,'then':1},'stately':{'and':1},'gradually':{'division':1,'slow':1,'from':1,'radiating':1,'out':1,'turned':1,'as':1,'reduced':1,'cooling':1,'settle':1,'eliminate':1,'evolved':2,'curved':1,'become':1,'increasing':1,'adapted':1,'regrown':1,'realised':1},'bushy-tailed':{'almost':1},'tends':{'to':6},'prof':{'.':7},'fragments':{'a':1,'and':1,'broken':1,'doubled':1,'of':2},'pieces--a':{'kind':1},'jumps':{'along':1,'from':1},'weir':{'confessed':1},'refused':{'to':1,';':1},'race--there':{'is':1},'intense':{'white':1,'disturbance':1,'competition':1,'activity':1},'vivid':{'idea':1},'cautious':{'and':1,'for':1},'mingled':{'with':4,'together':1},'age.':{'photograph':1,'sand-pit':1,'some':1,'as':1,'cenozoic':1,'they':1,'the':1},'row':{'of':1},'tortuous':{'path':1},'firing':{'the':1},'deepish':{'water':1},'forbears':{'long':1},'penetration':{'implies':1,'.':1},'lifeless':{'world.':1},'range':{'of':7,'became':1,'in':2},'wonders':{'of':4,'that':1},'fluttering':{'.':1},'gamma':{'rays':4},'naturalists':{'who':2,'have':1},'feed':{'and':1,'on':5,'for':1,'there':1,'some':1,'at':2,'in':1},'enregistration':{'of':1},'moss':{'and':1,';':1,'by':1},'conquest':{'of':8,'implied':1,'both':1},'attached.':{'methods':1},'flagellates':{'in':1},'canal':{'in':1,'system':1,'round':1},'impressed':{'on':1,'with':1,'by':1},'acquiesce':{'as':1,'in':1},'extremely':{'rapid':1,'interesting':1,'alert':1,'rarified':1,'delicate':1,'conservative':1,'fine':1,'thin':1},'question':{'and':2,'what':1,'rises':1,'to-day':1,'that':1,'whether':2,'of':3,'is':4,'had':1,'but':1,'to':2,'as':1,'which':1,'in':2,':':2,'than':1,'must':1},'cocoon--the':{'bag':1},'cuticle':{'or':1},'enregister':{'outside':1,'ready-made':1,'or':1},'conceivable':{'ages':1},'mimicry':{'and':2,'is':1,'serves':1,'.':1,'in':1,'called':1},'sections':{'of':1,'3':1,'.':1},'files':{'of':1,'containing':1},'mountains':{'and':1,'on':1,'like':1,'of':3,'.':1,'to':1,'are':2,'the':1},'potassium':{'pill':1},'glamour':{'of':1},'cloth':{'if':1,'packets':1,'in':1},'began--a':{'small':1},'energy--traceable':{'back':1},'crane':{'and':1,'the':1},'ring-armour.':{'illustration':1},'raising':{'the':1},'penguin':{'notice':1,'213':1},'section.':{'influence':1},'nonplussed':{';':1},'consist':{'of':1,'themselves':1,'in':1},'characteristic':{'style':1,'set':1,'fossils':2,'pelagic':2,'of':4,'endeavour':1,'.':1,'contingencies--the':1,'sharp':1,'self-preservative':1,'bird':1,'population':1},'seize':{'the':1},'117':{'photo':1,'ten-armed':1},'stalking':{'about':1,'we':1,'carnivore':1},'homo':{'neanderthalensis':1,'sapiens':1,'heidelbergensis':1},'redistribution.':{'start':1},'etc.':{'are':1,'gives':1},'called':{'protists':1,'appropriately':1,'luidia':1,'nototrema':1,'negative.':1,'spring':1,'is':1,'labyrinthodonts':1,'chalones':1,'differentiation':1,'salps':1,'planets':1,'protozoa.':1,'obelia':2,'pontobdella':1,'helium':1,'zostera':1,'triticum':1,'viviparity':1,'peter':1,'informal':1,'positive':1,'educability.':1,'muellerian':1,'spiral':1,'peripatus':2,'aerial.':1,'their':1,'without':1,'pretty':1,'hormones':1,'lycosa':1,'energy':1,'red':1,'kelts':1,'we':1,'which':1,'convergences':1,'zoological':1,'glands':1,'the':23,'upon':1,'guanin':1,'learning':1,'phagocytes':1,'them':1,'amniota':1,'convergence':1,'batesian':1,'commensalism':1,'venus':1,'momentous':1,'a':5,'deeps':1,'into':1,'sun-spots':1,'chauliodus':1,'round':1,'cryptozoic':1,'physiological':1,'tropisms':2,'have':1,'were':1,'self-mutilation':1,'primitive':1,'cells':1,'experimental':1,'jasper':1},'x-ray':{'photograph':6,'spectra':1},'individuality':{':':1,'with':1},'freak':{'is':1},'sepia':{'from':2},'breast.':{'the':1},'problem.':{'1.f.4':1},'warning':{'colours':2,'note':1,'coloration':1},'reservoirs':{'of':1,'to':1},'trammels':{'of':1},'whirligig':{'beetle':2},'adams':{'10':1,'who':1},'knowledge.':{'astronomical':1},'rainbow':{'is':1,'.':1,'where':1,'in':1},'riot':{'in':1},'reason.':{'the':1,'sec':1,'what':1,'here':1},'tentative':{'men':3,'branches':1,'or':1,'experimental':1},'weight.':{'4':1},'endurance':{'patience':1},'peace':{'while':1,'or':1},'c.:':{'that':1},'reappearance':{'of':1},'club':{'can':1},'opalina':{'which':1},'income':{'.':2},'ferment':{'from':1},'intercrossing':{'or':1,'between':1},'generates':{'heat':2,'sufficient':1,'in':1},'backbone':{'and':1,'a':1,'of':1,'.':1,'which':1,'in':3,';':1},'problems':{'on':1,'that':1,'of':1,'but':1,'.':2,'which':1},'thirty-two':{'miles':1},'helping':{'to':1,'the':1},'develops':{'very':1,'into':1},'allowing':{'the':1,'elbow-room':1,'more':1},'-200':{'deg':1},'folds':{'its':1},'inventions':{'are':1},'vaseline':{'bottle':1},'fluorescence':{'on':1},'fan-like':{'cluster':1},'path.':{'there':1},'liquefy':{'air':1},'accumulations':{'of':1},'departments':{'of':1},'back.':{'the':1},'departs':{'209':1,'in':1},'appearance--an':{'epoch-making':1},'weights':{'or':1,'.':1},'well-being.':{'we':1},'hooky':{'surfaces':1,'that':1},'vue':{'gardens':1},'resistance':{'to':1,'.':1},'distributed:':{'this':1},'protuberant':{'the':1},'winds':{'rise':1,'from':1,'two':1},'open-minded.':{'the':1},'adjustment':{'to':1,'of':1},'contributions':{'and':1,'to':1,'from':3,'are':1},'magnifying':{'lens':1,'lens.':1},'tide-marks':{';':1},'copernicus':{'lower':1},'simon':{'newcomb':1},'e-mail':{'within':1},'disposal':{'however':1},'sparrow':{'to':1,'rise':1,'up':1},'deal.':{'the':1},'cradle':{'of':7,'whereas':1,'.':1,'in':1,'or':1,'is':1},'stable':{'kind':1,'lines':1,'crust':1,'.':1,'result':1,'curved':1,'stock':1,'equilibrium':1},'breach':{'of':2},'include':{'a':1,'all':1,'whales':1,'many':2,'one':1,'those':2,'the':2,'mediterraneans':1},'breathing':{'dry':1,'of':1,'by':2,'which':1,'movements':2},'wished':{'to':1},'wind.':{'in':1},'club-moss':{'forests':3},'talons':{'and':1},'alder':{'and':1},'sensation':{'of':4},'electron':{'and':3,'sir':1,'has':1,'theory':3,'theory--the':1,'is':4,'current':3,'when':1,'as':1,'.':2,'rotating':1,'to':2,'pump':1,'physicists':1,'in':1,';':1,':':1,'was':1,'merely':1,'sticks':1},'graphic':{'illustration':1},'dando':{'baby':1},'bounding':{'about':1},'posture':{'with':1},'redistribute':{'this':1},'ideas--the':{'living':1},'self-effacement':{'is':1,'often':1,'but':1},'fur':{'and':1,'of':2,'or':1},'notes':{'with':1},'phenomena.':{'sec':1},'agency.':{'yellow-crowned':1,'chimpanzee':1,'orang-utan':1,'penguins':1,'in':1,'baby':2},'deals':{'with':1,'.':1},'glaciations':{'and':1},'warranties':{'of':2,'or':1},'poisonous':{'snake':2,'species':1},'phoenix':{'electric':1},'moulding':{'effect':1},'blood-fluid':{'or':1},'noted':{'for':1,'that':4},'assemblage':{'of':2},'disclaimer':{'of':1,'or':2},'smaller':{'even':1,'and':1,'telescope':2,'cheek-bones':1,'constituents':1,'less':1,'.':1,'particles':2,'will':1,'electrons':1,'have':1,'globes':1,'magellanic':1,'particles.':1,'than':8},'gripping':{'grappling':1,'the':1,'them':1,'teeth':1},'possum.':{'the':1},'tides--another':{'instance':1},'coldrum':{'in':1},'euphrates':{'.':1},'chauliodus':{'a':1},'fold':{'of':3},'sea-anemones':{'and':1,'147':1,'we':1,'which':1,'on':2,'mask':1,'hermit-crabs':1,'they':1},'unsurpassed.':{'to':1},'protrude':{'greatly':1},'sifting-out':{'process':1},'fermenting':{'vegetation':1},'makers':{'of':1},'folk':{'or':1,'place':2,'two':1,'human':1,'in':1},'unavailable':{'the':1,'.':3,'heat':1,'energy':1,'having':1},'disentangle':{'these':1},'waiting':{'for':1},'chose':{'a':1,'compartment':2},'desires':{'.':1},'kangaroo':{'while':1,'carrying':2},'underwood':{'underwood.':2},'youngest':{'and':1,'.':1},'desired':{'.':1},'grilse.':{'in':1},'separation':{'of':2},'frilled':{'lizard':3,'lips':2},'fifteen-spined':{'stickleback':1},'--carrying':{'with':1},'fruit-eating':{'and':1},'little-brained':{'ants':1},'settling':{'on':1},'evolution--the':{'establishment':1},'survivor':{'of':1},'convolutions.':{'illustration':1},'mauer':{'near':2,'at':1},'ones.':{'various':1},'leaving':{'a':1,'no':2,'perhaps':1,'only':1,'the':2,'its':1},'suggests':{'the':3,'that':2,'motions':1,'.':1},'patagium':{'and':1,'is':1},'oar':{'reduces':1},'breeds':{'of':2,'it':1,'that':1},'hue':{'and':1,'is':1},'pent-up':{'reservoirs':1},'apple':{'.':1},'spy':{'in':1},'egypt':{'and':1,'crete':1,'the':1},'earth-moon':{'system.':1},'facilitating':{'their':1},'apt':{'to':9},'expect':{'great':1,'that':1,'very':1,'there':1,'it':1,'to':2,'much':1},'marmosets':{'and':2},'motor':{'nerve-fibre':2,'nerve-cell.':1,'nerve-cell':1,'nerve-fibres':1,'nerve-cells':2,'answer':1},'newby':{'chief':1},'apply':{'to':1},'repopulation':{'of':1},'segregating':{'their':1},'use':{'and':3,'some':1,'it':1,'at':1,'in':1,'its':1,'for':2,'to':3,'there':1,'when':1,'.':2,'their':2,'has':1,'was':1,'them':1,'unless':1,'very':1,'but':1,'part':1,'a':3,'this':3,'of':14,'carbonic':1,'the':5,'seaweed':1},'fee':{'of':1,'is':1,'as':1,'for':3,'or':2},'from':{'all':3,'being':7,'tip':2,'worms':3,'ignoble':1,'facts':1,'japan':1,'inshore':1,'its':16,'roots':2,'mingling':1,'outer':1,'electricity':1,'masses':1,'behind':1,'forms':1,'to':1,'crest':4,'photographs':2,'donors':1,'them':2,'his':1,'branch':1,'10':2,'very':1,'freezing':1,'within.':1,'five':1,'trough':1,'now':1,'monkeys':1,'sowing':1,'benevolent':1,'hawaii':1,'these':4,'slipping':1,'each':9,'where':1,'side':6,'view':1,'people':1,'generation':2,'intelligence':2,'fish':2,'some':3,'direct':1,'dead':1,'gumboil':1,'year':1,'our':4,'dawn':1,'what':3,'colour-varieties':1,'sun':1,'nebula':1,'asia':1,'your':1,'particles':1,'outside':2,'expressing':1,'public':1,'red':1,'scientific':6,'insects':1,'men':1,'seaweeds':1,'water':5,'protection':1,'great':1,'struggle':1,'others':1,'simpler':1,'both':1,'about':2,'actual':1,'experience':1,'stone':1,'railway':1,'osborn':4,'pre-human':1,'first':2,'among':1,'simple':2,'within':4,'inland':1,'one':23,'pole':2,'learning':1,'ether':1,'cloud':1,'millions':1,'ancient':1,'her':1,'body-cells.':1,'remains':2,'pre-existing':1,'three':2,'sunlight':2,'.':1,'uniting':1,'behind.':1,'which':12,'white':1,'injury':1,'specimens':1,'radium':6,'500':1,'gill-breathing':1,'elsewhere':1,'that':2,'mammals':2,'malay':1,'heat':1,'part':1,'another.':1,'body-cells':1,'atom':4,'infusorians':1,'knife-blade-like':2,'those':1,'fossil':1,'sponge':1,'animals':2,'this':7,'tree':3,'us':3,'air':2,'below':1,'diagrams':1,'more':1,'and':1,'egypt':1,'mexico':2,'certain':1,'modern':1,'india':3,'it':2,'an':2,'states':1,'collision':1,'something':3,'any':6,'sir':1,'different':1,'ancestors':1,'end':1,'negatively-electrified':1,'scotland':1,'innumerable':1,'other':5,'5':2,'copying':1,'ordinary':1,'several':1,'enormous':1,'star':1,'glands':1,'time':3,'hand':1,'eight':1,'two':2,'nothing':1,'such':3,'types':1,'man':2,'a':37,'ingersoll':2,'land':2,'natural':1,'age':3,'their':7,'without':5,'knipe':6,'not-living':2,'every':1,'the':256,'europe.':1},'figure':{'of':1,'is':2,'one':1,'2':1,'ninety-two':1,'in':1,'.':1},'animals--by':{'insects':1},'frog':{'about':1,'showed':1,'discriminates':1,'flying':1,'had':1,'catches':1,'answers':1,'192':1,'1':1,'s':1,'rhacophorus':1,'which':1,'rhinoderma':1,'the':1,'mouth.':1,'merged':1,'lays':1},'few':{'and':1,'insects':1,'years':1,'feet':2,'spiders':1,'protozoa':1,'offspring':1,'lessons':1,'things':3,'ticks':1,'opportunities':1,'astronomers':3,'rivals':1,'other':1,'black':1,'weeks':1,'hundred':2,'minor':1,'inches':1,'that':1,'thousand':1,'days.':1,'records':1,'representative':1,'yards':1,'cases':3,'now':1,'extremely':1,'conspicuous':1,'pounds':1,'of':3,'months':1,'days':4,'cases.':1,'corners':1,'exceptions':1,'minutes':1,'embryonic':1,'illustrations.':1},'apprenticeship--tentative':{'men--primitive':1},'gales':{'will':1},'diving-bell':{'to':1,'full':1},'eagles':{'gather':1},'possession':{'of':2},'grandest':{'and':1,'pictures':1,'as':1},'secretions':{'of':1},'humanly':{'impossible':1},'inclined':{'to':1,'pillar':1,'plane':6,'plane.':1},'rarest':{'type':1},'impress':{'him':1},'steadfastly':{'serving':1},'eagles.':{'similarly':1},'hilger':{'ltd.':2},'rabbit':{'and':1,'squirrel':1,'for':1,'when':1,'.':1,'which':1,'the':1},'scale.':{'sec':1,'if':1},'development--that':{'there':1},'women':{'show':1},'fro.':{'this':1},'us.':{'this':1,'the':1,'races':1,'sec':1},'getting':{'a':1,'on':4,'what':1,'thinner':1,'hotter':1,'into':3,'air':1,'possession':1,'farther':1,'wet':1,'rid':1,'out':1,'away':1,'transport':1,'at':1},'ice.':{'seeing':1},'overlappings':{'.':1},'anywhere':{'at':2,'else':1},'perched':{'on':1},'field--which':{'he':1},'three-chambered.':{'the':1},'dissolve':{'a':1,'the':1},'proof':{'of':12,'that':2},'have--there':{'is':1},'non-growing':{'non-moulting':1},'habitats':{'which':1},'proprietary':{'form':1},'mud-fish':{'protopterus':2},'thirsty':{'and':1},'calculation':{'suggests':1,'as':1,'ought':1},'inaccessible':{'to':1},'tax':{'returns':1,'deductible':1,'identification':1,'treatment':1,'exempt':2},'land-snails':{'representing':1,'for':1},'something':{'associated':1,'less':1,'is':1,'as':1,'beyond':1,'to':1,'which':1,'new':2,'has':1,'more':1,'corresponding':2,'that':3,'very':3,'new--a':1,'but':1,'else':1,'with':1,'simpler':1,'about':1,'like':6,'of':2,'could':1,'the':1},'serial':{'issue':1},'made':{'and':3,'among':1,'polished':1,'rudely':1,'it':5,'an':2,'visible':3,'incandescent':1,'in':6,'luminous':1,'their':1,'out':1,'perfect':1,'bridges':1,'till':1,'of.':1,'.':6,'1':1,'to':7,'pets':1,'man.':1,'lays':2,'do':1,'malaria':1,'that':2,'of':5,'possible':1,'but':1,'forbidding':1,'during':1,'with':1,'by':8,'a':5,'on':1,'great':1,'many':1,'clear':1,'no':1,'up':3,'large':1,'points':1,'so':2,'artificially':1,'january':2,'stone':1,'the':5,'more':1,'at':1},'sir':{'e.':1,'norman':3,'richard':1,'wm':1,'j':7,'william':8,'g':1,'arthur':7,'oliver':3,'w':3,'harry':1,'isaac':5,'ernest':6,'john':3,'george':1,'ray':4},'galls':{'on':1},'counting':{'the':1,'electrons':2},'decaying':{'vegetation--an':1,'leaves':1},'sit':{'on':1},'distinguishable':{'from':1},'justifiable':{'to':2},'past.':{'on':1,'one':1},'struggles':{'there':1,'upward':1},'moods':{'.':1},'fortunate':{'for':1},'brian':{'janes':2},'instead':{'of':8,'strong':1},'struggled':{'.':1},'substances--':{'phosphorescent':1},'tension':{'passes':1,'is':1,'grows':1},'cupboard':{'and':1},'attend':{'the':1,'too':1},'yolk-sac':{'y.s.':1},'slipher':{'of':1},'immersed':{'in':3},'masks':{'the':1},'tack':{'of':2,'however':1},'wrist':{';':1,'which':1},'understanded':{'of':1},'1887':{'michelson':1},'1885':{'another':1},'agglomerations':{'of':1},'superstitions':{'have':1},'are--measuring':{'them':1},'clauses.':{'experimentation':1},'inheritance':{'that':1,'of':1,'.':1,'which':2,'the':1,';':1},'interrupted':{'light':1},'polystomella':{'showing':2},'fortunately':{'fast':1},'ovipositor':{'inside':1},'locomotor':{'agility':1,'triumph':1,'activity':1},'summer.':{'there':1},'irregularity':{'in':1},'preparing':{'our':1,'the':2},'affection.':{'the':1},'spreads':{'sleeping':1,'out':1},'saturated':{'southwards':1},'farming':{'or':1},'minnow':{'and':1,'to':1,'could':1},'mentioned.':{'this':1,'illustration':1},'reptile':{'and':1,'from':1,'breathes':1,'but':1,'total':1,'95':1,'94':1,'at':1},'interpreted':{'to':1,'as':1},'whilst':{'its':1,'an':1},'mathematicians':{'upon':1},'130':{'000':1,'steps':1},'idiosyncrasies':{'crop':1,'.':1},'looks':{'a':1,'like':3,'less':1,'almost':1,'big':1,'after':1,'extraordinarily':1,'.':1,'as':4},'135':{'animal':1},'abstruse':{'speculations':1},'interpreter':{'.':1},'139':{'photo':1},'138':{'the':1,'protective':1},'ease.':{'more':1},'self-fertilisation':{'because':1},'primordial':{'substance':2},'choose':{'to':1},'orange':{'screen':1,'yellow':2},'clusters':{'of':1,'at':1},'receptacles':{'or':1},'forty-five':{'seconds':1,'degrees':1},'crowds':{'of':3},'refracting':{'telescope':3},'originator':{'of':2},'bumbling':{'bittern':1},'forty-one':{'years':1},'orthodox':{'head-on':1},'practice':{'however':1,'or':1},'flew':{'away':1,'round':1,'22':1},'impressing':{'other':1,'itself':1},'emerald':{'hue.':1},'satellites':{'of':3,'miles':1,'like':1},'attaining':{'a':1,'to':1,'various':1,'that':1},'successor':{'rather':1},'viscid':{'threads':2},'articles':{'will':1,'with':1,'are':1},'crumb-of-bread':{'sponge':1},'sleeve':{'.':1},'movements.':{'this':1},'profound':{'idea':1,'abysses':1,'practical':1,'.':1,'calm':1,'moulding':1},'tram':{'or':1},'seashore.':{'illustration':1},'transmitted':{'through':2,'.':1},'trap':{'formed':1,'.':1},'cocoon':{'flies':1,'when':1},'bills':{'and':1,'up':1,'upwards':2},'erratic':{'quantities':1,'scattered':1,'paths':1},'foot-print--an':{'eloquent':1},'fitting':{'their':1},'old-established':{'creature':1},'related':{'to':11,'half-monkeys':1,'fish':1,'which':1},'whitish':{'spots':1},'remove':{'the':1},'82':{'peripatus':1},'83':{'photo':1,'photograph':1},'80':{'per':1},'86':{'photo':1,'an':1},'87':{'animals':1},'ebooks':{'and':1,'unless':1,'.':1,'are':1,'in':1,'with':1},'respects':{'a':2,'very':1,'like':1},'loquacious':{'bird.':1},'cerebral':{'hemispheres':1,'advances':1},'blood-channels':{'and':1},'flattening':{'of':1},'exporting':{'a':1},'20.--comet':{'october':1},'carpo-metacarpus':{'bone':1},'supports':{'them':1},'dive':{'far':1,'neither':1},'despairing':{'of':1},'fun':{'but':1},'zoological':{'gardens.':1,'races':1,'park':1,'haunt':1,'park.':10},'pours':{'out':2},'mussels.':{'the':1},'maintains':{'that':1},'promptly':{'discovered':1},'york':{'and':1,'zoological':10},'waves--light--what':{'the':1},'obliteration':{'.':1},'tenant':{'.':1},'support.':{'project':1},'age-old':{'mystery':1},'weaves':{'its':1},'organic':{'evolution':9,'evolution.':3,'matter':1,'nature':1,'particles':1,'evolution--there':1,'dust':1},'g':{'notice':1,'.':10,'in':1},'musculature':{'integumentary':1},'curlews':{'both':1},'behaviour.':{'a':2,'evolution':1,'illustration':1,'comparing':1,'sec':1,'in':1,'the':2},'chisel-edged':{'teeth':1},'hence':{'a':1,'fall':1,'it':1,'appendicitis':1,'in':1,'the':2,'if':1},'pterosaurs':{'none':1},'californian':{'coast.':1},'incipient':{'race':1,'species':1},'embryo':{'-reptile':1,'there':2,'no':1,'-mammal':1,'is':2,'within':1,'.':3,'while':1,'of':2,'the':1,'has':1,'with':1,'-fish':1,'shows':1},'plainly':{'this':1,'how':1,'that':1},'arcturus':{'43.4':1},'pycraft':{'w':1},'echo':{'of':1},'bonnet':{'monkey':2},'foals':{'and':1,'to':1},'eleventh':{'printing':1,'moon':1},'placental':{'mammals':1},'representations':{'concerning':1},'imperial':{'war':4},'miles--in':{'itself':1},'dispersive':{'effect':1},'salient':{'aspects':1,'features':1,'examples':1},'droop':{'forward':1},'unknown':{'on':1,'gas':1,'but':1,'.':3,'to':1,'manner':1,'in':1,'until':1},'galley':{'hill':1,'.':1},'retreats':{'and':1},'their':{'distances':1,'interpretation':1,'perch':1,'orbits.':1,'boxed-in':1,'brain':1,'attempts':1,'relation':1,'salivary':1,'upturned':1,'speed':3,'lessons':2,'birthplace':2,'doom':1,'resemblance':1,'progeny':1,'masses':1,'possessors':2,'young':6,'opportunities':1,'wings':1,'environment':2,'surroundings':3,'neighbours':1,'bases':1,'parents':2,'marks':1,'resources':1,'appearance--an':1,'borrowed':1,'clutches':1,'fate':1,'distance':1,'food':4,'advances':1,'moons':1,'early':1,'smallness':1,'background':1,'hands':1,'slipperiness':1,'height':1,'day':1,'condition':1,'evolution':1,'success':1,'parrot':1,'course':1,'crops':1,'luminosity':2,'length.':1,'back-teeth':1,'activity':1,'distant':1,'bills':4,'soft':1,'breast-bone':1,'bond':1,'dwindled':1,'burrows':1,'old':1,'mental':1,'weight':1,'life-history':2,'appearance':1,'energy':3,'range.':1,'sifting':1,'relative':2,'rate':1,'individual':1,'year':1,'development':2,'foals':1,'enemies':3,'living':1,'constitution':1,'axes':1,'interference':1,'migrations':2,'artificial':1,'fellows':1,'colours':1,'wave-lengths.':1,'simplest':1,'approach':1,'bearers':1,'scaly':1,'body':2,'variability':1,'toes':1,'transparency':1,'power':3,'importance':1,'argument':1,'kindred':3,'limbs':1,'atoms':2,'behaviour':1,'host':1,'chances':1,'outlying':2,'substance':1,'allies':1,'brilliant':1,'dormancy':1,'insect':3,'discoveries':1,'motion':1,'turn':1,'length':2,'head':1,'youthful':1,'first':1,'origin':2,'golden':3,'own':9,'gizzard--certainly':1,'family':1,'presence':1,'reasons':1,'father':1,'bluish':1,'multiplication':1,'enlarged':1,'names':1,'passage':2,'size':1,'decline':1,'use':1,'palm-bones':1,'chisel-edged':1,'muddy':1,'destination':1,'secret':1,'thinnest':1,'prey':1,'predecessors':1,'way':7,'fixed':2,'repertory':1,'more':2,'function':1,'hue':1,'eyes':1,'tissues':1,'yolk-forming':1,'wits':2,'brains':1,'becoming':1,'back':1,'heat':2,'importance.':1,'lives':1,'adult':1,'impulse':1,'ring-armour.':1,'insect-visitors':1,'homes':1,'characteristic':1,'cells':3,'detachable':1,'ancestral':1,'lips':1,'vocal':1,'temperatures':1,'reproduction':1,'light':3,'photosynthesis':1,'remains':1,'parents.':1,'real':1,'furs':1,'modern':1,'mind':1,'discovery':2,'deep':1,'manner':1,'lifetime':1,'movements':2,'respective':1,'ancestors':1,'variety':1,'lengths':1,'ascent':1,'maximum':1,'arrangement':1,'pectoral':1,'field':1,'relatives':3,'numerous':1,'income':2,'tool':1,'contemporaries':1,'worldwide':1,'polar':1,'material':1,'cupboard':1,'mouths':1,'normal':1,'nest':1,'reach':1,'orbits':1,'counterparts':3,'visitors':1,'significance.':1,'strength':1,'mouth':1,'delicate':1,'ink-bags':2,'hair':1,'foothold':2,'coloration':1,'natural':1,'modes':1,'pigmy':1,'nostrils':1,'eggs':5,'life':3,'posterior':1,'incessant':1,'castings':1,'manipulative':1,'tentacles':1,'smooth':1,'mother':2,'reward':1,'wing':1,'bodies':3,'usual':1},'1500':{'west':1},'delusions':{'yet':1},'behind.':{'there':1,'illustration':1},'embryology':{'--these':1,'of':1},'unstereotyped':{'they':1},'invisibility':{'and':1,'may':1,'coloured':1,'does':1,'at':1,'.':1},'noteworthy.':{'penguins':1},'shell':{'and':3,'very':1,'of':11,'is':4,'tends':1,'against':1,'.':2,'were':1,'in':3,'not':1,'with':1,'or':1},'x-rays':{'and':2,'we':1,'ltd.':4,'were':1,'.':2,'discovered':1,'have':1,'so':1,'are':1,'they':1,'which':3,'not':1,'through':2,';':1},'bromogelatine':{'plates':1},'shelf':{'fringing':1,'around':1},'shallow':{'and':1,'there':1,'well-illumined':1,'.':1,'water':5,'trough':1,'water.':2,'pond':1,'areas':1},'reflecting':{'instrument':1,'telescope--the':1,'telescope':1,'others':1},'constituent':{'colours':1,'of':1,'element':1},'july':{'17':2},'reverses':{'its':1},'blind':{'flat-fish':1,'alley':1,'gut':2},'dynamical':{'principle':1},'succeeded':{'and':1,'sir':1,'or':1,'.':1,'every':1,'in':3,'by':1},'uninterested':{'to':1},'isolation':{'of':1,'from':1,'which':1},'richer':{'evolution':1},'instincts--of':{'insects':1},'dynamo':{'as':1,'does':1,'it':1,'which':1},'individualities':{'arise':1},'dusty':{'the':1},'varied.':{'a':1},'tracts':{'of':1},'safeguarded':{'the':1},'violets':{'would':1},'fowl':{';':1},'gate-posts':{'and':1,'green':1},'sifting.':{'but':1},'endeavour.':{'sec':1,'in':1},'mongolian':{'and':1},'germinal':{'changefulness':1,'variations':1},'siamang':{'.':1},'reaches':{'a':5,'on':1,'of':3,'it':1,'us':1,'which':1,'in':1,'such':1,'the':2,'its':3},'angle':{'and':1,'on':1,'to':2,'.':1},'pollen-tubes':{'grow':1},'agency':{'could':1},'olfactory':{'messages':1},'supplanted':{'by':1},'well-marked':{'chins':1,'breeds':1},'ungirt':{'loin':1},'which':{'all':9,'belong':2,'help':1,'just':1,'produces':2,'captures':1,'probe':1,'vary':1,'gulls':1,'leads':3,'stored':1,'thanks':1,'go':3,'still':1,'birds':1,'causes':4,'seemed':2,'bridges':1,'rapid':1,'depend':1,'had':6,'came':1,'actually':1,'forms':5,'simple':1,'only':1,'behave':1,'extends':2,'helps':1,'sulked':1,'under':1,'attained':2,'covered':1,'circle':1,'has':43,'alter':1,'happened':1,'grip':1,'eventually':1,'his':2,'means':3,'food':2,'breaks':1,'tends':1,'lurk':1,'floated':1,'confines':1,'feels':2,'cannot':5,'nearly':2,'they':19,'progress':1,'not':1,'during':1,'he':7,'now':2,'dr':1,'monkeys':1,'look':1,'indicate':2,'like':1,'did':1,'always':2,'generally':1,'modern':2,'make':4,'admitted':1,'travels':2,'this':5,'persisted':1,'she':1,'turns':1,'become':2,'speculation':1,'freshwater':1,'mount':1,'reaches':1,'often':1,'reference':1,'people':1,'sends':1,'ancestral':1,'some':4,'supplies':1,'recapitulate':1,'constitute':2,'individual':1,'lines':1,'are':66,'pass':1,'our':1,'kant':1,'parachuting':1,'even':1,'delivered':1,'plays':1,'opened':1,'lead':1,'constitutes':2,'rings':1,'its':1,'everything':1,'contained':1,'experiment':1,'huxley':1,'scientists':1,'probably':4,'learned':1,'dilutes':1,'roentgen':1,'can':2,'we':52,'led':4,'nature':2,'climbs':1,'never':2,'atoms':1,'water':2,'credits':1,'were':12,'sink':1,'lasts':1,'put':1,'from':1,'puzzled':1,'come':1,'by':5,'about':1,'enables':2,'rests':1,'deals':1,'could':4,'strikes':1,'contract':1,'mixes':1,'carries':2,'became':1,'stand':1,'professor':1,'swing':1,'usually':1,'disappears':1,'stimulate':1,'comes':1,'feed':2,'emerge':1,'radio-activity':1,'followed':1,'secure':3,'formerly':1,'supply':1,'suddenly':1,'seems':1,'habitual':1,'marked':2,'one':1,'brought':1,'lies':2,'spans':1,'comprises':1,'whalebone':1,'mark':1,'appeared':1,'presents':1,'differ':1,'light':1,'expresses':1,'takes':1,'would':8,'to':3,'there':11,'finally':1,'periodically':1,'rivals':1,'live':4,'spread':3,'slowly':1,'living':1,'grew':2,'was':18,'opens':1,'gives':1,'life':1,'enable':1,'arise':1,'molecules':1,'form':1,'afford':1,'becomes':1,'marks':1,'amphibians':1,'broke':1,'separates':2,'absorbs':1,'almost':1,'reverses':1,'must':4,'plants':2,'pull':1,'made':1,'animals':2,'unfortunately':1,'these':3,'prevents':1,'require':1,'work':1,'lessen':1,'will':7,'attacks':1,'remain':1,'lays':1,'many':1,'already':1,'meet':1,'circulate':1,'dr.':1,'hatch':1,'have':22,'bind':1,'give':3,'frogs':1,'again':1,'is':61,'occupies':1,'thus':1,'it':22,'eats':1,'helped':1,'case':1,'as':3,'lived':1,'protects':1,'at':2,'slip':1,'allowed':1,'regulate':1,'pit':1,'counteract':1,'granules':2,'lie':1,'date':1,'no':4,'suggest':1,'began':2,'holds':1,'when':2,'astronomers':2,'very':1,'take':4,'forces':1,'brings':1,'new':1,'you':2,'grows':1,'neolithic':1,'formed':2,'conveys':1,'attend':1,'though':1,'may':16,'dive':1,'faintly':1,'paid':1,'reflect':1,'most':1,'fell':2,'tackle':1,'two':1,'multiply':1,'infects':1,'grow':1,'man':8,'a':8,'demand':1,'land':2,'in':7,'i':2,'makes':7,'arrange':1,'mask':1,'lasted':1,'thought':1,'used':1,'eurypterids':1,'allow':1,'keeps':1,'masks':1,'the':57,'justify':1,'blend':1,'responded':1,'migrate':1,'once':1},'tree-frogs':{'are':2,'called':1},'spawns':{'in':1},'divers':{'come':1},'vegetation':{'marking':1,'that':1,'of':1,'only':1,'in':1,'probably':1,';':1,'lingering':1,'consisted':1},'hydrostatica':{'related':2},'centre':{'and':4,'of':4,'.':2,'to':1,'only':2,'at':1,'in':1,'or':1},'wind-blown':{'sand':1},'who':{'show':1,'is':3,'soon':1,'anticipating':1,'have':4,'estimated':1,'are':5,'intrude':1,'said':1,'described':1,'had':2,'does':1,'has':1,'lacks':1,'do':1,'knows':1,'found':1,'may':1,'came':1,'gnaw':1,'lives':1,'learns':1,'approach':1,'believe':1,'with':1,'by':2,'concentrated':1,'made':4,'to-day':1,'like':1,'was':1,'think':1,'will':1,'maintain':1,'can':1,'mounts':1,'desire':1,'agree':1,'restored':1,'notifies':1},'cohesion':{'of':1,'between':1},'1.d':{'.':1},'1.e':{'below.':1,'.':1},'microbic':{'or':1},'digestive':{'and':1,'filaments':1,'juice.':1},'1.a':{'.':1},'1.b':{'.':1},'1.c':{'below':1,'.':1},'emancipation':{'of':3,'from':1},'violet.':{'sorting':1},'class':{'a':1,'of':5,'we':1},'deny':{'a':1},'expert':{'opinion':1,'advice':1},'deccan':{'the':1},'wasp-like':{'impression':2},'.001':{'per':1},'pipe':{'to':1,'.':1},'different-lengthed':{'waves':1},'cloaked':{'by':1},'europe.':{'it':1,'illustration':1},'swarming':{'in':1},'goals':{'and':1},'unimpeded':{'five':1},'refund':{'set':1,'from':1,'of':3,'-':1,'.':2,'in':1,'described':1},'terrific':{'cold':1},'insulators':{'because':1,'for':1},'perceptions':{'and':1},'chances':{'of':1,'are':1},'sceptical':{'about':1},'agreed':{'to':1},'tidings':{'from':1},'chapters':{'of':1},'upright':{'forehead':1,'on':1,'nail':1},'purely':{'instinctive':2},'sabre-toothed':{'tiger':1},'seaweed':{'and':3,'for':1,'area':1,'of':1,'nest':1,'continues':1,'but':1,'.':1,'green':1,'nibbles':1,'each':1,'vegetation.':1,'or':1},'changeful':{'surroundings':1,'processes':1,'place':1},'utter':{'darkness--an':1,'sufficient':1,'darkness':1},'fear':{'of':2},'darkest':{'period':1},'feat':{'which':1},'agrees':{'in':1},'nearer':{'a':1,'and':1,'an':1,'to':3,'the':3,'.':1,'than':1},'cave-bear':{'became':1,'cave-lion':1},'implying':{'initiative':1},'cache':{'of':1,'after':1},'gouging':{'out':1},'surroundings':{'on':1,';':1,'like':2,'these':1,'many':1,'.':4,'admits':1,'their':1,'without':1,'including':1,'lighter':1,'in':1,'not':1,'the':4,'rests':1,'must':1},'postulated':{'by':1},'herald':{'the':1,'its':1},'inhabit':{'the':1},'local':{'influence':1,'drying':1,'changes':1,'thickness':1},'combe':{'capelle':1},'snow-capped':{'mountains':1},'dexterities':{'which':1},'helios':{'the':1},'cube':{'of':1},'skims':{'from':1},'watching':{'those':1,'in':1},'d.p.':{'it':1},'displayed':{'performed':1},'primeval.':{'the':1},'intensely':{'hot':1},'words':{'all':1,'as':1,'are':2,'what':1,'to':1,'true':1,'there':2,'.':1,'also':1,'written':1,'meant':1,'we':1,'signifying':1,'but':2,'indicative':1,'such':1,'with':1,'monkeys':1,'animals':1,'of':2,'became':1,'can':1,'positive':1,'become':1,'the':2,'or':1},'please.':{'it':1},'penetrate':{'everywhere':1,'the':1,'through':1},'spur':{'to':2},'burned':{'up':1},'ornithoscatoides':{'decipiens':1},'sweat':{'and':1},'prodigally':{'using':1},'belts':{'which':1},'monsters':{'1892':1},'insectivorous':{'and':1,'plant':1,'bats':1},'quaternary':{'at':1},'waterfalls':{'of':1},'sparrows':{'and':1,'to':1},'generations':{'reached':1,'afterwards--and':1,'yet':1,'to':1},'afterwards--and':{'suffering':1},'unison':{'with':1},'available':{'on':1,'.':1,'with':1,'for':1,'space':1},'ebb':{'of':1},'acquired':{'a':2,'an':1,'its':1,'dexterities':1},'monkeys--in':{'dogs':1},'distantly':{'related':1},'cross-fertilisation.':{'sec':1},'violet':{'then':1,'end':1,'light':1,'colour':1,'.':1,'will':1,'at':1,'the':1},'barrels':{'of':1},'this.':{'the':1},'responses':{';':1,'.':2},'closer':{'examination':1},'closes':{'with':1},'shore-frequenting':{'seals':1},'mentioned':{'that':1,'already.':1,'indicates':1,'part':1,'in':1,'the':1,'is':1},'monstrous':{'tortoise':1},'worship':{'and':1},'genius':{'a':1,'of':1,'.':1,'it':1,'than':1},'converted':{'almost':1,'into':1,'directly':1},'identification':{'number':1,'for':1},'colour-associations':{'.':1},'hebrides':{'southwards':1},'crude':{'flint':1},'limit':{'these':1,'to':1,'the':1,'.':1},'variability':{'on':1,'is':1,'.':1,'to':1,'along':1,';':1},'andromeda':{'messier':2},'ability':{'to':2,'.':1},'opening':{'and':1,'fir':1,'up':1,'to':1,'new':1,'the':2,'more':1},'joy':{'and':1,'.':1},'agencies':{'operating':1,'for':1,'.':1},'podargus':{'a':1,'190':1},'apes':{'and':6,'both':1,'from':1,'show':1,'though':1,'but':1,'.':3,'also':1,'as':2,'diverged':1,'can':1,'165':1,'monkeys':1},'hypothesis':{'that':1,'may':1,'.':3,'therefore':1,'which':1,'one':1,'apart':1},'probing':{'and':1,'its':1},'rhythm.':{'illustration':1},'air-bubble--air':{'entangled':1},'swift':{'stroke':1,'hardly':1,'runners':1,'stream':1},'commands':{'our':1,'such':1},'cliff.':{'energy':1},'acknowledge':{'as':2},'mentone':{'on':1},'grouse':{'and':2,'disease':2,'or':1},'april':{'1922':4},'grain':{'of':8,'contains':1,'planted':1,'.':1},'utilising':{'dry':1},'retrograde':{'direction':1},'canopy':{'over':1},'germ-cells':{'and':1,'do':1,'that':1,'perhaps':1,'is':1,'but':1,'are':1,'have':1,'has':1,'into':1},'mutating':{'mood.':1},'wall':{'of':7,'shown':1,'.':1},'wonder':{'of':2,'then':1},'walk':{'with':2},'walt':{'whitman':1},'subscribe':{'to':1},'heredity':{'is':1,'which':1},'stars--to':{'star':1},'animalcule':{'often':1,'is':1,'which':1,'the':1,'has':1,'or':1},'table':{'suggests':1,'colliding':1,'page':1,'.':2},'investigator':{'noted':1},'mesozoic':{'and':1,'is':1,'era':6,'three':1,'times':1},'provinces':{'and':1},'i.e.':{'eating':1},'cavities':{'in':1},'hunters':{'and':2,'fowlers':1},'trademark':{'and':2,'license':1,'copyright':1,'but':1,'.':3,'as':1,'owner':2},'window':{'.':1},'responds':{'to':1},'ant-eaters':{'lay':1},'reindeer':{'and':2,'wild':1,'men':1,'man':1},'cry':{'uttered':1,'for':1,'.':2},'735':{'years.':1},'bewildering':{'profusion':1},'twenty-nine':{'days':1},'conductors.':{'so':1},'remedies':{'for':1},'1.e.1.':{'1.e.7':1},'painted':{'on':1,'bison':1,'in':2},'sufficient':{'for':1,'supply':1,'of':1,'here':1,'to':6,'heat':1,'sounds':1,'quantity':1,'cause':1,'theoretical':1,'inducement':1,'if':1},'thrusting':{'their':2},'sub-aquatic':{'environment':1},'ensuring':{'that':1},'visible.':{'illustration':1},'present':{'features':1,'point':1,'is':4,'rate':1,'in':6,'our':1,'living':1,'unavailable':1,'when':1,'two':1,'.':2,'day.':1,'state':1,'form':2,'though':1,'after':1,'but':1,'standard':1,'purpose':1,'they':1,'trying':2,'with':1,'day':2,'stage':1,'whereby':1,'value':1,'time':1,'the':4},'inconspicuous':{'24':1,'among':2,'when':1,'against':2,'.':2,'as':1,'amidst':1,'in':2,'by':1},'interstices':{'they':1},'abandoned':{'by':1,'.':2},'unlike':{'the':2},'agreement.':{'illustration':1},'vanilla':{'ascii':2},'will':{'emerge':1,'learn':1,'deal':1,'supply':1,'almost':1,'cover':1,'pass':2,'replace':1,'say':1,'have':1,'measure':1,'radiate':1,'tend':3,'scent':1,'any':1,'select':1,'make':2,'again':1,'gradually':1,'detect':4,'proceed':1,'to':2,'prevail':1,'support':1,'show':1,'deal.':1,'.':1,'start':1,'finally':1,'suffocate':1,'take':2,'then':1,'hatch':1,'surprise':1,'confine':1,'cause':1,'tell':1,'dispute':1,'evolve':1,'notice':1,'enable':1,'return':1,'engender':1,'gnaw':1,'admit':1,'express':1,'stop':1,'rush':1,'bear':1,'intercept':1,'sink':1,'not':9,'last':1,'attract':1,'come':3,'throw':1,'summon':1,'knock':1,'do':3,'rotate':1,'give':2,'consist':1,'be':53,'science':1,'colour':1,'no':1,'liquefy':1,'spontaneously':1,'appear':1,'remain':2,'continue':2,'die':1,'become':1,'the':2,'tap.':1,'explain':1,'travel':1},'inequilibrium':{'results':1},'vastly':{'hotter':1,'greater':1,'more':3},'wild':{'plants':1,'horses':1,'life':1,'animals':1,'rock-dove':1,'nature':2,'mammals':1,'peoples':1,'dog':2,'.':1,'species':2,'wheat':1,'rabbit':1,'cattle':1,'boar':1,'life.':1,'fauna':1,'he':1,'or':2,'cabbage':1,'sheep':1},'2007':{'ebook':1},'tadpoles':{'of':1,'while':1,'are':1,'.':1},'layer':{'of':4,'is':1,'overpowering':1,'or':2,'.':2},'envelope.':{'thus':1},'zostera':{'form':1},'apprehend':{'the':1},'filaments':{'which':1,'in':1},'non':{'profit':1},'encouragement':{'to':1},'meteoritic':{'contributions':1},'life-forms':{'would':1},'perhaps':{'among':1,'all':1,'because':5,'stray':1,'is':2,'it':5,'an':3,'discovered':1,'are':1,'in':1,'25':4,'from':2,'to':1,'twenty':1,'sum':1,'there':2,'when':1,'next':1,'also':2,'too':1,'belong':1,'500':1,'we':1,'increased':1,'that':2,'300':1,'eight':1,'they':3,'100':2,'one':1,'beginning':1,'why':1,'a':6,'thirty':1,'this':2,'professor':1,'wild':1,'the':9,'came':1},'trailing':{'on':1},'cromagnard':{'representative':2,'in':1},'forceps':{'held':1,'the':1,'so':1,'.':1},'unite':{'with':1},'electro-magnetic':{'energy':1,'theory':1,'waves':2},'orionis':{'showing':1,'37':1},'unity':{'and':1,'of':1,'.':2,'at':1,';':1,'or':1},'exuberance':{'of':3},'geographical':{'barriers':1,'distribution':1},'largest':{'and':1,'in':1,'of':4,'flying':1,'refracting':1,'reflecting':1,'waves':1,'telescopes':2},'units':{'of':1,'the':1,'were':2,'or':1,'are':1},'gets':{'up':2,'worn':1,'will':1,'through':1,'the':1,'beyond':1,'its':2},'hammering':{'at':2},'firmament':{'is':1},'spirited':{'pictures':1},'elbows':{'.':1},'slave':{'of':1},'conceived':{'as':1},'overcrowded':{'or':1},'student':{'what':1,'but':1,'in':1},'vapour':{'layers':1,'shoot':1,'of':1,'to':1,'at':1,'out':1},'laborious':{'tasks':1},'collar':{'over':1,'round':1},'warming':{'the':1},'reached.':{'the':1},'banded':{'krait':3},'unpacked':{'the':1},'star-book':{'.':1},'electrified.':{'in':1},'spectator':{'after':1},'sound-waves':{'and':1},'undertaken':{'by':1},'realised':{'the':1,'in':2,'.':1},'tacchini':{'of':1},'heavily':{'armoured':1},'only.':{'3':1},'wren':{'.':1},'multitude':{'of':6},'obtain':{'a':3,'permission':2},'replenish':{'the':1},'batteries':{'of':1,'getting':1,'.':1},'fishing':{'farming':1},'rocked':{'from':1},'inturned':{'margin':1},'cuckoo-spit':{'147':1,'the':2,'on':1},'contractile':{'vacuole':1},'disturbance':{'around':2,'ceases':1,'being':1,'is':1,'which':1,'in':1,'such':1},'host.':{'illustration':1},'supply':{'will':1,'of':6,'the':4,'and':1,'our':1},'smith':{'woodward':1},'pitcher-plant':{'catching':1},'discuss':{'at':1},'book':{'and':1,'on':1,'of':2,'there':2,'it':1,'which':1,'the':1},'galloping':{'boar':2},'usage':{'spread':1,'had':1},'enacted':{'on':1},'unprecedented':{'development':1},'civilisation--coal':{'.':1},'knob':{'on':1},'wont':{'to':1},'diamond-like':{'eyes':1},'branch':{'and':4,'we':1,'after':1,'from':1,'of':3,'is':1,'within':1,'to':2,'at':1,'now':1,'or':1,'out':1},'community':{'at':1,'in':1},'facial':{'characteristics':1,'expressions':1,'expression':2},'denser':{'and':1,'along':1,'masses':1,'than':1},'press':{'professor':1,'copyright':1,'the':2,'agency.':7},'originative':{'stock':1},'feral':{'216':1,'it':1},'safest':{'coloration':1},'perpetual':{'unremitting':1},'loses':{'a':1,'weight.':1,'it':1,'least':1,'its':1},'colonising':{'of':1,'the':1},'vortex':{'may':1,'phenomena':1,'in':1},'james':{'ritchie':1,'s':8,'matter':1},'puzzle-boxes':{'and':2,'with':1},'smoothness':{'of':1},'herons':{'and':1,'storks':1},'exceed':{'20':1},'because':{'they':8,'mind':1,'it':7,'in':1,'sounds':1,'its':3,'to':1,'deeply':1,'there':1,'birds':1,'their':1,'many':2,'we':1,'some':2,'heat':2,'although':1,'he':2,'this':1,'light':1,'obviously':1,'of':8,'the':12},'ages--evolution':{'of':1},'vortices':{'or':1},'elevators':{'in':1},'scottish':{'history':1},'mosquitoes':{'which':2},'eventfulness':{'of':1},'flint-shelled':{'radiolarians':1},'116':{'a':1,'after':1},'113':{'the':1},'faraday':{'he':1},'119':{'sea-horse':1,'photo':1,'an':1},'118':{'greenland':1,'minute':1},'blood-vessel':{'nerve':1,'for':1},'gill-slits':{'of':1,'are':1},'lamprey--a':{'long':1},'leaf':{'and':1,'touches':1,'towards':1,'seventy-five':1,'is':1,'six':1,'when':1,'.':4,'near':1,'without':1,'in':2,'close':1,';':1,'before':1,'must':2},'lead':{'on':1,'has':2,'pencil':1,'these':1,'is':1,'us':3,'one':1,'.':3},'promotion':{'and':1},'high.':{'the':1},'mines':{'of':1},'philosopher':{'and':1,'professor':1},'instantaneous':{'abandonment':1},'arteries':{'of':1},'leap':{'and':2,'over':1,'due':1,'out':1},'glacial':{'climate':1,'time':1,'.':1},'repeopling':{'from':1},'trout':{'go':1,'we':1,'in':1,'or':1,'eluding':1},'locate':{'a':1},'obey':{'this':2,'an':1},'thoroughfare':{'for':1},'astounding':{'fact':2},'analysed':{'tons':1,'.':1,'in':1},'conveyed':{'by':1},'raise':{'a':1,'their':1,'the':2,'it':1},'rare':{'birds':1},'carried':{'to':2,'about':2,'by':3,'for':1,'back':1},'extension':{'of':2,'have':1},'unsurpassable':{';':1},'column':{'of':1},'universe':{'and':3,'transmitting':1,'is':13,'it':1,'an':1,'as':3,'sec':2,'are':1,'in':1,'even':1,'said':1,'opened':1,'remains':1,'tiny':1,'.':11,'how':1,'which':1,'has':1,'was':2,'comparable':1,'may':2,'why':1,'243':1,'than':1,'a':1,'of':1,'can':1,'were':2,'the':1,'or':1},'biscuit':{'from':1,'.':1},'eclipse.':{'this':1},'dependence':{'.':1},'urged':{'that':1},'sea-horse':{'is':1,'puts':2,'in':2},'carries':{'them':2,'many':1,'about':1,'in':1,'the':2,'its':1},'carrier':{'of':1,'pigeons':1,'pigeon':3},'places':{'on':2,'them':1,'for':1,'e.g':1,'of':2,'vary':1,'to':1,'have':1,'the':3,'where':1,'its':1},'wheats':{'.':1},'devouring':{'their':1,'potatoes':1},'warranty':{'or':1,'disclaimer':1},'splash':{'of':1},'own':{'and':3,'beautiful':1,'weight':2,'when':1,'mind':1,'invention':1,'in':1,'lambs':1,'.':7,'reward.':1,'before':1,'dispersive':1,'little':1,'sake':1,'distinctive':2,'definite':1,'system':2,'moon':1,'internal':1,'white':1,'was':1,'day':1,'then':1,'race':1,'that':1,'but':1,'atoms':1,'genealogical':1,'solar':2,';':1,'he':1,'kind':1,'enemies.':1,'planet':1,'circle':1},'polished':{'stones':1,'stone':2},'sugary':{'sap':2},'owe':{'to':3,'them':1,'it':1,'our':1},'habituations':{'and':1},'wearisome':{'reiteration':1},'promise':{'myriads':1,'that':1,'of':2,'is':1,'are':1,'considerable':1},'brush':{'and':1},'registration':{'of':3,';':1},'cell--a':{'fertilised':1},'to-morrow':{'might':1},'prompted':{'by':1,'reliance':1},'linnaeus':{'spoke':1},'van':{'was':1},'miles.':{'these':1},'transfer':{'energy':1,'her':1},'paperwork':{'and':1},'spiral':{'nebulae.':1,'facing':1,'nebulae':8,'nebula':11,'edge-on':1,'arms':2,'having':1,'arms.':1,'to':1,'than':1,'structure':1},'continental':{'islands':1,'masses':1,'elevation':1,'fish':1},'uniting':{'into':1,'with':1},'4.--the':{'great':1},'breeding':{'season':2,'only':1,'calls':1,'time':1},'phosphorus':{'is':1},'mouth.':{'everyone':1,'sec':1,'illustration':4},'limulus':{'may':1},'fundy':{'it':1},'dasypeltis':{'gets':1},'u.s.a.':{'this':1},'incursions':{'of':1},'volume':{'and':1},'larger':{'and':3,'animals':2,'particle':1,'variety':1,'rather':1,'of':1,'area':1,'parasite':1,'than':5,'supply':1,'in':1,'fifteen-spined':1,'.':1,'continent':1,'species':1},'counterparts':{'in':3},'millipedes':{'and':1},'shark-like':{'and':1},'tactics':{'of':1,'are':1},'instructive':{'case':1,'to':2,'because':1,'.':1},'whether':{'all':2,'gravitation':1,'hunting':1,'that':1,'these':1,'it':5,'bird':1,'we':1,'imitation':1,'they':1,'particular':1,'the':6,'astronomy':1,'similar':1,'or':1},'meeting':{'of':1,'the':1,'that':1},'fossilized':{'forests.':1},'moorhen':{'saw':1,'has':1,'dived':1,'in':1},'record':{'of':1,'is':1,'answers':1,'.':2,'how':1,'the':1,'tells':1},'below':{'and':1,'a':1,'this':1,'freezing-point.':1,'.':3,'their':1,'are':1,'freezing-point':1,'the':11},'graphite':{'similarly':1},'demonstrate':{'a':1},'percival':{'lowell':1,'lowell.':1},'arno':{'von':1},'stirring':{'times':1},'unfolding':{'of':1},'cynodonts':{'were':1},'roentgen.':{'discovery':1},'change-producing':{'factors':1},'--1':{'.':1},'pigment-cells':{'chromatophores':1,'change':1},'1781.9':{'84.02':1},'globules':{'of':1},'kind.':{'sec':1},'soft-shell':{'tortoise':1},'domesticated':{'sheep':1,'animals':7,'dog':2,'breeds':1,'type':1,'creature':1},'counteract':{'poisons':1},'limb':{';':1,'or':1},'mutual':{'benefit':1,'gravitation':1,'dependence':1,'assurance':1},'1898.':{'in':1},'incredible':{'refinement':1,'speed':1},'portion':{'consists':1,'of':5,'would':1},'other':{'all':1,'interpretation':1,'words':11,'four':1,'experiments':1,'facts':1,'birds':1,'causes':1,'chemical':1,'apes':2,'group':1,'shifts':1,'physiological':1,'interesting':1,'parts':1,'marsh':1,'main':1,'associations':1,'format':1,'inter-relations':1,'marked':1,'they':1,'new':2,'radio-active':1,'sensational':1,'worlds':1,'backboned':1,'sedimentary':1,'side':6,'investigators':2,'telescope.':1,'thinkers':1,'growths':1,'some':1,'mollusc':1,'sporadic':1,'bacteria':1,'creatures':3,'pigments':1,'organisms':1,'factors':1,'ways':3,'pictures':1,'heavenly':1,'got':1,';':3,'warranties':1,'body':1,'ends':1,'toes':1,'terms':1,'men':2,'atoms':3,'stellar':1,'objects':1,'by':1,'extreme':1,'digits':1,'great':1,'substance':1,'of':1,'haunts':1,'times':3,'thing':1,'s':1,'light--we':1,'host.':1,'useful':1,'features':1,'reasons':1,'intellectual':1,'highly':1,'fishes':1,'seashore':1,'protozoa':1,'sounds':1,'throughout':1,'persons.':1,'trifles':1,'sea-snail':2,'copies':1,'.':14,'way':4,'reptiles':1,'specimens':1,'direction':1,'senses':2,'spiral':1,'form':2,'substances':2,'mammals':7,'immediate':1,'known':1,'branches':1,'cases':9,'than':1,'circumstances':1,'animals':3,'liquid':1,'places':1,'work':2,'theories':1,'project':1,'wild':1,'stages':1,'colour':1,'and':1,'meant':1,'seven':1,'change-producing':1,'is':3,'experiments--indications':1,'it':1,'metals':2,'pieces':1,'medium':1,'universes.':1,'planets':3,'universes':1,'domesticated':1,'orders':1,'cotton':1,'end':2,'in':1,'things':1,'ideas':1,'species':1,'astronomers':2,'instance':1,'became':1,'animal':1,'party':1,'enemies':1,'intelligent':1,'creature':1,'kinds':2,'hand':9,'glimpses':1,'blood':1,'never':1,'authorities':1,'such':1,'acquisitions':1,'amoeboid':1,'modes':1,'consequences':1,'age':1,'obstacles':1,'lines':1,'shafts.':1,'fundamental':2,'mechanical':1,'the':1,'order':1,'bodies':2},'sunrise':{'the':1},'boon':{'to':1},'conclusion':{'we':1,'that':5,'is':2,'what':1,'to':1,'in':1},'supersaturated':{'vapour':1},'kinds':{'forms':1,'of':34,'neoceratodus':1,'with':1,'are':1},'june':{'1922':4},'inherently':{'liable':1},'4.29':{'vega':1},'--i':{'.':1},'supple':{'yet':1},'--a':{'sort':1,'quite':1},'opened':{'a':1,'cones':1,'up':1,'.':1,'with':1,'its':1},'association--why':{'is':1},'ranks':{'of':2},'half-second':{'that':1},'volumes':{'of':1,'g':1},'understand':{'them':1,'that':1,'very':1,'what':1,'why':2,'in':2,'not':1,'the':4,'now':1,'agree':1},'function.':{'interesting':1},'expands':{'as':1},'sun--the':{'surface':1,'planets':1},'sci.':{'volvox':1,'trypanosoma':1}}
FIRST_NAMES = "James,John,Robert,Michael,William,David,Richard,Charles,Joseph,Thomas,Christopher,Daniel,Paul,Mark,Donald,George,Kenneth,Steven,Edward,Brian,Ronald,Anthony,Kevin,Jason,Matthew,Gary,Timothy,Jose,Larry,Jeffrey,Frank,Scott,Eric,Stephen,Andrew,Raymond,Gregory,Joshua,Jerry,Dennis,Walter,Patrick,Peter,Harold,Douglas,Henry,Carl,Arthur,Ryan,Roger,Joe,Juan,Jack,Albert,Jonathan,Justin,Terry,Gerald,Keith,Samuel,Willie,Ralph,Lawrence,Nicholas,Roy,Benjamin,Bruce,Brandon,Adam,Harry,Fred,Wayne,Billy,Steve,Louis,Jeremy,Aaron,Randy,Howard,Eugene,Carlos,Russell,Bobby,Victor,Martin,Ernest,Phillip,Todd,Jesse,Craig,Alan,Shawn,Clarence,Sean,Philip,Chris,Johnny,Earl,Jimmy,Antonio,Danny,Bryan,Tony,Luis,Mike,Stanley,Leonard,Nathan,Dale,Manuel,Rodney,Curtis,Norman,Allen,Marvin,Vincent,Glenn,Jeffery,Travis,Jeff,Chad,Jacob,Lee,Melvin,Alfred,Kyle,Francis,Bradley,Jesus,Herbert,Frederick,Ray,Joel,Edwin,Don,Eddie,Ricky,Troy,Randall,Barry,Alexander,Bernard,Mario,Leroy,Francisco,Marcus,Micheal,Theodore,Clifford,Miguel,Oscar,Jay,Jim,Tom,Calvin,Alex,Jon,Ronnie,Bill,Lloyd,Tommy,Leon,Derek,Warren,Darrell,Jerome,Floyd,Leo,Alvin,Tim,Wesley,Gordon,Dean,Greg,Jorge,Dustin,Pedro,Derrick,Dan,Lewis,Zachary,Corey,Herman,Maurice,Vernon,Roberto,Clyde,Glen,Hector,Shane,Ricardo,Sam,Rick,Lester,Brent,Ramon,Charlie,Tyler,Gilbert,Gene,Marc,Reginald,Ruben,Brett,Angel,Nathaniel,Rafael,Leslie,Edgar,Milton,Raul,Ben,Chester,Cecil,Duane,Franklin,Andre,Elmer,Brad,Gabriel,Ron,Mitchell,Roland,Arnold,Harvey,Jared,Adrian,Karl,Cory,Claude,Erik,Darryl,Jamie,Neil,Jessie,Christian,Javier,Fernando,Clinton,Ted,Mathew,Tyrone,Darren,Lonnie,Lance,Cody,Julio,Kelly,Kurt,Allan,Nelson,Guy,Clayton,Hugh,Max,Dwayne,Dwight,Armando,Felix,Jimmie,Everett,Jordan,Ian,Wallace,Ken,Bob,Jaime,Casey,Alfredo,Alberto,Dave,Ivan,Johnnie,Sidney,Byron,Julian,Isaac,Morris,Clifton,Willard,Daryl,Ross,Virgil,Andy,Marshall,Salvador,Perry,Kirk,Sergio,Marion,Tracy,Seth,Kent,Terrance,Rene,Eduardo,Terrence,Enrique,Freddie,Wade,Austin,Stuart,Fredrick,Arturo,Alejandro,Jackie,Joey,Nick,Luther,Wendell,Jeremiah,Evan,Julius,Dana,Donnie,Otis,Shannon,Trevor,Oliver,Luke,Homer,Gerard,Doug,Kenny,Hubert,Angelo,Shaun,Lyle,Matt,Lynn,Alfonso,Orlando,Rex,Carlton,Ernesto,Cameron,Neal,Pablo,Lorenzo,Omar,Wilbur,Blake,Grant,Horace,Roderick,Kerry,Abraham,Willis,Rickey,Jean,Ira,Andres,Cesar,Johnathan,Malcolm,Rudolph,Damon,Kelvin,Rudy,Preston,Alton,Archie,Marco,Wm,Pete,Randolph,Garry,Geoffrey,Jonathon,Felipe,Bennie,Gerardo,Ed,Dominic,Robin,Loren,Delbert,Colin,Guillermo,Earnest,Lucas,Benny,Noel,Spencer,Rodolfo,Myron,Edmund,Garrett,Salvatore,Cedric,Lowell,Gregg,Sherman,Wilson,Devin,Sylvester,Kim,Roosevelt,Israel,Jermaine,Forrest,Wilbert,Leland,Simon,Guadalupe,Clark,Irving,Carroll,Bryant,Owen,Rufus,Woodrow,Sammy,Kristopher,Mack,Levi,Marcos,Gustavo,Jake,Lionel,Marty,Taylor,Ellis,Dallas,Gilberto,Clint,Nicolas,Laurence,Ismael,Orville,Drew,Jody,Ervin,Dewey,Al,Wilfred,Josh,Hugo,Ignacio,Caleb,Tomas,Sheldon,Erick,Frankie,Stewart,Doyle,Darrel,Rogelio,Terence,Santiago,Alonzo,Elias,Bert,Elbert,Ramiro,Conrad,Pat,Noah,Grady,Phil,Cornelius,Lamar,Rolando,Clay,Percy,Dexter,Bradford,Merle,Darin,Amos,Terrell,Moses,Irvin,Saul,Roman,Darnell,Randal,Tommie,Timmy,Darrin,Winston,Brendan,Toby,Van,Abel,Dominick,Boyd,Courtney,Jan,Emilio,Elijah,Cary,Domingo,Santos,Aubrey,Emmett,Marlon,Emanuel,Jerald,Edmond,Emil,Dewayne,Will,Otto,Teddy,Reynaldo,Bret,Morgan,Jess,Trent,Humberto,Emmanuel,Stephan,Louie,Vicente,Lamont,Stacy,Garland,Miles,Micah,Efrain,Billie,Logan,Heath,Rodger,Harley,Demetrius,Ethan,Eldon,Rocky,Pierre,Junior,Freddy,Eli,Bryce,Antoine,Robbie,Kendall,Royce,Sterling,Mickey,Chase,Grover,Elton,Cleveland,Dylan,Chuck,Damian,Reuben,Stan,August,Leonardo,Jasper,Russel,Erwin,Benito,Hans,Monte,Blaine,Ernie,Curt,Quentin,Agustin,Murray,Jamal,Devon,Adolfo,Harrison,Tyson,Burton,Brady,Elliott,Wilfredo,Bart,Jarrod,Vance,Denis,Damien,Joaquin,Harlan,Desmond,Elliot,Darwin,Ashley,Gregorio,Buddy,Xavier,Kermit,Roscoe,Esteban,Anton,Solomon,Scotty,Norbert,Elvin,Williams,Nolan,Carey,Rod,Quinton,Hal,Brain,Rob,Elwood,Kendrick,Darius,Moises,Son,Marlin,Fidel,Thaddeus,Cliff,Marcel,Ali,Jackson,Raphael,Bryon,Armand,Alvaro,Jeffry,Dane,Joesph,Thurman,Ned,Sammie,Rusty,Michel,Monty,Rory,Fabian,Reggie,Mason,Graham,Kris,Isaiah,Vaughn,Gus,Avery,Loyd,Diego,Alexis,Adolph,Norris,Millard,Rocco,Gonzalo,Derick,Rodrigo,Gerry,Stacey,Carmen,Wiley,Rigoberto,Alphonso,Ty,Shelby,Rickie,Noe,Vern,Bobbie,Reed,Jefferson,Elvis,Bernardo,Mauricio,Hiram,Donovan,Basil,Riley,Ollie,Nickolas,Maynard,Scot,Vince,Quincy,Eddy,Sebastian,Federico,Ulysses,Heriberto,Donnell,Cole,Denny,Davis,Gavin,Emery,Ward,Romeo,Jayson,Dion,Dante,Clement,Coy,Odell,Maxwell,Jarvis,Bruno,Issac,Mary,Dudley,Brock,Sanford,Colby,Carmelo,Barney,Nestor,Hollis,Stefan,Donny,Art,Linwood,Beau,Weldon,Galen,Isidro,Truman,Delmar,Johnathon,Silas,Frederic,Dick,Kirby,Irwin,Cruz,Merlin,Merrill,Charley,Marcelino,Lane,Harris,Cleo,Carlo,Trenton,Kurtis,Hunter,Aurelio,Winfred,Vito,Collin,Denver,Carter,Leonel,Emory,Pasquale,Mohammad,Mariano,Danial,Blair,Landon,Dirk,Branden,Adan,Numbers,Clair,Buford,German,Bernie,Wilmer,Joan,Emerson,Zachery,Fletcher,Jacques,Errol,Dalton,Monroe,Josue,Dominique,Edwardo,Booker,Wilford,Sonny,Shelton,Carson,Theron,Raymundo,Daren,Tristan,Houston,Robby,Lincoln,Jame,Genaro,Gale,Bennett,Octavio,Cornell,Laverne,Hung,Arron,Antony,Herschel,Alva,Giovanni,Garth,Cyrus,Cyril,Ronny,Stevie,Lon,Freeman,Erin,Duncan,Kennith,Carmine,Augustine,Young,Erich,Chadwick,Wilburn,Russ,Reid,Myles,Anderson,Morton,Jonas,Forest,Mitchel,Mervin,Zane,Rich,Jamel,Lazaro,Alphonse,Randell,Major,Johnie,Jarrett,Brooks,Ariel,Abdul,Dusty,Luciano,Lindsey,Tracey,Seymour,Scottie,Eugenio,Mohammed,Sandy,Valentin,Chance,Arnulfo,Lucien,Ferdinand,Thad,Ezra,Sydney,Aldo,Rubin,Royal,Mitch,Earle,Abe,Wyatt,Marquis,Lanny,Kareem,Jamar,Boris,Isiah,Emile,Elmo,Aron,Leopoldo,Everette,Josef,Gail,Eloy,Dorian,Rodrick,Reinaldo,Lucio,Jerrod,Weston,Hershel,Barton,Parker,Lemuel,Lavern,Burt,Jules,Gil,Eliseo,Ahmad,Nigel,Efren,Antwan,Alden,Margarito,Coleman,Refugio,Dino,Osvaldo,Les,Deandre,Normand,Kieth,Ivory,Andrea,Trey,Norberto,Napoleon,Jerold,Fritz,Rosendo,Milford,Sang,Deon,Christoper,Alfonzo,Lyman,Josiah,Brant,Wilton,Rico,Jamaal,Dewitt,Carol,Brenton,Yong,Olin,Foster,Faustino,Claudio,Judson,Gino,Edgardo,Berry,Alec,Tanner,Jarred,Donn,Trinidad,Tad,Shirley,Prince,Porfirio,Odis,Maria,Lenard,Chauncey,Chang,Tod,Mel,Marcelo,Kory,Augustus,Keven,Hilario,Bud,Sal,Rosario,Orval,Mauro,Dannie,Zachariah,Olen,Anibal,Milo,Jed,Frances,Thanh,Dillon,Amado,Newton,Connie,Lenny,Tory,Richie,Lupe,Horacio,Brice,Mohamed,Delmer,Dario,Reyes,Dee,Mac,Jonah,Jerrold,Robt,Hank,Sung,Rupert,Rolland,Kenton,Damion,Chi,Antone,Waldo,Fredric,Bradly,Quinn,Kip,Burl,Walker,Tyree,Jefferey,Ahmed,Willy,Stanford,Oren,Noble,Moshe,Mikel,Enoch,Brendon,Quintin,Jamison,Florencio,Darrick,Tobias,Minh,Hassan,Giuseppe,Demarcus,Cletus,Tyrell,Lyndon,Keenan,Werner,Theo,Geraldo,Lou,Columbus,Chet,Bertram,Markus,Huey,Hilton,Dwain,Donte,Tyron,Omer,Isaias,Hipolito,Fermin,Chung,Adalberto,Valentine,Jamey,Bo,Barrett,Whitney,Teodoro,Mckinley,Maximo,Garfield,Sol,Raleigh,Lawerence,Abram,Rashad,King,Emmitt,Daron,Chong,Samual,Paris,Otha,Miquel,Lacy,Eusebio,Dong,Domenic,Darron,Buster,Antonia,Wilber,Renato,Jc,Hoyt,Haywood,Ezekiel,Chas,Florentino,Elroy,Clemente,Arden,Neville,Kelley,Edison,Deshawn,Carrol,Shayne,Nathanial,Jordon,Danilo,Claud,Val,Sherwood,Raymon,Rayford,Cristobal,Ambrose,Titus,Hyman,Felton,Ezequiel,Erasmo,Stanton,Lonny,Len,Ike,Milan,Lino,Jarod,Herb,Andreas,Walton,Rhett,Palmer,Jude,Douglass,Cordell,Oswaldo,Ellsworth,Virgilio,Toney,Nathanael,Del,Britt,Benedict,Mose,Hong,Leigh,Johnson,Isreal,Gayle,Garret,Fausto,Asa,Arlen,Zack,Warner,Modesto,Francesco,Manual,Jae,Gaylord,Gaston,Filiberto,Deangelo,Michale,Granville,Wes,Malik,Zackary,Tuan,Nicky,Eldridge,Cristopher,Cortez,Antione,Malcom,Long,Korey,Jospeh,Colton,Waylon,Von,Hosea,Shad,Santo,Rudolf,Rolf,Rey,Renaldo,Marcellus,Lucius,Lesley,Kristofer,Boyce,Benton,Man,Kasey,Jewell,Hayden,Harland,Arnoldo,Rueben,Leandro,Kraig,Jerrell,Jeromy,Hobert,Cedrick,Arlie,Winford,Wally,Patricia,Luigi,Keneth,Jacinto,Graig,Franklyn,Edmundo,Sid,Porter,Leif,Lauren,Jeramy,Elisha,Buck,Willian,Vincenzo,Shon,Michal,Lynwood,Lindsay,Jewel,Jere,Hai,Elden,Dorsey,Darell,Broderick,Alonso,Mary,Patricia,Linda,Barbara,Elizabeth,Jennifer,Maria,Susan,Margaret,Dorothy,Lisa,Nancy,Karen,Betty,Helen,Sandra,Donna,Carol,Ruth,Sharon,Michelle,Laura,Sarah,Kimberly,Deborah,Jessica,Shirley,Cynthia,Angela,Melissa,Brenda,Amy,Anna,Rebecca,Virginia,Kathleen,Pamela,Martha,Debra,Amanda,Stephanie,Carolyn,Christine,Marie,Janet,Catherine,Frances,Ann,Joyce,Diane,Alice,Julie,Heather,Teresa,Doris,Gloria,Evelyn,Jean,Cheryl,Mildred,Katherine,Joan,Ashley,Judith,Rose,Janice,Kelly,Nicole,Judy,Christina,Kathy,Theresa,Beverly,Denise,Tammy,Irene,Jane,Lori,Rachel,Marilyn,Andrea,Kathryn,Louise,Sara,Anne,Jacqueline,Wanda,Bonnie,Julia,Ruby,Lois,Tina,Phyllis,Norma,Paula,Diana,Annie,Lillian,Emily,Robin,Peggy,Crystal,Gladys,Rita,Dawn,Connie,Florence,Tracy,Edna,Tiffany,Carmen,Rosa,Cindy,Grace,Wendy,Victoria,Edith,Kim,Sherry,Sylvia,Josephine,Thelma,Shannon,Sheila,Ethel,Ellen,Elaine,Marjorie,Carrie,Charlotte,Monica,Esther,Pauline,Emma,Juanita,Anita,Rhonda,Hazel,Amber,Eva,Debbie,April,Leslie,Clara,Lucille,Jamie,Joanne,Eleanor,Valerie,Danielle,Megan,Alicia,Suzanne,Michele,Gail,Bertha,Darlene,Veronica,Jill,Erin,Geraldine,Lauren,Cathy,Joann,Lorraine,Lynn,Sally,Regina,Erica,Beatrice,Dolores,Bernice,Audrey,Yvonne,Annette,June,Samantha,Marion,Dana,Stacy,Ana,Renee,Ida,Vivian,Roberta,Holly,Brittany,Melanie,Loretta,Yolanda,Jeanette,Laurie,Katie,Kristen,Vanessa,Alma,Sue,Elsie,Beth,Jeanne,Vicki,Carla,Tara,Rosemary,Eileen,Terri,Gertrude,Lucy,Tonya,Ella,Stacey,Wilma,Gina,Kristin,Jessie,Natalie,Agnes,Vera,Willie,Charlene,Bessie,Delores,Melinda,Pearl,Arlene,Maureen,Colleen,Allison,Tamara,Joy,Georgia,Constance,Lillie,Claudia,Jackie,Marcia,Tanya,Nellie,Minnie,Marlene,Heidi,Glenda,Lydia,Viola,Courtney,Marian,Stella,Caroline,Dora,Jo,Vickie,Mattie,Terry,Maxine,Irma,Mabel,Marsha,Myrtle,Lena,Christy,Deanna,Patsy,Hilda,Gwendolyn,Jennie,Nora,Margie,Nina,Cassandra,Leah,Penny,Kay,Priscilla,Naomi,Carole,Brandy,Olga,Billie,Dianne,Tracey,Leona,Jenny,Felicia,Sonia,Miriam,Velma,Becky,Bobbie,Violet,Kristina,Toni,Misty,Mae,Shelly,Daisy,Ramona,Sherri,Erika,Katrina,Claire,Lindsey,Lindsay,Geneva,Guadalupe,Belinda,Margarita,Sheryl,Cora,Faye,Ada,Natasha,Sabrina,Isabel,Marguerite,Hattie,Harriet,Molly,Cecilia,Kristi,Brandi,Blanche,Sandy,Rosie,Joanna,Iris,Eunice,Angie,Inez,Lynda,Madeline,Amelia,Alberta,Genevieve,Monique,Jodi,Janie,Maggie,Kayla,Sonya,Jan,Lee,Kristine,Candace,Fannie,Maryann,Opal,Alison,Yvette,Melody,Luz,Susie,Olivia,Flora,Shelley,Kristy,Mamie,Lula,Lola,Verna,Beulah,Antoinette,Candice,Juana,Jeannette,Pam,Kelli,Hannah,Whitney,Bridget,Karla,Celia,Latoya,Patty,Shelia,Gayle,Della,Vicky,Lynne,Sheri,Marianne,Kara,Jacquelyn,Erma,Blanca,Myra,Leticia,Pat,Krista,Roxanne,Angelica,Johnnie,Robyn,Francis,Adrienne,Rosalie,Alexandra,Brooke,Bethany,Sadie,Bernadette,Traci,Jody,Kendra,Jasmine,Nichole,Rachael,Chelsea,Mable,Ernestine,Muriel,Marcella,Elena,Krystal,Angelina,Nadine,Kari,Estelle,Dianna,Paulette,Lora,Mona,Doreen,Rosemarie,Angel,Desiree,Antonia,Hope,Ginger,Janis,Betsy,Christie,Freda,Mercedes,Meredith,Lynette,Teri,Cristina,Eula,Leigh,Meghan,Sophia,Eloise,Rochelle,Gretchen,Cecelia,Raquel,Henrietta,Alyssa,Jana,Kelley,Gwen,Kerry,Jenna,Tricia,Laverne,Olive,Alexis,Tasha,Silvia,Elvira,Casey,Delia,Sophie,Kate,Patti,Lorena,Kellie,Sonja,Lila,Lana,Darla,May,Mindy,Essie,Mandy,Lorene,Elsa,Josefina,Jeannie,Miranda,Dixie,Lucia,Marta,Faith,Lela,Johanna,Shari,Camille,Tami,Shawna,Elisa,Ebony,Melba,Ora,Nettie,Tabitha,Ollie,Jaime,Winifred,Kristie,Marina,Alisha,Aimee,Rena,Myrna,Marla,Tammie,Latasha,Bonita,Patrice,Ronda,Sherrie,Addie,Francine,Deloris,Stacie,Adriana,Cheri,Shelby,Abigail,Celeste,Jewel,Cara,Adele,Rebekah,Lucinda,Dorthy,Chris,Effie,Trina,Reba,Shawn,Sallie,Aurora,Lenora,Etta,Lottie,Kerri,Trisha,Nikki,Estella,Francisca,Josie,Tracie,Marissa,Karin,Brittney,Janelle,Lourdes,Laurel,Helene,Fern,Elva,Corinne,Kelsey,Ina,Bettie,Elisabeth,Aida,Caitlin,Ingrid,Iva,Eugenia,Christa,Goldie,Cassie,Maude,Jenifer,Therese,Frankie,Dena,Lorna,Janette,Latonya,Candy,Morgan,Consuelo,Tamika,Rosetta,Debora,Cherie,Polly,Dina,Jewell,Fay,Jillian,Dorothea,Nell,Trudy,Esperanza,Patrica,Kimberley,Shanna,Helena,Carolina,Cleo,Stefanie,Rosario,Ola,Janine,Mollie,Lupe,Alisa,Lou,Maribel,Susanne,Bette,Susana,Elise,Cecile,Isabelle,Lesley,Jocelyn,Paige,Joni,Rachelle,Leola,Daphne,Alta,Ester,Petra,Graciela,Imogene,Jolene,Keisha,Lacey,Glenna,Gabriela,Keri,Ursula,Lizzie,Kirsten,Shana,Adeline,Mayra,Jayne,Jaclyn,Gracie,Sondra,Carmela,Marisa,Rosalind,Charity,Tonia,Beatriz,Marisol,Clarice,Jeanine,Sheena,Angeline,Frieda,Lily,Robbie,Shauna,Millie,Claudette,Cathleen,Angelia,Gabrielle,Autumn,Katharine,Summer,Jodie,Staci,Lea,Christi,Jimmie,Justine,Elma,Luella,Margret,Dominique,Socorro,Rene,Martina,Margo,Mavis,Callie,Bobbi,Maritza,Lucile,Leanne,Jeannine,Deana,Aileen,Lorie,Ladonna,Willa,Manuela,Gale,Selma,Dolly,Sybil,Abby,Lara,Dale,Ivy,Dee,Winnie,Marcy,Luisa,Jeri,Magdalena,Ofelia,Meagan,Audra,Matilda,Leila,Cornelia,Bianca,Simone,Bettye,Randi,Virgie,Latisha,Barbra,Georgina,Eliza,Leann,Bridgette,Rhoda,Haley,Adela,Nola,Bernadine,Flossie,Ila,Greta,Ruthie,Nelda,Minerva,Lilly,Terrie,Letha,Hilary,Estela,Valarie,Brianna,Rosalyn,Earline,Catalina,Ava,Mia,Clarissa,Lidia,Corrine,Alexandria,Concepcion,Tia,Sharron,Rae,Dona,Ericka,Jami,Elnora,Chandra,Lenore,Neva,Marylou,Melisa,Tabatha,Serena,Avis,Allie,Sofia,Jeanie,Odessa,Nannie,Harriett,Loraine,Penelope,Milagros,Emilia,Benita,Allyson,Ashlee,Tania,Tommie,Esmeralda,Karina,Eve,Pearlie,Zelma,Malinda,Noreen,Tameka,Saundra,Hillary,Amie,Althea,Rosalinda,Jordan,Lilia,Alana,Gay,Clare,Alejandra,Elinor,Michael,Lorrie,Jerri,Darcy,Earnestine,Carmella,Taylor,Noemi,Marcie,Liza,Annabelle,Louisa,Earlene,Mallory,Carlene,Nita,Selena,Tanisha,Katy,Julianne,John,Lakisha,Edwina,Maricela,Margery,Kenya,Dollie,Roxie,Roslyn,Kathrine,Nanette,Charmaine,Lavonne,Ilene,Kris,Tammi,Suzette,Corine,Kaye,Jerry,Merle,Chrystal,Lina,Deanne,Lilian,Juliana,Aline,Luann,Kasey,Maryanne,Evangeline,Colette,Melva,Lawanda,Yesenia,Nadia,Madge,Kathie,Eddie,Ophelia,Valeria,Nona,Mitzi,Mari,Georgette,Claudine,Fran,Alissa,Roseann,Lakeisha,Susanna,Reva,Deidre,Chasity,Sheree,Carly,James,Elvia,Alyce,Deirdre,Gena,Briana,Araceli,Katelyn,Rosanne,Wendi,Tessa,Berta,Marva,Imelda,Marietta,Marci,Leonor,Arline,Sasha,Madelyn,Janna,Juliette,Deena,Aurelia,Josefa,Augusta,Liliana,Young,Christian,Lessie,Amalia,Savannah,Anastasia,Vilma,Natalia,Rosella,Lynnette,Corina,Alfreda,Leanna,Carey,Amparo,Coleen,Tamra,Aisha,Wilda,Karyn,Cherry,Queen,Maura,Mai,Evangelina,Rosanna,Hallie,Erna,Enid,Mariana,Lacy,Juliet,Jacklyn,Freida,Madeleine,Mara,Hester,Cathryn,Lelia,Casandra,Bridgett,Angelita,Jannie,Dionne,Annmarie,Katina,Beryl,Phoebe,Millicent,Katheryn,Diann,Carissa,Maryellen,Liz,Lauri,Helga,Gilda,Adrian,Rhea,Marquita,Hollie,Tisha,Tamera,Angelique,Francesca,Britney,Kaitlin,Lolita,Florine,Rowena,Reyna,Twila,Fanny,Janell,Ines,Concetta,Bertie,Alba,Brigitte,Alyson,Vonda,Pansy,Elba,Noelle,Letitia,Kitty,Deann,Brandie,Louella,Leta,Felecia,Sharlene,Lesa,Beverley,Robert,Isabella,Herminia,Terra,Celina,Tori,Octavia,Jade,Denice,Germaine,Sierra,Michell,Cortney,Nelly,Doretha,Sydney,Deidra,Monika,Lashonda,Judi,Chelsey,Antionette,Margot,Bobby,Adelaide,Nan,Leeann,Elisha,Dessie,Libby,Kathi,Gayla,Latanya,Mina,Mellisa,Kimberlee,Jasmin,Renae,Zelda,Elda,Ma,Justina,Gussie,Emilie,Camilla,Abbie,Rocio,Kaitlyn,Jesse,Edythe,Ashleigh,Selina,Lakesha,Geri,Allene,Pamala,Michaela,Dayna,Caryn,Rosalia,Sun,Jacquline,Rebeca,Marybeth,Krystle,Iola,Dottie,Bennie,Belle,Aubrey,Griselda,Ernestina,Elida,Adrianne,Demetria,Delma,Chong,Jaqueline,Destiny,Arleen,Virgina,Retha,Fatima,Tillie,Eleanore,Cari,Treva,Birdie,Wilhelmina,Rosalee,Maurine,Latrice,Yong,Jena,Taryn,Elia,Debby,Maudie,Jeanna,Delilah,Catrina,Shonda,Hortencia,Theodora,Teresita,Robbin,Danette,Maryjane,Freddie,Delphine,Brianne,Nilda,Danna,Cindi,Bess,Iona,Hanna,Ariel,Winona,Vida,Rosita,Marianna,William,Racheal,Guillermina,Eloisa,Celestine,Caren,Malissa,Lona,Chantel,Shellie,Marisela,Leora,Agatha,Soledad,Migdalia,Ivette,Christen,Athena,Janel,Chloe,Veda,Pattie,Tessie,Tera,Marilynn,Lucretia,Karrie,Dinah,Daniela,Alecia,Adelina,Vernice,Shiela,Portia,Merry,Lashawn,Devon,Dara,Tawana,Oma,Verda,Christin,Alene,Zella,Sandi,Rafaela,Maya,Kira,Candida,Alvina,Suzan,Shayla,Lyn,Lettie,Alva,Samatha,Oralia,Matilde,Madonna,Larissa,Vesta,Renita,India,Delois,Shanda,Phillis,Lorri,Erlinda,Cruz,Cathrine,Barb,Zoe,Isabell,Ione,Gisela,Charlie,Valencia,Roxanna,Mayme,Kisha,Ellie,Mellissa,Dorris,Dalia,Bella,Annetta,Zoila,Reta,Reina,Lauretta,Kylie,Christal,Pilar,Charla,Elissa,Tiffani,Tana,Paulina,Leota,Breanna,Jayme,Carmel,Vernell,Tomasa,Mandi,Dominga,Santa,Melodie,Lura,Alexa,Tamela,Ryan,Mirna,Kerrie,Venus,Noel,Felicita,Cristy,Carmelita,Berniece,Annemarie,Tiara,Roseanne,Missy,Cori,Roxana,Pricilla,Kristal,Jung,Elyse,Haydee,Aletha,Bettina,Marge,Gillian,Filomena,Charles,Zenaida,Harriette,Caridad,Vada,Una,Aretha,Pearline,Marjory,Marcela,Flor,Evette,Elouise,Alina,Trinidad,David,Damaris,Catharine,Carroll,Belva,Nakia,Marlena,Luanne,Lorine,Karon,Dorene,Danita,Brenna,Tatiana,Sammie,Louann,Loren,Julianna,Andria,Philomena,Lucila,Leonora,Dovie,Romona,Mimi,Jacquelin,Gaye,Tonja,Misti,Joe,Gene,Chastity,Stacia,Roxann,Micaela,Nikita,Mei,Velda,Marlys,Johnna,Aura,Lavern,Ivonne,Hayley,Nicki,Majorie,Herlinda,George,Alpha,Yadira,Perla,Gregoria,Daniel,Antonette,Shelli,Mozelle,Mariah,Joelle,Cordelia,Josette,Chiquita,Trista,Louis,Laquita,Georgiana,Candi,Shanon,Lonnie,Hildegard,Cecil,Valentina,Stephany,Magda,Karol,Gerry,Gabriella,Tiana,Roma,Richelle,Ray,Princess,Oleta,Jacque,Idella,Alaina,Suzanna,Jovita,Blair,Tosha,Raven,Nereida,Marlyn,Kyla,Joseph,Delfina,Tena,Stephenie,Sabina,Nathalie,Marcelle,Gertie,Darleen,Thea,Sharonda,Shantel,Belen,Venessa,Rosalina,Ona,Genoveva,Corey,Clementine,Rosalba,Renate,Renata,Mi,Ivory,Georgianna,Floy,Dorcas,Ariana,Tyra,Theda,Mariam,Juli,Jesica,Donnie,Vikki,Verla,Roselyn,Melvina,Jannette,Ginny,Debrah,Corrie,Asia,Violeta,Myrtis,Latricia,Collette,Charleen,Anissa,Viviana,Twyla,Precious,Nedra,Latonia,Lan,Hellen,Fabiola,Annamarie,Adell,Sharyn,Chantal,Niki,Maud,Lizette,Lindy,Kia,Kesha,Jeana,Danelle,Charline,Chanel,Carrol,Valorie,Lia,Dortha,Cristal,Sunny,Leone,Leilani,Gerri,Debi,Andra,Keshia,Ima,Eulalia,Easter,Dulce,Natividad,Linnie,Kami,Georgie,Catina,Brook,Alda,Winnifred,Sharla,Ruthann,Meaghan,Magdalene,Lissette,Adelaida,Venita,Trena,Shirlene,Shameka,Elizebeth,Dian,Shanta,Mickey,Latosha,Carlotta,Windy,Soon,Rosina,Mariann,Leisa,Jonnie,Dawna,Cathie,Billy,Astrid,Sidney,Laureen,Janeen,Holli,Fawn,Vickey,Teressa,Shante,Rubye,Marcelina,Chanda,Cary,Terese,Scarlett,Marty,Marnie,Lulu,Lisette,Jeniffer,Elenor,Dorinda,Donita,Carman,Bernita,Altagracia,Aleta,Adrianna,Zoraida,Ronnie,Nicola,Lyndsey,Kendall,Janina,Chrissy,Ami,Starla,Phylis,Phuong,Kyra,Charisse,Blanch,Sanjuanita,Rona,Nanci,Marilee,Maranda,Cory,Brigette,Sanjuana,Marita,Kassandra,Joycelyn,Ira,Felipa,Chelsie,Bonny,Mireya,Lorenza,Kyong,Ileana,Candelaria,Tony,Toby,Sherie,Ok,Mark,Lucie,Leatrice,Lakeshia,Gerda,Edie,Bambi,Marylin,Lavon,Hortense,Garnet,Evie,Tressa,Shayna,Lavina,Kyung,Jeanetta,Sherrill,Shara,Phyliss,Mittie,Anabel,Alesia,Thuy,Tawanda,Richard,Joanie,Tiffanie,Lashanda,Karissa,Enriqueta,Daria,Daniella,Corinna,Alanna,Abbey,Roxane,Roseanna,Magnolia,Lida,Kyle,Joellen,Era,Coral,Carleen,Tresa,Peggie,Novella,Nila,Maybelle,Jenelle,Carina,Nova,Melina,Marquerite,Margarette,Josephina,Evonne,Devin,Cinthia,Albina,Toya,Tawnya,Sherita,Santos,Myriam,Lizabeth,Lise,Keely,Jenni,Giselle,Cheryle,Ardith,Ardis,Alesha,Adriane,Shaina,Linnea,Karolyn,Hong,Florida,Felisha,Dori,Darci,Artie,Armida,Zola,Xiomara,Vergie,Shamika,Nena,Nannette,Maxie,Lovie,Jeane,Jaimie,Inge,Farrah,Elaina,Caitlyn,Starr,Felicitas,Cherly,Caryl,Yolonda,Yasmin,Teena,Prudence,Pennie,Nydia,Mackenzie,Orpha,Marvel,Lizbeth,Laurette,Jerrie,Hermelinda,Carolee,Tierra,Mirian,Meta,Melony,Kori,Jennette,Jamila,Ena,Anh,Yoshiko,Susannah,Salina,Rhiannon,Joleen,Cristine,Ashton,Aracely,Tomeka,Shalonda,Marti,Lacie,Kala,Jada,Ilse,Hailey,Brittani,Zona,Syble,Sherryl,Randy,Nidia,Marlo,Kandice,Kandi,Deb,Dean,America,Alycia,Tommy,Ronna,Norene,Mercy,Jose,Ingeborg,Giovanna,Gemma,Christel,Audry,Zora,Vita,Van,Trish,Stephaine,Shirlee,Shanika,Melonie,Mazie,Jazmin,Inga,Hoa,Hettie,Geralyn,Fonda,Estrella,Adella,Su,Sarita,Rina,Milissa,Maribeth,Golda,Evon,Ethelyn,Enedina,Cherise,Chana,Velva,Tawanna,Sade,Mirta,Li,Karie,Jacinta,Elna,Davina,Cierra,Ashlie,Albertha,Tanesha,Stephani,Nelle,Mindi,Lu,Lorinda,Larue,Florene,Demetra,Dedra,Ciara,Chantelle,Ashly,Suzy,Rosalva,Noelia,Lyda,Leatha,Krystyna,Kristan,Karri,Darline,Darcie,Cinda,Cheyenne,Cherrie,Awilda,Almeda,Rolanda,Lanette,Jerilyn,Gisele,Evalyn,Cyndi,Cleta,Carin,Zina,Zena,Velia,Tanika,Paul,Charissa,Thomas,Talia,Margarete,Lavonda,Kaylee,Kathlene,Jonna,Irena,Ilona,Idalia,Candis,Candance,Brandee,Anitra,Alida,Sigrid,Nicolette,Maryjo,Linette,Hedwig,Christiana,Cassidy,Alexia,Tressie,Modesta,Lupita,Lita,Gladis,Evelia,Davida,Cherri,Cecily,Ashely,Annabel,Agustina,Wanita,Shirly,Rosaura,Hulda,Eun,Bailey,Yetta,Verona,Thomasina,Sibyl,Shannan,Mechelle,Lue,Leandra,Lani,Kylee,Kandy,Jolynn,Ferne,Eboni,Corene,Alysia,Zula,Nada,Moira,Lyndsay,Lorretta,Juan,Jammie,Hortensia,Gaynell,Cameron,Adria,Vina,Vicenta,Tangela,Stephine,Norine,Nella,Liana,Leslee,Kimberely,Iliana,Glory,Felica,Emogene,Elfriede,Eden,Eartha,Carma,Bea,Ocie,Marry,Lennie,Kiara,Jacalyn,Carlota,Arielle,Yu,Star,Otilia,Kirstin,Kacey,Johnetta,Joey,Joetta,Jeraldine,Jaunita,Elana,Dorthea,Cami,Amada,Adelia,Vernita,Tamar,Siobhan,Renea,Rashida,Ouida,Odell,Nilsa,Meryl,Kristyn,Julieta,Danica,Breanne,Aurea,Anglea,Sherron,Odette,Malia,Lorelei,Lin,Leesa,Kenna,Kathlyn,Fiona,Charlette,Suzie,Shantell,Sabra,Racquel,Myong,Mira,Martine,Lucienne,Lavada,Juliann,Johnie,Elvera,Delphia,Clair,Christiane,Charolette,Carri,Augustine,Asha,Angella,Paola,Ninfa,Leda,Lai,Eda,Sunshine,Stefani,Shanell,Palma,Machelle,Lissa,Kecia,Kathryne,Karlene,Julissa,Jettie,Jenniffer,Hui,Corrina,Christopher,Carolann,Alena,Tess,Rosaria,Myrtice,Marylee,Liane,Kenyatta,Judie,Janey,In,Elmira,Eldora,Denna,Cristi,Cathi,Zaida,Vonnie,Viva,Vernie,Rosaline,Mariela,Luciana,Lesli,Karan,Felice,Deneen,Adina,Wynona,Tarsha,Sheron,Shasta,Shanita,Shani,Shandra,Randa,Pinkie,Paris,Nelida,Marilou,Lyla,Laurene,Laci,Joi,Janene,Dorotha,Daniele,Dani,Carolynn,Carlyn,Berenice,Ayesha,Anneliese,Alethea,Thersa,Tamiko,Rufina,Oliva,Mozell,Marylyn,Madison,Kristian,Kathyrn,Kasandra,Kandace,Janae,Gabriel,Domenica,Debbra,Dannielle,Chun,Buffy,Barbie,Arcelia,Aja,Zenobia,Sharen,Sharee,Patrick,Page,My,Lavinia,Kum,Kacie,Jackeline,Huong,Felisa,Emelia,Eleanora,Cythia,Cristin,Clyde,Claribel,Caron,Anastacia,Zulma,Zandra,Yoko,Tenisha,Susann,Sherilyn,Shay,Shawanda,Sabine,Romana,Mathilda,Linsey,Keiko,Joana,Isela,Gretta,Georgetta,Eugenie,Dusty,Desirae,Delora,Corazon,Antonina,Anika,Willene,Tracee,Tamatha,Regan,Nichelle,Mickie,Maegan,Luana,Lanita,Kelsie,Edelmira,Bree,Afton,Teodora,Tamie,Shena,Meg,Linh,Keli,Kaci,Danyelle,Britt,Arlette,Albertine,Adelle,Tiffiny,Stormy,Simona,Numbers,Nicolasa,Nichol,Nia,Nakisha,Mee,Maira,Loreen,Kizzy,Johnny,Jay,Fallon,Christene,Bobbye,Anthony,Ying,Vincenza,Tanja,Rubie,Roni,Queenie,Margarett,Kimberli,Irmgard,Idell,Hilma,Evelina,Esta,Emilee,Dennise,Dania,Carl,Carie,Antonio,Wai,Sang,Risa,Rikki,Particia,Mui,Masako,Mario,Luvenia,Loree,Loni,Lien,Kevin,Gigi,Florencia,Dorian,Denita,Dallas,Chi,Billye,Alexander,Tomika,Sharita,Rana,Nikole,Neoma,Margarite,Madalyn,Lucina,Laila,Kali,Jenette,Gabriele,Evelyne,Elenora,Clementina,Alejandrina,Zulema,Violette,Vannessa,Thresa,Retta,Pia,Patience,Noella,Nickie,Jonell,Delta,Chung,Chaya,Camelia,Bethel,Anya,Andrew,Thanh,Suzann,Spring,Shu,Mila,Lilla,Laverna,Keesha,Kattie,Gia,Georgene,Eveline,Estell,Elizbeth,Vivienne,Vallie,Trudie,Stephane,Michel,Magaly,Madie,Kenyetta,Karren,Janetta,Hermine,Harmony,Drucilla,Debbi,Celestina,Candie,Britni,Beckie,Amina,Zita,Yun,Yolande,Vivien,Vernetta,Trudi,Sommer,Pearle,Patrina,Ossie,Nicolle,Loyce,Letty,Larisa,Katharina,Joselyn,Jonelle,Jenell,Iesha,Heide,Florinda,Florentina,Flo,Elodia,Dorine,Brunilda,Brigid,Ashli,Ardella,Twana,Thu,Tarah,Sung,Shea,Shavon,Shane,Serina,Rayna,Ramonita,Nga,Margurite,Lucrecia,Kourtney,Kati,Jesus,Jesenia,Diamond,Crista,Ayana,Alica,Alia,Vinnie,Suellen,Romelia,Rachell,Piper,Olympia,Michiko,Kathaleen,Jolie,Jessi,Janessa,Hana,Ha,Elease,Carletta,Britany,Shona,Salome,Rosamond,Regena,Raina,Ngoc,Nelia,Louvenia,Lesia,Latrina,Laticia,Larhonda,Jina,Jacki,Hollis,Holley,Emmy,Deeann,Coretta,Arnetta,Velvet,Thalia,Shanice,Neta,Mikki,Micki,Lonna,Leana,Lashunda,Kiley,Joye,Jacqulyn,Ignacia,Hyun,Hiroko,Henry,Henriette,Elayne,Delinda,Darnell,Dahlia,Coreen,Consuela,Conchita,Celine,Babette,Ayanna,Anette,Albertina,Skye,Shawnee,Shaneka,Quiana,Pamelia,Min,Merri,Merlene,Margit,Kiesha,Kiera,Kaylene,Jodee,Jenise,Erlene,Emmie,Else,Daryl,Dalila,Daisey,Cody,Casie,Belia,Babara,Versie,Vanesa,Shelba,Shawnda,Sam,Norman,Nikia,Naoma,Marna,Margeret,Madaline,Lawana,Kindra,Jutta,Jazmine,Janett,Hannelore,Glendora,Gertrud,Garnett,Freeda,Frederica,Florance,Flavia,Dennis,Carline,Beverlee,Anjanette,Valda,Trinity,Tamala,Stevie,Shonna,Sha,Sarina,Oneida,Micah,Merilyn,Marleen,Lurline,Lenna,Katherin,Jin,Jeni,Hae,Gracia,Glady,Farah,Eric,Enola,Ema,Dominque,Devona,Delana,Cecila,Caprice,Alysha,Ali,Alethia,Vena,Theresia,Tawny,Song,Shakira,Samara,Sachiko,Rachele,Pamella,Nicky,Marni,Mariel,Maren,Malisa,Ligia,Lera,Latoria,Larae,Kimber,Kathern,Karey,Jennefer,Janeth,Halina,Fredia,Delisa,Debroah,Ciera,Chin,Angelika,Andree,Altha,Yen,Vivan,Terresa,Tanna,Suk,Sudie,Soo,Signe,Salena,Ronni,Rebbecca,Myrtie,Mckenzie,Malika,Maida,Loan,Leonarda,Kayleigh,France,Ethyl,Ellyn,Dayle,Cammie,Brittni,Birgit,Avelina,Asuncion,Arianna,Akiko,Venice,Tyesha,Tonie,Tiesha,Takisha,Steffanie,Sindy,Santana,Meghann,Manda,Macie,Lady,Kellye,Kellee,Joslyn,Jason,Inger,Indira,Glinda,Glennis,Fernanda,Faustina,Eneida,Elicia,Dot,Digna,Dell,Arletta,Andre,Willia,Tammara,Tabetha,Sherrell,Sari,Refugio,Rebbeca,Pauletta,Nieves,Natosha,Nakita,Mammie,Kenisha,Kazuko,Kassie,Gary,Earlean,Daphine,Corliss,Clotilde,Carolyne,Bernetta,Augustina,Audrea,Annis,Annabell,Yan,Tennille,Tamica,Selene,Sean,Rosana,Regenia,Qiana,Markita,Macy,Leeanne,Laurine,Kym,Jessenia,Janita,Georgine,Genie,Emiko,Elvie,Deandra,Dagmar,Corie,Collen,Cherish,Romaine,Porsha,Pearlene,Micheline,Merna,Margorie,Margaretta,Lore,Kenneth,Jenine,Hermina,Fredericka,Elke,Drusilla,Dorathy,Dione,Desire,Celena,Brigida,Angeles,Allegra,Theo,Tamekia,Synthia,Stephen,Sook,Slyvia,Rosann,Reatha,Raye,Marquetta,Margart,Ling,Layla,Kymberly,Kiana,Kayleen,Katlyn,Karmen,Joella,Irina,Emelda,Eleni,Detra,Clemmie,Cheryll,Chantell,Cathey,Arnita,Arla,Angle,Angelic,Alyse,Zofia,Thomasine,Tennie,Son,Sherly,Sherley,Sharyl,Remedios,Petrina,Nickole,Myung,Myrle,Mozella,Louanne,Lisha,Latia,Lane,Krysta,Julienne,Joel,Jeanene,Jacqualine,Isaura,Gwenda,Earleen,Donald,Cleopatra,Carlie,Audie,Antonietta,Alise,Alex,Verdell,Val,Tyler,Tomoko,Thao,Talisha,Steven,So,Shemika,Shaun,Scarlet,Savanna,Santina,Rosia,Raeann,Odilia,Nana,Minna,Magan,Lynelle,Le,Karma,Joeann,Ivana,Inell,Ilana,Hye,Honey,Hee,Gudrun,Frank,Dreama,Crissy,Chante,Carmelina,Arvilla,Arthur,Annamae,Alvera,Aleida,Aaron,Yee,Yanira,Vanda,Tianna,Tam,Stefania,Shira,Perry,Nicol,Nancie,Monserrate,Minh,Melynda,Melany,Matthew,Lovella,Laure,Kirby,Kacy,Jacquelynn,Hyon,Gertha,Francisco,Eliana,Christena,Christeen,Charise,Caterina,Carley,Candyce,Arlena,Ammie,Yang,Willette,Vanita,Tuyet,Tiny,Syreeta,Silva,Scott,Ronald,Penney,Nyla,Michal,Maurice,Maryam,Marya,Magen,Ludie,Loma,Livia,Lanell,Kimberlie,Julee,Donetta,Diedra,Denisha,Deane,Dawne,Clarine,Cherryl,Bronwyn,Brandon,Alla,Valery,Tonda,Sueann,Soraya,Shoshana,Shela,Sharleen,Shanelle,Nerissa,Micheal,Meridith,Mellie,Maye,Maple,Magaret,Luis,Lili,Leonila,Leonie,Leeanna,Lavonia,Lavera,Kristel,Kathey,Kathe,Justin,Julian,Jimmy,Jann,Ilda,Hildred,Hildegarde,Genia,Fumiko,Evelin,Ermelinda,Elly,Dung,Doloris,Dionna,Danae,Berneice,Annice,Alix,Verena,Verdie,Tristan,Shawnna,Shawana,Shaunna,Rozella,Randee,Ranae,Milagro,Lynell,Luise,Louie,Loida,Lisbeth,Karleen,Junita,Jona,Isis,Hyacinth,Hedy,Gwenn,Ethelene,Erline,Edward,Donya,Domonique,Delicia,Dannette,Cicely,Branda,Blythe,Bethann,Ashlyn,Annalee,Alline,Yuko,Vella,Trang,Towanda,Tesha,Sherlyn,Narcisa,Miguelina,Meri,Maybell,Marlana,Marguerita,Madlyn,Luna,Lory,Loriann,Liberty,Leonore,Leighann,Laurice,Latesha,Laronda,Katrice,Kasie,Karl,Kaley,Jadwiga,Glennie,Gearldine,Francina,Epifania,Dyan,Dorie,Diedre,Denese,Demetrice,Delena,Darby,Cristie,Cleora,Catarina,Carisa,Bernie,Barbera,Almeta,Trula,Tereasa,Solange,Sheilah,Shavonne,Sanora,Rochell,Mathilde,Margareta,Maia,Lynsey,Lawanna,Launa,Kena,Keena,Katia,Jamey,Glynda,Gaylene,Elvina,Elanor,Danuta,Danika,Cristen,Cordie,Coletta,Clarita,Carmon,Brynn,Azucena,Aundrea,Angele,Yi,Walter,Verlie,Verlene,Tamesha,Silvana,Sebrina,Samira,Reda,Raylene,Penni,Pandora,Norah,Noma,Mireille,Melissia,Maryalice,Laraine,Kimbery,Karyl,Karine,Kam,Jolanda,Johana,Jesusa,Jaleesa,Jae,Jacquelyne,Irish,Iluminada,Hilaria,Hanh,Gennie,Francie,Floretta,Exie,Edda,Drema,Delpha,Bev,Barbar,Assunta,Ardell,Annalisa,Alisia,Yukiko,Yolando,Wonda,Wei,Waltraud,Veta,Tequila,Temeka,Tameika,Shirleen,Shenita,Piedad,Ozella,Mirtha,Marilu,Kimiko,Juliane,Jenice,Jen,Janay,Jacquiline,Hilde,Fe,Fae,Evan,Eugene,Elois,Echo,Devorah,Chau,Brinda,Betsey,Arminda,Aracelis,Apryl,Annett,Alishia,Veola,Usha,Toshiko,Theola,Tashia,Talitha,Shery,Rudy,Renetta,Reiko,Rasheeda,Omega,Obdulia,Mika,Melaine,Meggan,Martin,Marlen,Marget,Marceline,Mana,Magdalen,Librada,Lezlie,Lexie,Latashia,Lasandra,Kelle,Isidra,Isa,Inocencia,Gwyn,Francoise,Erminia,Erinn,Dimple,Devora,Criselda,Armanda,Arie,Ariane,Angelo,Angelena,Allen,Aliza,Adriene,Adaline,Xochitl,Twanna,Tran,Tomiko,Tamisha,Taisha,Susy,Siu,Rutha,Roxy,Rhona,Raymond,Otha,Noriko,Natashia,Merrie,Melvin,Marinda,Mariko,Margert,Loris,Lizzette,Leisha,Kaila,Ka,Joannie,Jerrica,Jene,Jannet,Janee,Jacinda,Herta,Elenore,Doretta,Delaine,Daniell,Claudie,China,Britta,Apolonia,Amberly,Alease,Yuri,Yuk,Wen,Waneta,Ute,Tomi,Sharri,Sandie,Roselle,Reynalda,Raguel,Phylicia,Patria,Olimpia,Odelia,Mitzie,Mitchell,Miss,Minda,Mignon,Mica,Mendy,Marivel,Maile,Lynetta,Lavette,Lauryn,Latrisha,Lakiesha,Kiersten,Kary,Josphine,Jolyn,Jetta,Janise,Jacquie,Ivelisse,Glynis,Gianna,Gaynelle,Emerald,Demetrius,Danyell,Danille,Dacia,Coralee,Cher,Ceola,Brett,Bell,Arianne,Aleshia,Yung,Williemae,Troy,Trinh,Thora,Tai,Svetlana,Sherika,Shemeka,Shaunda,Roseline,Ricki,Melda,Mallie,Lavonna,Latina,Larry,Laquanda,Lala,Lachelle,Klara,Kandis,Johna,Jeanmarie,Jaye,Hang,Grayce,Gertude,Emerita,Ebonie,Clorinda,Ching,Chery,Carola,Breann,Blossom,Bernardine,Becki,Arletha,Argelia,Ara,Alita,Yulanda,Yon,Yessenia,Tobi,Tasia,Sylvie,Shirl,Shirely,Sheridan,Shella,Shantelle,Sacha,Royce,Rebecka,Reagan,Providencia,Paulene,Misha,Miki,Marline,Marica,Lorita,Latoyia,Lasonya,Kerstin,Kenda,Keitha,Kathrin,Jaymie,Jack,Gricelda,Ginette,Eryn,Elina,Elfrieda,Danyel,Cheree,Chanelle,Barrie,Avery,Aurore,Annamaria,Alleen,Ailene,Aide,Yasmine,Vashti,Valentine,Treasa,Tory,Tiffaney,Sheryll,Sharie,Shanae,Sau,Raisa,Pa,Neda,Mitsuko,Mirella,Milda,Maryanna,Maragret,Mabelle,Luetta,Lorina,Letisha,Latarsha,Lanelle,Lajuana,Krissy,Karly,Karena,Jon,Jessika,Jerica,Jeanelle,January,Jalisa,Jacelyn,Izola,Ivey,Gregory,Euna,Etha,Drew,Domitila,Dominica,Daina,Creola,Carli,Camie,Bunny,Brittny,Ashanti,Anisha,Aleen,Adah,Yasuko,Winter,Viki,Valrie,Tona,Tinisha,Thi,Terisa,Tatum,Taneka,Simonne,Shalanda,Serita,Ressie,Refugia,Paz,Olene,Na,Merrill,Margherita,Mandie,Man,Maire,Lyndia,Luci,Lorriane,Loreta,Leonia,Lavona,Lashawnda,Lakia,Kyoko,Krystina,Krysten,Kenia,Kelsi,Jude,Jeanice,Isobel,Georgiann,Genny,Felicidad,Eilene,Deon,Deloise,Deedee,Dannie,Conception,Clora,Cherilyn,Chang,Calandra,Berry,Armandina,Anisa,Ula,Timothy,Tiera,Theressa,Stephania,Sima,Shyla,Shonta,Shera,Shaquita,Shala,Sammy,Rossana,Nohemi,Nery,Moriah,Melita,Melida,Melani,Marylynn,Marisha,Mariette,Malorie,Madelene,Ludivina,Loria,Lorette,Loralee,Lianne,Leon,Lavenia,Laurinda,Lashon,Kit,Kimi,Keila,Katelynn,Kai,Jone,Joane,Ji,Jayna,Janella,Ja,Hue,Hertha,Francene,Elinore,Despina,Delsie,Deedra,Clemencia,Carry,Carolin,Carlos,Bulah,Brittanie,Bok,Blondell,Bibi,Beaulah,Beata,Annita,Agripina,Virgen,Valene,Un,Twanda,Tommye,Toi,Tarra,Tari,Tammera,Shakia,Sadye,Ruthanne,Rochel,Rivka,Pura,Nenita,Natisha,Ming,Merrilee,Melodee,Marvis,Lucilla,Leena,Laveta,Larita,Lanie,Keren,Ileen,Georgeann,Genna,Genesis,Frida,Ewa,Eufemia,Emely,Ela,Edyth,Deonna,Deadra,Darlena,Chanell,Chan,Cathern,Cassondra,Cassaundra,Bernarda,Berna,Arlinda,Anamaria,Albert,Wesley,Vertie,Valeri,Torri,Tatyana,Stasia,Sherise,Sherill,Season,Scottie,Sanda,Ruthe,Rosy,Roberto,Robbi,Ranee,Quyen,Pearly,Palmira,Onita,Nisha,Niesha,Nida,Nevada,Nam,Merlyn,Mayola,Marylouise,Maryland,Marx,Marth,Margene,Madelaine,Londa,Leontine,Leoma,Leia,Lawrence,Lauralee,Lanora,Lakita,Kiyoko,Keturah,Katelin,Kareen,Jonie,Johnette,Jenee,Jeanett,Izetta,Hiedi,Heike,Hassie,Harold,Giuseppina,Georgann,Fidela,Fernande,Elwanda,Ellamae,Eliz,Dusti,Dotty,Cyndy,Coralie,Celesta,Argentina,Alverta,Xenia,Wava,Vanetta,Torrie,Tashina,Tandy,Tambra,Tama,Stepanie,Shila,Shaunta,Sharan,Shaniqua,Shae,Setsuko,Serafina,Sandee,Rosamaria,Priscila,Olinda,Nadene,Muoi,Michelina,Mercedez,Maryrose,Marin,Marcene,Mao,Magali,Mafalda,Logan,Linn,Lannie,Kayce,Karoline,Kamilah,Kamala,Justa,Joline,Jennine,Jacquetta,Iraida,Gerald,Georgeanna,Franchesca,Fairy,Emeline,Elane,Ehtel,Earlie,Dulcie,Dalene,Cris,Classie,Chere,Charis,Caroyln,Carmina,Carita,Brian,Bethanie,Ayako,Arica,An,Alysa,Alessandra,Akilah,Adrien,Zetta,Youlanda,Yelena,Yahaira,Xuan,Wendolyn,Victor,Tijuana,Terrell,Terina,Teresia,Suzi,Sunday,Sherell,Shavonda,Shaunte,Sharda,Shakita,Sena,Ryann,Rubi,Riva,Reginia,Rea,Rachal,Parthenia,Pamula,Monnie,Monet,Michaele,Melia,Marine,Malka,Maisha,Lisandra,Leo,Lekisha,Lean,Laurence,Lakendra,Krystin,Kortney,Kizzie,Kittie,Kera,Kendal,Kemberly,Kanisha,Julene,Jule,Joshua,Johanne,Jeffrey,Jamee,Han,Halley,Gidget,Galina,Fredricka,Fleta,Fatimah,Eusebia,Elza,Eleonore,Dorthey,Doria,Donella,Dinorah,Delorse,Claretha,Christinia,Charlyn,Bong,Belkis,Azzie,Andera,Aiko,Adena,Yer,Yajaira,Wan,Vania,Ulrike,Toshia,Tifany,Stefany,Shizue,Shenika,Shawanna,Sharolyn,Sharilyn,Shaquana,Shantay,See,Rozanne,Roselee,Rickie,Remona,Reanna,Raelene,Quinn,Phung,Petronila,Natacha,Nancey,Myrl,Miyoko,Miesha,Merideth,Marvella,Marquitta,Marhta,Marchelle,Lizeth,Libbie,Lahoma,Ladawn,Kina,Katheleen,Katharyn,Karisa,Kaleigh,Junie,Julieann,Johnsie,Janean,Jaimee,Jackqueline,Hisako,Herma,Helaine,Gwyneth,Glenn,Gita,Eustolia,Emelina,Elin,Edris,Donnette,Donnetta,Dierdre,Denae,Darcel,Claude,Clarisa,Cinderella,Chia,Charlesetta,Charita,Celsa,Cassy,Cassi,Carlee,Bruna,Brittaney,Brande,Billi,Bao,Antonetta,Angla,Angelyn,Analisa,Alane,Wenona,Wendie,Veronique,Vannesa,Tobie,Tempie,Sumiko,Sulema,Sparkle,Somer,Sheba,Shayne,Sharice,Shanel,Shalon,Sage,Roy,Rosio,Roselia,Renay,Rema,Reena,Porsche,Ping,Peg,Ozie,Oretha,Oralee,Oda,Nu,Ngan,Nakesha,Milly,Marybelle,Marlin,Maris,Margrett,Maragaret,Manie,Lurlene,Lillia,Lieselotte,Lavelle,Lashaunda,Lakeesha,Keith,Kaycee,Kalyn,Joya,Joette,Jenae,Janiece,Illa,Grisel,Glayds,Genevie,Gala,Fredda,Fred,Elmer,Eleonor,Debera,Deandrea,Dan,Corrinne,Cordia,Contessa,Colene,Cleotilde,Charlott,Chantay,Cecille,Beatris,Azalee,Arlean,Ardath,Anjelica,Anja,Alfredia,Aleisha,Adam,Zada,Yuonne,Xiao,Willodean,Whitley,Vennie,Vanna,Tyisha,Tova,Torie,Tonisha,Tilda,Tien,Temple,Sirena,Sherril,Shanti,Shan,Senaida,Samella,Robbyn,Renda,Reita,Phebe,Paulita,Nobuko,Nguyet,Neomi,Moon,Mikaela,Melania,Maximina,Marg,Maisie,Lynna,Lilli,Layne,Lashaun,Lakenya,Lael,Kirstie,Kathline,Kasha,Karlyn,Karima,Jovan,Josefine,Jennell,Jacqui,Jackelyn,Hyo,Hien,Grazyna,Florrie,Floria,Eleonora,Dwana,Dorla,Dong,Delmy,Deja,Dede,Dann,Crysta,Clelia,Claris,Clarence,Chieko,Cherlyn,Cherelle,Charmain,Chara,Cammy,Bee,Arnette,Ardelle,Annika,Amiee,Amee,Allena,Yvone,Yuki,Yoshie,Yevette,Yael,Willetta,Voncile,Venetta,Tula,Tonette,Timika,Temika,Telma,Teisha,Taren,Ta,Stacee,Shin,Shawnta,Saturnina,Ricarda,Pok,Pasty,Onie,Nubia,Mora,Mike,Marielle,Mariella,Marianela,Mardell,Many,Luanna,Loise,Lisabeth,Lindsy,Lilliana,Lilliam,Lelah,Leigha,Leanora,Lang,Kristeen,Khalilah,Keeley,Kandra,Junko,Joaquina,Jerlene,Jani,Jamika,Jame,Hsiu,Hermila,Golden,Genevive,Evia,Eugena,Emmaline,Elfreda,Elene,Donette,Delcie,Deeanna,Darcey,Cuc,Clarinda,Cira,Chae,Celinda,Catheryn,Catherin,Casimira,Carmelia,Camellia,Breana,Bobette,Bernardina,Bebe,Basilia,Arlyne,Amal,Alayna,Zonia,Zenia,Yuriko,Yaeko,Wynell,Willow,Willena,Vernia,Tu,Travis,Tora,Terrilyn,Terica,Tenesha,Tawna,Tajuana,Taina,Stephnie,Sona,Sol,Sina,Shondra,Shizuko,Sherlene,Sherice,Sharika,Rossie,Rosena,Rory,Rima,Ria,Rheba,Renna,Peter,Natalya,Nancee,Melodi,Meda,Maxima,Matha,Marketta,Maricruz,Marcelene,Malvina,Luba,Louetta,Leida,Lecia,Lauran,Lashawna,Laine,Khadijah,Katerine,Kasi,Kallie,Julietta,Jesusita,Jestine,Jessia,Jeremy,Jeffie,Janyce,Isadora,Georgianne,Fidelia,Evita,Eura,Eulah,Estefana,Elsy,Elizabet,Eladia,Dodie,Dion,Dia,Denisse,Deloras,Delila,Daysi,Dakota,Curtis,Crystle,Concha,Colby,Claretta,Chu,Christia,Charlsie,Charlena,Carylon,Bettyann,Asley,Ashlea,Amira,Ai,Agueda,Agnus,Yuette,Vinita,Victorina,Tynisha,Treena,Toccara,Tish,Thomasena,Tegan,Soila,Shiloh,Shenna,Sharmaine,Shantae,Shandi,September,Saran,Sarai,Sana,Samuel,Salley,Rosette,Rolande,Regine,Otelia,Oscar,Olevia,Nicholle,Necole,Naida,Myrta,Myesha,Mitsue,Minta,Mertie,Margy,Mahalia,Madalene,Love,Loura,Lorean,Lewis,Lesha,Leonida,Lenita,Lavone,Lashell,Lashandra,Lamonica,Kimbra,Katherina,Karry,Kanesha,Julio,Jong,Jeneva,Jaquelyn,Hwa,Gilma,Ghislaine,Gertrudis,Fransisca,Fermina,Ettie,Etsuko,Ellis,Ellan,Elidia,Edra,Dorethea,Doreatha,Denyse,Denny,Deetta,Daine,Cyrstal,Corrin,Cayla,Carlita,Camila,Burma,Bula,Buena,Blake,Barabara,Avril,Austin,Alaine,Zana,Wilhemina,Wanetta,Virgil,Vi,Veronika,Vernon,Verline,Vasiliki,Tonita,Tisa,Teofila,Tayna,Taunya,Tandra,Takako,Sunni,Suanne,Sixta,Sharell,Seema,Russell,Rosenda,Robena,Raymonde,Pei,Pamila,Ozell,Neida,Neely,Mistie,Micha,Merissa,Maurita,Maryln,Maryetta,Marshall,Marcell,Malena,Makeda,Maddie,Lovetta,Lourie,Lorrine,Lorilee,Lester,Laurena,Lashay,Larraine,Laree,Lacresha,Kristle,Krishna,Keva,Keira,Karole,Joie,Jinny,Jeannetta,Jama,Heidy,Gilberte,Gema,Faviola,Evelynn,Enda,Elli,Ellena,Divina,Dagny,Collene,Codi,Cindie,Chassidy,Chasidy,Catrice,Catherina,Cassey,Caroll,Carlena,Candra,Calista,Bryanna,Britteny,Beula,Bari,Audrie,Audria,Ardelia,Annelle,Angila,Alona,Allyn".split(',')
LAST_NAMES="Smith,Johnson,Williams,Jones,Brown,Davis,Miller,Wilson,Moore,Taylor,Anderson,Thomas,Jackson,White,Harris,Martin,Thompson,Garcia,Martinez,Robinson,Clark,Rodriguez,Lewis,Lee,Walker,Hall,Allen,Young,Hernandez,King,Wright,Lopez,Hill,Scott,Green,Adams,Baker,Gonzalez,Nelson,Carter,Mitchell,Perez,Roberts,Turner,Phillips,Campbell,Parker,Evans,Edwards,Collins,Stewart,Sanchez,Morris,Rogers,Reed,Cook,Morgan,Bell,Murphy,Bailey,Rivera,Cooper,Richardson,Cox,Howard,Ward,Torres,Peterson,Gray,Ramirez,James,Watson,Brooks,Kelly,Sanders,Price,Bennett,Wood,Barnes,Ross,Henderson,Coleman,Jenkins,Perry,Powell,Long,Patterson,Hughes,Flores,Washington,Butler,Simmons,Foster,Gonzales,Bryant,Alexander,Russell,Griffin,Diaz,Hayes,Myers,Ford,Hamilton,Graham,Sullivan,Wallace,Woods,Cole,West,Jordan,Owens,Reynolds,Fisher,Ellis,Harrison,Gibson,Mcdonald,Cruz,Marshall,Ortiz,Gomez,Murray,Freeman,Wells,Webb,Simpson,Stevens,Tucker,Porter,Hunter,Hicks,Crawford,Henry,Boyd,Mason,Morales,Kennedy,Warren,Dixon,Ramos,Reyes,Burns,Gordon,Shaw,Holmes,Rice,Robertson,Hunt,Black,Daniels,Palmer,Mills,Nichols,Grant,Knight,Ferguson,Rose,Stone,Hawkins,Dunn,Perkins,Hudson,Spencer,Gardner,Stephens,Payne,Pierce,Berry,Matthews,Arnold,Wagner,Willis,Ray,Watkins,Olson,Carroll,Duncan,Snyder,Hart,Cunningham,Bradley,Lane,Andrews,Ruiz,Harper,Fox,Riley,Armstrong,Carpenter,Weaver,Greene,Lawrence,Elliott,Chavez,Sims,Austin,Peters,Kelley,Franklin,Lawson,Fields,Gutierrez,Ryan,Schmidt,Carr,Vasquez,Castillo,Wheeler,Chapman,Oliver,Montgomery,Richards,Williamson,Johnston,Banks,Meyer,Bishop,Mccoy,Howell,Alvarez,Morrison,Hansen,Fernandez,Garza,Harvey,Little,Burton,Stanley,Nguyen,George,Jacobs,Reid,Kim,Fuller,Lynch,Dean,Gilbert,Garrett,Romero,Welch,Larson,Frazier,Burke,Hanson,Day,Mendoza,Moreno,Bowman,Medina,Fowler,Brewer,Hoffman,Carlson,Silva,Pearson,Holland,Douglas,Fleming,Jensen,Vargas,Byrd,Davidson,Hopkins,May,Terry,Herrera,Wade,Soto,Walters,Curtis,Neal,Caldwell,Lowe,Jennings,Barnett,Graves,Jimenez,Horton,Shelton,Barrett,Obrien,Castro,Sutton,Gregory,Mckinney,Lucas,Miles,Craig,Rodriquez,Chambers,Holt,Lambert,Fletcher,Watts,Bates,Hale,Rhodes,Pena,Beck,Newman,Haynes,Mcdaniel,Mendez,Bush,Vaughn,Parks,Dawson,Santiago,Norris,Hardy,Love,Steele,Curry,Powers,Schultz,Barker,Guzman,Page,Munoz,Ball,Keller,Chandler,Weber,Leonard,Walsh,Lyons,Ramsey,Wolfe,Schneider,Mullins,Benson,Sharp,Bowen,Daniel,Barber,Cummings,Hines,Baldwin,Griffith,Valdez,Hubbard,Salazar,Reeves,Warner,Stevenson,Burgess,Santos,Tate,Cross,Garner,Mann,Mack,Moss,Thornton,Dennis,Mcgee,Farmer,Delgado,Aguilar,Vega,Glover,Manning,Cohen,Harmon,Rodgers,Robbins,Newton,Todd,Blair,Higgins,Ingram,Reese,Cannon,Strickland,Townsend,Potter,Goodwin,Walton,Rowe,Hampton,Ortega,Patton,Swanson,Joseph,Francis,Goodman,Maldonado,Yates,Becker,Erickson,Hodges,Rios,Conner,Adkins,Webster,Norman,Malone,Hammond,Flowers,Cobb,Moody,Quinn,Blake,Maxwell,Pope,Floyd,Osborne,Paul,Mccarthy,Guerrero,Lindsey,Estrada,Sandoval,Gibbs,Tyler,Gross,Fitzgerald,Stokes,Doyle,Sherman,Saunders,Wise,Colon,Gill,Alvarado,Greer,Padilla,Simon,Waters,Nunez,Ballard,Schwartz,Mcbride,Houston,Christensen,Klein,Pratt,Briggs,Parsons,Mclaughlin,Zimmerman,French,Buchanan,Moran,Copeland,Roy,Pittman,Brady,Mccormick,Holloway,Brock,Poole,Frank,Logan,Owen,Bass,Marsh,Drake,Wong,Jefferson,Park,Morton,Abbott,Sparks,Patrick,Norton,Huff,Clayton,Massey,Lloyd,Figueroa,Carson,Bowers,Roberson,Barton,Tran,Lamb,Harrington,Casey,Boone,Cortez,Clarke,Mathis,Singleton,Wilkins,Cain,Bryan,Underwood,Hogan,Mckenzie,Collier,Luna,Phelps,Mcguire,Allison,Bridges,Wilkerson,Nash,Summers,Atkins,Wilcox,Pitts,Conley,Marquez,Burnett,Richard,Cochran,Chase,Davenport,Hood,Gates,Clay,Ayala,Sawyer,Roman,Vazquez,Dickerson,Hodge,Acosta,Flynn,Espinoza,Nicholson,Monroe,Wolf,Morrow,Kirk,Randall,Anthony,Whitaker,Oconnor,Skinner,Ware,Molina,Kirby,Huffman,Bradford,Charles,Gilmore,Dominguez,Oneal,Bruce,Lang,Combs,Kramer,Heath,Hancock,Gallagher,Gaines,Shaffer,Short,Wiggins,Mathews,Mcclain,Fischer,Wall,Small,Melton,Hensley,Bond,Dyer,Cameron,Grimes,Contreras,Christian,Wyatt,Baxter,Snow,Mosley,Shepherd,Larsen,Hoover,Beasley,Glenn,Petersen,Whitehead,Meyers,Keith,Garrison,Vincent,Shields,Horn,Savage,Olsen,Schroeder,Hartman,Woodard,Mueller,Kemp,Deleon,Booth,Patel,Calhoun,Wiley,Eaton,Cline,Navarro,Harrell,Lester,Humphrey,Parrish,Duran,Hutchinson,Hess,Dorsey,Bullock,Robles,Beard,Dalton,Avila,Vance,Rich,Blackwell,York,Johns,Blankenship,Trevino,Salinas,Campos,Pruitt,Moses,Callahan,Golden,Montoya,Hardin,Guerra,Mcdowell,Carey,Stafford,Gallegos,Henson,Wilkinson,Booker,Merritt,Miranda,Atkinson,Orr,Decker,Hobbs,Preston,Tanner,Knox,Pacheco,Stephenson,Glass,Rojas,Serrano,Marks,Hickman,English,Sweeney,Strong,Prince,Mcclure,Conway,Walter,Roth,Maynard,Farrell,Lowery,Hurst,Nixon,Weiss,Trujillo,Ellison,Sloan,Juarez,Winters,Mclean,Randolph,Leon,Boyer,Villarreal,Mccall,Gentry,Carrillo,Kent,Ayers,Lara,Shannon,Sexton,Pace,Hull,Leblanc,Browning,Velasquez,Leach,Chang,House,Sellers,Herring,Noble,Foley,Bartlett,Mercado,Landry,Durham,Walls,Barr,Mckee,Bauer,Rivers,Everett,Bradshaw,Pugh,Velez,Rush,Estes,Dodson,Morse,Sheppard,Weeks,Camacho,Bean,Barron,Livingston,Middleton,Spears,Branch,Blevins,Chen,Kerr,Mcconnell,Hatfield,Harding,Ashley,Solis,Herman,Frost,Giles,Blackburn,William,Pennington,Woodward,Finley,Mcintosh,Koch,Best,Solomon,Mccullough,Dudley,Nolan,Blanchard,Rivas,Brennan,Mejia,Kane,Benton,Joyce,Buckley,Haley,Valentine,Maddox,Russo,Mcknight,Buck,Moon,Mcmillan,Crosby,Berg,Dotson,Mays,Roach,Church,Chan,Richmond,Meadows,Faulkner,Oneill,Knapp,Kline,Barry,Ochoa,Jacobson,Gay,Avery,Hendricks,Horne,Shepard,Hebert,Cherry,Cardenas,Mcintyre,Whitney,Waller,Holman,Donaldson,Cantu,Terrell,Morin,Gillespie,Fuentes,Tillman,Sanford,Bentley,Peck,Key,Salas,Rollins,Gamble,Dickson,Battle,Santana,Cabrera,Cervantes,Howe,Hinton,Hurley,Spence,Zamora,Yang,Mcneil,Suarez,Case,Petty,Gould,Mcfarland,Sampson,Carver,Bray,Rosario,Macdonald,Stout,Hester,Melendez,Dillon,Farley,Hopper,Galloway,Potts,Bernard,Joyner,Stein,Aguirre,Osborn,Mercer,Bender,Franco,Rowland,Sykes,Benjamin,Travis,Pickett,Crane,Sears,Mayo,Dunlap,Hayden,Wilder,Mckay,Coffey,Mccarty,Ewing,Cooley,Vaughan,Bonner,Cotton,Holder,Stark,Ferrell,Cantrell,Fulton,Lynn,Lott,Calderon,Rosa,Pollard,Hooper,Burch,Mullen,Fry,Riddle,Levy,David,Duke,Odonnell,Guy,Michael,Britt,Frederick,Daugherty,Berger,Dillard,Alston,Jarvis,Frye,Riggs,Chaney,Odom,Duffy,Fitzpatrick,Valenzuela,Merrill,Mayer,Alford,Mcpherson,Acevedo,Donovan,Barrera,Albert,Cote,Reilly,Compton,Raymond,Mooney,Mcgowan,Craft,Cleveland,Clemons,Wynn,Nielsen,Baird,Stanton,Snider,Rosales,Bright,Witt,Stuart,Hays,Holden,Rutledge,Kinney,Clements,Castaneda,Slater,Hahn,Emerson,Conrad,Burks,Delaney,Pate,Lancaster,Sweet,Justice,Tyson,Sharpe,Whitfield,Talley,Macias,Irwin,Burris,Ratliff,Mccray,Madden,Kaufman,Beach,Goff,Cash,Bolton,Mcfadden,Levine,Good,Byers,Kirkland,Kidd,Workman,Carney,Dale,Mcleod,Holcomb,England,Finch,Head,Burt,Hendrix,Sosa,Haney,Franks,Sargent,Nieves,Downs,Rasmussen,Bird,Hewitt,Lindsay,Le,Foreman,Valencia,Oneil,Delacruz,Vinson,Dejesus,Hyde,Forbes,Gilliam,Guthrie,Wooten,Huber,Barlow,Boyle,Mcmahon,Buckner,Rocha,Puckett,Langley,Knowles,Cooke,Velazquez,Whitley,Noel,Vang,Shea,Rouse,Hartley,Mayfield,Elder,Rankin,Hanna,Cowan,Lucero,Arroyo,Slaughter,Haas,Oconnell,Minor,Kendrick,Shirley,Kendall,Boucher,Archer,Boggs,Odell,Dougherty,Andersen,Newell,Crowe,Wang,Friedman,Bland,Swain,Holley,Felix,Pearce,Childs,Yarbrough,Galvan,Proctor,Meeks,Lozano,Mora,Rangel,Bacon,Villanueva,Schaefer,Rosado,Helms,Boyce,Goss,Stinson,Smart,Lake,Ibarra,Hutchins,Covington,Reyna,Gregg,Werner,Crowley,Hatcher,Mackey,Bunch,Womack,Polk,Jamison,Dodd,Childress,Childers,Camp,Villa,Dye,Springer,Mahoney,Dailey,Belcher,Lockhart,Griggs,Costa,Connor,Brandt,Winter,Walden,Moser,Tracy,Tatum,Mccann,Akers,Lutz,Pryor,Law,Orozco,Mcallister,Lugo,Davies,Shoemaker,Madison,Rutherford,Newsome,Magee,Chamberlain,Blanton,Simms,Godfrey,Flanagan,Crum,Cordova,Escobar,Downing,Sinclair,Donahue,Krueger,Mcginnis,Gore,Farris,Webber,Corbett,Andrade,Starr,Lyon,Yoder,Hastings,Mcgrath,Spivey,Krause,Harden,Crabtree,Kirkpatrick,Hollis,Brandon,Arrington,Ervin,Clifton,Ritter,Mcghee,Bolden,Maloney,Gagnon,Dunbar,Ponce,Pike,Mayes,Heard,Beatty,Mobley,Kimball,Butts,Montes,Herbert,Grady,Eldridge,Braun,Hamm,Gibbons,Seymour,Moyer,Manley,Herron,Plummer,Elmore,Cramer,Gary,Rucker,Hilton,Blue,Pierson,Fontenot,Field,Rubio,Grace,Goldstein,Elkins,Wills,Novak,John,Hickey,Worley,Gorman,Katz,Dickinson,Broussard,Fritz,Woodruff,Crow,Christopher,Britton,Forrest,Nance,Lehman,Bingham,Zuniga,Whaley,Shafer,Coffman,Steward,Delarosa,Nix,Neely,Numbers,Mata,Manuel,Davila,Mccabe,Kessler,Emery,Bowling,Hinkle,Welsh,Pagan,Goldberg,Goins,Crouch,Cuevas,Quinones,Mcdermott,Hendrickson,Samuels,Denton,Bergeron,Lam,Ivey,Locke,Haines,Thurman,Snell,Hoskins,Byrne,Milton,Winston,Arthur,Arias,Stanford,Roe,Corbin,Beltran,Chappell,Hurt,Downey,Dooley,Tuttle,Couch,Payton,Mcelroy,Crockett,Groves,Clement,Leslie,Cartwright,Dickey,Mcgill,Dubois,Muniz,Erwin,Self,Tolbert,Dempsey,Cisneros,Sewell,Latham,Garland,Vigil,Tapia,Sterling,Rainey,Norwood,Lacy,Stroud,Meade,Amos,Tipton,Lord,Kuhn,Hilliard,Bonilla,Teague,Courtney,Gunn,Ho,Greenwood,Correa,Reece,Weston,Poe,Trent,Pineda,Phipps,Frey,Kaiser,Ames,Paige,Gunter,Schmitt,Milligan,Espinosa,Carlton,Bowden,Vickers,Lowry,Pritchard,Costello,Piper,Mcclellan,Lovell,Drew,Sheehan,Quick,Hatch,Dobson,Singh,Jeffries,Hollingsworth,Sorensen,Meza,Fink,Donnelly,Burrell,Bruno,Tomlinson,Colbert,Billings,Ritchie,Helton,Sutherland,Peoples,Mcqueen,Gaston,Thomason,Mckinley,Givens,Crocker,Vogel,Robison,Dunham,Coker,Swartz,Keys,Lilly,Ladner,Hannah,Willard,Richter,Hargrove,Edmonds,Brantley,Albright,Murdock,Boswell,Muller,Quintero,Padgett,Kenney,Daly,Connolly,Pierre,Inman,Quintana,Lund,Barnard,Villegas,Simons,Land,Huggins,Tidwell,Sanderson,Bullard,Mcclendon,Duarte,Draper,Meredith,Marrero,Dwyer,Abrams,Stover,Goode,Fraser,Crews,Bernal,Smiley,Godwin,Fish,Conklin,Mcneal,Baca,Esparza,Crowder,Bower,Nicholas,Chung,Brewster,Mcneill,Dick,Rodrigues,Leal,Coates,Raines,Mccain,Mccord,Miner,Holbrook,Swift,Dukes,Carlisle,Aldridge,Ackerman,Starks,Ricks,Holliday,Ferris,Hairston,Sheffield,Lange,Fountain,Marino,Doss,Betts,Kaplan,Carmichael,Bloom,Ruffin,Penn,Kern,Bowles,Sizemore,Larkin,Dupree,Jewell,Silver,Seals,Metcalf,Hutchison,Henley,Farr,Castle,Mccauley,Hankins,Gustafson,Deal,Curran,Ash,Waddell,Ramey,Cates,Pollock,Major,Irvin,Cummins,Messer,Heller,Dewitt,Lin,Funk,Cornett,Palacios,Galindo,Cano,Hathaway,Singer,Pham,Enriquez,Aaron,Salgado,Pelletier,Painter,Wiseman,Blount,Hand,Feliciano,Temple,Houser,Doherty,Mead,Mcgraw,Toney,Swan,Melvin,Capps,Blanco,Blackmon,Wesley,Thomson,Mcmanus,Fair,Burkett,Post,Gleason,Rudolph,Ott,Dickens,Cormier,Voss,Rushing,Rosenberg,Hurd,Dumas,Benitez,Arellano,Story,Marin,Caudill,Bragg,Jaramillo,Huerta,Gipson,Colvin,Biggs,Vela,Platt,Cassidy,Tompkins,Mccollum,Kay,Gabriel,Dolan,Daley,Crump,Street,Sneed,Kilgore,Grove,Grimm,Davison,Brunson,Prater,Marcum,Devine,Kyle,Dodge,Stratton,Rosas,Choi,Tripp,Ledbetter,Lay,Hightower,Haywood,Feldman,Epps,Yeager,Posey,Sylvester,Scruggs,Cope,Stubbs,Richey,Overton,Trotter,Sprague,Cordero,Butcher,Burger,Stiles,Burgos,Woodson,Horner,Bassett,Purcell,Haskins,Gee,Akins,Abraham,Hoyt,Ziegler,Spaulding,Hadley,Grubbs,Sumner,Murillo,Zavala,Shook,Lockwood,Jarrett,Driscoll,Dahl,Thorpe,Sheridan,Redmond,Putnam,Mcwilliams,Mcrae,Cornell,Felton,Romano,Joiner,Sadler,Hedrick,Hager,Hagen,Fitch,Coulter,Thacker,Mansfield,Langston,Guidry,Ferreira,Corley,Conn,Rossi,Lackey,Cody,Baez,Saenz,Mcnamara,Darnell,Michel,Mcmullen,Mckenna,Mcdonough,Link,Engel,Browne,Roper,Peacock,Eubanks,Drummond,Stringer,Pritchett,Parham,Mims,Landers,Ham,Grayson,Stacy,Schafer,Egan,Timmons,Ohara,Keen,Hamlin,Finn,Cortes,Mcnair,Louis,Clifford,Nadeau,Moseley,Michaud,Rosen,Oakes,Kurtz,Jeffers,Calloway,Beal,Bautista,Winn,Suggs,Stern,Stapleton,Lyles,Laird,Montano,Diamond,Dawkins,Roland,Hagan,Goldman,Bryson,Barajas,Lovett,Segura,Metz,Lockett,Langford,Hinson,Eastman,Rock,Hooks,Woody,Smallwood,Shapiro,Crowell,Whalen,Triplett,Hooker,Chatman,Aldrich,Cahill,Youngblood,Ybarra,Stallings,Sheets,Samuel,Reeder,Person,Pack,Lacey,Connelly,Bateman,Abernathy,Winkler,Wilkes,Masters,Hackett,Granger,Gillis,Schmitz,Sapp,Napier,Souza,Lanier,Gomes,Weir,Otero,Ledford,Burroughs,Babcock,Ventura,Siegel,Dugan,Clinton,Christie,Bledsoe,Atwood,Wray,Varner,Spangler,Otto,Anaya,Staley,Kraft,Fournier,Eddy,Belanger,Wolff,Thorne,Bynum,Burnette,Boykin,Swenson,Purvis,Pina,Khan,Duvall,Darby,Xiong,Kauffman,Ali,Yu,Healy,Engle,Corona,Benoit,Valle,Steiner,Spicer,Shaver,Randle,Lundy,Dow,Chin,Calvert,Staton,Neff,Kearney,Darden,Oakley,Medeiros,Mccracken,Crenshaw,Block,Beaver,Perdue,Dill,Whittaker,Tobin,Cornelius,Washburn,Hogue,Goodrich,Easley,Bravo,Dennison,Vera,Shipley,Kerns,Jorgensen,Crain,Abel,Villalobos,Maurer,Longoria,Keene,Coon,Sierra,Witherspoon,Staples,Pettit,Kincaid,Eason,Madrid,Echols,Lusk,Wu,Stahl,Currie,Thayer,Shultz,Sherwood,Mcnally,Seay,North,Maher,Kenny,Hope,Gagne,Barrow,Nava,Myles,Moreland,Honeycutt,Hearn,Diggs,Caron,Whitten,Westbrook,Stovall,Ragland,Queen,Munson,Meier,Looney,Kimble,Jolly,Hobson,London,Goddard,Culver,Burr,Presley,Negron,Connell,Tovar,Marcus,Huddleston,Hammer,Ashby,Salter,Root,Pendleton,Oleary,Nickerson,Myrick,Judd,Jacobsen,Elliot,Bain,Adair,Starnes,Sheldon,Matos,Light,Busby,Herndon,Hanley,Bellamy,Jack,Doty,Bartley,Yazzie,Rowell,Parson,Gifford,Cullen,Christiansen,Benavides,Barnhart,Talbot,Mock,Crandall,Connors,Bonds,Whitt,Gage,Bergman,Arredondo,Addison,Marion,Lujan,Dowdy,Jernigan,Huynh,Bouchard,Dutton,Rhoades,Ouellette,Kiser,Rubin,Herrington,Hare,Denny,Blackman,Babb,Allred,Rudd,Paulson,Ogden,Koenig,Jacob,Irving,Geiger,Begay,Parra,Champion,Lassiter,Hawk,Esposito,Cho,Waldron,Vernon,Ransom,Prather,Keenan,Jean,Grover,Chacon,Vick,Sands,Roark,Parr,Mayberry,Greenberg,Coley,Bruner,Whitman,Skaggs,Shipman,Means,Leary,Hutton,Romo,Medrano,Ladd,Kruse,Friend,Darling,Askew,Valentin,Schulz,Alfaro,Tabor,Mohr,Gallo,Bermudez,Pereira,Isaac,Bliss,Reaves,Flint,Comer,Boston,Woodall,Naquin,Guevara,Earl,Delong,Carrier,Pickens,Brand,Tilley,Schaffer,Read,Lim,Knutson,Fenton,Doran,Chu,Vogt,Vann,Prescott,Mclain,Landis,Corcoran,Ambrose,Zapata,Hyatt,Hemphill,Faulk,Call,Dove,Boudreaux,Aragon,Whitlock,Trejo,Tackett,Shearer,Saldana,Hanks,Gold,Driver,Mckinnon,Koehler,Champagne,Bourgeois,Pool,Keyes,Goodson,Foote,Early,Lunsford,Goldsmith,Flood,Winslow,Sams,Reagan,Mccloud,Hough,Esquivel,Naylor,Loomis,Coronado,Ludwig,Braswell,Bearden,Sherrill,Huang,Fagan,Ezell,Edmondson,Cyr,Cronin,Nunn,Lemon,Guillory,Grier,Dubose,Traylor,Ryder,Dobbins,Coyle,Aponte,Whitmore,Smalls,Rowan,Malloy,Cardona,Braxton,Borden,Humphries,Carrasco,Ruff,Metzger,Huntley,Hinojosa,Finney,Madsen,Hong,Hills,Ernst,Dozier,Burkhart,Bowser,Peralta,Daigle,Whittington,Sorenson,Saucedo,Roche,Redding,Loyd,Fugate,Avalos,Waite,Lind,Huston,Hay,Benedict,Hawthorne,Hamby,Boyles,Boles,Regan,Faust,Crook,Beam,Barger,Hinds,Gallardo,Elias,Willoughby,Willingham,Wilburn,Eckert,Busch,Zepeda,Worthington,Tinsley,Russ,Li,Hoff,Hawley,Carmona,Varela,Rector,Newcomb,Mallory,Kinsey,Dube,Whatley,Strange,Ragsdale,Ivy,Bernstein,Becerra,Yost,Mattson,Ly,Felder,Cheek,Luke,Handy,Grossman,Gauthier,Escobedo,Braden,Beckman,Mott,Hillman,Gil,Flaherty,Dykes,Doe,Stockton,Stearns,Lofton,Kitchen,Coats,Cavazos,Beavers,Barrios,Tang,Parish,Mosher,Lincoln,Cardwell,Coles,Burnham,Weller,Lemons,Beebe,Aguilera,Ring,Parnell,Harman,Couture,Alley,Schumacher,Redd,Dobbs,Blum,Blalock,Merchant,Ennis,Denson,Cottrell,Chester,Brannon,Bagley,Aviles,Watt,Sousa,Rosenthal,Rooney,Dietz,Blank,Paquette,Mcclelland,Duff,Velasco,Lentz,Grubb,Burrows,Barbour,Ulrich,Shockley,Rader,German,Beyer,Mixon,Layton,Altman,Alonzo,Weathers,Titus,Stoner,Squires,Shipp,Priest,Lipscomb,Cutler,Caballero,Zimmer,Willett,Thurston,Storey,Medley,Lyle,Epperson,Shah,Mcmillian,Baggett,Torrez,Laws,Hirsch,Dent,Corey,Poirier,Peachey,Jacques,Farrar,Creech,Barth,Trimble,France,Dupre,Albrecht,Sample,Lawler,Crisp,Conroy,Chadwick,Wetzel,Nesbitt,Murry,Jameson,Wilhelm,Patten,Minton,Matson,Kimbrough,Iverson,Guinn,Gale,Fortune,Croft,Toth,Pulliam,Nugent,Newby,Littlejohn,Dias,Canales,Bernier,Baron,Barney,Singletary,Renteria,Pruett,Mchugh,Mabry,Landrum,Brower,Weldon,Stoddard,Ruth,Cagle,Stjohn,Scales,Kohler,Kellogg,Hopson,Gant,Tharp,Gann,Zeigler,Pringle,Hammons,Fairchild,Deaton,Chavis,Carnes,Rowley,Matlock,Libby,Kearns,Irizarry,Carrington,Starkey,Pepper,Lopes,Jarrell,Fay,Craven,Beverly,Baum,Spain,Littlefield,Linn,Humphreys,Hook,High,Etheridge,Cuellar,Chastain,Chance,Bundy,Speer,Skelton,Quiroz,Pyle,Portillo,Ponder,Moulton,Machado,Liu,Killian,Hutson,Hitchcock,Ellsworth,Dowling,Cloud,Burdick,Spann,Pedersen,Levin,Leggett,Hayward,Hacker,Dietrich,Beaulieu,Barksdale,Wakefield,Snowden,Paris,Briscoe,Bowie,Berman,Ogle,Mcgregor,Laughlin,Helm,Burden,Wheatley,Schreiber,Pressley,Parris,Ng,Alaniz,Agee,Urban,Swann,Snodgrass,Schuster,Radford,Monk,Mattingly,Main,Lamar,Harp,Girard,Cheney,Yancey,Wagoner,Ridley,Lombardo,Lau,Hudgins,Gaskins,Duckworth,Coe,Coburn,Willey,Prado,Newberry,Magana,Hammonds,Elam,Whipple,Slade,Serna,Ojeda,Liles,Dorman,Diehl,Angel,Upton,Reardon,Michaels,Kelsey,Goetz,Eller,Bauman,Baer,Augustine,Layne,Hummel,Brenner,Amaya,Adamson,Ornelas,Dowell,Cloutier,Christy,Castellanos,Wing,Wellman,Saylor,Orourke,Moya,Montalvo,Kilpatrick,Harley,Durbin,Shell,Oldham,Kang,Garvin,Foss,Branham,Bartholomew,Templeton,Maguire,Holton,Alonso,Rider,Monahan,Mccormack,Beaty,Anders,Streeter,Nieto,Nielson,Moffett,Lankford,Keating,Heck,Gatlin,Delatorre,Callaway,Adcock,Worrell,Unger,Robinette,Nowak,Jeter,Brunner,Ashton,Steen,Parrott,Overstreet,Nobles,Montanez,Luther,Clevenger,Brinkley,Trahan,Quarles,Pickering,Pederson,Jansen,Grantham,Gilchrist,Crespo,Aiken,Schell,Schaeffer,Lorenz,Leyva,Harms,Dyson,Wallis,Pease,Leavitt,Hyman,Cheng,Cavanaugh,Batts,Warden,Seaman,Rockwell,Quezada,Paxton,Linder,Houck,Fontaine,Durant,Caruso,Adler,Pimentel,Mize,Lytle,Donald,Cleary,Cason,Acker,Switzer,Salmon,Isaacs,Higginbotham,Han,Waterman,Vandyke,Stamper,Sisk,Shuler,Riddick,Redman,Mcmahan,Levesque,Hatton,Bronson,Bollinger,Arnett,Okeefe,Gerber,Gannon,Farnsworth,Baughman,Silverman,Satterfield,Royal,Mccrary,Kowalski,Joy,Grigsby,Greco,Cabral,Trout,Rinehart,Mahon,Linton,Gooden,Curley,Baugh,Wyman,Weiner,Schwab,Schuler,Morrissey,Mahan,Coy,Bunn,Andrew,Thrasher,Spear,Waggoner,Shelley,Robert,Qualls,Purdy,Mcwhorter,Mauldin,Mark,Jordon,Gilman,Perryman,Newsom,Menard,Martino,Graf,Billingsley,Artis,Simpkins,Salisbury,Quintanilla,Gilliland,Fraley,Foust,Crouse,Scarborough,Ngo,Grissom,Fultz,Rico,Marlow,Markham,Madrigal,Lawton,Barfield,Whiting,Varney,Schwarz,Huey,Gooch,Arce,Wheat,Truong,Poulin,Mackenzie,Leone,Hurtado,Selby,Gaither,Fortner,Culpepper,Coughlin,Brinson,Boudreau,Barkley,Bales,Stepp,Holm,Tan,Schilling,Morrell,Kahn,Heaton,Gamez,Douglass,Causey,Brothers,Turpin,Shanks,Schrader,Meek,Isom,Hardison,Carranza,Yanez,Way,Scroggins,Schofield,Runyon,Ratcliff,Murrell,Moeller,Irby,Currier,Butterfield,Yee,Ralston,Pullen,Pinson,Estep,East,Carbone,Lance,Hawks,Ellington,Casillas,Spurlock,Sikes,Motley,Mccartney,Kruger,Isbell,Houle,Francisco,Burk,Bone,Tomlin,Shelby,Quigley,Neumann,Lovelace,Fennell,Colby,Cheatham,Bustamante,Skidmore,Hidalgo,Forman,Culp,Bowens,Betancourt,Aquino,Robb,Rea,Milner,Martel,Gresham,Wiles,Ricketts,Gavin,Dowd,Collazo,Bostic,Blakely,Sherrod,Power,Kenyon,Gandy,Ebert,Deloach,Cary,Bull,Allard,Sauer,Robins,Olivares,Gillette,Chestnut,Bourque,Paine,Lyman,Hite,Hauser,Devore,Crawley,Chapa,Vu,Tobias,Talbert,Poindexter,Millard,Meador,Mcduffie,Mattox,Kraus,Harkins,Choate,Bess,Wren,Sledge,Sanborn,Outlaw,Kinder,Geary,Cornwell,Barclay,Adam,Abney,Seward,Rhoads,Howland,Fortier,Easter,Benner,Vines,Tubbs,Troutman,Rapp,Noe,Mccurdy,Harder,Deluca,Westmoreland,South,Havens,Guajardo,Ely,Clary,Seal,Meehan,Herzog,Guillen,Ashcraft,Waugh,Renner,Milam,Jung,Elrod,Churchill,Buford,Breaux,Bolin,Asher,Windham,Tirado,Pemberton,Nolen,Noland,Knott,Emmons,Cornish,Christenson,Brownlee,Barbee,Waldrop,Pitt,Olvera,Lombardi,Gruber,Gaffney,Eggleston,Banda,Archuleta,Still,Slone,Prewitt,Pfeiffer,Nettles,Mena,Mcadams,Henning,Gardiner,Cromwell,Chisholm,Burleson,Box,Vest,Oglesby,Mccarter,Malcolm,Lumpkin,Larue,Grey,Wofford,Vanhorn,Thorn,Teel,Swafford,Stclair,Stanfield,Ocampo,Herrmann,Hannon,Arsenault,Roush,Mcalister,Hiatt,Gunderson,Forsythe,Duggan,Delvalle,Cintron,Wilks,Weinstein,Uribe,Rizzo,Noyes,Mclendon,Gurley,Bethea,Winstead,Maples,Harry,Guyton,Giordano,Alderman,Valdes,Polanco,Pappas,Lively,Grogan,Griffiths,Bobo,Arevalo,Whitson,Sowell,Rendon,Matthew,Julian,Fernandes,Farrow,Edmond,Benavidez,Ayres,Alicea,Stump,Smalley,Seitz,Schulte,Gilley,Gallant,Dewey,Casper,Canfield,Wolford,Omalley,Mcnutt,Mcnulty,Mcgovern,Hardman,Harbin,Cowart,Chavarria,Brink,Beckett,Bagwell,Armstead,Anglin,Abreu,Reynoso,Krebs,Jett,Hoffmann,Greenfield,Forte,Burney,Broome,Sisson,Parent,Jude,Younger,Trammell,Partridge,Marvin,Mace,Lomax,Lemieux,Gossett,Frantz,Fogle,Cooney,Broughton,Pence,Paulsen,Neil,Muncy,Mcarthur,Hollins,Edward,Beauchamp,Withers,Osorio,Mulligan,Hoyle,Foy,Dockery,Cockrell,Begley,Amador,Roby,Rains,Lindquist,Gentile,Everhart,Bohannon,Wylie,Thao,Sommers,Purnell,Palma,Fortin,Dunning,Breeden,Vail,Phelan,Phan,Marx,Cosby,Colburn,Chong,Boling,Biddle,Ledesma,Gaddis,Denney,Chow,Bueno,Berrios,Wicker,Tolliver,Thibodeaux,Nagle,Lavoie,Fisk,Do,Crist,Barbosa,Reedy,March,Locklear,Kolb,Himes,Behrens,Beckwith,Beckham,Weems,Wahl,Shorter,Shackelford,Rees,Muse,Free,Cerda,Valadez,Thibodeau,Saavedra,Ridgeway,Reiter,Mchenry,Majors,Lachance,Keaton,Israel,Ferrara,Falcon,Clemens,Blocker,Applegate,Paz,Needham,Mojica,Kuykendall,Hamel,Escamilla,Doughty,Burchett,Ainsworth,Wilbur,Vidal,Upchurch,Thigpen,Strauss,Spruill,Sowers,Riggins,Ricker,Mccombs,Harlow,Garnett,Buffington,Yi,Sotelo,Olivas,Negrete,Morey,Macon,Logsdon,Lapointe,Florence,Cathey,Bigelow,Bello,Westfall,Stubblefield,Peak,Lindley,Jeffrey,Hein,Hawes,Farrington,Edge,Breen,Birch,Wilde,Steed,Sepulveda,Reinhardt,Proffitt,Minter,Messina,Mcnabb,Maier,Keeler,Gamboa,Donohue,Dexter,Basham,Shinn,Orlando,Crooks,Cota,Borders,Bills,Bachman,Tisdale,Tavares,Schmid,Pickard,Jasper,Gulley,Fonseca,Delossantos,Condon,Clancy,Batista,Wicks,Wadsworth,New,Martell,Lo,Littleton,Ison,Haag,Folsom,Brumfield,Broyles,Brito,Mireles,Mcdonnell,Leclair,Hamblin,Gough,Fanning,Binder,Winfield,Whitworth,Soriano,Palumbo,Newkirk,Mangum,Hutcherson,Comstock,Cecil,Carlin,Beall,Bair,Wendt,Watters,Walling,Putman,Otoole,Oliva,Morley,Mares,Lemus,Keener,Jeffery,Hundley,Dial,Damico,Billups,Strother,Mcfarlane,Lamm,Eaves,Crutcher,Caraballo,Canty,Atwell,Taft,Siler,Rust,Rawls,Rawlings,Prieto,Niles,Mcneely,Mcafee,Hulsey,Harlan,Hackney,Galvez,Escalante,Delagarza,Crider,Charlton,Bandy,Wilbanks,Stowe,Steinberg,Samson,Renfro,Masterson,Massie,Lanham,Haskell,Hamrick,Fort,Dehart,Card,Burdette,Branson,Bourne,Babin,Aleman,Worthy,Tibbs,Sweat,Smoot,Slack,Paradis,Packard,Mull,Luce,Houghton,Gantt,Furman,Danner,Christianson,Burge,Broderick,Ashford,Arndt,Almeida,Stallworth,Shade,Searcy,Sager,Noonan,Mclemore,Mcintire,Maxey,Lavigne,Jobe,Ireland,Ferrer,Falk,Edgar,Coffin,Byrnes,Aranda,Apodaca,Stamps,Rounds,Peek,Olmstead,Lewandowski,Kaminski,Her,Dunaway,Bruns,Brackett,Amato,Reich,Mcclung,Lacroix,Koontz,Herrick,Hardesty,Flanders,Cousins,Close,Cato,Cade,Vickery,Shank,Nagel,Dupuis,Croteau,Cotter,Cable,Stuckey,Stine,Porterfield,Pauley,Nye,Moffitt,Lu,Knudsen,Hardwick,Goforth,Dupont,Blunt,Barrows,Barnhill,Shull,Rash,Ralph,Penny,Lorenzo,Loftis,Lemay,Kitchens,Horvath,Grenier,Fuchs,Fairbanks,Culbertson,Calkins,Burnside,Beattie,Ashworth,Albertson,Wertz,Vo,Vaught,Vallejo,Tyree,Turk,Tuck,Tijerina,Sage,Picard,Peterman,Otis,Marroquin,Marr,Lantz,Hoang,Demarco,Daily,Cone,Berube,Barnette,Wharton,Stinnett,Slocum,Scanlon,Sander,Pinto,Mancuso,Lima,Judge,Headley,Epstein,Counts,Clarkson,Carnahan,Brice,Boren,Arteaga,Adame,Zook,Whittle,Whitehurst,Wenzel,Saxton,Rhea,Reddick,Puente,Hazel,Handley,Haggerty,Earley,Devlin,Dallas,Chaffin,Cady,Ahmed,Acuna,Solano,Sigler,Pollack,Pendergrass,Ostrander,Janes,Francois,Fine,Crutchfield,Cordell,Chamberlin,Brubaker,Baptiste,Willson,Reis,Neeley,Mullin,Mercier,Lira,Layman,Keeling,Higdon,Guest,Forrester,Espinal,Dion,Chapin,Carl,Warfield,Toledo,Pulido,Peebles,Nagy,Montague,Mello,Lear,Jaeger,Hogg,Graff,Furr,Derrick,Cave,Canada,Soliz,Poore,Mendenhall,Mclaurin,Maestas,Low,Gable,Belt,Barraza,Tillery,Snead,Pond,Neill,Mcculloch,Mccorkle,Lightfoot,Hutchings,Holloman,Harness,Dorn,Council,Bock,Zielinski,Turley,Treadwell,Stpierre,Starling,Somers,Oswald,Merrick,Marquis,Ivory,Easterling,Bivens,Truitt,Poston,Parry,Ontiveros,Olivarez,Neville,Moreau,Medlin,Ma,Lenz,Knowlton,Fairley,Cobbs,Chisolm,Bannister,Woodworth,Toler,Ocasio,Noriega,Neuman,Moye,Milburn,Mcclanahan,Lilley,Hanes,Flannery,Dellinger,Danielson,Conti,Blodgett,Beers,Weatherford,Strain,Karr,Hitt,Denham,Custer,Coble,Clough,Casteel,Bolduc,Batchelor,Ammons,Whitlow,Tierney,Staten,Sibley,Seifert,Schubert,Salcedo,Mattison,Laney,Haggard,Grooms,Dix,Dees,Cromer,Cooks,Colson,Caswell,Zarate,Swisher,Stacey,Shin,Ragan,Pridgen,Mcvey,Matheny,Leigh,Lafleur,Franz,Ferraro,Dugger,Whiteside,Rigsby,Mcmurray,Lehmann,Large,Jacoby,Hildebrand,Hendrick,Headrick,Goad,Fincher,Drury,Borges,Archibald,Albers,Woodcock,Trapp,Soares,Seaton,Richie,Monson,Luckett,Lindberg,Kopp,Keeton,Hsu,Healey,Garvey,Gaddy,Fain,Burchfield,Badger,Wentworth,Strand,Stack,Spooner,Saucier,Sales,Ruby,Ricci,Plunkett,Pannell,Ness,Leger,Hoy,Freitas,Fong,Elizondo,Duval,Chun,Calvin,Beaudoin,Urbina,Stock,Rickard,Partin,Moe,Mcgrew,Mcclintock,Ledoux,Forsyth,Faison,Devries,Bertrand,Wasson,Tilton,Scarbrough,Pride,Oh,Leung,Larry,Irvine,Garber,Denning,Corral,Colley,Castleberry,Bowlin,Bogan,Beale,Baines,True,Trice,Rayburn,Parkinson,Pak,Nunes,Mcmillen,Leahy,Lea,Kimmel,Higgs,Fulmer,Carden,Bedford,Taggart,Spearman,Register,Prichard,Morrill,Koonce,Heinz,Hedges,Guenther,Grice,Findley,Earle,Dover,Creighton,Boothe,Bayer,Arreola,Vitale,Valles,See,Raney,Peter,Osgood,Lowell,Hanlon,Burley,Bounds,Worden,Weatherly,Vetter,Tanaka,Stiltner,Sell,Nevarez,Mosby,Montero,Melancon,Harter,Hamer,Goble,Gladden,Gist,Ginn,Akin,Zaragoza,Towns,Tarver,Sammons,Royster,Oreilly,Muir,Morehead,Luster,Kingsley,Kelso,Grisham,Glynn,Baumann,Alves,Yount,Tamayo,Tam,Paterson,Oates,Menendez,Longo,Hargis,Greenlee,Gillen,Desantis,Conover,Breedlove,Wayne,Sumpter,Scherer,Rupp,Reichert,Heredia,Fallon,Creel,Cohn,Clemmons,Casas,Bickford,Belton,Bach,Williford,Whitcomb,Tennant,Sutter,Stull,Sessions,Mccallum,Manson,Langlois,Keel,Keegan,Emanuel,Dangelo,Dancy,Damron,Clapp,Clanton,Bankston,Trinidad,Oliveira,Mintz,Mcinnis,Martens,Mabe,Laster,Jolley,Irish,Hildreth,Hefner,Glaser,Duckett,Demers,Brockman,Blais,Back,Alcorn,Agnew,Toliver,Tice,Song,Seeley,Najera,Musser,Mcfall,Laplante,Galvin,Fajardo,Doan,Coyne,Copley,Clawson,Cheung,Barone,Wynne,Woodley,Tremblay,Stoll,Sparrow,Sparkman,Schweitzer,Sasser,Samples,Roney,Ramon,Legg,Lai,Joe,Heim,Farias,Concepcion,Colwell,Christman,Bratcher,Alba,Winchester,Upshaw,Southerland,Sorrell,Shay,Sells,Mount,Mccloskey,Martindale,Luttrell,Loveless,Lovejoy,Linares,Latimer,Holly,Embry,Coombs,Bratton,Bostick,Boss,Venable,Tuggle,Toro,Staggs,Sandlin,Jefferies,Heckman,Griffis,Crayton,Clem,Button,Browder,Allan,Thorton,Sturgill,Sprouse,Royer,Rousseau,Ridenour,Pogue,Perales,Peeples,Metzler,Mesa,Mccutcheon,Mcbee,Jay,Hornsby,Heffner,Corrigan,Armijo,Vue,Romeo,Plante,Peyton,Paredes,Macklin,Hussey,Hodgson,Granados,Frias,Carman,Brent,Becnel,Batten,Almanza,Turney,Teal,Sturgeon,Meeker,Mcdaniels,Limon,Keeney,Kee,Hutto,Holguin,Gorham,Fishman,Fierro,Blanchette,Rodrigue,Reddy,Osburn,Oden,Lerma,Kirkwood,Keefer,Haugen,Hammett,Chalmers,Carlos,Brinkman,Baumgartner,Zhang,Valerio,Tellez,Steffen,Shumate,Sauls,Ripley,Kemper,Jacks,Guffey,Evers,Craddock,Carvalho,Blaylock,Banuelos,Balderas,Wooden,Wheaton,Turnbull,Shuman,Pointer,Mosier,Mccue,Ligon,Kozlowski,Johansen,Ingle,Herr,Briones,Southern,Snipes,Rickman,Pipkin,Peace,Pantoja,Orosco,Moniz,Lawless,Kunkel,Hibbard,Galarza,Enos,Bussey,Settle,Schott,Salcido,Perreault,Mcdougal,Mccool,Haight,Garris,Ferry,Easton,Conyers,Atherton,Wimberly,Utley,Stephen,Spellman,Smithson,Slagle,Skipper,Ritchey,Rand,Petit,Osullivan,Oaks,Nutt,Mcvay,Mccreary,Mayhew,Knoll,Jewett,Harwood,Hailey,Cardoza,Ashe,Arriaga,Andres,Zeller,Wirth,Whitmire,Stauffer,Spring,Rountree,Redden,Mccaffrey,Martz,Loving,Larose,Langdon,Humes,Gaskin,Faber,Doll,Devito,Cass,Almond,Wingfield,Wingate,Villareal,Tyner,Smothers,Severson,Reno,Pennell,Maupin,Leighton,Janssen,Hassell,Hallman,Halcomb,Folse,Fitzsimmons,Fahey,Cranford,Bolen,Battles,Battaglia,Wooldridge,Weed,Trask,Rosser,Regalado,Mcewen,Keefe,Fuqua,Echevarria,Domingo,Dang,Caro,Boynton,Andrus,Wild,Viera,Vanmeter,Taber,Spradlin,Seibert,Provost,Prentice,Oliphant,Laporte,Hwang,Hatchett,Hass,Greiner,Freedman,Covert,Chilton,Byars,Wiese,Venegas,Swank,Shrader,Roderick,Roberge,Mullis,Mortensen,Mccune,Marlowe,Kirchner,Keck,Isaacson,Hostetler,Halverson,Gunther,Griswold,Gerard,Fenner,Durden,Blackwood,Bertram,Ahrens,Sawyers,Savoy,Nabors,Mcswain,Mackay,Loy,Lavender,Lash,Labbe,Jessup,Hubert,Fullerton,Donnell,Cruse,Crittenden,Correia,Centeno,Caudle,Canady,Callender,Alarcon,Ahern,Winfrey,Tribble,Tom,Styles,Salley,Roden,Musgrove,Minnick,Fortenberry,Carrion,Bunting,Bethel,Batiste,Woo,Whited,Underhill,Stillwell,Silvia,Rauch,Pippin,Perrin,Messenger,Mancini,Lister,Kinard,Hartmann,Fleck,Broadway,Wilt,Treadway,Thornhill,Speed,Spalding,Sam,Rafferty,Pitre,Patino,Ordonez,Linkous,Kelleher,Homan,Holiday,Galbraith,Feeney,Dorris,Curtin,Coward,Camarillo,Buss,Bunnell,Bolt,Beeler,Autry,Alcala,Witte,Wentz,Stidham,Shively,Nunley,Meacham,Martins,Lemke,Lefebvre,Kaye,Hynes,Horowitz,Hoppe,Holcombe,Estrella,Dunne,Derr,Cochrane,Brittain,Bedard,Beauregard,Torrence,Strunk,Soria,Simonson,Shumaker,Scoggins,Packer,Oconner,Moriarty,Leroy,Kuntz,Ives,Hutcheson,Horan,Hales,Garmon,Fitts,Dell,Bohn,Atchison,Worth,Wisniewski,Will,Vanwinkle,Sturm,Sallee,Prosser,Moen,Lundberg,Kunz,Kohl,Keane,Jorgenson,Jaynes,Funderburk,Freed,Frame,Durr,Creamer,Cosgrove,Candelaria,Berlin,Batson,Vanhoose,Thomsen,Teeter,Sommer,Smyth,Sena,Redmon,Orellana,Maness,Lennon,Heflin,Goulet,Frick,Forney,Dollar,Bunker,Asbury,Aguiar,Talbott,Southard,Pleasant,Mowery,Mears,Lemmon,Krieger,Hickson,Gracia,Elston,Duong,Delgadillo,Dayton,Dasilva,Conaway,Catron,Bruton,Bradbury,Bordelon,Bivins,Bittner,Bergstrom,Beals,Abell,Whelan,Travers,Tejada,Pulley,Pino,Norfleet,Nealy,Maes,Loper,Held,Gerald,Gatewood,Frierson,Freund,Finnegan,Cupp,Covey,Catalano,Boehm,Bader,Yoon,Walston,Tenney,Sipes,Roller,Rawlins,Medlock,Mccaskill,Mccallister,Marcotte,Maclean,Hughey,Henke,Harwell,Gladney,Gilson,Dew,Chism,Caskey,Brandenburg,Baylor,Villasenor,Veal,Van,Thatcher,Stegall,Shore,Petrie,Nowlin,Navarrete,Muhammad,Lombard,Loftin,Lemaster,Kroll,Kovach,Kimbrell,Kidwell,Hershberger,Fulcher,Eng,Cantwell,Bustos,Boland,Bobbitt,Binkley,Wester,Weis,Verdin,Tong,Tiller,Sisco,Sharkey,Seymore,Rosenbaum,Rohr,Quinonez,Pinkston,Nation,Malley,Logue,Lessard,Lerner,Lebron,Krauss,Klinger,Halstead,Haller,Getz,Burrow,Brant,Alger,Victor,Shores,Scully,Pounds,Pfeifer,Perron,Nelms,Munn,Mcmaster,Mckenney,Manns,Knudson,Hutchens,Huskey,Goebel,Flagg,Cushman,Click,Castellano,Carder,Bumgarner,Blaine,Bible,Wampler,Spinks,Robson,Neel,Mcreynolds,Mathias,Maas,Loera,Kasper,Jose,Jenson,Florez,Coons,Buckingham,Brogan,Berryman,Wilmoth,Wilhite,Thrash,Shephard,Seidel,Schulze,Roldan,Pettis,Obryan,Maki,Mackie,Hatley,Frazer,Fiore,Falls,Chesser,Bui,Bottoms,Bisson,Benefield,Allman,Wilke,Trudeau,Timm,Shifflett,Rau,Mundy,Milliken,Mayers,Leake,Kohn,Huntington,Horsley,Hermann,Guerin,Fryer,Frizzell,Foret,Flemming,Fife,Criswell,Carbajal,Bozeman,Boisvert,Archie,Antonio,Angulo,Wallen,Tapp,Silvers,Ramsay,Oshea,Orta,Moll,Mckeever,Mcgehee,Luciano,Linville,Kiefer,Ketchum,Howerton,Groce,Gaylord,Gass,Fusco,Corbitt,Blythe,Betz,Bartels,Amaral,Aiello,Yoo,Weddle,Troy,Sun,Sperry,Seiler,Runyan,Raley,Overby,Osteen,Olds,Mckeown,Mauro,Matney,Lauer,Lattimore,Hindman,Hartwell,Fredrickson,Fredericks,Espino,Clegg,Carswell,Cambell,Burkholder,August,Woodbury,Welker,Totten,Thornburg,Theriault,Stitt,Stamm,Stackhouse,Simone,Scholl,Saxon,Rife,Razo,Quinlan,Pinkerton,Olivo,Nesmith,Nall,Mattos,Leak,Lafferty,Justus,Giron,Geer,Fielder,Eagle,Drayton,Dortch,Conners,Conger,Chau,Boatwright,Billiot,Barden,Armenta,Antoine,Tibbetts,Steadman,Slattery,Sides,Rinaldi,Raynor,Rayford,Pinckney,Pettigrew,Nickel,Milne,Matteson,Halsey,Gonsalves,Fellows,Durand,Desimone,Cowley,Cowles,Brill,Barham,Barela,Barba,Ashmore,Withrow,Valenti,Tejeda,Spriggs,Sayre,Salerno,Place,Peltier,Peel,Merriman,Matheson,Lowman,Lindstrom,Hyland,Homer,Ha,Giroux,Fries,Frasier,Earls,Dugas,Damon,Dabney,Collado,Briseno,Baxley,Andre,Word,Whyte,Wenger,Vanover,Vanburen,Thiel,Schindler,Schiller,Rigby,Pomeroy,Passmore,Marble,Manzo,Mahaffey,Lindgren,Laflamme,Greathouse,Fite,Ferrari,Calabrese,Bayne,Yamamoto,Wick,Townes,Thames,Steel,Reinhart,Peeler,Naranjo,Montez,Mcdade,Mast,Markley,Marchand,Leeper,Kong,Kellum,Hudgens,Hennessey,Hadden,Guess,Gainey,Coppola,Borrego,Bolling,Beane,Ault,Slaton,Poland,Pape,Null,Mulkey,Lightner,Langer,Hillard,Glasgow,Fabian,Ethridge,Enright,Derosa,Baskin,Alfred,Weinberg,Turman,Tinker,Somerville,Pardo,Noll,Lashley,Ingraham,Hiller,Hendon,Glaze,Flora,Cothran,Cooksey,Conte,Carrico,Apple,Abner,Wooley,Swope,Summerlin,Sturgis,Sturdivant,Stott,Spurgeon,Spillman,Speight,Roussel,Popp,Nutter,Mckeon,Mazza,Magnuson,Lanning,Kozak,Jankowski,Heyward,Forster,Corwin,Callaghan,Bays,Wortham,Usher,Theriot,Sayers,Sabo,Rupert,Poling,Nathan,Loya,Lieberman,Levi,Laroche,Labelle,Howes,Harr,Garay,Fogarty,Everson,Durkin,Dominquez,Chaves,Chambliss,Alfonso,Witcher,Wilber,Vieira,Vandiver,Terrill,Stoker,Schreiner,Nestor,Moorman,Liddell,Lew,Lawhorn,Krug,Irons,Hylton,Hollenbeck,Herrin,Hembree,Hair,Goolsby,Goodin,Gilmer,Foltz,Dinkins,Daughtry,Caban,Brim,Briley,Bilodeau,Bear,Wyant,Vergara,Tallent,Swearingen,Stroup,Sherry,Scribner,Roger,Quillen,Pitman,Monaco,Mccants,Maxfield,Martinson,Landon,Holtz,Flournoy,Brookins,Brody,Baumgardner,Angelo,Straub,Sills,Roybal,Roundtree,Oswalt,Money,Mcgriff,Mcdougall,Mccleary,Maggard,Gragg,Gooding,Godinez,Doolittle,Donato,Cowell,Cassell,Bracken,Appel,Ahmad,Zambrano,Reuter,Perea,Olive,Nakamura,Monaghan,Mickens,Mcclinton,Mcclary,Marler,Kish,Judkins,Gilbreath,Freese,Flanigan,Felts,Erdmann,Dodds,Chew,Brownell,Brazil,Boatright,Barreto,Slayton,Sandberg,Saldivar,Pettway,Odum,Narvaez,Moultrie,Montemayor,Merrell,Lees,Keyser,Hoke,Hardaway,Hannan,Gilbertson,Fogg,Dumont,Deberry,Coggins,Carrera,Buxton,Bucher,Broadnax,Beeson,Araujo,Appleton,Amundson,Aguayo,Ackley,Yocum,Worsham,Shivers,Shelly,Sanches,Sacco,Robey,Rhoden,Pender,Ochs,Mccurry,Madera,Luong,Luis,Knotts,Jackman,Heinrich,Hargrave,Gault,Forest,Comeaux,Chitwood,Child,Caraway,Boettcher,Bernhardt,Barrientos,Zink,Wickham,Whiteman,Thorp,Stillman,Settles,Schoonover,Roque,Riddell,Rey,Pilcher,Phifer,Novotny,Maple,Macleod,Hardee,Haase,Grider,Fredrick,Earnest,Doucette,Clausen,Christmas,Bevins,Beamon,Badillo,Tolley,Tindall,Soule,Snook,Sebastian,Seale,Pitcher,Pinkney,Pellegrino,Nowell,Nemeth,Nail,Mondragon,Mclane,Lundgren,Ingalls,Hudspeth,Hixson,Gearhart,Furlong,Downes,Dionne,Dibble,Deyoung,Cornejo,Camara,Brookshire,Boyette,Wolcott,Tracey,Surratt,Sellars,Segal,Salyer,Reeve,Rausch,Philips,Labonte,Haro,Gower,Freeland,Fawcett,Eads,Driggers,Donley,Collett,Cage,Bromley,Boatman,Ballinger,Baldridge,Volz,Trombley,Stonge,Silas,Shanahan,Rivard,Rhyne,Pedroza,Matias,Mallard,Jamieson,Hedgepeth,Hartnett,Estevez,Eskridge,Denman,Chiu,Chinn,Catlett,Carmack,Buie,Book,Bechtel,Beardsley,Bard,Ballou,Windsor,Ulmer,Storm,Skeen,Robledo,Rincon,Reitz,Piazza,Pearl,Munger,Moten,Mcmichael,Loftus,Ledet,Kersey,Groff,Fowlkes,Folk,Crumpton,Collette,Clouse,Bettis,Villagomez,Timmerman,Strom,Saul,Santoro,Roddy,Phillip,Penrod,Musselman,Macpherson,Leboeuf,Harless,Haddad,Guido,Golding,Fulkerson,Fannin,Dulaney,Dowdell,Deane,Cottle,Ceja,Cate,Bosley,Benge,Albritton,Voigt,Trowbridge,Soileau,Seely,Rome,Rohde,Pearsall,Paulk,Orth,Nason,Mota,Mcmullin,Marquardt,Madigan,Hoag,Gillum,Gayle,Gabbard,Fenwick,Fender,Eck,Danforth,Cushing,Cress,Creed,Cazares,Casanova,Bey,Bettencourt,Barringer,Baber,Stansberry,Schramm,Rutter,Rivero,Race,Oquendo,Necaise,Mouton,Montenegro,Miley,Mcgough,Marra,Macmillan,Lock,Lamontagne,Jasso,Jaime,Horst,Hetrick,Heilman,Gaytan,Gall,Fried,Fortney,Eden,Dingle,Desjardins,Dabbs,Burbank,Brigham,Breland,Beaman,Banner,Arriola,Yarborough,Wallin,Treat,Toscano,Stowers,Reiss,Pichardo,Orton,Mitchel,Michels,Mcnamee,Mccrory,Leatherman,Kell,Keister,Jerome,Horning,Hargett,Guay,Friday,Ferro,Deboer,Dagostino,Clemente,Christ,Carper,Bowler,Blanks,Beaudry,Willie,Towle,Tafoya,Stricklin,Strader,Soper,Sonnier,Sigmon,Schenk,Saddler,Rodman,Pedigo,Mendes,Lunn,Lohr,Lahr,Kingsbury,Jarman,Hume,Holliman,Hofmann,Haworth,Harrelson,Hambrick,Flick,Edmunds,Dacosta,Crossman,Colston,Chaplin,Carrell,Budd,Weiler,Waits,Viola,Valentino,Trantham,Tarr,Straight,Solorio,Roebuck,Powe,Plank,Pettus,Palm,Pagano,Mink,Luker,Leathers,Joslin,Hartzell,Gambrell,Fears,Deutsch,Cepeda,Carty,Caputo,Brewington,Bedell,Ballew,Applewhite,Warnock,Walz,Urena,Tudor,Reel,Pigg,Parton,Mickelson,Meagher,Mclellan,Mcculley,Mandel,Leech,Lavallee,Kraemer,Kling,Kipp,Kingston,Kehoe,Hochstetler,Harriman,Gregoire,Grabowski,Gosselin,Gammon,Fancher,Edens,Desai,Butt,Brannan,Armendariz,Woolsey,Whitehouse,Whetstone,Ussery,Towne,Tower,Testa,Tallman,Studer,Strait,Steinmetz,Sorrells,Sauceda,Rolfe,Rae,Paddock,Mitchem,Mcginn,Mccrea,Luck,Lovato,Ling,Hazen,Gilpin,Gaynor,Fike,Devoe,Delrio,Curiel,Burkhardt,Bristol,Bode,Backus,Alton,Zinn,Watanabe,Wachter,Vanpelt,Turnage,Shaner,Schroder,Sato,Riordan,Quimby,Portis,Natale,Mckoy,Mccown,Marker,Lucio,Kilmer,Karl,Hotchkiss,Hesse,Halbert,Gwinn,Godsey,Desmond,Delisle,Chrisman,Canter,Brook,Arbogast,Angell,Acree,Yancy,Woolley,Wesson,Weatherspoon,Trainor,Stockman,Spiller,Sipe,Rooks,Reavis,Propst,Porras,Neilson,Mullens,Loucks,Llewellyn,Lamont,Kumar,Koester,Klingensmith,Kirsch,Kester,Honaker,Hodson,Hennessy,Helmick,Garrity,Garibay,Fee,Drain,Casarez,Callis,Botello,Bay,Aycock,Avant,Angle,Wingard,Wayman,Tully,Theisen,Szymanski,Stansbury,Segovia,Rudy,Rainwater,Preece,Pirtle,Padron,Mincey,Mckelvey,Mathes,Marty,Larrabee,Kornegay,Klug,Judy,Ingersoll,Hecht,Germain,Eggers,Dykstra,Denis,Deering,Decoteau,Deason,Dearing,Cofield,Carrigan,Brush,Bonham,Bahr,Aucoin,Appleby,Almonte,Yager,Womble,Wimmer,Weimer,Vanderpool,Stancil,Sprinkle,Romine,Remington,Pfaff,Peckham,Olivera,Meraz,Maze,Lathrop,Koehn,Jonas,Hazelton,Halvorson,Hallock,Haddock,Ducharme,Dehaven,Colton,Caruthers,Brehm,Bosworth,Bost,Blow,Bias,Beeman,Basile,Bane,Aikens,Zachary,Wold,Walther,Tabb,Suber,Strawn,Stocks,Stocker,Shirey,Schlosser,Salvador,Riedel,Rembert,Reimer,Pyles,Pickle,Peele,Merriweather,Letourneau,Latta,Kidder,Hixon,Hillis,Hight,Herbst,Henriquez,Haygood,Hamill,Gabel,Fritts,Eubank,Duty,Dawes,Correll,Coffee,Cha,Bushey,Buchholz,Brotherton,Bridge,Botts,Barnwell,Auger,Atchley,Westphal,Veilleux,Ulloa,Truman,Stutzman,Shriver,Ryals,Prior,Pilkington,Newport,Moyers,Miracle,Marrs,Mangrum,Maddux,Lockard,Laing,Kuhl,Harney,Hammock,Hamlett,Felker,Doerr,Depriest,Carrasquillo,Carothers,Bogle,Blood,Bischoff,Bergen,Albanese,Wyckoff,Vermillion,Vansickle,Thibault,Tetreault,Stickney,Shoemake,Ruggiero,Rawson,Racine,Philpot,Paschal,Mcelhaney,Mathison,Legrand,Lapierre,Kwan,Kremer,Jiles,Hilbert,Geyer,Faircloth,Ehlers,Egbert,Desrosiers,Dalrymple,Cotten,Cashman,Cadena,Breeding,Boardman,Alcaraz,Ahn,Wyrick,Therrien,Tankersley,Strickler,Puryear,Plourde,Pattison,Pardue,Milan,Mcginty,Mcevoy,Landreth,Kuhns,Koon,Hewett,Giddens,Everette,Emerick,Eades,Deangelis,Cosme,Ceballos,Birdsong,Benham,Bemis,Armour,Anguiano,Angeles,Welborn,Tsosie,Storms,Shoup,Sessoms,Samaniego,Rood,Rojo,Rhinehart,Raby,Northcutt,Myer,Munguia,Morehouse,More,Mcdevitt,Mateo,Mallett,Lozada,Lemoine,Kuehn,Hallett,Grim,Gillard,Gaylor,Garman,Gallaher,Feaster,Faris,Darrow,Dardar,Coney,Carreon,Byron,Braithwaite,Boylan,Boyett,Born,Bixler,Bigham,Benford,Barragan,Barnum,Zuber,Wyche,Westcott,Vining,Stoltzfus,Simonds,Shupe,Sabin,Ruble,Rittenhouse,Richman,Perrone,Mulholland,Millan,Meister,Mathew,Lomeli,Kite,Jemison,Hulett,Holler,Hickerson,Herold,Hazelwood,Griffen,Gause,Forde,Eisenberg,Dilworth,Charron,Chaisson,Brodie,Bristow,Breunig,Brace,Boutwell,Bentz,Belk,Bayless,Batchelder,Baran,Baeza,Zimmermann,Weathersby,Volk,Toole,Theis,Tedesco,Shine,Searle,Schenck,Satterwhite,Sandy,Ruelas,Royce,Rankins,Partida,Nesbit,Morel,Menchaca,Levasseur,Kaylor,Johnstone,Hulse,Hollar,Hersey,Harrigan,Harbison,Guyer,Gish,Giese,Gerlach,Geller,Geisler,Falcone,Ernest,Elwell,Doucet,Deese,Darr,Corder,Chafin,Byler,Bussell,Burdett,Brasher,Bowe,Bellinger,Bastian,Barner,Alleyne,Wilborn,Weil,Wegner,Wales,Tatro,Spitzer,Smithers,Schoen,Resendez,Pete,Parisi,Overman,Obrian,Mudd,Moy,Mclaren,Mahler,Maggio,Lindner,Lalonde,Lacasse,Laboy,Killion,Kahl,Jessen,Jamerson,Houk,Henshaw,Gustin,Groom,Graber,Durst,Duenas,Davey,Cundiff,Conlon,Colunga,Coakley,Chiles,Capers,Buell,Bricker,Bissonnette,Birmingham,Bartz,Bagby,Zayas,Volpe,Treece,Toombs,Thom,Terrazas,Swinney,Skiles,Silveira,Shouse,Senn,Rambo,Ramage,Nez,Moua,Marlin,Malik,Langham,Kyles,Holston,Hoagland,Herd,Hector,Feller,Emory,Denison,Corliss,Carraway,Burford,Bickel,Ambriz,Abercrombie,Yamada,Winner,Weidner,Waddle,Verduzco,Thurmond,Swindle,Schrock,Sanabria,Rosenberger,Probst,Peabody,Olinger,Neighbors,Nazario,Mccafferty,Mcbroom,Mcabee,Mazur,Matherne,Mapes,Leverett,Killingsworth,Heisler,Griego,Grande,Gosnell,Frankel,Franke,Ferrante,Fenn,Elmer,Ehrlich,Christopherso,Chick,Chasse,Chancellor,Caton,Brunelle,Bly,Bloomfield,Babbitt,Azevedo,Abramson,Ables,Abeyta,Youmans,Wozniak,Wainwright,Summer,Stowell,Smitherman,Sites,Samuelson,Runge,Rule,Rothman,Rosenfeld,Quan,Peake,Oxford,Owings,Olmos,Munro,Moreira,Leatherwood,Larkins,Krantz,Kovacs,Kizer,Kindred,Karnes,Jaffe,Hubbell,Hosey,Hauck,Harold,Goodell,Favors,Erdman,Dvorak,Doane,Cureton,Cofer,Buehler,Bierman,Berndt,Banta,Annis,Abram,Abdullah,Warwick,Waltz,Turcotte,Trinh,Torrey,Stith,Seger,Sachs,Quesada,Pinder,Peppers,Pascual,Paschall,Parkhurst,Ozuna,Oster,Nicholls,Mortimer,Lheureux,Lavalley,Kimura,Jablonski,Haun,Gourley,Gilligan,Fix,Derby,Croy,Cotto,Cargill,Burwell,Burgett,Buckman,Brett,Booher,Adorno,Wrenn,Whittemore,Urias,Szabo,Sayles,Saiz,Rutland,Rael,Plant,Pharr,Penney,Pelkey,Ogrady,Nickell,Musick,Moats,Mather,Massa,Laurent,Kirschner,Kieffer,Kellar,Hendershot,Gott,Godoy,Gadson,Furtado,Fiedler,Erskine,Edison,Dutcher,Dever,Daggett,Chevalier,Chao,Brake,Ballesteros,Amerson,Alejandro,Wingo,Waldon,Trott,Spikes,Silvey,Showers,Schlegel,Rue,Ritz,Pepin,Pelayo,Parsley,Palermo,Moorehead,Mchale,Lett,Kocher,Kilburn,Iglesias,Humble,Hulbert,Huckaby,Hix,Haven,Hartford,Hardiman,Gurney,Grigg,Grasso,Goings,Fillmore,Farber,Depew,Dandrea,Dame,Cowen,Covarrubias,Cory,Burrus,Bracy,Ardoin,Thompkins,Suzuki,Standley,Russel,Radcliffe,Pohl,Persaud,Percy,Parenteau,Pabon,Newson,Newhouse,Napolitano,Mulcahy,Maya,Malave,Keim,Hooten,Hernandes,Heffernan,Hearne,Greenleaf,Glick,Fuhrman,Fetter,Faria,Dishman,Dickenson,Crites,Criss,Clapper,Chenault,Castor,Casto,Bugg,Bove,Bonney,Blessing,Ard,Anderton,Allgood,Alderson,Woodman,Wisdom,Warrick,Toomey,Tooley,Tarrant,Summerville,Stebbins,Sokol,Sink,Searles,Schutz,Schumann,Scheer,Remillard,Raper,Proulx,Palmore,Monroy,Miguel,Messier,Melo,Melanson,Mashburn,Manzano,Lussier,Lovely,Lien,Jenks,Huneycutt,Hartwig,Grimsley,Fulk,Fielding,Fidler,Engstrom,Eldred,Dantzler,Crandell,Ching,Calder,Brumley,Breton,Brann,Bramlett,Boykins,Bianco,Bancroft,Almaraz,Alcantar,Whitmer,Whitener,Welton,Vineyard,Su,Rahn,Paquin,Mizell,Mix,Mcmillin,Mckean,Marston,Maciel,Lundquist,Louie,Liggins,Lampkin,Kranz,Koski,Kirkham,Jiminez,Hazzard,Harrod,Graziano,Grammer,Gendron,Garrido,Fordham,Englert,Elwood,Dryden,Demoss,Deluna,Crabb,Comeau,Claudio,Brummett,Blume,Benally,Wessel,Vanbuskirk,Thorson,Stumpf,Stockwell,Rocco,Reams,Radtke,Rackley,Pelton,Niemi,Newland,Nelsen,Morrissette,Miramontes,Mcginley,Mccluskey,Marley,Marchant,Luevano,Lampe,Lail,Jeffcoat,Infante,Hu,Hinman,Gaona,Erb,Eady,Desmarais,Decosta,Dansby,Cisco,Choe,Breckenridge,Bostwick,Borg,Bianchi,Beer,Alberts,Adrian,Wilkie,Whorton,Vargo,Tait,Sylvia,Soucy,Schuman,Ousley,Mumford,Lum,Lippert,Leath,Lavergne,Laliberte,Kirksey,Kenner,Johnsen,Izzo,Hiles,Gullett,Greenwell,Gaspar,Galbreath,Gaitan,Ericson,Duck,Delapaz,Croom,Cottingham,Clift,Bushnell,Boozer,Bice,Bernardo,Beason,Arrowood,Waring,Voorhees,Truax,Shreve,Shockey,Schatz,Sandifer,Rubino,Rozier,Roseberry,Roll,Player,Pieper,Peden,Nester,Nave,Murphey,Malinowski,Macgregor,Liang,Lafrance,Kunkle,Kirkman,Jorge,Hipp,Hasty,Haddix,Gervais,Gerdes,Garfield,Gamache,Fouts,Fitzwater,Dillingham,Deming,Deanda,Cedeno,Cannady,Burson,Bouldin,Arceneaux,Woodhouse,Whitford,Wescott,Welty,Weigel,Torgerson,Toms,Surber,Sunderland,Sterner,Setzer,Salvatore,Riojas,Pumphrey,Puga,Pedro,Patch,Metts,Mcgarry,Mccandless,Magill,Lupo,Loveland,Llamas,Leclerc,Koons,Kahler,Huss,Holbert,Heintz,Haupt,Grimmett,Gaskill,Flower,Ellingson,Dorr,Dingess,Deweese,Desilva,Crossley,Cordeiro,Converse,Conde,Cheeks,Caldera,Cairns,Burmeister,Burkhalter,Brawner,Bott,Youngs,Vierra,Valladares,Tiffany,Shrum,Shropshire,Sevilla,Rusk,Roof,Rodarte,Pedraza,Nino,Montana,Merino,Mcminn,Markle,Mapp,Lucia,Lajoie,Koerner,Kittrell,Kato,Hyder,Hollifield,Heiser,Hazlett,Greenwald,Fant,Eldredge,Dreher,Delafuente,Cravens,Claypool,Beecher,Aronson,Alanis,Worthen,Wojcik,Winger,Whitacre,Wellington,Valverde,Valdivia,Troupe,Thrower,Swindell,Suttles,Suh,Stroman,Spires,Slate,Shealy,Sarver,Sartin,Sadowski,Rondeau,Rolon,Rick,Rex,Rascon,Priddy,Pine,Paulino,Nolte,Munroe,Molloy,Mellon,Mciver,Lykins,Loggins,Lillie,Lenoir,Klotz,Kempf,Jone,Hupp,Hollowell,Hollander,Haynie,Hassan,Harkness,Harker,Gottlieb,Frith,Eddins,Driskell,Doggett,Densmore,Charette,Cassady,Carrol,Byrum,Burcham,Buggs,Benn,Whitted,Warrington,Vandusen,Vaillancourt,Steger,Spell,Siebert,Scofield,Quirk,Purser,Plumb,Orcutt,Northern,Nordstrom,Mosely,Michalski,Mcphail,Mcdavid,Mccraw,Martini,Marchese,Mannino,Leo,Lefevre,Largent,Lanza,Kress,Isham,Hunsaker,Hoch,Hildebrandt,Guarino,Grijalva,Graybill,Fick,Ewell,Ewald,Deangelo,Cusick,Crumley,Coston,Cathcart,Carruthers,Bullington,Brian,Bowes,Blain,Blackford,Barboza,Yingling,Woodland,Wert,Weiland,Varga,Silverstein,Sievers,Shuster,Shumway,Scudder,Runnels,Rumsey,Renfroe,Provencher,Polley,Mohler,Middlebrooks,Kutz,Koster,Korn,Grow,Groth,Glidden,Fazio,Deen,Corn,Copper,Chipman,Chenoweth,Champlin,Cedillo,Carrero,Carmody,Buckles,Brien,Boutin,Bosch,Bill,Berkowitz,Altamirano,Wilfong,Wiegand,Waites,Truesdale,Toussaint,Tobey,Tedder,Steelman,Sirois,Schnell,Robichaud,Ridge,Richburg,Pray,Plumley,Pizarro,Piercy,Ortego,Oberg,Neace,Music,Mickey,Mertz,Mcnew,Matta,Lawyer,Lapp,Lair,Kibler,Jessie,Howlett,Hollister,Hofer,Hatten,Hagler,Germany,Falgoust,Engelhardt,Eberle,Eastwood,Dombrowski,Dinsmore,Daye,Cool,Casares,Capone,Braud,Balch,Autrey,Wendel,Tyndall,Toy,Strobel,Stoltz,Spinelli,Serrato,Rochester,Reber,Real,Rathbone,Palomino,Noah,Nickels,Mayle,Mathers,Mach,Loeffler,Littrell,Levinson,Leong,Lemire,Lejeune,Lazo,Lasley,Koller,Kennard,Jester,Hoelscher,Hintz,Hagerman,Greaves,Fore,Eudy,Engler,Corrales,Cordes,Brunet,Bidwell,Bennet,Bare,Tyrrell,Tharpe,Swinton,Stribling,Steven,Southworth,Sisneros,Shane,Savoie,Samons,Ruvalcaba,Roscoe,Ries,Ramer,Omara,Mosqueda,Millar,Mcpeak,Macomber,Luckey,Litton,Lehr,Lavin,Hubbs,Hoard,Hibbs,Hagans,Futrell,Exum,Evenson,Dicks,Culler,Chou,Carbaugh,Callen,Brashear,Bloomer,Blakeney,Bigler,Addington,Woodford,Witter,Unruh,Tolentino,Sumrall,Stgermain,Smock,Sherer,Salem,Rochelle,Rayner,Pooler,Oquinn,Nero,Milano,Mcglothlin,Mars,Linden,Kowal,Kerrigan,Ibrahim,Harvell,Hanrahan,Goodall,Geist,Fussell,Fung,Ferebee,Federico,Eley,Eggert,Dorsett,Dingman,Destefano,Colucci,Clemmer,Caesar,Burnell,Brumbaugh,Boddie,Berryhill,Avelar,Alcantara,Abbey,Winder,Winchell,Vandenberg,Trotman,Thurber,Thibeault,Stlouis,Stilwell,Sperling,Shattuck,Sarmiento,Ruppert,Rumph,Renaud,Randazzo,Rademacher,Quiles,Pearman,Palomo,Mercurio,Lowrey,Lindeman,Lawlor,Larosa,Lander,Labrecque,Kimber,Hovis,Holifield,Henninger,Hawkes,Hartfield,Hann,Hague,Genovese,Garrick,Fudge,Frink,Eddings,Dinh,Dear,Cutter,Cribbs,Constant,Calvillo,Bunton,Brodeur,Bolding,Blanding,Agosto,Zahn,Wiener,Trussell,Tew,Tello,Teixeira,Stephan,Speck,Sharma,Shanklin,Sealy,Scanlan,Santamaria,Roundy,Robichaux,Ringer,Rigney,Prevost,Polson,Philip,Pass,Nord,Moxley,Mohammed,Medford,Mccaslin,Mcardle,Macarthur,Lewin,Lasher,Ketcham,Keiser,Heine,Hackworth,Grose,Grizzle,Grass,Gillman,Gartner,Garth,Frazee,Fleury,Fast,Edson,Edmonson,Derry,Deck,Cronk,Conant,Burress,Burgin,Broom,Brockington,Bolick,Boger,Birchfield,Billington,Baily,Bahena,Armbruster,Anson,Yoho,Wilcher,Tinney,Timberlake,Thoma,Thielen,Sutphin,Stultz,Sikora,Serra,Schulman,Scheffler,Santillan,Robin,Rego,Preciado,Pinkham,Monday,Mickle,Luu,Lomas,Lizotte,Lent,Lenard,Kellerman,Keil,Juan,Johanson,Hernadez,Hartsfield,Hang,Haber,Gorski,Farkas,Eberhardt,Duquette,Delano,Cropper,Cozart,Cockerham,Chamblee,Cartagena,Cahoon,Buzzell,Brister,Brewton,Blackshear,Benfield,Aston,Ashburn,Arruda,Wetmore,Weise,Vaccaro,Tucci,Sudduth,Stromberg,Stoops,Showalter,Shears,Runion,Rowden,Rosenblum,Riffle,Renfrow,Peres,Obryant,Nicolas,Leftwich,Lark,Landeros,Kistler,Killough,Kerley,Kastner,Hoggard,Hartung,Guertin,Govan,Gatling,Gailey,Fullmer,Fulford,Flatt,Esquibel,Endicott,Edmiston,Edelstein,Dufresne,Dressler,Dickman,Chee,Busse,Bonnett,Bogart,Berard,Barrington,Arena,Anton,Yoshida,Velarde,Veach,Vanhouten,Vachon,Tolson,Tolman,Tennyson,Stites,Soler,Shutt,Ruggles,Rhone,Pegues,Ong,Neese,Muro,Moncrief,Mefford,Mcphee,Mcmorris,Mceachern,Mcclurg,Mansour,Mai,Mader,Leija,Lecompte,Lafountain,Labrie,Jaquez,Heald,Hash,Hartle,Gainer,Frisby,Farina,Eidson,Edgerton,Dyke,Durrett,Duhon,Cuomo,Cobos,Cervantez,Bybee,Brockway,Borowski,Binion,Beery,Arguello,Amaro,Acton,Yuen,Winton,Wigfall,Weekley,Vidrine,Vannoy,Tardiff,Shoop,Shilling,Schick,Sand,Safford,Prendergast,Pilgrim,Pellerin,Osuna,Nissen,Nalley,Moritz,Moller,Messner,Messick,Merry,Merrifield,Mcguinness,Matherly,Marcano,Mahone,Lemos,Lebrun,Jara,Hoffer,Hewlett,Herren,Hecker,Haws,Haug,Hack,Gwin,Gober,Gilliard,Fredette,Favela,Echeverria,Downer,Donofrio,Desrochers,Dee,Crozier,Corson,Clyde,Bechtold,Argueta,Aparicio,Zamudio,Willette,Westover,Westerman,Utter,Troyer,Thies,Tapley,Slavin,Shirk,Sandler,Roop,Rimmer,Raymer,Range,Radcliff,Otten,Moorer,Millet,Mckibben,Mccutchen,Mcavoy,Mcadoo,Mayorga,Mastin,Martineau,Marek,Madore,Leflore,Kroeger,Kennon,Jimerson,Javier,Hostetter,Hornback,Hendley,Hance,Guardado,Granado,Gowen,Goodale,Flinn,Fleetwood,Fitz,Durkee,Duprey,Dipietro,Dilley,Clyburn,Brawley,Beckley,Arana,Weatherby,Vollmer,Victoria,Vestal,Tunnell,Trigg,Tingle,Takahashi,Sweatt,Storer,Snapp,Shiver,Rooker,Red,Rathbun,Poisson,Perrine,Perri,Pastor,Parmer,Parke,Pare,Papa,Palmieri,Nottingham,Midkiff,Mecham,Mccomas,Mcalpine,Lovelady,Lillard,Lally,Knopp,Kile,Kiger,Haile,Gupta,Goldsberry,Gilreath,Fulks,Friesen,Franzen,Flack,Findlay,Ferland,Dreyer,Dore,Dennard,Deckard,Debose,Crim,Coulombe,Cork,Chancey,Cantor,Branton,Bissell,Barns,Woolard,Witham,Wasserman,Waldo,Spiegel,Shoffner,Scholz,Ruch,Rossman,Ready,Petry,Palacio,Paez,Neary,Mortenson,Millsap,Miele,Mick,Menke,Mckim,Mcanally,Martines,Manor,Malcom,Lemley,Larochelle,Klaus,Klatt,Kaufmann,Kapp,Helmer,Hedge,Halloran,Glisson,Frechette,Fontana,Enoch,Eagan,Drum,Distefano,Danley,Creekmore,Chartier,Chaffee,Carillo,Burg,Bolinger,Berkley,Benz,Basso,Bash,Barrier,Zelaya,Woodring,Witkowski,Wilmot,Wilkens,Wieland,Virgil,Verdugo,Urquhart,Tsai,Timms,Swiger,Swaim,Sussman,Scarlett,Pires,Molnar,Mcatee,Maurice,Lowder,Loos,Linker,Landes,Kingery,Keeley,Hufford,Higa,Hendren,Hammack,Hamann,Gillam,Gerhardt,Fell,Eugene,Edelman,Eby,Delk,Deans,Curl,Constantine,Cleaver,Claar,Casiano,Carruth,Carlyle,Bump,Brophy,Bolanos,Bibbs,Bessette,Beggs,Baugher,Bartel,Averill,Andresen,Amin,Alden,Adames,Wildman,Via,Valente,Turnbow,Tse,Swink,Sublett,Stroh,Stringfellow,Ridgway,Pugliese,Poteat,Pang,Ohare,Neubauer,Murchison,Mohamed,Mingo,Lucky,Lemmons,Kwon,Kellam,Kean,Jarmon,Hyden,Hudak,Hollinger,Henkel,Hemingway,Hasson,Hansel,Halter,Haire,Goodnight,Ginsberg,Gillispie,Fogel,Flory,Etter,Elledge,Eckman,Deas,Currin,Crafton,Coomer,Colter,Claxton,Bulter,Braddock,Bowyer,Blizzard,Binns,Bing,Bellows,Baskerville,Barros,Ansley,Woolf,Wight,Waldman,Wadley,Tull,Trull,Tesch,Struck,Stouffer,Stadler,Slay,Shubert,Sedillo,Santacruz,Reinke,Raleigh,Poynter,Neri,Neale,Natividad,Mowry,Moralez,Monger,Mitchum,Merryman,Manion,Macdougall,Lux,Litchfield,Ley,Levitt,Lepage,Lasalle,Laine,Khoury,Kavanagh,Karns,Ivie,Huebner,Hodgkins,Halpin,Garica,Eversole,Dutra,Dunagan,Duffey,Dillman,Dillion,Deville,Dearborn,Damato,Courson,Coulson,Burdine,Bryce,Bousquet,Bonin,Bish,Atencio,Westbrooks,Wages,Vaca,Tye,Toner,Tomas,Tillis,Swett,Surface,Struble,Stanfill,Son,Solorzano,Slusher,Sipple,Sim,Silvas,Shults,Schexnayder,Saez,Rodas,Rager,Pulver,Plaza,Penton,Paniagua,Meneses,Mcfarlin,Mcauley,Matz,Maloy,Magruder,Lohman,Landa,Lacombe,Jaimes,Hom,Holzer,Holst,Heil,Hackler,Grundy,Gregor,Gilkey,Farnham,Durfee,Dunton,Dunston,Duda,Dews,Dana,Craver,Corriveau,Conwell,Colella,Chambless,Bremer,Boutte,Bourassa,Blaisdell,Backman,Babineaux,Audette,Alleman,Towner,Taveras,Tarango,Sullins,Suiter,Stallard,Solberg,Schlueter,Poulos,Pimental,Owsley,Olivier,Okelley,Nations,Moffatt,Metcalfe,Meekins,Medellin,Mcglynn,Mccowan,Marriott,Marable,Lennox,Lamoureux,Koss,Kerby,Karp,Jason,Isenberg,Howze,Hockenberry,Highsmith,Harbour,Hallmark,Gusman,Greeley,Giddings,Gaudet,Gallup,Fleenor,Eicher,Edington,Dimaggio,Dement,Demello,Decastro,Cruise,Bushman,Brundage,Brooker,Brooke,Bourg,Board,Blackstock,Bergmann,Beaton,Banister,Argo,Appling,Wortman,Watterson,Villalpando,Tillotson,Tighe,Sundberg,Sternberg,Stamey,Speaks,Shipe,Seeger,Scarberry,Sattler,Sain,Rothstein,Poteet,Plowman,Pettiford,Penland,Peach,Partain,Pankey,Oyler,Ogletree,Ogburn,Moton,Million,Merkel,Mask,Markus,Lucier,Lazarus,Lavelle,Lakey,Kratz,Kinser,Kershaw,Josephson,Jesse,Imhoff,Ibanez,Hendry,Hammon,Frisbie,Friedrich,Frawley,Fraga,Forester,Eskew,Emmert,Drennan,Doyon,Dominick,Dandridge,Cumming,Cawley,Carvajal,Bracey,Belisle,Batey,Ahner,Wysocki,Weiser,Veliz,Tincher,Sherlock,Santo,Sansone,Sankey,Sandstrom,Sale,Rohrer,Risner,Pridemore,Pfeffer,Persinger,Peery,Oubre,Orange,Nowicki,Musgrave,Murdoch,Mullinax,Mccary,Mathieu,Livengood,Leonardo,Kyser,Klink,Kimes,Kellner,Kavanaugh,Kasten,Imes,Hoey,Hinshaw,Halley,Hake,Gurule,Grube,Grillo,Geter,Gatto,Garver,Garretson,Farwell,Eiland,Dunford,Decarlo,Corso,Core,Colman,Collard,Cleghorn,Chasteen,Cavender,Carlile,Calvo,Byerly,Brogdon,Broadwater,Breault,Bono,Bergin,Behr,Ballenger,Amick,Yan,Vice,Tamez,Stiffler,Steinke,Simmon,Shankle,Schaller,Salmons,Sackett,Saad,Rideout,Reader,Ratcliffe,Rao,Ranson,Randell,Plascencia,Petterson,Olszewski,Olney,Olguin,Nilsson,Nevels,Morelli,Montiel,Monge,Michell,Michaelson,Mertens,Mcchesney,Mcalpin,Mathewson,Lower,Loudermilk,Lineberry,Liggett,Lamp,Kinlaw,Kight,Just,Jost,Hereford,Hardeman,Halpern,Halliday,Hafer,Gaul,Friel,Freitag,Frances,Forsberg,Evangelista,Doering,Dicarlo,Dendy,Delp,Deguzman,Dameron,Curtiss,Cousin,Cosper,Charley,Cauthen,Cao,Camper,Bradberry,Bouton,Bonnell,Bixby,Bieber,Beveridge,Belle,Bedwell,Barhorst,Bannon,Baltazar,Baier,Ayotte,Attaway,Arenas,Alex,Abrego,Watford,Valley,Turgeon,Tunstall,Thaxton,Thai,Tenorio,Stotts,Sthilaire,Spiker,Shedd,Seng,Seabolt,Scalf,Salyers,Ruhl,Rowlett,Robinett,Pfister,Perlman,Pepe,Parkman,Paradise,Olin,Nunnally,Norvell,Napper,Modlin,Mckellar,Mcclean,Mascarenas,Manchester,Leibowitz,Ledezma,Kuhlman,Kobayashi,Hunley,Holmquist,Hinkley,Hazard,Hartsell,Gribble,Gravely,Fifield,Eliason,Doctor,Doak,Crossland,Cover,Clair,Carleton,Butters,Bridgeman,Bojorquez,Boggess,Banker,Auten,Woosley,Wine,Whiteley,Wexler,Twomey,Tullis,Townley,To,Standridge,Stamp,Springs,Santoyo,Rueda,Riendeau,Revell,Pless,Ottinger,Nigro,Nickles,Mulvey,Menefee,Mcshane,Mcloughlin,Mckinzie,Marrow,Markey,Mariano,Lockridge,Lipsey,Knisley,Knepper,Kitts,Kiel,Jinks,Hathcock,Godin,Gallego,Fikes,Fecteau,Estabrook,Ellinger,Dustin,Dunlop,Dudek,Diego,Countryman,Chauvin,Chatham,Bullins,Brownfield,Boughton,Bloodworth,Bibb,Baucom,Barbieri,Aubin,Armitage,Alessi,Absher,Abbate,Zito,Woolery,Wiggs,Wacker,Violette,Tynes,Tolle,Telles,Tarter,Swarey,Strode,Stockdale,Stella,Stalnaker,Spina,Schiff,Saari,Risley,Reading,Rameriz,Rakes,Pettaway,Penner,Paulus,Palladino,Omeara,Montelongo,Melnick,Mehta,Mcgary,Mccourt,Mccollough,Marchetti,Manzanares,Lowther,Leiva,Lauderdale,Lafontaine,Kowalczyk,Knighton,Joubert,Jaworski,Ide,Huth,Hurdle,Hung,Housley,Hackman,Gulick,Gordy,Gilstrap,Gehrke,Gebhart,Gaudette,Foxworth,Finger,Essex,Endres,Dunkle,Clare,Cimino,Cardinal,Caddell,Brauer,Braley,Bodine,Blackmore,Belden,Backer,Ayer,Andress,Alva,Wisner,Walk,Vuong,Valliere,Twigg,Tso,Tavarez,Strahan,Steib,Staub,Sowder,Shoulders,Seiber,Schutt,Scharf,Schade,Rodriques,Risinger,Renshaw,Rath,Rahman,Presnell,Pillow,Piatt,Pasquale,Nieman,Nicol,Nevins,Milford,Mcilwain,Mcgaha,Mccully,Mccomb,Maye,Massengale,Macedo,Lines,Lesher,Leland,Kearse,Jauregui,Husted,Hudnall,Holmberg,Hertel,Hershey,Hardie,Glidewell,Frausto,Fassett,Dash,Dalessandro,Dahlgren,Corum,Constantino,Conlin,Colquitt,Colombo,Claycomb,Carley,Cardin,Cancel,Buller,Boring,Boney,Bocanegra,Blazer,Biggers,Benedetto,Araiza,Andino,Albin,Zorn,Werth,Weisman,Walley,Vanegas,Ulibarri,Towers,Towe,Tedford,Teasley,Suttle,Steffens,Stcyr,Squire,Smythe,Singley,Sifuentes,Shuck,Session,Schram,Sass,Rieger,Ridenhour,Rickert,Richerson,Rayborn,Rabe,Raab,Pendley,Pastore,Ordway,Moynihan,Mellott,Mckissick,Mcgann,Mccready,Mauney,Marrufo,List,Lenhart,Lazar,Lafave,Keele,Kautz,Jardine,Jahnke,Jacobo,Hord,Hardcastle,Hageman,Griffey,Giglio,Gehring,Fortson,Duque,Duplessis,Donner,Dicken,Derosier,Deitz,Dalessio,Cyrus,Cram,Chi,Center,Castleman,Candelario,Callison,Caceres,Bozarth,Biles,Bejarano,Beech,Bashaw,Avina,Armentrout,Angus,Alverez,Acord,Zack,Waterhouse,Vereen,Vanlandingham,Uhl,Strawser,Shotwell,Severance,Seltzer,Schoonmaker,Schock,Schaub,Schaffner,Roeder,Rodrigez,Riffe,Rhine,Rasberry,Rancourt,Railey,Quade,Pursley,Prouty,Perdomo,Oxley,Osterman,Nickens,Murphree,Mounts,Monte,Merida,Maus,Mattern,Masse,Martinelli,Mangan,Lutes,Ludwick,Loney,Laureano,Lasater,Knighten,Kissinger,Kimsey,Kessinger,Honea,Hollingshead,Hockett,Heyer,Heron,Gurrola,Gove,Glasscock,Gillett,Galan,Featherstone,Eckhardt,Duron,Dunson,Dasher,Culbreth,Cowden,Cowans,Claypoole,Churchwell,Chabot,Caviness,Cater,Caston,Callan,Byington,Burkey,Boden,Beckford,Atwater,Arms,Archambault,Alvey,Alsup,Yon,Whisenant,Weese,Voyles,Verret,Tsang,Tessier,Sweitzer,Sherwin,Shaughnessy,Revis,Remy,Prine,Philpott,Peavy,Paynter,Parmenter,Ovalle,Offutt,Nightingale,Newlin,Nakano,Myatt,Muth,Mohan,Mcmillon,Mccarley,Mccaleb,Maxson,Marinelli,Maley,Macy,Liston,Letendre,Kain,Huntsman,Hirst,Hagerty,Gulledge,Greenway,Grajeda,Gorton,Goines,Gittens,Frederickson,Fanelli,Embree,Eichelberger,Dunkin,Dull,Dixson,Dillow,Defelice,Chumley,Burleigh,Borkowski,Binette,Biggerstaff,Berglund,Beller,Audet,Arbuckle,Allain,Alfano,Zander,Youngman,Wittman,Weintraub,Vanzant,Vaden,Twitty,Trader,Toon,Till,Stollings,Standifer,Spinner,Sines,Shope,Scalise,Saville,Romans,Posada,Pisano,Otte,Nolasco,Napoli,Mier,Merkle,Mendiola,Melcher,Mejias,Mcmurry,Mccalla,Markowitz,Marine,Manis,Mallette,Macfarlane,Lough,Looper,Landin,Kittle,Kinsella,Kinnard,Hobart,Herald,Helman,Hellman,Hartsock,Halford,Hage,Gordan,Glasser,Gayton,Gattis,Gastelum,Gaspard,Frisch,Force,Fitzhugh,Eckstein,Eberly,Dowden,Despain,Crumpler,Crotty,Cornelison,Collin,Colin,Chouinard,Chamness,Catlin,Cann,Bumgardner,Budde,Branum,Bradfield,Braddy,Borst,Birdwell,Bent,Bazan,Bank,Banas,Bade,Aubrey,Arango,Ahearn,Addis,Zumwalt,Wurth,Wilk,Widener,Wagstaff,Vella,Urrutia,Terwilliger,Tart,Steinman,Staats,Sloat,Rives,Riggle,Revels,Reichard,Prickett,Poff,Pitzer,Petro,Pell,Northrup,Nicks,Moline,Mielke,Maynor,Mallon,Magness,Lingle,Lindell,Lieb,Lesko,Lebeau,Lammers,Lafond,Kiernan,Ketron,Jurado,Holmgren,Hilburn,Hayashi,Hashimoto,Harbaugh,Hans,Guillot,Gard,Froehlich,Felipe,Feinberg,Falco,Dufour,Drees,Doney,Diep,Delao,Daves,Dail,Cutting,Crowson,Coss,Congdon,Carner,Camarena,Butterworth,Burlingame,Bouffard,Bloch,Bilyeu,Barta,Bakke,Baillargeon,Avent,Aquilar,Ake,Aho,Zeringue,Yeh,Yarber,Wolfson,Wendell,Vogler,Voelker,Truss,Troxell,Thrift,Strouse,Spielman,Sistrunk,Shows,Sevigny,Schuller,Schaaf,Ruffner,Routh,Roseman,Ricciardi,Peraza,Pegram,Overturf,Olander,Odaniel,Neu,Millner,Melchor,Maxie,Marvel,Maroney,Machuca,Macaluso,Livesay,Layfield,Laskowski,Kwiatkowski,Ko,Kiley,Kilby,Julien,Hovey,Heywood,Hayman,Havard,Harville,Haigh,Hagood,Grieco,Glassman,Gebhardt,Garry,Freeze,Fleischer,Fann,Elson,Eccles,Cunha,Crumb,Crew,Blakley,Bardwell,Abshire,Woodham,Wines,Welter,Wargo,Varnado,Tutt,Traynor,Swaney,Svoboda,Stricker,Stoffel,Stambaugh,Sickler,Shackleford,Selman,Seaver,Sansom,Sanmiguel,Royston,Rourke,Rockett,Rioux,Puleo,Pitchford,Persons,Normand,Nardi,Mulvaney,Middaugh,Manners,Malek,Lodge,Leos,Lathan,Kujawa,Kimbro,Killebrew,Joshua,Houlihan,Hobby,Hinckley,Herod,Hepler,Hamner,Hammel,Hallowell,Gonsalez,Gingerich,Gambill,Funkhouser,Fricke,Fewell,Falkner,Endsley,Dulin,Drennen,Deaver,Dambrosio,Clover,Chadwell,Ceasar,Castanon,Canon,Burkes,Brune,Brisco,Brinker,Bowker,Boldt,Berner,Bee,Beaumont,Beaird,Bazemore,Barrick,Arnette,Albano,Younts,Wunderlich,Weidman,Vanness,Tu,Toland,Theobald,Stickler,Steiger,Stanger,Spies,Spector,Sollars,Smedley,Seibel,Scoville,Saito,Rye,Rummel,Rude,Rowles,Rouleau,Roos,Rogan,Roemer,Ream,Raya,Purkey,Priester,Perreira,Penick,Paulin,Parkins,Overcash,Oleson,Nicely,Neves,Muldrow,Minard,Midgett,Michalak,Melgar,Mcentire,Mcauliffe,Marti,Marte,Lydon,Lindholm,Leyba,Leader,Langevin,Lagasse,Lafayette,Kesler,Kelton,Kao,Kaminsky,Jump,Jaggers,Humbert,Huck,Howarth,Hinrichs,Higley,Gupton,Guimond,Gravois,Giguere,Fretwell,Fontes,Feeley,Faucher,Fall,Evan,Eichhorn,Ecker,Earp,Dole,Dinger,Derryberry,Demars,Deel,Copenhaver,Collinsworth,Colangelo,Cloyd,Claiborne,Caulfield,Carlsen,Calzada,Caffey,Broadus,Brenneman,Bouie,Bodnar,Blaney,Blanc,Blades,Beltz,Behling,Begin,Barahona,Yun,Yockey,Winkle,Windom,Wimer,Wilford,Wash,Villatoro,Trexler,Teran,Taliaferro,Sydnor,Swinson,Snelling,Smtih,Siu,Simonton,Simoneaux,Simoneau,Sherrer,Seavey,Scheel,Rushton,Rupe,Ruano,Rodney,Rippy,Reiner,Reiff,Rabinowitz,Quach,Penley,Odle,Nock,Minnich,Mckown,Mccarver,Mcandrew,Longley,Laux,Lamothe,Lafreniere,Kropp,Krick,Kates,Jepson,Huie,Howse,Howie,Henriques,Haydon,Haught,Hatter,Hartzog,Harkey,Grimaldo,Goshorn,Gormley,Gluck,Gilroy,Gillenwater,Giffin,Folks,Fluker,Feder,Eyre,Eshelman,Eakins,Dryer,Disney,Detwiler,Delrosario,Davisson,Celestine,Catalan,Canning,Calton,Buster,Brammer,Botelho,Blakney,Bartell,Averett,Askins,Aker,Zak,Worcester,Witmer,Wiser,Winkelman,Widmer,Whittier,Western,Weitzel,Wardell,Wagers,Ullman,Tupper,Tingley,Tilghman,Talton,Simard,Seda,Scheller,Sala,Rundell,Rost,Roa,Ribeiro,Rabideau,Primm,Porch,Polite,Pinon,Peart,Ostrom,Ober,Nystrom,Nussbaum,Nurse,Naughton,Murr,Moorhead,Monti,Monteiro,Melson,Meissner,Mclin,Mcgruder,Marotta,Makowski,Majewski,Madewell,Lunt,Lukens,Leininger,Lebel,Lakin,Laguna,Kepler,Jaques,Hunnicutt,Hungerford,Hoopes,Hertz,Heins,Hammers,Halliburton,Grosso,Gravitt,Glasper,Gideon,Gallman,Gallaway,Funke,Fulbright,Falgout,Eakin,Dostie,Dorado,Dewberry,Derose,Cutshall,Crampton,Costanzo,Colletti,Cloninger,Claytor,Chiang,Canterbury,Campagna,Burd,Brokaw,Broaddus,Bretz,Brainard,Binford,Bilbrey,Alpert,Aitken,Ahlers,Zajac,Yale,Woolfolk,Witten,Windle,Wayland,Tramel,Tittle,Talavera,Suter,Straley,Stetson,Specht,Sommerville,Soloman,So,Skeens,Sigman,Sibert,Shavers,Schuck,Schmit,Sartain,Sabol,Rosenblatt,Rollo,Rashid,Rabb,Province,Polston,Nyberg,Northrop,Navarra,Muldoon,Mulder,Mikesell,Mcdougald,Mcburney,Mauricio,Mariscal,Lui,Lozier,Lingerfelt,Legere,Latour,Lagunas,Lacour,Kurth,Ku,Killen,Kiely,Kayser,Kahle,Julius,Isley,Huertas,Hower,Hinz,Haugh,Gumm,Given,Galicia,Fortunato,Flake,Dunleavy,Duggins,Doby,Digiovanni,Devaney,Deltoro,Cribb,Crank,Corpuz,Coronel,Comfort,Coen,Charbonneau,Caine,Burchette,Blakey,Blakemore,Bergquist,Beene,Beaudette,Bayles,Ballance,Bakker,Bailes,Asberry,Arwood,Zucker,Willman,Whitesell,Wald,Walcott,Vancleave,Trump,Trail,Strasser,Simas,Shorts,Shick,Schleicher,Schaal,Saleh,Rotz,Resnick,Raphael,Rainer,Partee,Ollis,Oller,Oday,Noles,Munday,Mountain,Mong,Millican,Merwin,Mazzola,Mansell,Magallanes,Llanes,Lewellen,Lepore,Kisner,Keesee,Jim,Jeanlouis,Ingham,Hornbeck,Hermes,Hawn,Hartz,Harber,Haffner,Gutshall,Guth,Grays,Grams,Gowan,Finlay,Finkelstein,Eyler,Enloe,Dungan,Diez,Dearman,Dann,Cull,Crosson,Creek,Chronister,Cassity,Campion,Callihan,Butz,Breazeale,Blumenthal,Billy,Berkey,Batty,Batton,Barge,Arvizu,Alexis,Alderete,Aldana,Albaugh,Abernethy,Work,Wolter,Wille,Tweed,Tollefson,Thomasson,Teter,Testerman,Sproul,Spates,Southwick,Soukup,Skelly,Senter,Sealey,Sawicki,Sargeant,Rossiter,Rosemond,Repp,Pound,Pink,Pifer,Ormsby,Nickelson,Naumann,Morabito,Monzon,Millsaps,Millen,Mcelrath,Marcoux,Mantooth,Madson,Macneil,Mackinnon,Louque,Leister,Lampley,Kushner,Krouse,Kirwan,June,Jessee,Janson,Jahn,Jacquez,Islas,Hutt,Holladay,Hillyer,Hepburn,Hensel,Harrold,Guadalupe,Gingrich,Geis,Gales,Fults,Finnell,Ferri,Featherston,Epley,Ebersole,Eames,Dunigan,Drye,Dismuke,Devaughn,Delorenzo,Damiano,Confer,Collum,Clower,Clow,Claussen,Clack,Caylor,Cawthon,Casias,Carreno,Carlo,Bluhm,Bingaman,Bewley,Belew,Beckner,Beamer,Barefoot,Auld,Amey,Wolfenbarger,Wilkey,Wicklund,Waltman,Villalba,Valero,Valdovinos,Ung,Ullrich,Tyus,Twyman,Trost,Tardif,Tanguay,Stripling,Steinbach,Shumpert,Sasaki,Sappington,Sandusky,Reinhold,Reinert,Quijano,Pye,Poor,Placencia,Pinkard,Phinney,Perrotta,Pernell,Parrett,Oxendine,Owensby,Orman,Nuno,Mori,Mcroberts,Mcneese,Mckamey,Mccullum,Markel,Mardis,Maines,Lueck,Lubin,Lefler,Leffler,Lavery,Larios,Labarbera,Kershner,Josey,Jeanbaptiste,Izaguirre,Hermosillo,Haviland,Hartshorn,Hamlet,Hafner,Ginter,Getty,Franck,Fiske,Emmett,Dufrene,Doody,Davie,Dangerfield,Dahlberg,Cuthbertson,Crone,Coffelt,Claus,Chidester,Chesson,Cauley,Caudell,Cantara,Campo,Caines,Bullis,Bucci,Brochu,Bosco,Bogard,Bickerstaff,Benning,Arzola,Antonelli,Adkinson,Zellers,Wulf,Worsley,Woolridge,Whitton,Westerfield,Walczak,Vassar,Truett,Trueblood,Trawick,Townsley,Topping,Tobar,Telford,Sung,Steverson,Stagg,Sitton,Sill,Sherrell,Sergent,Schoenfeld,Sarabia,Rutkowski,Rubenstein,Rigdon,Prentiss,Pomerleau,Plumlee,Phoenix,Philbrick,Peer,Patty,Patnode,Oloughlin,Obregon,Nuss,Napoleon,Morell,Moose,Mikell,Mele,Mcinerney,Mcguigan,Mcbrayer,Lore,Lor,Look,Lollar,Lakes,Kuehl,Kinzer,Kamp,Joplin,Jacobi,Howells,Holstein,Hedden,Hassler,Harty,Halle,Greig,Granville,Gouge,Goodrum,Gerhart,Geier,Geddes,Gast,Forehand,Ferree,Fendley,Feltner,Fang,Esqueda,Encarnacion,Eichler,Egger,Edmundson,Eatmon,Dragon,Doud,Donohoe,Donelson,Dilorenzo,Digiacomo,Diggins,Delozier,Dejong,Danford,Crippen,Coppage,Cogswell,Clardy,Cioffi,Cabe,Brunette,Bresnahan,Bramble,Blomquist,Blackstone,Biller,Bevis,Bevan,Bethune,Benbow,Baty,Basinger,Balcom,Andes,Aman,Aguero,Adkisson,Yandell,Wilds,Whisenhunt,Weigand,Weeden,Voight,Villar,Trottier,Tillett,Suazo,Setser,Scurry,Schuh,Schreck,Schauer,Samora,Roane,Rinker,Reimers,Reason,Ratchford,Popovich,Parkin,Nichol,Natal,Melville,Mcbryde,Magdaleno,Loehr,Lockman,Lingo,Leduc,Larocca,Lao,Lamere,Laclair,Krall,Korte,Koger,Jumper,Jalbert,Hughs,Higbee,Henton,Heaney,Haith,Gump,Greeson,Goodloe,Gholston,Gasper,Gagliardi,Fregoso,Farthing,Fabrizio,Ensor,Elswick,Elgin,Eklund,Eaddy,Drouin,Dorton,Dizon,Derouen,Delia,Deherrera,Davy,Dark,Dampier,Cullum,Culley,Cowgill,Cardoso,Cardinale,Brodsky,Broadbent,Brimmer,Briceno,Branscum,Bolyard,Boley,Bennington,Beadle,Baur,Ballentine,Azure,Aultman,Augustus,Asuncion,Arciniega,Aguila,Aceves,Yepez,Yap,Woodrum,Wethington,Weissman,Veloz,Trusty,Troup,Trammel,Theodore,Tarpley,Stivers,Steck,Sprayberry,Spraggins,Spitler,Spiers,Sohn,Seagraves,Schiffman,Rudnick,Rizo,Riccio,Rennie,Quinton,Quackenbush,Puma,Plott,Pearcy,Parada,Paiz,Munford,Moskowitz,Mease,Mcnary,Mccusker,Matt,Lozoya,Longmire,Loesch,Lasky,Kuhlmann,Krieg,Koziol,Kowalewski,Konrad,Kindle,Jowers,Jolin,Jaco,Hua,Horgan,Hine,Hileman,Hepner,Heise,Heady,Hawkinson,Hannigan,Haberman,Guilford,Grimaldi,Gilles,Garton,Gagliano,Fruge,Follett,Fiscus,Ferretti,Ebner,Easterday,Eanes,Dirks,Dimarco,Depalma,Deforest,Dance,Cruce,Craighead,Christner,Candler,Cadwell,Burchell,Buettner,Brinton,Breed,Brazier,Brannen,Brame,Bova,Bomar,Blakeslee,Belknap,Bangs,Balzer,Athey,Armes,Alvis,Alverson,Alvardo,Alter,Zhao,Yeung,Yen,Wheelock,Westlund,Wessels,Volkman,Threadgill,Thelen,Tandy,Tague,Ta,Symons,Swinford,Sturtevant,Straka,Stier,Stagner,Segarra,Seawright,Sack,Rutan,Roux,Ringler,Riker,Ramsdell,Quattlebaum,Purifoy,Poulson,Permenter,Peloquin,Pasley,Pagel,Osman,Obannon,Nygaard,Nipper,Newcomer,Munos,Motta,Meadors,Mcquiston,Mcniel,Mcmann,Mccrae,Mayne,Matte,Martine,Lucy,Legault,Lechner,Lack,Kucera,Krohn,Kratzer,Koopman,Judson,Jeske,Horrocks,Homes,Hock,Hibbler,Hesson,Hersh,Harvin,Halvorsen,Griner,Grindle,Glen,Gladstone,Garofalo,Frampton,Forbis,Fernando,Eddington,Diorio,Dingus,Dewar,Desalvo,Curcio,Creasy,Cortese,Cordoba,Connally,Cluff,Cascio,Capuano,Canaday,Calabro,Bussard,Brayton,Borja,Bigley,Arnone,Arguelles,Acuff,Zamarripa,Wooton,Wolfgang,Widner,Wideman,Threatt,Thiele,Templin,Teeters,Synder,Swint,Swick,Sturges,Stogner,Stedman,Spratt,Six,Siegfried,Shetler,Scull,Savino,Sather,Rothwell,Rook,Rone,Rolf,Rhee,Quevedo,Privett,Pouliot,Poche,Pickel,Petrillo,Pellegrini,Peaslee,Partlow,Otey,Nunnery,Morelock,Morello,Meunier,Messinger,Mckie,Mccubbin,Mccarron,Maria,Lerch,Lavine,Laverty,Lariviere,Lamkin,Kugler,Krol,Kissel,Keeter,Hummer,Hubble,Hickox,Hetzel,Hayner,Hagy,Hadlock,Groh,Gregorio,Gottschalk,Goodsell,Gloria,Gerry,Gassaway,Garrard,Galligan,Fye,Firth,Fenderson,Feinstein,Etienne,Engleman,Emrick,Ellender,Drews,Doiron,Degraw,Deegan,Dart,Crissman,Corr,Cookson,Coil,Cleaves,Charest,Chapple,Chaparro,Castano,Carpio,Byer,Bufford,Bridgewater,Bridgers,Brandes,Borrero,Bonanno,Aube,Ancheta,Abarca,Abad,Yung,Yim,Wooster,Woodrow,Wimbush,Willhite,Willams,Wigley,Weisberg,Wardlaw,Vigue,Vanhook,Unknow,Torre,Tasker,Tarbox,Strachan,Standard,Slover,Shamblin,Semple,Schuyler,Schrimsher,Sayer,Salzman,Salomon,Rubalcava,Riles,Rickey,Reneau,Reichel,Rayfield,Rabon,Pyatt,Prindle,Poss,Polito,Plemmons,Pesce,Perrault,Pereyra,Ostrowski,Nilsen,Niemeyer,Nick,Munsey,Mundell,Moncada,Miceli,Meader,Mcmasters,Mckeehan,Matsumoto,Marron,Marden,Lizarraga,Lingenfelter,Lewallen,Laurence,Langan,Lamanna,Kovac,Kinsler,Kephart,Keown,Kass,Kammerer,Jeffreys,Hysell,Householder,Hosmer,Hardnett,Hanner,Guyette,Greening,Glazer,Ginder,Fromm,Fortuna,Fluellen,Finkle,Fey,Fessler,Essary,Eisele,Duren,Dittmer,Crochet,Cosentino,Cogan,Coelho,Cavin,Carrizales,Campuzano,Brough,Bow,Bopp,Bookman,Bobb,Blouin,Beesley,Battista,Bascom,Bakken,Badgett,Arneson,Anselmo,Albino,Ahumada,Agustin,Woodyard,Wolters,Wireman,Wilton,Willison,Warman,Wan,Waldrup,Vowell,Vantassel,Vale,Twombly,Toomer,Tennison,Teets,Tedeschi,Swanner,Swallow,Stutz,Stelly,Sheehy,Schermerhorn,Scala,Sandidge,Salters,Salo,Saechao,Roseboro,Rolle,Ressler,Renz,Renn,Redford,Raposa,Rainbolt,Pompey,Pelfrey,Orndorff,Oney,Nolin,Nimmons,Ney,Nardone,Myhre,Morman,Mines,Menjivar,Mcglone,Mccammon,Maxon,Maris,Marciano,Manus,Maiden,Lowrance,Lorenzen,Lonergan,Lollis,Littles,Lindahl,Lansing,Lamas,Lach,Kuster,Krawczyk,Knuth,Knecht,Kirkendall,Keitt,Keever,Kantor,Jarboe,Hoye,Houchens,Holter,Holsinger,Hickok,Herb,Helwig,Helgeson,Heater,Hassett,Harner,Hamman,Hames,Hadfield,Goree,Goldfarb,Gaughan,Gaudreau,Gantz,Gallion,Frady,Foti,Flesher,Ferrin,Faught,Engram,Elbert,Donegan,Desouza,Degroot,Cutright,Crowl,Criner,Coke,Coan,Clinkscales,Chewning,Chavira,Catchings,Carlock,Bye,Bulger,Buenrostro,Bramblett,Brack,Boulware,Bordeaux,Bookout,Bitner,Birt,Baranowski,Baisden,Augustin,Allmon,Alberto,Acklin,Yoakum,Wilbourn,Whisler,Weinberger,Washer,Vasques,Vanzandt,Vanatta,Troxler,Tomes,Tindle,Tims,Throckmorton,Thach,Stpeter,Stlaurent,Stenson,Spry,Spitz,Songer,Snavely,Sly,Sleeper,Shroyer,Shortridge,Shenk,Sevier,Seabrook,Scrivner,Saltzman,Rosenberry,Rockwood,Robeson,Roan,Reiser,Redwine,Ramires,Raber,Profit,Posner,Popham,Pipes,Piotrowski,Pinard,Peterkin,Pelham,Peiffer,Peay,Peavey,Nadler,Musso,Milo,Millett,Mestas,Mcgowen,Marques,Marasco,Manriquez,Manos,Mair,Lipps,Lesser,Leiker,Leeds,Krumm,Knorr,Kinslow,Kessel,Kendricks,Kelm,Ito,Irick,Ickes,Hurlburt,Horta,Hoekstra,Heuer,Helmuth,Heatherly,Hampson,Hagar,Haga,Greenlaw,Grau,Godbey,Gingras,Gillies,Gibb,Gayden,Gauvin,Garrow,Fontanez,Florio,Fleischman,Finke,Fasano,Fan,Faith,Ezzell,Ewers,Eveland,Eckenrode,Duclos,Drumm,Dimmick,Delancey,Defazio,Deacon,Dashiell,Damian,Cusack,Crowther,Crigger,Cray,Coolidge,Coldiron,Cleland,Chalfant,Cassel,Cape,Camire,Cabrales,Broomfield,Brittingham,Brisson,Brickey,Braziel,Brazell,Bragdon,Boulanger,Bos,Boman,Bohannan,Beem,Barto,Barre,Barley,Baptist,Azar,Ashbaugh,Armistead,Almazan,Adamski,Zendejas,Winburn,Willaims,Wilhoit,Westberry,Wentzel,Wendling,Wager,Visser,Vanscoy,Vankirk,Vallee,Tweedy,Thornberry,Sweeny,Stalker,Spradling,Spano,Smelser,Shim,Sechrist,Schall,Scaife,Rugg,Ruben,Rothrock,Roesler,Riehl,Ridings,Render,Ransdell,Radke,Pinero,Petree,Pendergast,Peluso,Pecoraro,Pascoe,Panek,Oshiro,Noon,Navarrette,Murguia,Moores,Moberg,Mike,Michaelis,Mcwhirter,Mcsweeney,Mcquade,Mccay,Mauk,Mariani,Marceau,Mandeville,Maeda,Lunde,Ludlow,Loeb,Lindo,Linderman,Leveille,Leith,Larock,Lambrecht,Kulp,Kinsley,Kimberlin,Kesterson,Jacinto,Ice,Hui,Hoyos,Helfrich,Hanke,Hail,Guillermo,Grisby,Goyette,Gouveia,Glazier,Gile,Gerena,Gelinas,Gasaway,Garden,Funches,Fujimoto,Flynt,Fenske,Fellers,Fehr,Eslinger,Escalera,Enciso,Duley,Dittman,Dineen,Diller,Devault,Dao,Collings,Clymer,Clowers,Chavers,Charland,Castorena,Castello,Camargo,Bunce,Bullen,Boyes,Borchers,Borchardt,Birnbaum,Birdsall,Billman,Benites,Bankhead,Ange,Ammerman,Adkison,Yuan,Winegar,Wickman,Wear,Warr,Warnke,Villeneuve,Veasey,Vassallo,Vannatta,Vadnais,Twilley,Truelove,Towery,Tomblin,Tippett,Theiss,Talkington,Talamantes,Swart,Swanger,Streit,Straw,Stines,Stabler,Spurling,Sobel,Sine,Simmers,Shippy,Shiflett,Shearin,Sauter,Sanderlin,Rusch,Runkle,Ruckman,Rorie,Roesch,Roberto,Richert,Rehm,Randel,Ragin,Quesenberry,Puentes,Plyler,Plotkin,Paugh,Oshaughnessy,Ohalloran,Norsworthy,Niemann,Nader,Moorefield,Mooneyham,Modica,Miyamoto,Mickel,Mebane,Mckinnie,Mazurek,Mancilla,Lukas,Lovins,Loughlin,Lotz,Lindsley,Liddle,Levan,Lederman,Leclaire,Lasseter,Lapoint,Lamoreaux,Lafollette,Kubiak,Kirtley,Keffer,Kaczmarek,Jennette,Housman,Honey,Hiers,Hibbert,Herrod,Hegarty,Hathorn,Harsh,Greenhaw,Grafton,Govea,Gardener,Futch,Furst,Frisbee,Fred,Franko,Forcier,Foran,Flickinger,Fairfield,Eure,Emrich,Embrey,Edgington,Ecklund,Eckard,Durante,Deyo,Delvecchio,Deeds,Dade,Currey,Cuff,Creswell,Cottrill,Casavant,Cartier,Cargile,Capel,Cammack,Calfee,Buzzard,Burse,Burruss,Brust,Brousseau,Bridwell,Braaten,Borkholder,Bloomquist,Bjork,Bartelt,Arp,Amburgey,Yeary,Yao,Whitefield,Vinyard,Vicente,Vanvalkenburg,Twitchell,Timmins,Tester,Tapper,Stringham,Starcher,Spotts,Slaugh,Simonsen,Sheffer,Sequeira,Rosati,Rode,Rhymes,Reza,Record,Quint,Pollak,Peirce,Patillo,Parkerson,Paiva,Nilson,Nice,Nevin,Narcisse,Nair,Mitton,Merriam,Merced,Meiners,Mckain,Mcelveen,Mcbeth,Marsden,Marez,Manke,Mahurin,Mabrey,Luper,Krull,Kees,Iles,Hunsicker,Hornbuckle,Holtzclaw,Hirt,Hinnant,Heston,Hering,Hemenway,Hegwood,Hearns,Halterman,Halls,Guiterrez,Grote,Granillo,Grainger,Glasco,Gilder,Garren,Garlock,Garey,Fu,Fryar,Fredricks,Fraizer,Foxx,Foshee,Ferrel,Felty,Feathers,Everitt,Evens,Esser,Elkin,Eberhart,Durso,Duguay,Driskill,Doster,Dewall,Deveau,Demps,Demaio,Delreal,Deleo,Delay,Deem,Darrah,Cumberbatch,Culberson,Cranmer,Cordle,Colgan,Chesley,Cavallo,Castellon,Castelli,Carreras,Carnell,Carmon,Carmen,Carlucci,Bottom,Bontrager,Blumberg,Blasingame,Becton,Ayon,Artrip,Arline,Andujar,Alkire,Alder,Agan,Zukowski,Zuckerman,Zehr,Wroblewski,Wrigley,Woodside,Wigginton,Westman,Westgate,Werts,Washam,Wardlow,Walser,Waiters,Teller,Tadlock,Stuck,Stringfield,Stimpson,Stickley,Starbuck,Standish,Spurlin,Spindler,Speller,Spaeth,Sotomayor,Sok,Sluder,Shryock,Shepardson,Shatley,Scannell,Santistevan,Rosner,Rolland,Rhode,Resto,Reinhard,Rathburn,Prisco,Poulsen,Pinney,Phares,Pennock,Pastrana,Oviedo,Ostler,Noto,Nauman,Mulford,Moise,Moberly,Mirabal,Ming,Metoyer,Metheny,Mentzer,Meldrum,Mcinturff,Mcelyea,Mcdougle,Massaro,Lumpkins,Loveday,Lofgren,Loe,Lirette,Lesperance,Lefkowitz,Ledger,Lauzon,Lain,Lachapelle,Kurz,Klassen,Keough,Kempton,Kaelin,Jeffords,Im,Huot,Hsieh,Hoyer,Horwitz,Hopp,Hoeft,Hennig,Haskin,Grill,Gourdine,Golightly,Girouard,Fulgham,Fritsch,Freer,Frasher,Foulk,Firestone,Fiorentino,Fedor,Feather,Ensley,Englehart,Eells,Ebel,Dunphy,Donahoe,Dimas,Dileo,Dibenedetto,Dabrowski,Crick,Coonrod,Conder,Coddington,Chunn,Choy,Chaput,Cerna,Carreiro,Calahan,Braggs,Bourdon,Boner,Bollman,Bittle,Ben,Behm,Bauder,Batt,Barreras,Aubuchon,Anzalone,Adamo,Zhou,Zerbe,Zachery,Witty,Wirt,Willcox,Westberg,Weikel,Waymire,Vroman,Vinci,Vallejos,Tutor,Truesdell,Troutt,Trotta,Tollison,Toles,Tichenor,Tai,Symonds,Surles,Sunday,Strayer,Stgeorge,Sroka,Sorrentino,Solares,Snelson,Silvestri,Sikorski,Shawver,Schumaker,Schorr,Schooley,Scates,Satterlee,Satchell,Sacks,Rymer,Roselli,Robitaille,Riegel,Richer,Regis,Reames,Provenzano,Proper,Priestley,Plaisance,Pettey,Palomares,Oman,Nowakowski,Nace,Monette,Minyard,Mclamb,Mchone,Mccarroll,Masson,Marco,Magoon,Maddy,Lundin,Loza,Licata,Lesley,Leonhardt,Lema,Landwehr,Kircher,Kinch,Karpinski,Johannsen,Hussain,Houghtaling,Hoskinson,Hollaway,Holeman,Hobgood,Hilt,Hiebert,Gros,Gram,Goggin,Gentle,Geissler,Gadbois,Gabaldon,Fleshman,Flannigan,Files,Fairman,Epp,Eilers,Dycus,Dunmire,Duffield,Dowler,Ditto,Deloatch,Dehaan,Deemer,Corner,Clayborn,Christofferso,Chilson,Chesney,Chatfield,Charlie,Caster,Carron,Canale,Camden,Buff,Brigman,Branstetter,Bosse,Borton,Bonar,Blau,Biron,Beagle,Barroso,Arvin,Arispe,Zacharias,Zabel,Yaeger,Works,Woolford,Whetzel,Weakley,Veatch,Vandeusen,Tufts,Troxel,Troche,Traver,Townsel,Tosh,Talarico,Swilley,Sterrett,Stenger,Springfield,Speakman,Sowards,Sours,Souders,Souder,Soles,Sobers,Snoddy,Smither,Sias,Shute,Shoaf,Shahan,Schuetz,Scaggs,Santini,Rosson,Rolen,Robidoux,Rentas,Recio,Pixley,Pawlowski,Pawlak,Paull,Pascal,Overbey,Orear,Oliveri,Oldenburg,Nutting,Naugle,Mote,Mossman,Moor,Misner,Milazzo,Michelson,Mei,Mcentee,Mccullar,Mccree,Mcaleer,Mazzone,Maxim,Marshal,Mandell,Manahan,Malott,Maisonet,Mailloux,Lumley,Lowrie,Louviere,Lipinski,Lindemann,Leppert,Leopold,Leasure,Leaf,Labarge,Kubik,Knisely,Knepp,Kenworthy,Kennelly,Kelch,Karg,Kanter,Ignacio,Hyer,Houchin,Hosley,Hosler,Hollon,Holleman,Heitman,Hebb,Haggins,Gwaltney,Guin,Greenman,Goulding,Gorden,Goodyear,Geraci,Georges,Gathers,Frison,Feagin,Falconer,Espada,Erving,Erikson,Eisenhauer,Eder,Ebeling,Durgin,Drown,Dowdle,Dinwiddie,Delcastillo,Dedrick,Crimmins,Covell,Cournoyer,Coria,Cohan,Cataldo,Carpentier,Canas,Campa,Brode,Brashears,Blaser,Bicknell,Berk,Bednar,Barwick,Ascencio,Althoff,Almodovar,Alamo,Zirkle,Zabala,Xu,Wolverton,Winebrenner,Wetherell,Westlake,Wegener,Weddington,Vong,Tuten,Trosclair,Trim,Tressler,Theroux,Teske,Sword,Swinehart,Swensen,Sundquist,Southall,Socha,Sizer,Silverberg,Shortt,Shimizu,Sherrard,Shen,Shaeffer,Seth,Scheid,Scheetz,Saravia,Sanner,Rubinstein,Rozell,Romer,Ringo,Rheaume,Reisinger,Raven,Randles,Pullum,Petrella,Payan,Papp,Pablo,Nordin,Norcross,Nicoletti,Nicholes,Newbold,Nakagawa,Mraz,Monteith,Milstead,Milliner,Mellen,Mccardle,Matthias,Marcy,Luft,Loo,Locker,Liptak,Lipp,Leitch,Latimore,Larrison,Landau,Laborde,Koval,Izquierdo,Hymel,Hoskin,Holte,Hoefer,Hayworth,Hausman,Harrill,Harrel,Hardt,Gully,Groover,Grinnell,Greenspan,Graver,Grandberry,Gorrell,Goldenberg,Goguen,Gilleland,Garr,Fuson,Foye,Felt,Feldmann,Everly,Dyess,Dyal,Dunnigan,Downie,Dolby,Divine,Deatherage,Dates,Danna,Cosey,Corrado,Cheever,Celaya,Caver,Cashion,Caplinger,Cansler,Byrge,Bruder,Brew,Breuer,Breslin,Brazelton,Botkin,Bonneau,Bones,Bondurant,Bohanan,Bogue,Boes,Bodner,Boatner,Blatt,Bickley,Belliveau,Beiler,Beier,Beckstead,Bart,Bang,Bachmann,Atkin,Aron,Andreas,Altizer,Alloway,Allaire,Albro,Abron,Zellmer,Yetter,Yelverton,Wiltshire,Wiens,Whidden,Wait,Viramontes,Vanwormer,Topper,Tarantino,Tanksley,Sumlin,Strauch,Strang,Stice,Spahn,Sosebee,Sigala,Shrout,Seamon,Schrum,Schneck,Schantz,Said,Ruddy,Romig,Roehl,Renninger,Reding,Pyne,Polak,Pohlman,Pasillas,Oldfield,Oldaker,Ohanlon,Ogilvie,Norberg,Nolette,Nies,Neufeld,Nellis,Mummert,Mulvihill,Mullaney,Monteleone,Mendonca,Meisner,Mcmullan,Mccluney,Mattis,Massengill,Manfredi,Luedtke,Lounsbury,Lora,Liberatore,Leek,Lease,Lazaro,Lamphere,Laforge,Kuo,Koo,Jourdan,Ismail,Iorio,Iniguez,Ikeda,Hubler,Hodgdon,Hocking,Heacock,Haslam,Haralson,Hanshaw,Hannum,Hallam,Haden,Garnes,Garces,Gammage,Gambino,Finkel,Faucett,Fahy,Esteban,Ehrhardt,Eggen,Dusek,Durrant,Dubay,Dones,Dey,Depasquale,Delucia,Degraff,Deer,Decamp,Davalos,Darwin,Dan,Cullins,Conard,Clouser,Clontz,Cifuentes,Chico,Chappel,Chaffins,Celis,Carwile,Byram,Bruggeman,Brick,Bressler,Brathwaite,Brasfield,Bradburn,Boose,Boon,Bodie,Blosser,Blas,Bise,Bertsch,Bernardi,Bernabe,Bengtson,Barrette,Astorga,Armand,Antone,Alday,Albee,Abrahamson,Yarnell,Wiltse,Wile,Wiebe,Waguespack,Vasser,Upham,Tyre,Turek,Tune,Traxler,Torain,Tomaszewski,Tinnin,Tiner,Tindell,Teed,Styron,Stahlman,Staab,Spoon,Spells,Skiba,Shih,Sheperd,Seidl,Secor,Schutte,Sanfilippo,Ruder,Rondon,Reina,Rearick,Rank,Procter,Prochaska,Pettengill,Pauly,Neilsen,Nally,Mutter,Mullenax,Morano,Meads,Mcnaughton,Mcmurtry,Mcmath,Mckinsey,Matthes,Massenburg,Marlar,Margolis,Marcos,Malin,Magallon,Mackin,Lovette,Loughran,Loring,Longstreet,Loiselle,Lenihan,Laub,Kunze,Kull,Koepke,Knights,Kerwin,Kalinowski,Kagan,Innis,Innes,Husband,Holtzman,Heinemann,Harshman,Haider,Haack,Guss,Grondin,Grissett,Greenawalt,Gravel,Goudy,Goodlett,Goldston,Gokey,Goin,Gardea,Galaviz,Gafford,Gabrielson,Furlow,Fritch,Fordyce,Folger,Elizalde,Ehlert,Eckhoff,Eccleston,Ealey,Dubin,Dolphin,Dieter,Diemer,Deschamps,Delapena,Decicco,Debolt,Daum,Cullinan,Crittendon,Crase,Cossey,Coppock,Coots,Colyer,Columbus,Cluck,Chamberland,Cane,Burkhead,Bumpus,Buchan,Borman,Bork,Boe,Birkholz,Berardi,Benda,Behnke,Barter,Auer,Amezquita,Wotring,Wirtz,Wingert,Wiesner,Whitesides,Weyant,Wainscott,Vivian,Venezia,Varnell,Tussey,Trainer,Toll,Thurlow,Tack,Tabares,Stiver,Stell,Starke,Stanhope,Stanek,Sisler,Sinnott,Sidney,Siciliano,Shehan,Selph,Seager,Scurlock,Scranton,Santucci,Santangelo,Saltsman,Ruel,Ropp,Rolling,Rogge,Rettig,Renwick,Reidy,Reider,Redfield,Quam,Premo,Port,Pier,Peet,Parente,Paolucci,Pan,Palmquist,Orme,Ohler,Ogg,Netherton,Mutchler,Morita,Mistretta,Minnis,Middendorf,Menzel,Mendosa,Mendelson,Meaux,Mcspadden,Mcquaid,Mcnatt,Manigault,Maney,Mager,Lung,Lukes,Lopresti,Liriano,Lipton,Letson,Lechuga,Lazenby,Lauria,Larimore,Kwok,Kwak,Krupp,Krupa,Krum,Kopec,Kinchen,Kifer,Kerney,Kerner,Kennison,Kegley,Kays,Karcher,Justis,Johson,Jellison,Janke,Isabell,Huskins,Holzman,Hollie,Hinojos,Highland,Hefley,He,Hatmaker,Harte,Halloway,Hallenbeck,Goodwyn,Glaspie,Gillian,Geise,Fullwood,Fryman,Frew,Frakes,Fraire,Farrer,Enlow,Engen,Ellzey,Eckles,Earles,Ealy,Dunkley,Drinkard,Dreiling,Draeger,Dinardo,Dills,Desroches,Desantiago,Current,Curlee,Crumbley,Critchlow,Coury,Courtright,Coffield,Cleek,Christen,Charpentier,Cardone,Caples,Cantin,Buntin,Bugbee,Brinkerhoff,Brackin,Bourland,Bohl,Bogdan,Blassingame,Beacham,Banning,Auguste,Andreasen,Amann,Almon,Alejo,Adelman,Abston,Zeno,Yerger,Wymer,Woodberry,Windley,Whiteaker,Westfield,Weibel,Wanner,Waldrep,Vital,Villani,Vanarsdale,Utterback,Updike,Triggs,Topete,Tolar,Tigner,Thoms,Tauber,Tarvin,Tally,Swiney,Sweatman,Studebaker,Streets,Stennett,States,Starrett,Stannard,Stalvey,Sonnenberg,Smithey,Sieber,Sickles,Shinault,Segars,Sanger,Salmeron,Rothe,Rizzi,Rine,Ricard,Restrepo,Ralls,Ragusa,Quiroga,Ping,Phung,Pero,Pegg,Pavlik,Papenfuss,Oropeza,Omar,Okane,Neer,Nee,Nathaniel,Mudge,Mozingo,Molinaro,Mikel,Mcvicker,Mcgarvey,Mcfalls,Mccraney,Matus,Magers,Llanos,Livermore,Liss,Linehan,Leto,Leitner,Laymon,Lawing,Lawerence,Lacourse,Kwong,Kollar,Kneeland,Keo,Kennett,Kellett,Kangas,Janzen,Hutter,Huse,Huling,Hoss,Hohn,Hofmeister,Hewes,Hern,Harjo,Habib,Gust,Guice,Grullon,Greggs,Grayer,Granier,Grable,Gowdy,Giannini,Getchell,Gartman,Garnica,Ganey,Gallimore,Fray,Fetters,Fergerson,Farlow,Fagundes,Exley,Esteves,Enders,Edenfield,Easterwood,Drakeford,Dipasquale,Desousa,Deshields,Deeter,Dedmon,Debord,Daughtery,Cutts,Courtemanche,Coursey,Copple,Coomes,Collis,Coll,Cogburn,Clopton,Choquette,Chaidez,Castrejon,Calhoon,Burbach,Bulloch,Buchman,Bruhn,Bohon,Blough,Bien,Belmont,Baynes,Barstow,Zeman,Zackery,Yardley,Yamashita,Wulff,Wilken,Wiliams,Wickersham,Wible,Whipkey,Wedgeworth,Walmsley,Walkup,Vreeland,Verrill,Valera,Umana,Traub,Timothy,Swingle,Swing,Summey,Stroupe,Stockstill,Steffey,Stefanski,Statler,Stapp,Speights,Sons,Solari,Soderberg,Slick,Shunk,Shorey,Shewmaker,Sheilds,Schiffer,Schank,Schaff,Sagers,Rodger,Rochon,Riser,Rickett,Reale,Raglin,Poon,Polly,Polen,Plata,Pitcock,Percival,Palen,Pahl,Orona,Oberle,Nocera,Navas,Nault,Mullings,Mouser,Moos,Montejano,Monreal,Minick,Middlebrook,Meece,Mcmillion,Mccullen,Mauck,Marshburn,Maillet,Mahaney,Magner,Maclin,Lucey,Litteral,Lippincott,Leite,Leis,Leaks,Laurie,Lamarre,Kost,Jurgens,Jesus,Jerkins,Jager,Hurwitz,Hughley,Hotaling,Horstman,Hohman,Hocker,Hively,Hipps,Hile,Hessler,Hermanson,Hepworth,Henn,Helland,Hedlund,Harkless,Haigler,Gutierez,Gum,Grindstaff,Glantz,Giardina,Gerken,Gadsden,Freda,Finnerty,Feld,Farnum,Encinas,Elton,Eager,Drakes,Dennie,Cutlip,Curtsinger,Couto,Cortinas,Corby,Choice,Chiasson,Carle,Carballo,Brindle,Borum,Bober,Blagg,Birk,Berthiaume,Beahm,Batres,Basnight,Barbara,Backes,Axtell,Aust,Au,Atterberry,Alvares,Alt,Alegria,Abe,Yow,Yip,Woodell,Wojciechowski,Winfree,Winbush,Wiest,Wesner,Wax,Wamsley,Wakeman,Verner,Truex,Trafton,Toman,Thorsen,Thor,Theus,Tellier,Tallant,Szeto,Strope,Stills,Stage,Sorg,Simkins,Shuey,Shaul,Servin,Serio,Serafin,Senior,Sebring,Salguero,Saba,Ryerson,Rudder,Ruark,Rother,Rohrbaugh,Rohrbach,Rohan,Rogerson,Risher,Rigg,Reeser,Pryce,Prokop,Prins,Priebe,Prejean,Pinheiro,Petrone,Petri,Penson,Pearlman,Parikh,Pal,Pair,Natoli,Murakami,Mullikin,Mullane,Motes,Morningstar,Monks,Mcveigh,Mcgrady,Mcgaughey,Mccurley,Masi,Marchan,Manske,Maine,Maez,Lusby,Linde,Lile,Likens,Licon,Leroux,Lemaire,Legette,Lax,Laskey,Laprade,Laplant,Lady,Kolar,Kittredge,Kinley,Kerber,Kanagy,Johannes,Jetton,Jayne,January,Janik,Ippolito,Inouye,Hunsinger,Howley,Howery,Horrell,Hoosier,Holthaus,Hiner,Hilson,Hilderbrand,Hasan,Hartzler,Harnish,Harada,Hansford,Halligan,Hagedorn,Gwynn,Gudino,Greenstein,Greear,Gracey,Goudeau,Gose,Goodner,Ginsburg,Gerth,Gerner,Fyfe,Fujii,Frier,Frenette,Folmar,Fleisher,Fleischmann,Fetzer,Fern,Eisenman,Earhart,Dupuy,Dunkelberger,Drummer,Drexler,Dillinger,Dilbeck,Diana,Dewald,Demby,Deford,Daniell,Dake,Craine,Como,Clever,Chesnut,Casady,Carstens,Carrick,Carino,Carignan,Canchola,Cale,Bushong,Burman,Buono,Brownlow,Broach,Britten,Brickhouse,Boyden,Boulton,Borne,Borland,Bohrer,Blubaugh,Bever,Berggren,Benevides,Arocho,Arends,Amezcua,Almendarez,Zalewski,Witzel,Winkfield,Wilhoite,Vara,Vangundy,Vanfleet,Vanetten,Vandergriff,Urbanski,Tyrell,Troiano,Tickle,Thibodaux,Straus,Stoneking,Stjean,Stillings,Stiff,Stange,Square,Speicher,Speegle,Sowa,Smeltzer,Slawson,Simmonds,Shuttleworth,Serpa,Senger,Seidman,Schweiger,Schloss,Schimmel,Schechter,Sayler,Sabb,Sabatini,Ronan,Rodiguez,Riggleman,Richins,Reep,Reamer,Prunty,Porath,Plunk,Piland,Philbrook,Pettitt,Perna,Peralez,Pascale,Padula,Oboyle,Nivens,Nickols,Murph,Mundt,Munden,Montijo,Mcmanis,Mcgrane,Mccrimmon,Manzi,Mangold,Malick,Mahar,Maddock,Lust,Losey,Loop,Litten,Liner,Leff,Leedy,Leavell,Ladue,Krahn,Kluge,Junker,Iversen,Imler,Hurtt,Huizar,Hubbert,Howington,Hollomon,Holdren,Hoisington,Hise,Heiden,Hauge,Hartigan,Gutirrez,Griffie,Greenhill,Gratton,Granata,Gottfried,Gertz,Gautreaux,Furry,Furey,Funderburg,Flippen,Fitzgibbon,Fergus,Felice,Eye,Dyar,Drucker,Donoghue,Dildy,Devers,Detweiler,Despres,Denby,Degeorge,Cueto,Cranston,Courville,Clukey,Cirillo,Chon,Chivers,Caudillo,Catt,Butera,Bulluck,Buckmaster,Braunstein,Bracamonte,Bourdeau,Border,Bonnette,Bobadilla,Boaz,Blackledge,Beshears,Bernhard,Bergeson,Baver,Barthel,Balsamo,Bak,Aziz,Awad,Authement,Altom,Altieri,Abels,Zigler,Zhu,Younker,Yeomans,Yearwood,Wurster,Winget,Whitsett,Wechsler,Weatherwax,Wathen,Warriner,Wanamaker,Walraven,Viens,Vandemark,Vancamp,Uchida,Triana,Tinoco,Terpstra,Tellis,Tarin,Taranto,Takacs,Studdard,Struthers,Strout,Stiller,Spataro,Soderquist,Sliger,Silberman,Shurtleff,Sheetz,Schillinger,Ritch,Reif,Raybon,Ratzlaff,Radley,Putt,Putney,Prime,Press,Pinette,Piner,Petrin,Parise,Osbourne,Nyman,Northington,Noblitt,Nishimura,Nell,Neher,Nalls,Naccarato,Mucha,Mounce,Miron,Millis,Meaney,Mcnichols,Mckinnis,Mcjunkin,Mcduffy,Max,Marcello,Manrique,Mannion,Mangual,Malveaux,Mains,Lumsden,Lucien,Lohmann,Lipe,Lightsey,Lemasters,Leist,Laxton,Laverriere,Latorre,Lamons,Kral,Kopf,Knauer,Kitt,Kaul,Karas,Kamps,Jusino,Janis,Islam,Hullinger,Huges,Hornung,Hiser,Hempel,Helsel,Hassinger,Hargraves,Hammes,Hallberg,Gutman,Gumbs,Gruver,Graddy,Gonsales,Goncalves,Glennon,Gilford,Geno,Freshour,Flippo,Fifer,Few,Fermin,Fason,Farrish,Fallin,Ewert,Estepp,Escudero,Ensminger,Emmanuel,Emberton,Elms,Ellerbe,Eide,Dysart,Dougan,Dierking,Dicus,Detrick,Deroche,Depue,Demartino,Delosreyes,Dalke,Culbreath,Crownover,Crisler,Crass,Corsi,Chagnon,Centers,Cavanagh,Casson,Carollo,Cadwallader,Burnley,Burciaga,Burchard,Broadhead,Boris,Booze,Bolte,Body,Berens,Bellman,Bellard,Baril,Arden,Antonucci,Amado,Allie,Wolfgram,Winsor,Wimbish,Wilbert,Wier,Wallach,Viveros,Vento,Varley,Vanslyke,Vangorder,Touchstone,Tomko,Tiemann,Throop,Tamura,Talmadge,Swayze,Sturdevant,Strauser,Stolz,Stenberg,Stayton,Spohn,Spillers,Spillane,Sluss,Sloane,Slavens,Simonetti,Shofner,Shead,Senecal,Seales,Schueler,Schley,Schacht,Sauve,Sarno,Salsbury,Rothschild,Rosier,Rines,Reveles,Rein,Redus,Redfern,Reck,Ranney,Raggs,Prout,Prill,Preble,Prager,Plemons,Pippen,Pilon,Piccirillo,Pewitt,Pesina,Pecora,Otani,Orsini,Ollie,Oestreich,Odea,Ocallaghan,Northup,Niehaus,Newberg,Nasser,Narron,Monarrez,Mishler,Mcsherry,Mcelfresh,Mayon,Mauer,Mattice,Mash,Marrone,Marmolejo,Marini,Marie,Mara,Malm,Machen,Lunceford,Loewen,Liverman,Litwin,Linscott,Levins,Lenox,Legaspi,Leeman,Leavy,Lannon,Lamson,Lambdin,Labarre,Knouse,Klemm,Kleinschmidt,Kirklin,Keels,Juliano,Howser,Hott,Hosier,Hosea,Hopwood,Holyfield,Hodnett,Hirsh,Heimann,Height,Heckel,Harger,Hamil,Hajek,Gurganus,Gunning,Grange,Gonzalas,Goggins,Gerow,Gaydos,Garduno,Ganley,Galey,Farner,Ester,Engles,Emond,Emert,Ellenburg,Edick,Duell,Dublin,Dorazio,Dong,Dimond,Diederich,Dewalt,Depuy,Dempster,Demaria,Dehoyos,Dearth,Dealba,Dane,Czech,Crose,Crespin,Cogdill,Clinard,Cipriano,Chretien,Chalk,Cerny,Ceniceros,Celestin,Caple,Cacho,Burrill,Buhr,Buckland,Branam,Boysen,Bovee,Boos,Boler,Blom,Blasko,Beyers,Belz,Belmonte,Bednarz,Beckmann,Beaudin,Bazile,Barbeau,Balentine,Abrahams,Able,Zielke,Yunker,Yeates,Wrobel,Wike,Whisnant,Wherry,Wagnon,Vogan,Vansant,Vannest,Vallo,Ullery,Towles,Towell,Tiger,Thill,Taormina,Tannehill,Taing,Storrs,Stickles,Stetler,Sparling,Solt,Silcox,Sheard,Shadle,Seman,Selleck,Schlemmer,Scher,Sapien,Sainz,Rumble,Roye,Rosamond,Romain,Rizzuto,Resch,Rentz,Rather,Rasch,Ranieri,Purtell,Primmer,Portwood,Pontius,Pons,Pletcher,Pledger,Pirkle,Pillsbury,Pentecost,Peng,Paxson,Ortez,Organ,Oles,Newborn,Mullett,Muirhead,Mouzon,Mork,Mollett,Mohn,Mitcham,Melillo,Mee,Medders,Mcmiller,Mccleery,Mccaughey,Manders,Mak,Maciejewski,Macaulay,Lute,Lipman,Lewter,Larocque,Langton,Kriner,Knipp,Killeen,Karn,Kalish,Kaczor,Jonson,Jerez,Jarrard,Janda,Hymes,Hollman,Hollandsworth,Holl,Hobdy,Hitch,Hennen,Hemmer,Hagins,Haddox,Guitierrez,Guernsey,Gorsuch,Gholson,Genova,Gazaway,Gauna,Gammons,Freels,Fonville,Fly,Florian,Fleet,Fetterman,Fava,Farquhar,Farish,Fabela,Escoto,Eisen,Dossett,Dority,Dorfman,Demmer,Dehn,Dawley,Darbonne,Damore,Damm,Crosley,Cron,Crompton,Crichton,Cotner,Cordon,Conerly,Colvard,Clauson,Chess,Cheeseman,Charity,Cavallaro,Castille,Cabello,Burgan,Buffum,Bruss,Brassfield,Bowerman,Bothwell,Borgen,Bonaparte,Bombard,Boivin,Boissonneault,Bogner,Bodden,Boan,Blanche,Bittinger,Bickham,Bedolla,Bale,Bainbridge,Aybar,Avendano,Ashlock,Amidon,Almanzar,Akridge,Ackermann,Zager,Yong,Xavier,Worrall,Winans,Wilsey,Wightman,Westrick,Wenner,Warne,Warford,Verville,Utecht,Upson,Tuma,Tseng,Troncoso,Trollinger,Torbert,Taulbee,Sutterfield,Stough,Storch,Stonebraker,Stolle,Stilson,Stiefel,Steptoe,Stepney,Stender,Stemple,Staggers,Spurrier,Spray,Spinney,Spengler,Smartt,Skoog,Silvis,Sieg,Shuford,Selfridge,Seguin,Sedgwick,Sease,Scotti,Schroer,Schlenker,Schill,Savarese,Sapienza,Sanson,Sandefur,Salamone,Rusnak,Rudisill,Royalty,Rothermel,Roca,Resendiz,Reliford,Rasco,Raiford,Quisenberry,Quijada,Pullins,Puccio,Postell,Poppe,Pinter,Piche,Petrucci,Pellegrin,Pelaez,Patti,Paton,Pasco,Parkes,Paden,Pabst,Orchard,Olmsted,Newlon,Mynatt,Mustafa,Mower,Morrone,Moree,Moffat,Mixson,Minner,Min,Millette,Mederos,Mcgahan,Mcconville,Maughan,Massingill,Marano,Macri,Lovern,Lichtenstein,Leonetti,Lehner,Lawley,Laramie,Lappin,Lahti,Lago,Lacayo,Kuester,Knee,Kincade,Junior,Juhl,Joslyn,Jiron,Jessop,Jerry,Jarosz,Jain,Hults,Hoge,Hodgins,Hoban,Hinkson,Hillyard,Herzig,Hervey,Henriksen,Hawker,Hause,Hard,Hankerson,Gregson,Golliday,Gilcrease,Gessner,Gerace,Garwood,Garst,Gaillard,Flinchum,Fishel,Fishback,Filkins,Fentress,Fabre,Ethier,Espana,Eisner,Ehrhart,Efird,Drennon,Dominy,Dominique,Domingue,Dipaolo,Dinan,Dimartino,Deskins,Dengler,Defreitas,Defranco,Dancer,Dahlin,Cutshaw,Cuthbert,Croyle,Crothers,Critchfield,Cowie,Costner,Coppedge,Copes,Ciccone,Champ,Cesar,Caufield,Capo,Cambron,Cambridge,Buser,Burnes,Buhl,Buendia,Brindley,Brecht,Bourgoin,Boomer,Blackshire,Birge,Benninger,Bembry,Beil,Begaye,Barrentine,Barks,Banton,Balmer,Baity,Auerbach,Ambler,Alexandre,Ackerson,Zurcher,Zell,Wynkoop,Wallick,Waid,Vos,Vizcaino,Vester,Veale,Vandermark,Vanderford,Tuthill,Trivette,Thiessen,Tewksbury,Tao,Tabron,Swim,Swasey,Swanigan,Stoughton,Stoudt,Stimson,Stecker,Stead,Stall,Spady,Souther,Smoak,Sklar,Simcox,Sidwell,Sharon,Seybert,Sesco,Seeman,Seaborn,Schwenk,Schmeling,Rossignol,Robillard,Robicheaux,Riveria,Rippeon,Ridgley,Remaley,Rehkop,Reddish,Reach,Rauscher,Rachel,Quirion,Pusey,Pruden,Pressler,Potvin,Pospisil,Paradiso,Pangburn,Palmateer,Ownby,Otwell,Osterberg,Osmond,Olsson,Old,Oberlander,Nusbaum,Novack,Nokes,Nicastro,Nehls,Nay,Naber,Mulhern,Motter,Moretz,Milian,Mercedes,Mckeel,Mcclay,Mccart,Matsuda,Mary,Martucci,Marple,Marko,Marciniak,Manes,Mancia,Maker,Macrae,Lybarger,Lint,Lineberger,Levingston,Lecroy,Lattimer,Laseter,Kulick,Krier,Knutsen,Klem,Kinne,Kinkade,Ketterman,Kerstetter,Kersten,Karam,Jury,Joshi,Jin,Jent,Jefcoat,Hillier,Hillhouse,Hettinger,Henthorn,Henline,Helzer,Heitzman,Heineman,Heenan,Haughton,Haris,Harbert,Haman,Grinstead,Gremillion,Gorby,Giraldo,Gioia,Gerardi,Geraghty,Gaunt,Gatson,Gardin,Gans,Gammill,Games,Gain,Friedlander,Frahm,Fossett,Fosdick,Forth,Forbush,Fondren,Fleckenstein,Fitchett,Filer,Feliz,Feist,Ewart,Evelyn,Esters,Elsner,Edgin,Eddie,Easterly,Dussault,Durazo,Don,Devereaux,Deshotel,Deckert,Dargan,Dare,Cornman,Conkle,Condit,Commander,Claunch,Clabaugh,Chute,Cheesman,Chea,Charney,Charleston,Casella,Carone,Carbonell,Canipe,Campana,Calles,Cabezas,Cabell,Buttram,Bustillos,Buskirk,Boyland,Bourke,Blakeley,Big,Berumen,Berrier,Bench,Belli,Behrendt,Baumbach,Bartsch,Baney,Arambula,Alldredge,Allbritton,Ziemba,Zanders,Youngquist,Yoshioka,Yohe,Wunder,Woodfin,Wojtowicz,Winkel,Wilmore,Willbanks,Wesolowski,Wendland,Walko,Votaw,Vanek,Uriarte,Urbano,Turnipseed,Triche,Trautman,Towler,Tokarz,Temples,Tefft,Teegarden,Syed,Swigart,Stryker,Stoller,Stapler,Stansfield,Smit,Smelley,Sicard,Shulman,Shew,Shear,Sheahan,Sharpton,Selvidge,Schlesinger,Savell,Sandford,Sabatino,Rosenbloom,Roepke,Rish,Rhames,Renken,Reger,Rappaport,Quarterman,Puig,Prasad,Poplar,Pizano,Pigott,Pick,Phair,Petrick,Patt,Pascua,Paramore,Papineau,Olivieri,Ogren,Norden,Noga,Nisbet,Munk,Munch,Mui,Morvant,Moro,Moloney,Merz,Meng,Meltzer,Mellinger,Mehl,Mcnealy,Mckernan,Mchaney,Mccleskey,Mcandrews,Mayton,Mayor,Markert,Maresca,Marcellus,Maner,Mandujano,Malpass,Macintyre,Lytton,Lyall,Lummus,Longshore,Longfellow,Lokey,Locher,Leverette,Lepe,Lefever,Leeson,Lederer,Lampert,Lagrone,La,Kreider,Korth,Knopf,Kleist,Kiss,Keltner,Kelling,Kaspar,Kappler,Justin,Josephs,Jiang,Huckins,Horace,Holub,Hofstetter,Hoehn,Higginson,Hennings,Heid,Havel,Hauer,Harnden,Hargreaves,Hanger,Guild,Guidi,Grate,Grandy,Grandstaff,Goza,Goodridge,Goodfellow,Goggans,Godley,Giusti,Gilyard,Geoghegan,Galyon,Gaeta,Funes,Font,Flor,Flanary,Fales,Erlandson,Ellett,Elia,Edinger,Dziedzic,Duerr,Draughn,Donoho,Dimatteo,Devos,Dematteo,Degnan,Darlington,Danis,Dam,Dahlstrom,Dahlke,Czajkowski,Cumbie,Culbert,Crosier,Croley,Corry,Clinger,Cheshire,Chalker,Cephas,Caywood,Cavalier,Capehart,Cales,Cadiz,Bussiere,Burriss,Burkart,Brundidge,Bronstein,Breeze,Bradt,Boydston,Bostrom,Borel,Bolles,Blay,Blackwelder,Bissett,Bevers,Bester,Bernardino,Benefiel,Belote,Beedle,Beckles,Baysinger,Bassler,Bartee,Barlett,Bargas,Barefield,Baptista,Arterburn,Armas,Apperson,Amoroso,Amedee,Zullo,Zellner,Yelton,Willems,Wilkin,Wiggin,Widman,Welk,Weingarten,Walla,Viers,Vess,Verdi,Veazey,Vannote,Tullos,Trudell,Trower,Trosper,Trimm,Trew,Tousignant,Topp,Tocco,Thoreson,Terhune,Tatom,Suniga,Sumter,Steeves,Stansell,Soltis,Sloss,Slaven,Sing,Shisler,Sheriff,Shanley,Servantes,Selders,Segrest,Seese,Seeber,Schaible,Savala,Sartor,Rutt,Rumbaugh,Ruis,Roten,Roessler,Ritenour,Riney,Restivo,Rene,Renard,Rakestraw,Rake,Rachal,Quiros,Pullin,Prudhomme,Primeaux,Prestridge,Presswood,Ponte,Polzin,Poarch,Pittenger,Piggott,Pickell,Phaneuf,Parvin,Parmley,Palmeri,Paisley,Ozment,Ormond,Ordaz,Ono,Olea,Obanion,Oakman,Novick,Nicklas,Nemec,Nappi,Mund,Morfin,Mera,Melgoza,Melby,Mcgoldrick,Mcelwain,Mcchristian,Mccaw,Marquart,Marlatt,Markovich,Mahr,Lupton,Lucus,Lorusso,Lerman,Leddy,Leaman,Leachman,Lavalle,Laduke,Kummer,Koury,Konopka,Koh,Koepp,Kloss,Klock,Khalil,Kernan,Kappel,Jakes,Inoue,Hutsell,Howle,Honore,Hole,Hockman,Hockaday,Hiltz,Hetherington,Hesser,Hershman,Heng,Heffron,Headen,Haskett,Hartline,Harned,Guillemette,Guglielmo,Guercio,Greenbaum,Goris,Glines,Gilmour,Gardella,Gadd,Gabler,Gabbert,Fuselier,Freudenburg,Fragoso,Follis,Flemings,Feltman,Febus,Farren,Fallis,Evert,Ekstrom,Eastridge,Dyck,Dufault,Dubreuil,Dresser,Drapeau,Domingues,Dolezal,Dinkel,Didonato,Devitt,Devane,Demott,Daughtrey,Daubert,Das,Darrell,Creason,Crary,Costilla,Chipps,Cheatwood,Carmean,Canton,Caffrey,Burgher,Buker,Brunk,Brodbeck,Brantner,Brandy,Bolivar,Boerner,Bodkin,Biel,Betty,Bencomo,Bellino,Beliveau,Beauvais,Beaupre,Baylis,Baskett,Barcus,Barbera,Baltz,Asay,Arney,Arcuri,Ankney,Agostini,Addy,Zwilling,Zubia,Zollinger,Zeitz,Yard,Yanes,Winship,Winningham,Wickline,Webre,Waddington,Vosburgh,Vessels,Verrett,Vedder,Varnum,Vandeventer,Vacca,Usry,Towry,Touchet,Tookes,Tonkin,Timko,Tibbitts,Thedford,Tarleton,Talty,Talamantez,Tafolla,Sugg,Strecker,Stirling,Steffan,Spiva,Slape,Siemens,Shatzer,Seyler,Seamans,Schmaltz,Schipper,Sasso,Sailor,Ruppe,Runner,Royals,Roudebush,Ripple,Riemer,Richarson,Revilla,Reichenbach,Ratley,Railsback,Quayle,Poplin,Poorman,Ponton,Polo,Pollitt,Poitras,Piscitelli,Piedra,Pickles,Pew,Perera,People,Penwell,Pelt,Pauline,Parkhill,Paladino,Ore,Oram,Olmo,Oliveras,Olivarria,Ogorman,Near,Naron,Na,Muncie,Mowbray,Morones,Moretti,Monn,Mitts,Minks,Minarik,Mimms,Milliron,Millington,Millhouse,Messersmith,Mcnett,Mckinstry,Mcgeorge,Mcdill,Mcateer,Mazzeo,Matchett,Mahood,Mabery,Lundell,Louden,Losoya,Lisk,Lezama,Leib,Lebo,Lanoue,Lanford,Lafortune,Kump,Krone,Kreps,Kott,Kopecky,Kolodziej,Knuckles,Kinman,Kimmons,Kelty,Kaster,Karlson,Kania,Jules,Joyal,Job,Jenner,Jasinski,Jandreau,Isenhour,Hunziker,Huhn,Houde,Houchins,Holtman,Hodo,Heyman,Hentges,Hedberg,Hayne,Haycraft,Harshbarger,Harshaw,Harriss,Haring,Hansell,Hanford,Handler,Hamburg,Hamblen,Gunnell,Groat,Gorecki,Gochenour,Gleeson,Genest,Geiser,Gabriele,Fulghum,Friese,Fridley,Freeborn,Frailey,Flaugher,Fiala,Ettinger,Etheredge,Espitia,Eriksen,Engelbrecht,Engebretson,Elie,Eickhoff,Edney,Edelen,Eberhard,Eastin,Eakes,Driggs,Doner,Donaghy,Disalvo,Deshong,Dahms,Dahlquist,Curren,Cripe,Cree,Creager,Corle,Conatser,Commons,Coggin,Coder,Coaxum,Closson,Clodfelter,Classen,Chittenden,Castilleja,Casale,Cartee,Carriere,Canup,Canizales,Burgoon,Bunger,Bugarin,Buchanon,Bruning,Bruck,Brookes,Broadwell,Brier,Brekke,Breese,Bracero,Bowley,Bowersox,Bose,Bogar,Blossom,Blauser,Blacker,Bjorklund,Belair,Baumer,Basler,Barb,Baltimore,Baize,Baden,Auman,Amundsen,Amore,Alvarenga,Adan,Adamczyk,Yerkes,Yerby,Yawn,Yamaguchi,Worthey,Wolk,Wixom,Wiersma,Wieczorek,Whiddon,Weyer,Wetherington,Wein,Watchman,Warf,Wansley,Vesely,Velazco,Vannorman,Valasquez,Utz,Urso,Turco,Turbeville,Trivett,Torrance,Toothaker,Toohey,Tondreau,Thaler,Sylvain,Swindler,Swigert,Swider,Stiner,Stever,Steffes,Stampley,Stair,Smidt,Skeete,Silvestre,Shy,Shutts,Shock,Shealey,Seigler,Schweizer,Schuldt,Schlichting,Scherr,Saulsberry,Saner,Rosin,Rosato,Roling,Rohn,Rix,Rister,Remley,Remick,Recinos,Ramm,Raabe,Pursell,Poythress,Poli,Pokorny,Plum,Pettry,Petrey,Petitt,Penman,Payson,Paquet,Pappalardo,Outland,Oscar,Orenstein,Nuttall,Nuckols,Nott,Nimmo,Murtagh,Mousseau,Moulder,Mooneyhan,Moak,Minch,Miera,Mercuri,Meighan,Mcnelly,Mcguffin,Mccreery,Mcclaskey,Man,Mainor,Luongo,Lundstrom,Loughman,Loose,Lobo,Lobb,Linhart,Liberty,Lever,Leu,Leiter,Lehoux,Lehn,Lares,Lapan,Langhorne,Lamon,Ladwig,Ladson,Kuzma,Kreitzer,Knop,Keech,Kea,Kadlec,Jo,Jhonson,Jantz,Inglis,Husk,Hulme,Housel,Hofman,Hillery,Heidenreich,Heaps,Haslett,Harting,Hartig,Hamler,Halton,Hallum,Gutierres,Guida,Guerrier,Grossi,Gress,Greenhalgh,Gravelle,Gow,Goslin,Gonyea,Gipe,Gerstner,Gasser,Garceau,Gannaway,Gama,Gallop,Gaiser,Fullilove,Foutz,Fossum,Flannagan,Farrior,Faller,Ericksen,Entrekin,Enochs,Englund,Ellenberger,Eastland,Earwood,Dudash,Du,Drozd,Desoto,Delph,Dekker,Dejohn,Degarmo,Defeo,Defalco,Deblois,Dacus,Cudd,Crossen,Crooms,Cronan,Costin,Costanza,Cordray,Comerford,Collie,Colegrove,Coldwell,Claassen,Chartrand,Castiglione,Carte,Cardella,Carberry,Capp,Capobianco,Cangelosi,Buch,Brunell,Brucker,Brockett,Brizendine,Brinegar,Brimer,Brase,Bosque,Bonk,Bolger,Bohanon,Bohan,Blazek,Berning,Bergan,Bennette,Beauchemin,Battiste,Barra,Balogh,Avis,Avallone,Aubry,Ashcroft,Asencio,Arledge,Anchondo,Amy,Alvord,Acheson,Zaleski,Yonker,Wyss,Wycoff,Woodburn,Wininger,Winders,Willmon,Wiechmann,Westley,Weatherholt,Warnick,Wardle,Warburton,Volkert,Virgin,Villanveva,Veit,Vass,Vanallen,Tung,Toribio,Toothman,Tiggs,Thornsberry,Thome,Tepper,Teeple,Tebo,Tassone,Tann,Sultan,Stucker,Stotler,Stoneman,Stehle,Stanback,Stallcup,Spurr,Speers,Spada,Solum,Smolen,Sinn,Silvernail,Sholes,Shives,Shain,Secrest,Seagle,Schuette,Schoch,Schnieders,Schild,Schiavone,Schiavo,Scharff,Santee,Sandell,Salvo,Rollings,Rollin,Rivenburg,Ritzman,Rist,Rio,Ricardo,Reynosa,Retana,Reiber,Regnier,Rarick,Ransome,Rall,Propes,Prall,Poyner,Ponds,Poitra,Plaster,Pippins,Pinion,Piccolo,Phu,Perillo,Penrose,Pendergraft,Pelchat,Peed,Patenaude,Palko,Odoms,Oddo,Novoa,Noone,Newburn,Negri,Nantz,Mosser,Moshier,Molter,Molinari,Moler,Millman,Meurer,Mendel,Mcray,Mcnicholas,Mcnerney,Mckillip,Mcilvain,Mcadory,Matter,Master,Marmol,Marinez,Manzer,Mankin,Makris,Majeski,Magnus,Maffei,Luoma,Luman,Luebke,Luby,Lomonaco,Loar,Litchford,Lintz,Licht,Levenson,Legge,Laughter,Lanigan,Krom,Kreger,Koop,Kober,Klima,Kitterman,Kinkead,Kimbell,Kilian,Kibbe,Kendig,Kemmer,Kash,Jenkin,Inniss,Hurlbut,Hunsucker,Hugo,Huckabee,Hoxie,Hoglund,Hockensmith,Hoadley,Hinkel,Higuera,Herrman,Heiner,Hausmann,Haubrich,Hassen,Hanlin,Hallinan,Haglund,Hagberg,Gullo,Gullion,Groner,Greenwalt,Grand,Goodwill,Gong,Gobert,Glowacki,Glessner,Gines,Gildersleeve,Gildea,Gerke,Gerhard,Gebhard,Gatton,Gately,Galasso,Fralick,Fouse,Fluharty,Faucette,Fairfax,Evanoff,Elser,Ellard,Egerton,Edie,Ector,Ebling,Dunkel,Duhart,Drysdale,Dostal,Dorey,Dolph,Doles,Dismukes,Digregorio,Digby,Dewees,Deramus,Denniston,Dennett,Deloney,Delaughter,Darcy,Cuneo,Cumberland,Crotts,Crosswhite,Cremeans,Creasey,Cottman,Cothern,Costales,Cosner,Corpus,Cora,Constable,Colligan,Cobble,Clutter,Chupp,Chevez,Chatmon,Chaires,Caplan,Caffee,Cabana,Burrough,Burditt,Buckler,Brunswick,Brouillard,Broady,Bowlby,Bouley,Borgman,Boltz,Boddy,Blackston,Birdsell,Bedgood,Bate,Basil,Bartos,Barriga,Barrie,Barna,Barcenas,Banach,Baccus,Auclair,Ashman,Arter,Arendt,Ansell,Allums,Allsop,Allender,Alber,Albarran,Adelson,Zoll,Wysong,Wimbley,Wildes,Whitis,Whitehill,Whicker,Weymouth,Well,Weldy,Wark,Wareham,Waddy,Viveiros,Vito,Vides,Vecchio,Vath,Vandoren,Vanderhoof,Unrein,Uecker,Tsan,Trepanier,Tregre,Torkelson,Ton,Tobler,Tineo,Timmer,Swopes,Swofford,Sweeten,Swarts,Summerfield,Sumler,Stucky,Strozier,Stigall,Stickel,Stennis,Stelzer,Steely,Solar,Slayden,Skillern,Shurtz,Shelor,Shellenbarger,Shand,Shabazz,Seo,Scroggs,Schwandt,Schrecengost,Schoenrock,Schirmer,Sandridge,Ruzicka,Rozek,Rowlands,Roser,Rosendahl,Romanowski,Romaine,Rolston,Rink,Riggio,Reichman,Redondo,Reay,Rawlinson,Raskin,Raine,Quandt,Purpura,Purdue,Pruneda,Prevatte,Prettyman,Pinedo,Pierro,Pidgeon,Phillippi,Pfeil,Penix,Peasley,Paro,Overall,Ospina,Ortegon,Ogata,Ogara,Normandin,Nordman,Nims,Nassar,Motz,Morlan,Mooring,Moles,Moir,Mizrahi,Mire,Minaya,Millwood,Mikula,Messmer,Meikle,Mctaggart,Mcgonagle,Mcewan,Mccasland,Mccane,Mccaffery,Mcalexander,Mattocks,Mattie,Matranga,Martone,Markland,Maravilla,Manno,Manly,Mancha,Mallery,Magno,Lorentz,Locklin,Livingstone,Lipford,Lininger,Line,Liao,Lepley,Leming,Lemelin,Leadbetter,Lawhon,Lattin,Langworthy,Lampman,Lambeth,Lamarr,Lahey,Krajewski,Klopp,Kinnison,Kestner,Kerry,Kennell,Karim,Jozwiak,Jakubowski,Jagger,Ivery,Ishmael,Iliff,Iddings,Hudkins,Houseman,Holz,Holderman,Hoehne,Highfill,Hiett,Heskett,Heldt,Hedman,Hayslett,Hatchell,Hasse,Hamon,Hamada,Hakala,Haislip,Haffey,Hackbarth,Guo,Gullickson,Guerrette,Guan,Greenblatt,Goudreau,Gongora,Godbout,Glaude,Gills,Gillison,Gigliotti,Gargano,Gallucci,Galli,Galante,Frasure,Fodor,Fizer,Fishburn,Finkbeiner,Finck,Fager,Estey,Espiritu,Eppinger,Epperly,Emig,Eckley,Dray,Dorsch,Dille,Devita,Deslauriers,Demery,Delorme,Delbosque,Dauphin,Dantonio,Curd,Crume,Crown,Cozad,Cossette,Comacho,Climer,Chadbourne,Cespedes,Cayton,Castaldo,Carpino,Carls,Capozzi,Canela,Cadet,Buzard,Busick,Burlison,Brinkmann,Bridgeforth,Bourbeau,Bornstein,Boots,Bonfiglio,Boice,Boese,Biondi,Bilski,Betton,Berwick,Berlanga,Behan,Becraft,Barrientez,Banh,Balke,Balderrama,Bahe,Bachand,Atlas,Armer,Arceo,Aliff,Alatorre,Zermeno,Zane,Younce,You,Yeoman,Yamasaki,Wroten,Worm,Woodby,Winer,Wilmer,Willits,Wilcoxon,Wehmeyer,Waterbury,Wass,Wann,Wake,Wachtel,Vizcarra,Vince,Victory,Veitch,Vanderbilt,Vallone,Vallery,Ureno,Tyer,Tipps,Tiedeman,Theberge,Texeira,Taub,Tapscott,Stutts,Stults,Stukes,Staff,Spink,Sottile,Smithwick,Slane,Simeone,Silvester,Siegrist,Shiffer,Sheedy,Sheaffer,Severin,Sellman,Scotto,Schupp,Schueller,Schreier,Schoolcraft,Schoenberger,Schnabel,Sangster,Samford,Saliba,Ryles,Ryans,Rossetti,Rodriguz,Risch,Riel,Rezendes,Rester,Rencher,Recker,Rathjen,Profitt,Poteete,Polizzi,Perrigo,Patridge,Osby,Orvis,Opperman,Oppenheim,Onorato,Olaughlin,Ohagan,Ogles,Oehler,Obyrne,Nuzzo,Nickle,Nease,Neagle,Navarette,Nagata,Musto,Morning,Morison,Montz,Mogensen,Mizer,Miraglia,Mingus,Migliore,Merideth,Menges,Mellor,Mcnear,Mcnab,Mcloud,Mcelligott,Mccollom,Maynes,Marquette,Markowski,Marcantonio,Mar,Maldanado,Makin,Macey,Lundeen,Lovin,Longino,Lisle,Linthicum,Limones,Lesure,Lesage,Leisure,Lauver,Laubach,Latshaw,Lary,Lapham,Lacoste,Lacher,Kutcher,Knickerbocker,Klos,Klingler,Kleiman,Kittleson,Kimbrel,Kimberly,Kemmerer,Kelson,Keese,Kam,Kallas,Jurgensen,Junkins,Juneau,Juergens,Jolliff,Jelks,Janicki,Jang,Innocent,Ingles,Inge,Huguley,Huggard,Howton,Hone,Holford,Holding,Hogle,Hipple,Heimbach,Heider,Heidel,Havener,Hattaway,Harrah,Hanscom,Hankinson,Hamdan,Gridley,Goulette,Goulart,Goodspeed,Goodrow,Go,Girardi,Gent,Gautreau,Ganz,Gandara,Gamblin,Galipeau,Fyffe,Furrow,Fulp,Fricks,Frase,Frandsen,Fout,Foulks,Fouche,Foskey,Forgey,Foor,Fobbs,Finklea,Fincham,Figueiredo,Festa,Ferrier,Fellman,Eslick,Eilerman,Eckart,Eaglin,Dunfee,Dumond,Drewry,Douse,Domino,Dimick,Diener,Dickert,Deines,Degree,Declue,Daw,Dattilo,Danko,Custodio,Cuccia,Crunk,Crispin,Corp,Cornwall,Corea,Coppin,Considine,Coniglio,Conboy,Collar,Cockrum,Clute,Clewis,Claude,Christiano,Channell,Channel,Cerrato,Cecere,Catoe,Castillon,Castile,Carstarphen,Carmouche,Caperton,Buteau,Bury,Bumpers,Brey,Brenton,Brazeal,Brassard,Brass,Braga,Bradham,Bourget,Borrelli,Borba,Boothby,Bohr,Bohm,Boehme,Bodin,Bloss,Blocher,Bizzell,Bieker,Berthelot,Bernardini,Berends,Benard,Belser,Baze,Bartling,Barrientes,Barras,Barcia,Banfield,Aurand,Artman,Arnott,Arend,Ardis,Amon,Almaguer,Allee,Albarado,Alameda,Abdo,Zuehlke,Zoeller,Yokoyama,Yocom,Wyllie,Woolum,Wint,Winland,Wink,Wilner,Wilmes,Whitlatch,Westervelt,Walthall,Walkowiak,Walburn,Viviano,Vanderhoff,Valez,Ugalde,Trumbull,Todaro,Tilford,Tidd,Tibbits,Terranova,Templeman,Tannenbaum,Talmage,Tabarez,Swearengin,Swartwood,Svendsen,Strum,Strack,Storie,Stockard,Steinbeck,Starns,Stanko,Stankiewicz,Stacks,Stach,Sproles,Spenser,Smotherman,Slusser,Sinha,Silber,Siefert,Siddiqui,Shuff,Sherburne,Seldon,Seddon,Schweigert,Schroeter,Schmucker,Saffold,Rutz,Rundle,Rosinski,Rosenow,Rogalski,Ridout,Rhymer,Replogle,Regina,Reda,Raygoza,Ratner,Rascoe,Rahm,Quincy,Quast,Pry,Pressnell,Predmore,Pou,Porto,Pleasants,Pigford,Pavone,Patnaude,Parramore,Papadopoulos,Palmatier,Ouzts,Oshields,Ortis,Olmeda,Olden,Okamoto,Norby,Nitz,Niebuhr,Nevius,Neiman,Neidig,Neece,Murawski,Mroz,Moylan,Moultry,Mosteller,Moring,Morganti,Mook,Moffet,Mettler,Merlo,Mengel,Mendelsohn,Meli,Melchior,Mcmeans,Mcfaddin,Mccullers,Mccollister,Mccloy,Mcclaine,Maury,Maser,Martelli,Manthey,Malkin,Maio,Magwood,Maginnis,Mabon,Luton,Lusher,Lucht,Lobato,Levis,Letellier,Legendre,Laurel,Latson,Larmon,Largo,Landreneau,Landgraf,Lamberson,Kurland,Kresge,Korman,Korando,Klapper,Kitson,Kinyon,Kincheloe,Kawamoto,Kawakami,Jenney,Jeanpierre,Ivers,Issa,Ince,Hugh,Hug,Honda,Hollier,Hollars,Hoerner,Hodgkinson,Hiott,Hibbitts,Herlihy,Henricks,Heavner,Hayhurst,Harvill,Harewood,Hanselman,Hanning,Gwyn,Gustavson,Grounds,Grizzard,Grinder,Graybeal,Gravley,Gorney,Goll,Goehring,Godines,Gobeil,Glickman,Giuliano,Gimbel,Gift,Geib,Gayhart,Gatti,Gains,Gadberry,Frei,Fraise,Fouch,Forst,Forsman,Folden,Fogleman,Figaro,Fetty,Feely,Fabry,Eury,Estill,Epling,Elamin,Echavarria,Dutil,Duryea,Dumais,Drago,Downard,Douthit,Doolin,Dobos,Dison,Dinges,Diebold,Desilets,Deshazo,Depaz,Degennaro,Dall,Cyphers,Cryer,Croce,Crisman,Credle,Coriell,Copp,Coop,Compos,Colmenero,Cogar,Cliff,Chapel,Carnevale,Campanella,Caley,Calderone,Burtch,Brouwer,Brehmer,Brassell,Brafford,Bourquin,Bourn,Bohnert,Blewett,Blass,Blakes,Bhakta,Besser,Berge,Bellis,Balfour,Avera,Austria,Applin,Ammon,Alsop,Aleshire,Akbar,Zoller,Zapien,Wymore,Wyble,Wolken,Wix,Wickstrom,Whobrey,Whigham,Westerlund,Welsch,Weisser,Weisner,Weinstock,Wehner,Watlington,Wakeland,Wafer,Virgen,Victorino,Veltri,Veith,Urich,Uresti,Umberger,Twedt,Tuohy,Tschida,Trumble,Troia,Tristan,Trimmer,Topps,Tonn,Tiernan,Threet,Thrall,Thetford,Teneyck,Tartaglia,Swords,Strohl,Streater,Strausbaugh,Stradley,Stonecipher,Steadham,Stansel,Stalcup,Stabile,Sprenger,Spradley,Speier,Southwood,Sorrels,Slezak,Skow,Sirmans,Simental,Silk,Sifford,Sievert,Shover,Sheley,Selzer,Scriven,Schwindt,Schwan,Schroth,Saylors,Saragosa,Sant,Salaam,Saephan,Routt,Rousey,Ros,Rolfes,Rieke,Rieder,Richeson,Redinger,Rasnick,Rapoza,Rambert,Rafael,Quist,Pyron,Punch,Pullman,Przybylski,Pridmore,Pooley,Pines,Perkinson,Perine,Perham,Pecor,Peavler,Partington,Panton,Oliverio,Olague,Ohman,Ohearn,Noyola,Nicolai,Nebel,Murtha,Muff,Mowrey,Moroney,Morgenstern,Morant,Monty,Monsour,Mohammad,Moffit,Mijares,Meriwether,Mendieta,Melendrez,Mejorado,Mckittrick,Mckey,Mckenny,Mckelvy,Mckechnie,Mcelvain,Mccoin,Mazzarella,Mazon,Maurin,Matthies,Maston,Maske,Marzano,Marmon,Marburger,Mangus,Mangino,Mallet,Luo,Losada,Londono,Lobdell,Lipson,Lesniak,Leighty,Lei,League,Lavallie,Lareau,Laperle,Lape,Laforce,Laffey,Kuehner,Kravitz,Kowalsky,Kohr,Kinsman,Keppler,Kennemer,Keiper,Keely,Kaler,Jun,Jelinek,Jarnagin,Issac,Isakson,Hypes,Hutzler,Huls,Horak,Hitz,Hice,Herrell,Henslee,Heitz,Heiss,Heiman,Hasting,Hartwick,Harmer,Harland,Hammontree,Haldeman,Hakes,Guse,Guillotte,Guard,Groleau,Greve,Greenough,Golub,Golson,Goldschmidt,Golder,Godbolt,Gilmartin,Gies,Gibby,Geren,Genthner,Gendreau,Gemmill,Gaymon,Galyean,Galeano,Friar,Folkerts,Fleeman,Fitzgibbons,Ferranti,Felan,Farrand,Eoff,Enger,Engels,Ducksworth,Duby,Dry,Drumheller,Douthitt,Doris,Donis,Dixion,Dittrich,Dials,Dessert,Descoteaux,Depaul,Denker,Demuth,Demelo,Delacerda,Deforge,Danos,Dalley,Daigneault,Cybulski,Crystal,Cristobal,Cothren,Corns,Corkery,Copas,Coco,Clubb,Clore,Chitty,Chichester,Chery,Charon,Chamber,Chace,Catanzaro,Castonguay,Cassella,Caroll,Carlberg,Cammarata,Calle,Cajigas,Byas,Buzbee,Busey,Burling,Bufkin,Brzezinski,Brun,Brickner,Brabham,Boller,Bodily,Bockman,Bleich,Blakeman,Bisbee,Bier,Bezanson,Bevilacqua,Besaw,Berrian,Berkeley,Bequette,Beauford,Baumgarten,Baudoin,Batie,Basaldua,Bardin,Bangert,Banes,Backlund,Avitia,Artz,Archey,Apel,Amico,Alam,Aden,Zebrowski,Yokota,Wormley,Wootton,Woodie,Womac,Wiltz,Wigington,Whitehorn,Whisman,Weisgerber,Weigle,Weedman,Watkin,Wasilewski,Wadlington,Wadkins,Viverette,Vidaurri,Vidales,Vezina,Vanleer,Vanhoy,Vanguilder,Vanbrunt,Uy,Updegraff,Tylor,Trinkle,Touchette,Tilson,Tilman,Tengan,Tarkington,Surrett,Super,Summy,Streetman,Straughter,Steere,Stalling,Spruell,Spadaro,Solley,Smathers,Silvera,Siems,Shreffler,Sholar,Selden,Schaper,Samayoa,Ruggeri,Rowen,Rosso,Rosenbalm,Roosevelt,Roose,Ronquillo,Rogowski,Rexford,Repass,Renzi,Renick,Renda,Rehberg,Reaper,Ranck,Raffa,Rackers,Raap,Pugsley,Puglisi,Prinz,Primus,Pounders,Pon,Pompa,Plasencia,Pipkins,Pillar,Petrosky,Pelley,Pauls,Pauli,Parkison,Parisien,Pangle,Pancoast,Palazzolo,Owenby,Overbay,Orris,Orlowski,Nipp,Newbern,Nedd,Nealon,Najar,Mysliwiec,Myron,Myres,Musson,Murrieta,Munsell,Mumma,Muldowney,Moyle,Mowen,Mose,Morejon,Moodie,Monier,Mikkelsen,Miers,Metzinger,Melin,Mcquay,Mcpeek,Mcneeley,Mcglothin,Mcghie,Mcdonell,Mccumber,Mccranie,Mcbean,Mayhugh,Marts,Marenco,Manges,Lynam,Lupien,Luff,Luebbert,Loh,Loflin,Lococo,Loch,Lis,Linke,Lightle,Lewellyn,Leishman,Lebow,Lebouef,Leanos,Lanz,Landy,Landaverde,Lacefield,Kyler,Kuebler,Kropf,Kroeker,Kluesner,Klass,Kimberling,Kilkenny,Kiker,Ketter,Kelemen,Keasler,Kawamura,Karst,Kardos,Jeremiah,Jared,Igo,Huseman,Huseby,Hurlbert,Huard,Hottinger,Hornberger,Hopps,Holdsworth,Hensen,Heilig,Heeter,Harpole,Haak,Gutowski,Gunnels,Grimmer,Grieve,Gravatt,Granderson,Gotcher,Gleaves,Genao,Garfinkel,Frerichs,Foushee,Flanery,Finnie,Feldt,Fagin,Ewalt,Ellefson,Eiler,Eckhart,Eastep,Dwight,Digirolamo,Didomenico,Devera,Delavega,Defilippo,Debusk,Daub,Damiani,Cupples,Cuddy,Crofoot,Courter,Coto,Costigan,Corning,Corman,Corlett,Cooperman,Collison,Coghlan,Cobbins,Coady,Coachman,Clothier,Client,Clear,Cipolla,Chmielewski,Chiodo,Chatterton,Chappelle,Chairez,Ceron,Casperson,Casler,Casados,Carrow,Carolina,Carlino,Carico,Cardillo,Caouette,Canto,Canavan,Cambra,Byard,Buterbaugh,Buse,Bucy,Buckwalter,Bubb,Bryd,Brissette,Brault,Bradwell,Boshears,Borchert,Blansett,Blanch,Blade,Biondo,Bilbo,Biehl,Bessey,Berta,Belles,Bella,Beeks,Beekman,Beaufort,Bayliss,Bardsley,Avilla,Astudillo,Ardito,Anwar,Antunez,Amen,Aderholt,Abate,Yowell,Yin,Yearby,Ye,Wurst,Woolverton,Woolbright,Wildermuth,Whittenburg,Whitely,Wetter,Wetherbee,Wenz,Welliver,Welling,Welcome,Wason,Warrior,Warlick,Voorhies,Vivier,Villines,Vida,Verde,Veiga,Varghese,Vanwyk,Vanwingerden,Vanhorne,Umstead,Twiggs,Tusing,Trego,Tompson,Tinkle,Thoman,Thole,Tatman,Tartt,Suda,Studley,Strock,Strawbridge,Stokely,Stec,Stang,Stalter,Speidel,Spafford,Spade,Sontag,Sokolowski,Skillman,Skelley,Skalski,Sison,Sippel,Sinquefield,Sin,Siegle,Sher,Sharrow,Setliff,Sera,Sellner,Selig,Seibold,Seery,Scriber,Schull,Schrupp,Schippers,Say,Saulsbury,Sao,Santillo,Sanor,Sancho,Rufus,Rubalcaba,Roosa,Ronk,Robbs,Roache,River,Riebe,Reinoso,Quin,Prude,Preuss,Pottorff,Pontiff,Plouffe,Picou,Picklesimer,Pettyjohn,Petti,Penaloza,Parmelee,Pardee,Palazzo,Overholt,Ogawa,Ofarrell,Nova,Nolting,Noda,Nicola,Nickson,Nevitt,Neveu,Navarre,Nam,Murrow,Munz,Mulloy,Monzo,Milliman,Metivier,Merlino,Mcpeters,Mckissack,Mckeen,Mcgurk,Mcfee,Mcfarren,Mcelwee,Mceachin,Mcdonagh,Mccarville,Mayhall,Mattoon,Martello,Marconi,Marbury,Mao,Manzella,Maly,Malec,Maitland,Maheu,Maclennan,Lyke,Luera,Loyola,Lowenstein,Losh,Lopiccolo,Longacre,Loman,Loden,Loaiza,Lieber,Libbey,Lenhardt,Lefebre,Lauterbach,Lauritsen,Lass,Larocco,Larimer,Lansford,Lanclos,Lamay,Lal,Kulikowski,Kriebel,Kosinski,Kleinman,Kleiner,Kleckner,Kistner,Kissner,Kissell,Kilroy,Kenna,Keisler,Keeble,Keaney,Kale,Joly,Jimison,Jeans,Ikner,Hursey,Hruska,Hove,Hou,Host,Hosking,Hoose,Holle,Hoeppner,Hittle,Hitchens,Hirth,Hinerman,Hilario,Higby,Hertzog,Hentz,Hensler,Heist,Heier,Hegg,Hassel,Harpe,Hara,Hank,Hain,Hagopian,Grimshaw,Grado,Gowin,Gowans,Googe,Goodlow,Goering,Gleaton,Gidley,Giannone,Gascon,Garneau,Gambrel,Galaz,Fuentez,Frisina,Fresquez,Fraher,Fitting,Feuerstein,Felten,Everman,Estell,Ertel,Erazo,Ensign,Endo,Ellerman,Eichorn,Edgell,Ebron,Eaker,Dundas,Duncanson,Duchene,Ducan,Dombroski,Doman,Dock,Dickison,Dewoody,Deloera,Delahoussaye,Dejean,Degroat,Decaro,Dearmond,Dashner,Dales,Crossett,Cressey,Cowger,Courts,Court,Cornette,Corbo,Coplin,Coover,Condie,Cokley,Cicero,Ceaser,Cannaday,Callanan,Cadle,Buscher,Bullion,Bucklin,Bruening,Bruckner,Brose,Branan,Bradway,Botsford,Bortz,Borelli,Bonetti,Bolan,Boerger,Bloomberg,Bingman,Bilger,Berns,Beringer,Beres,Beets,Beede,Beaudet,Beachum,Baughn,Bator,Bastien,Basquez,Barreiro,Barga,Baratta,Balser,Baillie,Axford,Attebery,Arakaki,Annunziata,Andrzejewski,Ament,Amendola,Adcox,Abril,Zenon,Zeitler,Zang,Zambrana,Ybanez,Yagi,Wolak,Wilcoxson,Whitesel,Whitehair,Weyand,Westendorf,Welke,Weinmann,Wei,Weesner,Weekes,Wedel,Wedding,Weatherall,Warthen,Vose,Villalta,Vila,Viator,Vaz,Valtierra,Urbanek,Tulley,Trojanowski,Trapani,Toups,Torpey,Tomita,Tindal,Tieman,Tevis,Tedrow,Taul,Tash,Tammaro,Sylva,Swiderski,Sweeting,Sund,Stutler,Stocking,Stich,Sterns,Stegner,Stalder,Splawn,Speirs,Southwell,Soltys,Smead,Slye,Skipworth,Sipos,Simmerman,Sigmund,Sidhu,Shuffler,Shingleton,Shadwick,Sermons,Seefeldt,Scipio,Schwanke,Schreffler,Schiro,Scheiber,Sandoz,Samsel,Ruddell,Royse,Rouillard,Rotella,Rosalez,Romriell,Rommel,Rizer,Riner,Rickards,Rhoton,Rhem,Reppert,Rayl,Raulston,Raposo,Rapier,Rainville,Radel,Quinney,Purdie,Puffer,Pizzo,Pincus,Petrus,Pendelton,Pendarvis,Peltz,Peguero,Peete,Patricio,Patchett,Parrino,Papke,Pam,Palafox,Ottley,Ostby,Oritz,Oren,Ogan,Odegaard,Oatman,Noell,Nida,Nicoll,Newhall,Newbill,Netzer,Nettleton,Neblett,Murley,Mungo,Mulhall,Mosca,Morissette,Morford,Montag,Monsen,Mitzel,Miskell,Minder,Mehaffey,Mcquillen,Mclennan,Mcgrail,Mccreight,Mayville,Maysonet,Maust,Mathieson,Mastrangelo,Maskell,Martina,Manz,Malmberg,Makela,Madruga,Luz,Lotts,Longnecker,Logston,Littell,Liska,Lindauer,Lillibridge,Levron,Letchworth,Lesh,Leffel,Leday,Leamon,Laura,Kulas,Kula,Kucharski,Kromer,Kraatz,Konieczny,Konen,Komar,Kivett,Kirts,Kinnear,Kersh,Keithley,Keifer,Judah,Jimenes,Jeppesen,Jasmin,Jansson,Huntsberry,Hund,Huitt,Huffine,Hosford,Hopes,Holmstrom,Hollen,Hodgin,Hirschman,Hiltner,Hilliker,Hibner,Hennis,Helt,Heidelberg,Heger,Heer,Hartness,Hardrick,Halladay,Gula,Guillaume,Guerriero,Grunewald,Grosse,Griffeth,Grenz,Grassi,Grandison,Ginther,Gimenez,Gillingham,Gillham,Gess,Gelman,Gearheart,Gaskell,Gariepy,Gamino,Gallien,Galentine,Fuquay,Froman,Froelich,Friedel,Foos,Fomby,Focht,Flythe,Fiqueroa,Filson,Filip,Fierros,Fett,Fedele,Fasching,Farney,Fargo,Everts,Even,Etzel,Elzey,Eichner,Eger,Eatman,Ducker,Duchesne,Donati,Domenech,Dollard,Dodrill,Dinapoli,Denn,Delfino,Delcid,Delaune,Delatte,Deems,Daluz,Cusson,Cullison,Cue,Cuadrado,Crumrine,Cruickshank,Crosland,Croll,Criddle,Crepeau,Coutu,Couey,Cort,Coppinger,Collman,Cockburn,Coca,Clayborne,Claflin,Cissell,Chowdhury,Chicoine,Chenier,Causby,Caulder,Cassano,Casner,Cardiel,Burner,Brunton,Bruch,Broxton,Brosius,Brooking,Branco,Bracco,Bourgault,Bosserman,Books,Bonet,Bolds,Bolander,Bohman,Boelter,Blohm,Blea,Blaise,Bischof,Billie,Beus,Bellew,Bastarache,Bast,Bartolome,Bark,Barcomb,Barco,Balls,Balk,Balas,Bakos,Avey,Atnip,Ashbrook,Arno,Arbour,Aquirre,Appell,Aldaco,Alcazar,Alban,Ahlstrom,Abadie,Zylstra,Zick,Zheng,Yother,Wyse,Wunsch,Whitty,Weist,Vrooman,Vine,Villalon,Vidrio,Vavra,Vasbinder,Vanmatre,Vandorn,Ugarte,Turberville,Tuel,Trogdon,Town,Toupin,Toone,Tolleson,Tinkham,Tinch,Tiano,Teston,Teer,Tea,Tawney,Taplin,Tant,Tansey,Swayne,Sutcliffe,Sunderman,Suits,Strothers,Stromain,Stork,Stoneburner,Stolte,Stolp,Stoehr,Stingley,Stegman,Stangl,Spinella,Spier,Soules,Sommerfield,Sipp,Simek,Siders,Shufelt,Shue,Shor,Shires,Shellenberger,Sheely,Service,Sepe,Seaberg,Schwing,Scherrer,Scalzo,Saver,Sasse,Sarvis,Santora,Sansbury,Salls,Saleem,Ryland,Rybicki,Ruggieri,Rothenberg,Rosenstein,Roquemore,Rollison,Rodden,Rivet,Rita,Ridlon,Riche,Riccardi,Reiley,Regner,Rech,Rayo,Rawley,Ranger,Raff,Radabaugh,Quon,Quill,Privette,Prange,Pickrell,Perino,Penning,Pankratz,Orlandi,Nyquist,Norrell,Noren,Naples,Nale,Nakashima,Musselwhite,Murrin,Murch,Mullinix,Mullican,Mullan,Morneau,Mondor,Molinar,Mo,Minjares,Minix,Mingle,Minchew,Mill,Milewski,Mikkelson,Mifflin,Messing,Merkley,Meis,Meas,Mcroy,Mcphearson,Mcneel,Mcmunn,Mcmorrow,Mcdorman,Mccroskey,Mccoll,Mcclusky,Mcclaran,Mccampbell,Mazzariello,Mauzy,Mauch,Mastro,Martinek,Marsala,Marcantel,Mahle,Lyda,Lucius,Luciani,Lubbers,Louder,Lobel,Linsey,Linch,Liller,Legros,Layden,Lapine,Lansberry,Lage,Laforest,Labriola,Koga,Knupp,Klimek,Kittinger,Kirchoff,Kinzel,Killinger,Kilbourne,Ketner,Kepley,Kemble,Kells,Kear,Kaya,Karsten,Kaneshiro,Kamm,Joines,Joachim,Janelle,Jacobus,Iler,Holgate,Hoar,Hisey,Hird,Hilyard,Heslin,Herzberg,Hennigan,Hegland,Hartl,Haner,Handel,Gualtieri,Greenly,Grasser,Gran,Goetsch,Godbold,Gilland,Gidney,Gibney,Giancola,Gettinger,Garzon,Garret,Galle,Galgano,Gaier,Gaertner,Fuston,Freel,Fortes,Flock,Fiorillo,Figgs,Fenstermacher,Fedler,Facer,Fabiano,Evins,Eusebio,Euler,Esquer,Enyeart,Elem,Eisenhower,Eich,Edgerly,Durocher,Durgan,Duffin,Drolet,Drewes,Dotts,Dossantos,Dolly,Dockins,Dirksen,Difiore,Dierks,Dickerman,Dice,Dery,Denault,Demaree,Delmonte,Delcambre,Days,Daulton,Darst,Dahle,Curnutt,Cully,Culligan,Cueva,Crosslin,Croskey,Cromartie,Crofts,Covin,Coutee,Countess,Cost,Coppa,Coogan,Condrey,Concannon,Coger,Cloer,Clatterbuck,Cieslak,Chumbley,Choudhury,Chiaramonte,Charboneau,Chai,Carneal,Cappello,Campisi,Callicoat,Burgoyne,Bucholz,Brumback,Brosnan,Brogden,Broder,Brendle,Breece,Bown,Bou,Boser,Bondy,Bolster,Boll,Bluford,Blandon,Biscoe,Bevill,Bence,Battin,Basel,Bartram,Barnaby,Barmore,Balbuena,Badgley,Backstrom,Auyeung,Ater,Arrellano,Arant,Ansari,Alling,Alejandre,Alcock,Alaimo,Aguinaldo,Aarons,Zurita,Zeiger,Zawacki,Yutzy,Yarger,Wygant,Wurm,Wuest,Wolfram,Witherell,Wisneski,Whitby,Whelchel,Weisz,Weisinger,Weishaar,Wehr,Wedge,Waxman,Waldschmidt,Walck,Waggener,Vosburg,Vita,Villela,Vercher,Venters,Vanscyoc,Vandyne,Valenza,Utt,Urick,Ungar,Ulm,Tumlin,Tsao,Tryon,Trudel,Treiber,Tow,Tober,Tipler,Tillson,Tiedemann,Thornley,Tetrault,Temme,Tarrance,Tackitt,Sykora,Sweetman,Swatzell,Sutliff,Suhr,Sturtz,Strub,Strayhorn,Stormer,Steveson,Stengel,Steinfeldt,Spiro,Spieker,Speth,Spero,Soza,Souliere,Soucie,Snedeker,Slifer,Skillings,Situ,Siniard,Simeon,Signorelli,Siggers,Shultis,Shrewsbury,Shippee,Shimp,Sherron,Shepler,Sharpless,Shadrick,Severt,Severs,Semon,Semmes,Seiter,Segers,Sclafani,Sciortino,Schroyer,Schrack,Schoenberg,Schober,Scheidt,Scheele,Satter,Sartori,Sarris,Sarratt,Salvaggio,Saladino,Sakamoto,Saine,Ryman,Rumley,Ruggerio,Rucks,Roughton,Room,Robards,Ricca,Rexroad,Resler,Reny,Rentschler,Redrick,Redick,Reagle,Raymo,Rape,Raker,Racette,Pyburn,Pritt,Presson,Pressman,Pough,Plain,Pisani,Perz,Perras,Pelzer,Pedrosa,Palos,Palmisano,Paille,Orem,Orbison,Oliveros,Nourse,Nordquist,Newbury,Nelligan,Nawrocki,Myler,Mumaw,Morphis,Moldenhauer,Miyashiro,Mignone,Mickelsen,Michalec,Mesta,Mcree,Mcqueary,Mcninch,Mcneilly,Mclelland,Mclawhorn,Mcgreevy,Mcconkey,Mattes,Maselli,Marten,Mart,Marcucci,Manseau,Manjarrez,Malbrough,Machin,Mabie,Lynde,Lykes,Lueras,Lokken,Loken,Linzy,Lillis,Lilienthal,Levey,Legler,Leedom,Lebowitz,Lazzaro,Larabee,Lapinski,Langner,Langenfeld,Lampkins,Lamotte,Lambright,Lagarde,Ladouceur,Labrador,Labounty,Lablanc,Laberge,Kyte,Kroon,Kron,Kraker,Kouba,Kirwin,Kincer,Kimbler,Kegler,Keach,Katzman,Katzer,Kalman,Journey,Jimmerson,Jenning,Janus,Iacovelli,Hust,Huson,Husby,Humphery,Hufnagel,Honig,Holsey,Holoman,Hohl,Hogge,Hinderliter,Hildebrant,Hick,Hey,Hemby,Helle,Heintzelman,Heidrick,Hearon,Heap,Hazelip,Hauk,Hasbrouck,Harton,Hartin,Harpster,Hansley,Hanchett,Haar,Guthridge,Gulbranson,Guill,Guerrera,Grund,Grosvenor,Grist,Grell,Grear,Granberry,Gonser,Giunta,Giuliani,Gillon,Gillmore,Gillan,Gibbon,Gettys,Gelb,Gano,Galliher,Fullen,Frese,Frates,Foxwell,Fleishman,Fleener,Fielden,Ferrera,Feng,Fells,Feemster,Fauntleroy,Fails,Evatt,Espy,Eno,Emmerich,Edwin,Edler,Eastham,Dunavant,Duca,Drinnon,Dowe,Dorgan,Dollinger,Divers,Dipalma,Difranco,Dietrick,Denzer,Demarest,Delee,Delariva,Delany,Decesare,Debellis,Deavers,Deardorff,Dawe,Darosa,Darley,Dalzell,Dahlen,Curto,Cupps,Cunniff,Cude,Crivello,Cripps,Cresswell,Cousar,Cotta,Compo,Colorado,Clyne,Clayson,Cearley,Catania,Carini,Cargo,Cantero,Cali,Buttrey,Buttler,Burpee,Bulkley,Buitron,Buda,Bublitz,Bryer,Bryden,Brouillette,Brott,Brookman,Bronk,Breshears,Brennen,Brannum,Brandl,Braman,Bracewell,Boyter,Bomberger,Bold,Bogen,Boeding,Bob,Blauvelt,Blandford,Bigger,Biermann,Bielecki,Bibby,Berthold,Berkman,Belvin,Bellomy,Beland,Behne,Beecham,Becher,Beams,Bax,Bassham,Barret,Baley,Bacchus,Auxier,Atkison,Ary,Arocha,Arechiga,Anspach,An,Algarin,Alcott,Alberty,Ager,Adolph,Ackman,Abdul,Abdallah,Zwick,Ziemer,Zastrow,Zajicek,Yokum,Yokley,Wittrock,Winebarger,Wilker,Wilham,Whitham,Wetzler,Westling,Westbury,Wendler,Wellborn,Weitzman,Weitz,Weight,Wallner,Waldroup,Vrabel,Vowels,Volker,Vitiello,Visconti,Villicana,Vibbert,Vesey,Vannatter,Vangilder,Vandervort,Vandegrift,Vanalstyne,Vallecillo,Usrey,Tynan,Turpen,Tuller,Trisler,Townson,Tillmon,Threlkeld,Thornell,Terrio,Taunton,Tarry,Tardy,Swoboda,Swihart,Sustaita,Suitt,Stuber,Strine,Stookey,Stmartin,Stiger,Stainbrook,Solem,Smail,Sligh,Siple,Sieben,Shumake,Shriner,Showman,Shiner,Sheen,Sheckler,Seim,Secrist,Scoggin,Schultheis,Schmalz,Schendel,Schacher,Savard,Saulter,Santillanes,Sandiford,Sande,Salzer,Salvato,Saltz,Sakai,Ryckman,Ryant,Ruck,Ronald,Rocker,Rittenberry,Ristau,Risk,Richart,Rhynes,Reyer,Reulet,Reser,Redington,Reddington,Rebello,Reasor,Raftery,Rabago,Raasch,Quintanar,Pylant,Purington,Provencal,Prom,Prioleau,Prestwood,Pothier,Popa,Polster,Politte,Poffenberger,Pinner,Pietrzak,Pettie,Penaflor,Pellot,Pellham,Paylor,Payeur,Papas,Paik,Oyola,Osbourn,Orzechowski,Oppenheimer,Olesen,Oja,Ohl,Nuckolls,Nordberg,Noonkester,Nold,Nitta,Niblett,Neuhaus,Nesler,Ned,Nanney,Myrie,Mutch,Motto,Mosquera,Morena,Montalto,Montagna,Mizelle,Mincy,Millikan,Millay,Miler,Milbourn,Mikels,Migues,Miesner,Mershon,Merrow,Merlin,Melia,Meigs,Mealey,Mcraney,Mcmartin,Mclachlan,Mcgeehan,Mcferren,Mcdole,Mccaulley,Mcanulty,Maziarz,Maul,Mateer,Martinsen,Marson,Mariotti,Manna,Mang,Mance,Malbon,Mah,Magnusson,Maclachlan,Macek,Lurie,Luc,Lown,Loranger,Lonon,Lisenby,Linsley,Linger,Lenk,Leavens,Learned,Lauritzen,Lathem,Lashbrook,Landman,Lamarche,Lamantia,Laguerre,Lagrange,Kogan,Klingbeil,Kist,Kimpel,Kime,Kier,Kerfoot,Kennamer,Kellems,Kammer,Kamen,Jess,Jepsen,Jarnigan,Isler,Ishee,Isabel,Hux,Hungate,Hummell,Hultgren,Huffaker,Hruby,Hover,Hornick,Hooser,Hooley,Hoggan,Hirano,Hilley,Higham,Heuser,Henrickson,Henegar,Hellwig,Heide,Hedley,Hasegawa,Hartt,Hambright,Halfacre,Hafley,Guion,Guinan,Grunwald,Grothe,Gries,Greaney,Granda,Grabill,Gothard,Gossman,Gosser,Gossard,Gosha,Goldner,Gobin,Gloss,Ginyard,Gilkes,Gilden,Gerson,Gephart,Gengler,Gautier,Gassett,Garon,Gandhi,Galusha,Gallager,Galdamez,Fulmore,Fritsche,Fowles,Foutch,Forward,Footman,Fludd,Flakes,Ferriera,Ferrero,Ferreri,Fenimore,Fegley,Fegan,Fearn,Farrier,Fansler,Fane,Falzone,Fairweather,Etherton,Elsberry,Dykema,Duppstadt,Dunnam,Dunklin,Duet,Due,Dudgeon,Dubuc,Doxey,Dory,Donmoyer,Dodgen,Disanto,Dingler,Dimattia,Dilday,Digennaro,Diedrich,Derossett,Deputy,Depp,Demasi,Degraffenreid,Deakins,Deady,Davin,Daigre,Daddario,Czerwinski,Cullens,Cubbage,Cracraft,Constance,Comes,Combest,Coletti,Coghill,Clerk,Claybrooks,Class,Christofferse,Chiesa,Chason,Chamorro,Cessna,Celentano,Cayer,Carolan,Carnegie,Capetillo,Callier,Cadogan,Caba,Byrom,Byrns,Burrowes,Burket,Burdge,Burbage,Bukowski,Buchholtz,Brunt,Brungardt,Brunetti,Brumbelow,Brugger,Broadhurst,Brigance,Brandow,Bouknight,Bottorff,Bottomley,Bosarge,Borger,Bona,Bombardier,Bologna,Boggan,Blumer,Blecha,Birney,Birkland,Betances,Beran,Benny,Benes,Belin,Belgrave,Bealer,Bauch,Bath,Bashir,Bartow,Baro,Barnhouse,Barile,Ballweg,Baisley,Bains,Baehr,Badilla,Bachus,Bacher,Bachelder,Auzenne,Aten,Astle,Allis,Agarwal,Adger,Adamek,Ziolkowski,Zinke,Zazueta,Zamorano,Younkin,Won,Wittig,Witman,Winsett,Winkles,Wiedman,Whitner,Whitcher,Wetherby,Westra,Westhoff,Wehrle,Wee,Wagaman,Voris,Vicknair,Vegas,Veasley,Vaugh,Vanish,Vanderburg,Valletta,Tunney,Trumbo,Truluck,Trueman,Truby,Trombly,Trojan,Tourville,Tostado,Tone,Titcomb,Timpson,Tignor,Thrush,Thresher,Thiede,Tews,Tamplin,Taff,Tacker,Syverson,Sylvestre,Summerall,Stumbaugh,Strouth,Straker,Stradford,Stoney,Stokley,Steinhoff,Steinberger,Stairs,Spigner,Soltero,Snively,Sletten,Sinkler,Sinegal,Simoes,Siller,Sigel,Shoe,Shire,Shinkle,Shellman,Sheller,Sheats,Sharer,Selvage,Sedlak,Sea,Schriver,Schimke,Scheuerman,Schanz,Savory,Saulters,Sauers,Sais,Rusin,Rumfelt,Ruhland,Rozar,Rosborough,Ronning,Rolph,Roloff,Rogue,Robie,Riviera,Rimer,Riehle,Ricco,Rhein,Retzlaff,Reisman,Reimann,Re,Rayes,Raub,Raminez,Quesinberry,Pua,Procopio,Priolo,Printz,Prewett,Preas,Prahl,Portugal,Poovey,Ploof,Platz,Plaisted,Pinzon,Pineiro,Pickney,Petrovich,Perl,Pehrson,Peets,Pavon,Pautz,Pascarella,Paras,Paolini,Pals,Pafford,Oyer,Ovellette,Outten,Outen,Ours,Orduna,Odriscoll,Oberlin,Nosal,Niven,Nisbett,Nevers,Nathanson,Mule,Mukai,Mozee,Mowers,Motyka,Morency,Montford,Mollica,Molden,Mitten,Miser,Mina,Millender,Midgette,Messerly,Melendy,Meisel,Meidinger,Meany,Mcnitt,Mcnemar,Mcmakin,Mcgaugh,Mccaa,Mauriello,Maudlin,Matzke,Mattia,Matteo,Matsumura,Masuda,Mangels,Maloof,Malizia,Mahmoud,Maglione,Maddix,Lucchesi,Lochner,Linquist,Lino,Lietz,Leventhal,Leopard,Lemanski,Leiser,Laury,Lauber,Lamberth,Kuss,Kung,Kulik,Kuiper,Krout,Kotter,Kort,Kohlmeier,Koffler,Koeller,Knipe,Knauss,Kleiber,Kissee,Kirst,Kirch,Kilgo,Kerlin,Kellison,Kehl,Kalb,Jorden,Jantzen,Jamar,Inabinet,Ikard,Husman,Hunsberger,Hundt,Hucks,Houtz,Houseknecht,Hoots,Hogsett,Hogans,Hintze,Hession,Henault,Hemming,Helsley,Heinen,Heffington,Heberling,Heasley,Heal,Hazley,Hazeltine,Hayton,Hayse,Hawke,Haston,Harward,Harvard,Harrow,Hanneman,Hafford,Hadnot,Guerro,Graig,Grahm,Gowins,Gordillo,Goosby,Glatt,Gibbens,Ghent,Gerrard,Germann,Geil,Gebo,Gean,Garling,Gardenhire,Garbutt,Gagner,Furguson,Funchess,Fujiwara,Fujita,Friley,Frigo,Forshee,Folkes,Filler,Fernald,Ferber,Feingold,Favorite,Faul,Farrelly,Fairbank,Failla,Estelle,Espey,Eshleman,Ertl,Erhart,Erhardt,Erbe,Elsea,Ells,Ellman,Eisenhart,Ehmann,Earnhardt,Duplantis,Dulac,Ducote,Draves,Dosch,Dolce,Divito,Ditch,Dimauro,Derringer,Demeo,Demartini,Delima,Dehner,Degen,Defrancisco,Defoor,Dedeaux,Debnam,Cypert,Cutrer,Cusumano,Custis,Croker,Courtois,Costantino,Cormack,Corbeil,Copher,Conlan,Conkling,Cogdell,Cilley,Chapdelaine,Cendejas,Castiglia,Cassette,Cashin,Carstensen,Carol,Caprio,Calcote,Calaway,Byfield,Butner,Bushway,Burritt,Browner,Brobst,Briner,Brighton,Bridger,Brickley,Brendel,Bratten,Bratt,Brainerd,Brackman,Bowne,Bouck,Borunda,Bordner,Bonenfant,Boer,Boehmer,Bodiford,Bleau,Blankinship,Blane,Blaha,Bitting,Bissonette,Bigby,Bibeau,Beverage,Bermudes,Berke,Bergevin,Bergerson,Bendel,Belville,Bechard,Bearce,Beadles,Batz,Bartlow,Barren,Ayoub,Avans,Aumiller,Arviso,Arpin,Arnwine,Armwood,Arent,Arehart,Arcand,Antle,Ambrosino,Alongi,Alm,Allshouse,Ahart,Aguon,Ziebarth,Zeledon,Zakrzewski,Yuhas,Yingst,Yedinak,Wommack,Winnett,Wingler,Wilcoxen,Whitmarsh,Whistler,Wayt,Watley,Wasser,Warkentin,Voll,Vogelsang,Voegele,Vivanco,Vinton,Villafane,Viles,Versace,Ver,Venne,Vanwagoner,Vanwagenen,Vanleuven,Vanauken,Uselton,Uren,Trumbauer,Tritt,Treadaway,Tozier,Tope,Tomczak,Tomberlin,Tomasini,Tollett,Toller,Titsworth,Tirrell,Tilly,Tavera,Tarnowski,Tanouye,Tall,Swarthout,Sutera,Surette,Styers,Styer,Stipe,Stickland,Steve,Stembridge,Stearn,Starkes,Stanberry,Stahr,Spino,Spicher,Sperber,Speece,Soo,Sonntag,Sneller,Smalling,Slowik,Slocumb,Sliva,Slemp,Slama,Sitz,Sisto,Sisemore,Sindelar,Shipton,Shillings,Sheeley,Sharber,Shaddix,Severns,Severino,Sever,Sensabaugh,Seder,Seawell,Seamons,Schrantz,Schooler,Scheffer,Scheerer,Scalia,Saum,Santibanez,Sano,Sanjuan,Sampley,Sailer,Sabella,Sabbagh,Royall,Rottman,Rivenbark,Rikard,Ricketson,Rickel,Rethman,Reily,Reddin,Reasoner,Reade,Rast,Ranallo,Rana,Quintal,Pung,Pucci,Proto,Prosperie,Prim,Preusser,Preslar,Powley,Postma,Pinnix,Pilla,Pietsch,Pickerel,Pica,Pharris,Petway,Petillo,Perin,Pereda,Pennypacker,Pennebaker,Pedrick,Patin,Patchell,Parodi,Parman,Pantano,Padua,Padro,Osterhout,Orner,Opp,Olivar,Ohlson,Odonoghue,Oceguera,Oberry,Novello,Noguera,Newquist,Newcombe,Neihoff,Nehring,Nees,Nebeker,Nau,Mundo,Mullenix,Morrisey,Moronta,Morillo,Morefield,Mongillo,Molino,Minto,Midgley,Michie,Menzies,Medved,Mechling,Mealy,Mcshan,Mcquaig,Mcnees,Mcglade,Mcgarity,Mcgahey,Mcduff,Mayweather,Mastropietro,Masten,Maranto,Maniscalco,Maize,Mahmood,Maddocks,Maday,Macha,Maag,Luken,Lopp,Lolley,Llanas,Litz,Litherland,Lindenberg,Lieu,Letcher,Lentini,Lemelle,Leet,Lecuyer,Leber,Laursen,Latch,Larrick,Lantigua,Langlinais,Lalli,Lafever,Labat,Labadie,Kurt,Krogman,Kohut,Knarr,Klimas,Klar,Kittelson,Kirschbaum,Kintzel,Kincannon,Kimmell,Killgore,Kettner,Kelsch,Karle,Kapoor,Johansson,Jock,Jenkinson,Janney,Isabelle,Iraheta,Insley,Hyslop,Hy,Human,Huckstep,Holleran,Hoerr,Hinze,Hinnenkamp,Hilger,Higgin,Hicklin,Heroux,Henkle,Helfer,Heikkinen,Heckstall,Heckler,Heavener,Haydel,Haveman,Haubert,Harrop,Harnois,Hansard,Hanover,Hammitt,Haliburton,Haefner,Hadsell,Haakenson,Guynn,Guizar,Grout,Grosz,Goo,Gomer,Golla,Godby,Glanz,Glancy,Givan,Giesen,Gerst,Gayman,Garraway,Gabor,Furness,Frisk,Fremont,Frary,Forand,Fessenden,Ferrigno,Fearon,Favreau,Faulks,Falbo,Ewen,Everton,Eurich,Etchison,Esterly,Entwistle,Ellingsworth,Elders,Ek,Eisenbarth,Edelson,Eckel,Earnshaw,Dunneback,Doyal,Donnellan,Dolin,Dibiase,Deschenes,Dermody,Denmark,Degregorio,Darnall,Dant,Dansereau,Danaher,Dammann,Dames,Czarnecki,Cuyler,Custard,Cummingham,Cuffie,Cuffee,Cudney,Cuadra,Crigler,Creger,Coughlan,Corvin,Cortright,Corchado,Connery,Conforti,Condron,Colosimo,Colclough,Cola,Cohee,Claire,Ciotti,Chill,Chien,Check,Chacko,Cevallos,Cavitt,Cavins,Castagna,Cashwell,Carrozza,Carrara,Capra,Campas,Callas,Caison,Cai,Caggiano,Cabot,Bynoe,Buswell,Burpo,Burnam,Burges,Buerger,Buelow,Bueche,Buckle,Bruni,Brummitt,Brodersen,Briese,Breit,Brakebill,Braatz,Boyers,Boughner,Borror,Borquez,Bonelli,Bohner,Blaze,Blaker,Blackmer,Bissette,Bibbins,Bhatt,Bhatia,Bessler,Bergh,Beresford,Bensen,Benningfield,Benito,Bellantoni,Behler,Beehler,Beazley,Beauchesne,Bargo,Bannerman,Baltes,Balog,Ballantyne,Bad,Axelson,Apgar,Aoki,Anstett,Alejos,Alcocer,Albury,Aichele,Ahl,Ackles,Zerangue,Zehner,Zank,Zacarias,Youngberg,Yorke,Yarbro,Xie,Wydra,Worthley,Wolbert,Wittmer,Witherington,Wishart,Wire,Winnie,Winkleman,Willilams,Willer,Wiedeman,Whittingham,Whitbeck,Whetsel,Wheless,Westerberg,Welcher,Wegman,Waterfield,Wasinger,Warfel,Wannamaker,Walborn,Wada,Vogl,Vizcarrondo,Vitela,Villeda,Veras,Venuti,Veney,Ulrey,Uhlig,Turcios,Tremper,Torian,Torbett,Thrailkill,Terrones,Teitelbaum,Teems,Tay,Swoope,Sunseri,Stutes,Stthomas,Strohm,Stroble,Striegel,Streicher,Stodola,Stinchcomb,Steves,Steppe,Stem,Steller,Staudt,Starner,Stamant,Stam,Stackpole,Sprankle,Speciale,Spahr,Sowders,Sova,Soluri,Soderlund,Slinkard,Skates,Sjogren,Sirianni,Siewert,Sickels,Sica,Shugart,Shoults,Shive,Shimer,Shier,Shield,Shepley,Sheeran,Sharper,Sevin,Severe,Seto,Segundo,Sedlacek,Scuderi,Schurman,Schuelke,Scholten,Schlater,Schisler,Schiefelbein,Schalk,Sanon,Sae,Sabala,Ruyle,Ruybal,Ruf,Rueb,Rowsey,Rosol,Rocheleau,Rishel,Rippey,Ringgold,Rieves,Ridinger,Rew,Retherford,Rempe,Reith,Rafter,Raffaele,Quinto,Putz,Purdom,Puls,Pulaski,Propp,Principato,Preiss,Prada,Polansky,Poch,Plath,Pittard,Pinnock,Pfarr,Pfannenstiel,Penniman,Pauling,Patchen,Paschke,Parkey,Pando,Overly,Ouimet,Ottman,Otter,Ostlund,Ormiston,Occhipinti,Nowacki,Norred,Noack,Nishida,Nilles,Nicodemus,Neth,Nealey,Myricks,Murff,Mungia,Mullet,Motsinger,Moscato,Mort,Morado,Moors,Monnier,Molyneux,Modzelewski,Miura,Minich,Militello,Milbrandt,Michalik,Meserve,Merle,Mendivil,Melara,Meadow,Mcnish,Mcelhannon,Mccroy,Mccrady,Mazzella,Maule,Mattera,Mathena,Matas,Mass,Mascorro,Marone,Marinello,Marguez,Marcell,Manwaring,Manhart,Mangano,Maggi,Lymon,Luter,Luse,Lukasik,Luiz,Ludlum,Luczak,Lowenthal,Lossett,Lorentzen,Loredo,Longworth,Lomanto,Lisi,Lish,Lipsky,Linck,Liedtke,Levering,Lessman,Lemond,Lembo,Ledonne,Leatham,Laufer,Lanphear,Langlais,Lando,Lamphear,Lamberton,Lafon,Lade,Lacross,Kyzer,Krok,Kring,Krell,Krehbiel,Kratochvil,Krach,Kovar,Kostka,Knudtson,Knaack,Kliebert,Klahn,Kirkley,Kimzey,Kettle,Kerrick,Kennerson,Keesler,Karlin,Kan,Jenny,Janousek,Jan,Imel,Icenhour,Hyler,Hunger,Hudock,Houpt,Hopping,Hoops,Holquin,Holiman,Holahan,Hodapp,Hires,Hillen,Hickmon,Hersom,Henrich,Helvey,Heidt,Heideman,Hedstrom,Hedin,Hebron,Hayter,Harn,Hardage,Harbor,Halsted,Hahne,Hagemann,Guzik,Guel,Groesbeck,Gritton,Grego,Graziani,Grasty,Graney,Gouin,Gossage,Golston,Goheen,Godina,Glade,Giorgi,Giambrone,Gerrity,Gerrish,Gero,Gerling,Gaulke,Garlick,Galiano,Gaiter,Gahagan,Gagnier,Friddle,Fredericksen,Franqui,Follansbee,Foerster,Flury,Fitzmaurice,Fiorini,Finlayson,Fiecke,Fickes,Fichter,Ferron,Ferdinand,Farrel,Fackler,Eyman,Escarcega,Errico,Erler,Erby,Engman,Engelmann,Elsass,Elliston,Eddleman,Eadie,Dummer,Drost,Dorrough,Dorrance,Doolan,Donalson,Domenico,Ditullio,Dittmar,Dishon,Dionisio,Dike,Devinney,Desir,Deschamp,Derrickson,Delamora,Deitch,Dechant,Dave,Danek,Dahmen,Curci,Cudjoe,Crumble,Croxton,Creasman,Craney,Crader,Cowling,Coulston,Cortina,Corlew,Corl,Copland,Convery,Cohrs,Clune,Clausing,Cipriani,Cinnamon,Cianciolo,Chubb,Chittum,Chenard,Charlesworth,Charlebois,Champine,Chamlee,Chagoya,Casselman,Cardello,Capasso,Cannella,Calderwood,Byford,Buttars,Bushee,Burrage,Buentello,Brzozowski,Bryner,Brumit,Brookover,Bronner,Bromberg,Brixey,Brinn,Briganti,Bremner,Brawn,Branscome,Brannigan,Bradsher,Bozek,Boulay,Bormann,Bongiorno,Bollin,Bohler,Bogert,Bodenhamer,Blose,Blind,Bivona,Bitter,Billips,Bibler,Benfer,Benedetti,Belue,Bellanger,Belford,Behn,Beerman,Barnhardt,Baltzell,Balling,Balducci,Bainter,Babineau,Babich,Baade,Attwood,Asmus,Asaro,Artiaga,April,Applebaum,Ang,Anding,Amar,Amaker,Allsup,Alligood,Alers,Agin,Agar,Achenbach,Abramowitz,Abbas,Aasen,Zehnder,Yopp,Yelle,Yeldell,Wynter,Woodmansee,Wooding,Woll,Winborne,Willsey,Willeford,Widger,Whiten,Whitchurch,Whang,Wen,Weissinger,Weinman,Weingartner,Weidler,Waltrip,Walt,Wagar,Wafford,Vitagliano,Villalvazo,Villacorta,Vigna,Vickrey,Vicini,Ventimiglia,Vandenbosch,Valvo,Valazquez,Utsey,Urbaniak,Unzueta,Trombetta,Trevizo,Trembley,Tremaine,Traverso,Tores,Tolan,Tillison,Tietjen,Tee,Teachout,Taube,Tatham,Tarwater,Tarbell,Sydow,Sy,Swims,Swader,Striplin,Stops,Stoltenberg,Steinhauer,Steil,Steigerwald,Starkweather,Stallman,Squier,Sparacino,Span,Spadafora,Shiflet,Shibata,Shevlin,Sherrick,Shake,Sessums,Servais,Senters,Seevers,Seelye,Searfoss,Seabrooks,Scoles,Schwager,Schrom,Schmeltzer,Scheffel,Sax,Sawin,Saterfiel,Sardina,Sanroman,Sane,Sandin,Salamanca,Saladin,Sak,Sabia,Rustin,Rushin,Ruley,Rueter,Row,Rotter,Rosenzweig,Roles,Rohe,Roder,Rockey,Ro,Riter,Rieth,Ried,Riding,Riddles,Ridder,Rennick,Remmers,Remer,Relyea,Reilley,Reder,Rasheed,Rakowski,Rabin,Queener,Pursel,Prue,Prowell,Pritts,Primo,Presler,Pouncy,Porche,Porcaro,Pollman,Pleas,Planas,Pinkley,Pinegar,Pilger,Philson,Petties,Perrodin,Pendergrast,Patao,Pasternak,Passarelli,Pasko,Parshall,Panos,Panella,Palombo,Padillo,Oyama,Overlock,Overbeck,Otterson,Orrell,Ornellas,Opitz,Okelly,Officer,Obando,Noggle,Nicosia,Netto,Negrin,Natali,Nakayama,Nagao,Nadel,Musial,Murrill,Murrah,Munsch,Mucci,Mrozek,Moyes,Mowrer,Moris,Morais,Moorhouse,Monico,Mone,Mondy,Moncayo,Mole,Miltenberger,Milsap,Milone,Millikin,Milardo,Mika,Micheals,Micco,Meyerson,Mericle,Mendell,Meinhardt,Meachum,Mcleroy,Mcgray,Mcgonigal,Maultsby,Matis,Matheney,Matamoros,Marro,Marcil,Marcial,Mantz,Mannings,Maltby,Malchow,Maiorano,Mahn,Mahlum,Maglio,Mae,Maberry,Lustig,Luellen,Longwell,Longenecker,Lofland,Locascio,Linney,Linneman,Lighty,Levell,Levay,Lenahan,Lemen,Lehto,Lebaron,Lanctot,Lamy,Lainez,Laffoon,Labombard,Kujawski,Kroger,Kreutzer,Korhonen,Kondo,Kollman,Kohan,Kogut,Knaus,Kivi,Kittel,Kinner,Kindig,Kindel,Kiesel,Kidney,Kibby,Khang,Kettler,Ketterer,Kepner,Kelliher,Keenum,Kanode,Kail,July,Juhasz,Jowett,Jolicoeur,Jeon,Iser,Ingrassia,Imai,Hutchcraft,Humiston,Hulings,Hukill,Huizenga,Hugley,Huddle,Hose,Hornyak,Hodder,Hisle,Hillenbrand,Hille,Higuchi,Hertzler,Herdon,Heppner,Hepp,Heitmann,Heckart,Hazlewood,Hayles,Hayek,Hawthorn,Hawkin,Haugland,Hasler,Harbuck,Happel,Hambly,Hambleton,Hagaman,Guzzi,Gullette,Guinyard,Grogg,Grise,Griffing,Goto,Gosney,Goods,Goley,Goldblatt,Gledhill,Girton,Giltner,Gillock,Gilham,Gilfillan,Giblin,Gentner,Gehlert,Gehl,Garten,Garney,Garlow,Garett,Galles,Galeana,Futral,Fuhr,Friedland,Franson,Fransen,Foulds,Follmer,Foland,Flax,Flavin,Firkins,Fillion,Figueredo,Ferrill,Fenster,Fenley,Fauver,Farfan,Factor,Eustice,Eppler,Engelman,Engelke,Emmer,Elzy,Ellwood,Ellerbee,Elks,Ehret,Ebbert,Durrah,Dupras,Dubuque,Dragoo,Donlon,Dolloff,Doi,Dibella,Derrico,Demko,Demar,Darrington,Czapla,Crooker,Creagh,Cranor,Craner,Crafts,Crabill,Coyer,Cowman,Cowherd,Cottone,Costillo,Coster,Costas,Cosenza,Corker,Collinson,Coello,Clingman,Clingerman,Claborn,Citizen,Chmura,Chausse,Chaudhry,Chapell,Chancy,Cerrone,Caves,Caverly,Caulkins,Carn,Campfield,Campanelli,Callaham,Cadorette,Butkovich,Buske,Burrier,Burkley,Bunyard,Budge,Buckelew,Buchheit,Broman,Brescia,Brasel,Brain,Boyster,Booe,Bonomo,Bonnet,Bondi,Bohnsack,Bobby,Blomberg,Blanford,Bilderback,Biggins,Bently,Behrends,Beegle,Bedoya,Bechtol,Beaubien,Bayerl,Baumgart,Baumeister,Barratt,Barlowe,Barkman,Barbagallo,Baldree,Baine,Bail,Baggs,Bacote,Aylward,Ashurst,Arvidson,Arthurs,Arrieta,Arrey,Arreguin,Arrant,Arner,Armor,Arizmendi,Anker,Amis,Amend,Alphin,Allbright,Aikin,Acres,Zupan,Zuchowski,Zeolla,Zanchez,Zahradnik,Zahler,Younan,Yeater,Yearta,Yarrington,Yantis,Woomer,Wollard,Wolfinger,Woerner,Witek,Wishon,Wisener,Wingerter,Willet,Wilding,Wiedemann,Weisel,Wedeking,Weary,Waybright,Wardwell,Walkins,Waldorf,Voth,Voit,Virden,Viloria,Villagran,Vasta,Vashon,Vaquera,Vantassell,Vanderlinden,Vandergrift,Vancuren,Valenta,Underdahl,Tyra,Tygart,Twining,Twiford,Turlington,Tullius,Tubman,Trowell,Trieu,Transue,Tousant,Torgersen,Tooker,Tony,Tome,Toma,Tocci,Tippins,Tinner,Timlin,Tillinghast,Tidmore,Teti,Tedrick,Tacey,Swanberg,Sunde,Summitt,Summerford,Summa,Sue,Stratman,Strandberg,Storck,Stober,Steitz,Stayer,Stauber,Staiger,Sponaugle,Spofford,Sparano,Spagnola,Sokoloski,Snay,Slough,Skowronski,Sieck,Shimkus,Sheth,Sherk,Shankles,Shakespeare,Shahid,Sevy,Sergeant,Senegal,Seiden,Seidell,Searls,Searight,Schwalm,Schug,Schilke,Schier,Scheck,Sawtelle,Santore,Santa,Sanks,Sandquist,Sanden,Saling,Sabine,Saathoff,Ryberg,Rustad,Ruffing,Rudnicki,Ruane,Rozzi,Rowse,Rosenau,Rodes,Risser,Riggin,Riess,Riese,Rhoten,Reinecke,Reigle,Reichling,Redner,Rebelo,Raynes,Raimondi,Rahe,Rada,Querry,Quellette,Pulsifer,Prochnow,Pretty,Prato,Poulton,Poudrier,Poll,Policastro,Polhemus,Polasek,Poissant,Pohlmann,Plotner,Pitkin,Pita,Pio,Pinkett,Pilot,Piekarski,Pichon,Philippe,Pfau,Petroff,Petermann,Peplinski,Peller,Pecinovsky,Pearse,Pattillo,Patague,Parlier,Parenti,Parchman,Pane,Paff,Ota,Ortner,Oros,Nolley,Noakes,Nigh,Nicolosi,Nicolay,Newnam,Netter,Nass,Napoles,Nakata,Nakamoto,Muriel,Muck,Morlock,Moraga,Montilla,Mongeau,Molitor,Mohney,Mitchener,Meyerhoff,Medel,Mcniff,Mcmonagle,Mcglown,Mcglinchey,Mcgarrity,Mccright,Mccorvey,Mcconnel,Mccargo,Mazzei,Matula,Mastroianni,Massingale,Maring,Maricle,Marc,Mans,Mannon,Mannix,Manney,Manger,Manalo,Malo,Malan,Mahony,Madril,Mackowiak,Macko,Macintosh,Lurry,Luczynski,Lucke,Lucarelli,Luca,Loud,Lou,Losee,Lorence,Loiacono,Lohse,Loder,Lipari,Linebarger,Lindamood,Limbaugh,Letts,Leleux,Leep,Leeder,Leard,Laxson,Lawry,Laverdiere,Laughton,Lastra,Kurek,Kriss,Krishnan,Kretschmer,Krebsbach,Kontos,Knobel,Knauf,Klick,Kleven,Klawitter,Kitchin,Kirkendoll,Kinkel,Kingrey,Kilbourn,Kensinger,Kennerly,Kamin,Justiniano,Jurek,Junkin,Julia,Judon,Jordahl,Jeanes,Jarrells,Jamal,Iwamoto,Isreal,Ishida,Ines,Immel,Iman,Ihle,Hyre,Hurn,Hunn,Hultman,Huffstetler,Huffer,Hubner,Howey,Horney,Hooton,Holts,Holscher,Holen,Hoggatt,Hilaire,Herz,Henne,Helstrom,Hellickson,Heinlein,Heckathorn,Heckard,Heather,Heart,Headlee,Hauptman,Haughey,Hatt,Harring,Harford,Hammill,Hamed,Halperin,Haig,Hagwood,Hagstrom,Gunnells,Gundlach,Guardiola,Greeno,Greenland,Gonce,Goldsby,Gobel,Gisi,Gillins,Gillie,Germano,Geibel,Gauger,Garriott,Garbarino,Gander,Gajewski,Funari,Fullbright,Fuell,Fritzler,Freshwater,Freas,Fortino,Forbus,Fonda,Flohr,Flemister,Fisch,Finks,Fenstermaker,Feldstein,Faw,Farhat,Farah,Fankhauser,Fagg,Fader,Exline,Emigh,Eguia,Edman,Eckler,Eastburn,Dy,Dunmore,Dubuisson,Dubinsky,Drayer,Doverspike,Doubleday,Doten,Dorner,Dolson,Dohrmann,Disla,Direnzo,Dipaola,Dines,Dickie,Diblasi,Dewolf,Desanti,Dennehy,Demming,Delker,Decola,Davilla,Davids,Daughtridge,Darville,Darland,Danzy,Dandy,Dagenais,Culotta,Cruzado,Crudup,Croswell,Coverdale,Covelli,Couts,Corbell,Coplan,Coolbaugh,Conyer,Conlee,Conigliaro,Comiskey,Coberly,Clendening,Clairmont,Cienfuegos,Chojnacki,Chilcote,Champney,Cassara,Casazza,Casado,Carew,Carbin,Carabajal,Calcagni,Cail,Caddy,Busbee,Burts,Burbridge,Bunge,Bundick,Buhler,Bucker,Bucholtz,Bruen,Broce,Brite,Brignac,Brierly,Bridgman,Braham,Bradish,Boyington,Borjas,Bonnie,Bonn,Bonhomme,Bohlen,Bogardus,Bockelman,Blick,Blackerby,Bizier,Biro,Binney,Bertolini,Bertin,Berti,Bert,Bento,Beno,Belgarde,Belding,Beckel,Becerril,Bazaldua,Bayes,Bayard,Barrus,Barris,Baros,Bara,Ballow,Balboa,Bakewell,Baginski,Badalamenti,Backhaus,Avilez,Auvil,Atteberry,Ardon,Anzaldua,Anello,Amsler,Amo,Ambrosio,Althouse,Alles,Alix,Alberti,Alberson,Aitchison,Aguinaga,Ziemann,Zickefoose,Zerr,Zeh,Zeck,Zartman,Zahm,Zabriskie,Yohn,Yellowhair,Yeaton,Yarnall,Yaple,Wolski,Wixon,Winford,Willner,Willms,Whitsitt,Wheelwright,Weyandt,Wess,Wengerd,Weatherholtz,Wattenbarger,Walrath,Walpole,Waldrip,Voges,Violet,Vinzant,Viars,Veres,Veneziano,Veillon,Vawter,Vaughns,Vanwart,Vanostrand,Valiente,Valderas,Uhrig,Tunison,Tulloch,Trostle,Treaster,Traywick,Toye,Tomson,Tomasello,Tomasek,Tippit,Tinajero,Tift,Tienda,Thorington,Thierry,Thieme,Thibeau,Thakkar,Tewell,Test,Telfer,Sweetser,Sum,Stratford,Stracener,Stoke,Stiverson,Stelling,Stefan,Stavros,Speaker,Spatz,Spagnoli,Sorge,Sober,Slevin,Slabaugh,Simson,Shupp,Shoultz,Shotts,Shiroma,Shetley,Sherrow,Sheffey,Shawgo,Shamburger,Sester,Segraves,Seelig,Seats,Scioneaux,Schwartzkopf,Schwabe,Scholes,Schmuck,Schluter,Schlecht,Schillaci,Schildgen,Schieber,Schewe,Schecter,Scarpelli,Scaglione,Sautter,Santelli,Sandman,Salmi,Sabado,Ryer,Rydberg,Ryba,Rushford,Running,Runk,Ruddick,Rotondo,Rote,Rosenfield,Roesner,Rocchio,Ritzer,Rippel,Rimes,Riffel,Richison,Ribble,Reynold,Resh,Rehn,Ratti,Rasor,Rasnake,Rappold,Rando,Radosevich,Pulice,Puff,Prichett,Pribble,Poynor,Plowden,Pitzen,Pittsley,Pitter,Pigeon,Philyaw,Philipps,Petite,Pestana,Perro,Perone,Pera,Peil,Pedone,Pawlowicz,Pattee,Parten,Parlin,Pariseau,Paredez,Pardon,Panther,Paek,Pacifico,Otts,Ostrow,Osornio,Oslund,Orso,Ooten,Onken,Oniel,Onan,Ollison,Ohlsen,Ohlinger,Odowd,Niemiec,Neubert,Nembhard,Neaves,Neathery,Nakasone,Myerson,Muto,Muntz,Munez,Mumme,Mumm,Mujica,Muise,Muench,Morriss,Molock,Mishoe,Minier,Metzgar,Mero,Meiser,Meese,Meals,Mcsween,Mcquire,Mcquinn,Mcpheeters,Mckeller,Mcilrath,Mcgown,Mcdavis,Mccuen,Mcclenton,Maxham,Matsui,Marriner,Marlette,Mantle,Mansur,Mancino,Maland,Majka,Maisch,Maheux,Madry,Madriz,Mackley,Macke,Lydick,Lutterman,Luppino,Lundahl,Lovingood,Loudon,Longmore,Lippman,Liefer,Leveque,Lescarbeau,Lemmer,Ledgerwood,Lawver,Lawrie,Lattea,Lasko,Lahman,Kulpa,Kukowski,Kukla,Kubota,Kubala,Krizan,Kriz,Krikorian,Kravetz,Kramp,Kowaleski,Knobloch,Klosterman,Kloster,Klepper,Kirven,Kinnaman,Kinnaird,Killam,Kiesling,Kesner,Keebler,Keagle,Karls,Kapinos,Kantner,Kaba,Junious,Jefferys,Jacquet,Izzi,Ishii,Irion,Ifill,Hyun,Hotard,Horman,Hoppes,Hopkin,Hokanson,Hoda,Hocutt,Hoaglin,Hites,Hirai,Hindle,Hinch,Hilty,Hild,Hier,Hickle,Hibler,Henrichs,Hempstead,Helmers,Hellard,Heims,Heidler,Hearst,Hawbaker,Hau,Harkleroad,Harari,Hanney,Hannaford,Hamid,Hamburger,Haltom,Hallford,Guilliams,Guerette,Gryder,Groseclose,Groen,Grimley,Greenidge,Greek,Graffam,Goucher,Goodenough,Goldsborough,Goldie,Gloster,Glanton,Gladson,Gladding,Ghee,Gethers,Gerstein,Geesey,Geddie,Gayer,Gaw,Gaver,Gauntt,Gartland,Garriga,Garoutte,Gao,Gan,Fronk,Fritze,Frenzel,Forgione,Fluitt,Flinchbaugh,Flach,Fiorito,Finan,Finamore,Fimbres,Fillman,File,Figeroa,Ficklin,Feher,Feddersen,Fambro,Fairbairn,Eves,Esperanza,Escalona,Elsey,Eisenstein,Ehrenberg,Eargle,Dress,Drane,Dorothy,Doria,Dogan,Dively,Dewolfe,Dettman,Desiderio,Desch,Dennen,Denk,Demaris,Delsignore,Dejarnette,Deere,Dedman,Daws,Dawn,Dauphinais,Danz,Dantin,Dannenberg,Dalby,Currence,Culwell,Cuesta,Croston,Crossno,Cromley,Crisci,Craw,Coryell,Cooter,Condra,Columbia,Colpitts,Colas,Coach,Clink,Clevinger,Clermont,Cistrunk,Cirilo,Chirico,Chiarello,Cephus,Cecena,Cavaliere,Caughey,Casimir,Carwell,Carlon,Carbonaro,Caraveo,Cantley,Callejas,Cagney,Cadieux,Cabaniss,Bushard,Burlew,Buras,Budzinski,Bucklew,Bruneau,Brummer,Brueggemann,Brotzman,Bross,Broad,Brittian,Brimage,Briles,Brickman,Breneman,Breitenstein,Brandel,Brackins,Boydstun,Botta,Bosket,Boros,Borgmann,Bordeau,Bonifacio,Bolten,Boehman,Blundell,Bloodsaw,Bjerke,Biffle,Bickett,Bickers,Beville,Bergren,Bergey,Benzing,Belfiore,Beirne,Beckert,Bebout,Baumert,Battey,Bartman,Barrs,Barriere,Barcelo,Barbe,Balliet,Baham,Babst,Auton,Asper,Asbell,Arzate,Argento,Arel,Araki,Arai,Apo,Antley,Amodeo,Ammann,Allyn,Allensworth,Aldape,Akey,Abeita,Zweifel,Zeng,Zeiler,Zamor,Zalenski,Yzaguirre,Yousef,Yetman,Yau,Wyer,Woolwine,Wohlgemuth,Wohlers,Wittenberg,Wingrove,Wind,Wimsatt,Willimas,Wilkenson,Wildey,Wilderman,Wilczynski,Wigton,Whorley,Wellons,Welles,Welle,Weirich,Weideman,Weide,Weekly,Weast,Wasmund,Warshaw,Walson,Waldner,Walch,Walberg,Wagener,Wageman,Vrieze,Vossen,Vorce,Voorhis,Vonderheide,Viruet,Vicari,Verne,Velasques,Vautour,Vartanian,Varona,Vankeuren,Vandine,Vandermeer,Ursery,Underdown,Uhrich,Uhlman,Tworek,Twine,Twellman,Tweedie,Tutino,Turmelle,Tubb,Troop,Trivedi,Triano,Trevathan,Treese,Treanor,Treacy,Traina,Topham,Toenjes,Tippetts,Tieu,Thomure,Thatch,Than,Tetzlaff,Tetterton,Tena,Tell,Teamer,Tappan,Tank,Talcott,Tagg,Szczepanski,Syring,Surace,Sulzer,Sugrue,Sugarman,Suess,Styons,Stwart,Stupka,Strey,Straube,Strate,Stoddart,Stockbridge,Stjames,Stinger,Steimle,Steenberg,Start,Stamand,Staller,Stahly,Stager,Spurgin,Sprow,Sponsler,Speas,Spainhour,Sones,Smits,Smelcer,Slovak,Slaten,Singleterry,Simien,Sidebottom,Sibrian,Shellhammer,Shelburne,Shambo,Sepeda,Seigel,Scogin,Scianna,Schmoll,Schmelzer,Scheu,Schachter,Savant,Sauseda,Satcher,Sandor,Sampsell,Rugh,Rufener,Rudolf,Rotenberry,Rossow,Rossbach,Roots,Rollman,Rodrique,Rodreguez,Rodkey,Roda,Rising,Rini,Riggan,Rients,Riedl,Rhines,Ress,Reinbold,Raschke,Rardin,Rain,Racicot,Quillin,Pushard,Primrose,Pries,Pressey,Precourt,Pratts,Postel,Poppell,Plumer,Pingree,Pieroni,Pflug,Petre,Petrarca,Peterka,Peru,Perkin,Pergande,Peranio,Penna,Pekar,Pea,Paulhus,Pasquariello,Parras,Parmentier,Para,Panzer,Pamplin,Oviatt,Osterhoudt,Ostendorf,Osmun,Ortman,Orloff,Orban,Onofrio,Olveda,Oltman,Okeeffe,Ocana,Nunemaker,Novy,Noffsinger,Nish,Niday,Nethery,Nestle,Nemitz,Neidert,Nadal,Nack,Muszynski,Munsterman,Mulherin,Mortimore,Morter,Montesino,Montalvan,Montalbano,Momon,Moman,Mom,Mogan,Minns,Millward,Milling,Michelsen,Micheal,Mewborn,Metro,Metayer,Mensch,Meloy,Meggs,Meaders,Mcsorley,Mcmenamin,Mclead,Mclauchlin,Mcguffey,Mcguckin,Mcglaughlin,Mcferron,Mcentyre,Mccrum,Mccawley,Mcbain,Mayhue,Mau,Matzen,Matton,Marsee,Marrin,Marland,Markum,Mantilla,Manfre,Malta,Makuch,Madlock,Maclaren,Macauley,Luzier,Luthy,Lufkin,Lucena,Loudin,Lothrop,Lorch,Lona,Loll,Loadholt,Lisa,Lippold,Likes,Lichtman,Liberto,Liakos,Lewicki,Levett,Level,Lentine,Leja,Legree,Lawhead,Lauro,Lauder,Lard,Lanman,Lank,Laning,Lama,Lalor,Krob,Kriger,Kriegel,Krejci,Kreisel,Kozel,Kos,Konkel,Kolstad,Koenen,Kocsis,Knoblock,Knebel,Klopfer,Klee,Kilday,Kesten,Kerbs,Kempker,Keathley,Kazee,Kawasaki,Kaur,Kamer,Kamaka,Kallenbach,Kafka,Jerrell,Jehle,Jaycox,Jardin,Jahns,Ivester,Hyppolite,Hyche,Husbands,Hur,Huppert,Hulin,Hubley,Horsey,Hornak,Holzwarth,Holmon,Hollabaugh,Holaway,Hodes,Hoak,Hinesley,Hillwig,Hillebrand,Highfield,Heslop,Herrada,Hendryx,Hellums,Heit,Heishman,Heindel,Hayslip,Hayford,Hastie,Hartgrove,Hanus,Hakim,Hains,Hadnott,Gundersen,Gulino,Guidroz,Guebert,Gressett,Greenhouse,Graydon,Gramling,Grahn,Goupil,Gory,Gorelick,Goodreau,Goodnough,Golay,Going,Goers,Glatz,Gillikin,Gieseke,Giammarino,Getman,Geronimo,Gerardo,Gensler,Gazda,Garibaldi,Gahan,Fury,Funderburke,Fukuda,Fugitt,Fuerst,Fortman,Forsgren,Formica,Fluke,Flink,Fitton,Feltz,Fekete,Feit,Fehrenbach,Farone,Farinas,Faries,Fagen,Ewin,Esquilin,Esch,Enderle,Ellery,Ellers,Ekberg,Egli,Effinger,Dymond,Dulle,Dula,Duhe,Dudney,Duane,Dowless,Dower,Dorminey,Dopp,Dooling,Domer,Disher,Dillenbeck,Difilippo,Dibernardo,Deyoe,Devillier,Denley,Deland,Defibaugh,Deeb,Debow,Dauer,Datta,Darcangelo,Daoust,Damelio,Dahm,Dahlman,Cypher,Curling,Curlin,Cupit,Culton,Cuenca,Cropp,Croke,Cremer,Crace,Cosio,Corzine,Coombe,Coman,Colone,Coloma,Collingwood,Coletta,Coderre,Cocke,Cobler,Claybrook,Circle,Cincotta,Cimmino,Christoff,Christina,Chisum,Chillemi,Chevere,Chae,Chachere,Cervone,Cermak,Cefalu,Cauble,Cather,Caso,Carns,Carcamo,Carbo,Capoccia,Capello,Capell,Canino,Cambareri,Calvi,Cabiness,Bushell,Burtt,Burstein,Burkle,Bunner,Bundren,Buechler,Bryand,Bruso,Brownstein,Brow,Brouse,Brodt,Broaden,Brisbin,Brightman,Bridgett,Brenes,Breitenbach,Brazzell,Brazee,Bramwell,Bramhall,Bradstreet,Boyton,Bowland,Boulter,Bossert,Bonura,Bonebrake,Bonacci,Boeck,Blystone,Birchard,Bilal,Biddy,Bibee,Bevans,Bethke,Bertelsen,Berney,Bergfeld,Benware,Bellon,Bellah,Been,Batterton,Barberio,Bamber,Bagdon,Badeaux,Averitt,Augsburger,Ates,Arvie,Aronowitz,Arens,Arch,Araya,Angelos,Andrada,Amell,Amante,Alvin,Almy,Almquist,Alls,Aispuro,Aguillon,Agudelo,Admire,Acy,Aceto,Abbot,Abalos,Zdenek,Zaremba,Zaccaria,Youssef,Wrona,Wrinkle,Wrede,Wotton,Woolston,Wolpert,Wollman,Wince,Wimberley,Willmore,Willetts,Wikoff,Wieder,Wickert,Whitenack,Wernick,Welte,Welden,Weiskopf,Weisenberger,Weich,Wallington,Walder,Vossler,Vore,Vigo,Vierling,Victorine,Verdun,Vencill,Vena,Vazguez,Vassel,Vanzile,Vanvliet,Vantrease,Vannostrand,Vanderveer,Vanderveen,Vancil,Uyeda,Umphrey,Uhler,Uber,Tutson,Turrentine,Tullier,Tugwell,Trundy,Tripodi,Tomer,Tomei,Tomasi,Tomaselli,Tokarski,Tisher,Tibbets,Thweatt,Thistle,Tharrington,Tesar,Telesco,Teasdale,Tatem,Taniguchi,Suriel,Sudler,Stutsman,Sturman,Strite,Strelow,Streight,Strawder,Stransky,Strahl,Stours,Stong,Stinebaugh,Stilts,Stillson,Steyer,Stelle,Steffy,Steffensmeier,Statham,Squillante,Spiess,Spargo,Southward,Soller,Soden,Snuggs,Snellgrove,Smyers,Smiddy,Slonaker,Skyles,Skowron,Sivils,Siqueiros,Siers,Siddall,Shorty,Shontz,Shingler,Shiley,Shibley,Sherard,Shelnutt,Shedrick,Shasteen,Sereno,Selke,Scovil,Scola,Schuett,Schuessler,Schreckengost,Schranz,Schoepp,Schneiderman,Schlanger,Schiele,Scheuermann,Schertz,Scheidler,Scheff,Schaner,Schamber,Scardina,Savedra,Saulnier,Sater,Sarro,Sambrano,Salomone,Sabourin,Ruud,Rutten,Ruffino,Ruddock,Rowser,Roussell,Rosengarten,Rominger,Rollinson,Rohman,Roeser,Rodenberg,Roberds,Ridgell,Rhodus,Reynaga,Rexrode,Revelle,Rempel,Remigio,Reising,Reiling,Reetz,Rayos,Ravenscroft,Ravenell,Raulerson,Rasmusson,Rask,Rase,Ragon,Quesnel,Quashie,Puzo,Puterbaugh,Ptak,Prost,Prisbrey,Principe,Pricer,Pratte,Pouncey,Portman,Pontious,Pomerantz,Platter,Planck,Pilkenton,Pilarski,Piano,Phegley,Pertuit,Perla,Penta,Pelc,Peffer,Pech,Peagler,Pavelka,Pavao,Patman,Paskett,Parrilla,Pardini,Papazian,Panter,Palin,Paley,Pai,Pages,Paetzold,Packett,Pacheo,Ostrem,Orsborn,Olmedo,Okamura,Oiler,Ohm,Oglesbee,Oatis,Oakland,Nuckles,Notter,Nordyke,Nogueira,Niswander,Nibert,Nesby,Neloms,Nading,Naab,Munns,Mullarkey,Moudy,Moret,Monnin,Molder,Modisette,Moczygemba,Moctezuma,Mischke,Miro,Mings,Milot,Milledge,Milhorn,Milera,Mieles,Mickley,Michelle,Micek,Metellus,Mersch,Merola,Mercure,Mencer,Mellin,Mell,Meinke,Mcquillan,Mcmurtrie,Mckillop,Mckiernan,Mckendrick,Mckamie,Mcilvaine,Mcguffie,Mcgonigle,Mcgarrah,Mcfetridge,Mcenaney,Mcdow,Mccutchan,Mccallie,Mcadam,Maycock,Maybee,Mattei,Massi,Masser,Masiello,Marth,Marshell,Marmo,Marksberry,Markell,Marchal,Manross,Manganaro,Mally,Mallow,Mailhot,Magyar,Madonna,Madero,Madding,Maddalena,Macfarland,Lynes,Lush,Lugar,Luckie,Lucca,Lovitt,Loveridge,Loux,Loth,Loso,Lorenzana,Lorance,Lockley,Lockamy,Littler,Litman,Litke,Liebel,Lichtenberger,Licea,Leverich,Letarte,Lesesne,Leno,Legleiter,Leffew,Laurin,Launius,Laswell,Lassen,Lasala,Laraway,Laramore,Landrith,Lancon,Lanahan,Laiche,Laford,Lachermeier,Kunst,Kugel,Kuck,Kuchta,Kube,Korus,Koppes,Kolbe,Koerber,Kochan,Knittel,Kluck,Kleve,Kleine,Kitch,Kirton,Kirker,Kintz,Kinghorn,Kindell,Kimrey,Kilduff,Kilcrease,Kicklighter,Kibble,Kervin,Keplinger,Keogh,Kellog,Keeth,Kealey,Kazmierczak,Karner,Kamel,Kalina,Kaczynski,Juel,Joye,Jerman,Jeppson,Jawad,Jasik,Jaqua,Janusz,Janco,Island,Inskeep,Inks,Ingold,Ing,Hyndman,Hymer,Hunte,Hunkins,Humber,Huffstutler,Huffines,Hudon,Hudec,Hovland,Houze,Hout,Hougland,Hopf,Hon,Holsapple,Holness,Hollenbach,Hoffmeister,Hitchings,Hirata,Hieber,Hickel,Hewey,Herriman,Hermansen,Herandez,Henze,Heffelfinger,Hedgecock,Hazlitt,Hazelrigg,Haycock,Harren,Harnage,Harling,Harcrow,Hannold,Hanline,Hanel,Hanberry,Hammersley,Hamernik,Halliwell,Hajduk,Haithcock,Haff,Hadaway,Haan,Gullatt,Guilbault,Guidotti,Gruner,Grisson,Grieves,Granato,Gracie,Grabert,Gover,Gorka,Glueck,Girardin,Giorgio,Giesler,Gersten,Gering,Geers,Gaut,Gaulin,Gaskamp,Garbett,Gallivan,Galland,Gaeth,Fullenkamp,Fullam,Friedrichs,Freire,Freeney,Fredenburg,Frappier,Fowkes,Foree,Fleurant,Fleig,Fleagle,Fitzsimons,Fischetti,Fiorenza,Finneran,Filippi,Figueras,Fesler,Fertig,Fennel,Feltmann,Felps,Felmlee,Faye,Fannon,Familia,Fairall,Fail,Fadden,Esslinger,Enfinger,Elsasser,Elmendorf,Ellisor,Einhorn,Ehrman,Egner,Edmisten,Edlund,Ebinger,Dyment,Dykeman,Durling,Dunstan,Dunsmore,Dugal,Duer,Drescher,Doyel,Down,Dossey,Donelan,Dockstader,Dobyns,Divis,Dilks,Didier,Desrosier,Desanto,Deppe,Deng,Delosh,Delange,Defrank,Debo,Dauber,Dartez,Daquila,Dankert,Dahn,Cygan,Cusic,Curfman,Croghan,Croff,Criger,Creviston,Crays,Cravey,Crandle,Crail,Crago,Craghead,Cousineau,Couchman,Cothron,Corella,Conine,Coller,Colberg,Cogley,Coatney,Coale,Clendenin,Claywell,Clagon,Cifaldi,Choiniere,Chickering,Chica,Chennault,Chavarin,Chattin,Chaloux,Challis,Cesario,Certain,Cazarez,Caughman,Catledge,Casebolt,Carrel,Carra,Carlow,Capote,Canez,Camillo,Caliendo,Calbert,Cairo,Bylsma,Bustle,Buskey,Buschman,Burkhard,Burghardt,Burgard,Buonocore,Bunkley,Bungard,Bundrick,Bumbrey,Buice,Buffkin,Brundige,Brockwell,Brion,Brin,Briant,Bredeson,Bransford,Brannock,Brakefield,Brackens,Brabant,Boxer,Bowdoin,Bouyer,Bothe,Boor,Bonavita,Bollig,Blurton,Blunk,Blanke,Blanck,Birden,Bierbaum,Bevington,Beutler,Betters,Bettcher,Bera,Benway,Bengston,Benesh,Behar,Bedsole,Becenti,Beachy,Battersby,Basta,Bartmess,Bartle,Bartkowiak,Barsky,Barrio,Barletta,Barfoot,Banegas,Ballin,Baldonado,Bal,Azcona,Avants,Austell,Aungst,Aune,Aumann,Audia,Atterbury,Asselin,Asmussen,Ashline,Asbill,Arvizo,Arnot,Ariola,Ardrey,Angstadt,Anastasio,Amsden,Amor,Amerman,Alred,Almeda,Allington,Alewine,Alcina,Alberico,Alas,Ahlgren,Aguas,Agrawal,Agosta,Adolphsen,Addie,Acre,Acey,Aburto,Abler,Zwiebel,Zuk,Zepp,Zentz,Ybarbo,Yarberry,Yamauchi,Yamashiro,Wurtz,Wronski,Worster,Wootten,Wool,Wongus,Woltz,Wolanski,Witzke,Withey,Wisecarver,Wingham,Wineinger,Winegarden,Windholz,Wilgus,Wiesen,Wieck,Widrick,Wickliffe,Whittenberg,Westby,Werley,Wengert,Wendorf,Weimar,Weick,Weckerly,Watrous,Wasden,Walford,Wainright,Wahlstrom,Wadlow,Vrba,Voisin,Vives,Vivas,Vitello,Villescas,Villavicencio,Villanova,Vialpando,Vetrano,Verona,Vensel,Vassell,Varano,Vanriper,Vankleeck,Vanduyne,Vanderpol,Vanantwerp,Valenzula,Udell,Turnquist,Tuff,Trickett,Tremble,Tramble,Tingey,Ting,Timbers,Tietz,Thon,Thiem,Then,Tercero,Tenner,Tenaglia,Teaster,Tarlton,Taitt,Taggert,Tabon,Sward,Swaby,Suydam,Surita,Suman,Sugar,Suddeth,Stumbo,Studivant,Strobl,Stretch,Streich,Stow,Stoodley,Stoecker,Stillwagon,Stickle,Stellmacher,Stefanik,Steedley,Starbird,Stake,Stainback,Stacker,Speir,Spath,Sommerfeld,Soltani,Solie,Sojka,Sobota,Sobieski,Sobczak,Smullen,Sleeth,Slaymaker,Skolnick,Skoglund,Sires,Singler,Silliman,Shrock,Shott,Shirah,Shimek,Shepperd,Sheffler,Sheeler,Sharrock,Sharman,Shalash,Seyfried,Seybold,Selander,Seip,Seifried,Sedor,Sedlock,Sebesta,Seago,Scutt,Scrivens,Sciacca,Schultze,Schoemaker,Schleifer,Schlagel,Schlachter,Schempp,Scheider,Scarboro,Santi,Sang,Sandhu,Sally,Salim,Saia,Rylander,Ryburn,Rutigliano,Ruocco,Ruland,Rudloff,Rott,Rosenburg,Rosenbeck,Romberger,Romanelli,Rohloff,Rohlfing,Rodda,Rodd,Ritacco,Rielly,Rieck,Rickles,Rickenbacker,Rhett,Respass,Reisner,Reineck,Reighard,Rehbein,Rega,Redwood,Reddix,Razor,Rawles,Raver,Rattler,Ratledge,Rathman,Ramsburg,Raisor,Radovich,Radigan,Quail,Puskar,Purtee,Priestly,Prestidge,Presti,Pressly,Pozo,Pottinger,Portier,Porta,Porcelli,Poplawski,Polin,Points,Poeppelman,Pocock,Plump,Plantz,Placek,Piro,Pinnell,Pinkowski,Pietz,Picone,Philbeck,Pflum,Peveto,Perret,Pentz,Payer,Paulette,Patlan,Paterno,Papageorge,Pae,Overmyer,Overland,Osier,Orwig,Orum,Orosz,Oquin,Opie,Oda,Ochsner,Oathout,Nygard,Norville,Northway,Niver,Nicolson,Newhart,Nery,Neitzel,Nath,Nanez,Mustard,Murnane,Mortellaro,Morreale,Morino,Moriarity,Morgado,Moorehouse,Mongiello,Molton,Mirza,Minnix,Millspaugh,Milby,Miland,Miguez,Mickles,Michaux,Mento,Melugin,Melrose,Melito,Meinecke,Mehr,Meares,Mcneece,Mckane,Mcglasson,Mcgirt,Mcgilvery,Mcculler,Mccowen,Mccook,Mcclintic,Mccallon,Mazzotta,Maza,Mayse,Mayeda,Matousek,Matley,Martyn,Maroon,Marney,Marnell,Marling,Marcelino,Manuelito,Maltos,Malson,Maire,Mahi,Maffucci,Macken,Maass,Lyttle,Lynd,Lyden,Lukasiewicz,Luebbers,Lovering,Loveall,Lords,Longtin,Lok,Lobue,Loberg,Loan,Lipka,Lion,Linen,Lightbody,Lichty,Levert,Lev,Lettieri,Letsinger,Lepak,Lemmond,Lembke,Leitz,Lasso,Lasiter,Lango,Landsman,Lamirande,Lamey,Laber,Kuta,Kulesza,Kua,Krenz,Kreiner,Krein,Kreiger,Kraushaar,Kottke,Koser,Kornreich,Kopczynski,Konecny,Kok,Koff,Koehl,Kocian,Knaub,Kmetz,Kluender,Klenke,Kleeman,Kitzmiller,Kirsh,Kilman,Kildow,Kielbasa,Ketelsen,Kesinger,Kendra,Kehr,Keef,Kauzlarich,Karter,Kahre,Junk,Jong,Jobin,Joaquin,Jinkins,Jines,Jeffress,Jaquith,Jaillet,Jablonowski,Ishikawa,Irey,Ingerson,Indelicato,In,Huntzinger,Huisman,Huett,Howson,Houge,Hosack,Hora,Hoobler,Holtzen,Holtsclaw,Hollingworth,Hollin,Hoberg,Hobaugh,Hilker,Hilgefort,Higgenbotham,Heyen,Hetzler,Hessel,Hennessee,Hendrie,Hellmann,Heft,Heesch,Haymond,Haymon,Haye,Havlik,Havis,Haverland,Haus,Harstad,Harriston,Harm,Harju,Hardegree,Hankey,Hands,Hampshire,Hammell,Hamaker,Halbrook,Halberg,Guptill,Guntrum,Gunderman,Gunder,Gularte,Guarnieri,Gu,Groll,Grippo,Greely,Grave,Gramlich,Goh,Goewey,Goetzinger,Goding,Giraud,Giefer,Giberson,Gennaro,Gemmell,Gearing,Gayles,Gaudin,Gatz,Gatts,Gasca,Garn,Gandee,Gammel,Galindez,Galati,Gagliardo,Fulop,Fukushima,Friedt,Fretz,Frenz,Freeberg,Frederic,Fravel,Fountaine,Forry,Forck,Fonner,Flippin,Flewelling,Flansburg,Filippone,Fettig,Fenlon,Felter,Felkins,Fein,Faz,Favor,Favero,Faulcon,Farver,Farless,Fahnestock,Facemire,Faas,Eyer,Evett,Every,Esses,Escareno,Ensey,Ennals,Engelking,Empey,Emily,Elvira,Ellithorpe,Effler,Edling,Edgley,Durrell,Dunkerson,Draheim,Domina,Dombrosky,Doescher,Dobbin,Divens,Dinatale,Dimitri,Dieguez,Diede,Devivo,Devilbiss,Devaul,Determan,Desjardin,Deshaies,Demo,Delpozo,Delorey,Delman,Delapp,Delamater,Deibert,Degroff,Debelak,Dapolito,Dano,Dacruz,Dacanay,Cushenberry,Cruze,Crosbie,Cregan,Cousino,Corrie,Corrao,Corney,Cookingham,Conry,Collingsworth,Coldren,Cobian,Coate,Clauss,Chrysler,Christine,Christenberry,Chmiel,Chauez,Charters,Chait,Cesare,Cella,Caya,Castenada,Cashen,Captain,Cantrelle,Canova,Candy,Canary,Campione,Camel,Calixte,Caicedo,Byerley,Buttery,Butter,Burda,Burchill,Bun,Bulmer,Bulman,Buesing,Buczek,Buckholz,Buchner,Buchler,Buban,Bryne,Brutus,Brunkhorst,Brumsey,Brumer,Brownson,Broker,Brodnax,Brezinski,Brazile,Braverman,Brasil,Branning,Bradly,Boye,Boulden,Bough,Bossard,Bosak,Borth,Borgmeyer,Borge,Blowers,Blaschke,Blann,Blankenbaker,Bisceglia,Billingslea,Bialek,Beverlin,Besecker,Berquist,Benigno,Benavente,Belizaire,Beisner,Behrman,Beausoleil,Bea,Baylon,Bayley,Bassi,Basnett,Basilio,Basden,Basco,Banerjee,Balli,Bake,Bagnell,Bady,Averette,Augusta,Arzu,Arn,Archambeault,Arboleda,Arbaugh,Arata,Antrim,Amrhein,Amerine,Alpers,Alfrey,Alcon,Albus,Albertini,Aguiniga,Aday,Acquaviva,Accardi,Zygmont,Zych,Zollner,Zobel,Zinck,Zertuche,Zaragosa,Zale,Zaldivar,Ying,Yeadon,Wykoff,Woullard,Wolfrum,Wohlford,Wison,Wiseley,Wisecup,Winchenbach,Wiltsie,Whittlesey,Whitelow,Whiteford,Wever,Westrich,Wertman,Wensel,Wenrich,Weisbrod,Weglarz,Wedderburn,Weatherhead,Wease,Warring,Wand,Wadleigh,Voltz,Vise,Villano,Vicario,Vermeulen,Vazques,Vasko,Varughese,Vangieson,Vanfossen,Vanepps,Vanderploeg,Vancleve,Valerius,Uyehara,Unsworth,Twersky,Turrell,Tuner,Tsui,Trunzo,Trousdale,Trentham,Traughber,Torgrimson,Toppin,Tokar,Tobia,Tippens,Tigue,Thong,Thiry,Thackston,Terhaar,Tenny,Tassin,Tadeo,Sweigart,Sutherlin,Sumrell,Suen,Stuhr,Strzelecki,Strosnider,Streiff,Stottlemyer,Storment,Storlie,Stonesifer,Stogsdill,Stenzel,Stemen,Stellhorn,Steidl,Stecklein,Statton,Staple,Stangle,Spratling,Spoor,Spight,Spelman,Spece,Spanos,Spadoni,Southers,Sola,Sobol,Smyre,Slaybaugh,Sizelove,Sirmons,Simington,Silversmith,Siguenza,Sieren,Shelman,Shawn,Sharples,Sharif,Shack,Seville,Sessler,Serrata,Serino,Serafini,Semien,Selvey,Seedorf,Seckman,Seawood,Screws,Screen,Scoby,Scicchitano,Schorn,Schommer,Schnitzer,Schleusner,Schlabach,Schiel,Schepers,Schaber,Scally,Sautner,Sartwell,Santerre,Sandage,Salvia,Salvetti,Salsman,Sallis,Salais,Saint,Saeger,Sable,Sabat,Saar,Ruther,Russom,Ruoff,Rumery,Rubottom,Rozelle,Rowton,Routon,Rotolo,Rostad,Roseborough,Rorick,Ronco,Rolls,Roher,Roberie,Robare,Ritts,Rison,Rippe,Rinke,Ringwood,Righter,Rieser,Rideaux,Rickerson,Renfrew,Releford,Reinsch,Reiman,Reifsteck,Reidhead,Redfearn,Reddout,Reaux,Rance,Ram,Rado,Radebaugh,Quinby,Quigg,Provo,Provenza,Provence,Prophet,Pridgeon,Praylow,Powel,Poulter,Portner,Pontbriand,Police,Poirrier,Poirer,Platero,Pixler,Pintor,Pigman,Piersall,Piel,Pichette,Phou,Phillis,Phillippe,Pharis,Phalen,Petsche,Perrier,Penfield,Pelosi,Pebley,Peat,Pawloski,Pawlik,Pavlick,Pavel,Patz,Patout,Pascucci,Pasch,Parrinello,Parekh,Pantaleo,Pannone,Pankow,Pangborn,Pagani,Pacelli,Ort,Orsi,Oriley,Orduno,Oommen,Olivero,Okada,Ocon,Ocheltree,Oberman,Nyland,Noss,Norling,Nolton,Nobile,Nitti,Nishimoto,Nghiem,Neuner,Neuberger,Neifert,Negus,Naval,Nagler,Mullally,Moulden,Morra,Morquecho,Morocco,Moots,Monica,Mizzell,Mirsky,Mirabito,Minardi,Milholland,Mikus,Mijangos,Michener,Michalek,Methvin,Merrit,Menter,Meneely,Melody,Meiers,Mehring,Mees,Medal,Mcwhirt,Mcwain,Mcphatter,Mcnichol,Mcnaught,Mclarty,Mcivor,Mcginness,Mcgaughy,Mcferrin,Mcfate,Mcclenny,Mcclard,Mccaskey,Mccallion,Mcamis,Mathisen,Marton,Marsico,Mariner,Marchi,Mani,Mangione,Magda,Macaraeg,Lupi,Lunday,Lukowski,Lucious,Locicero,Loach,Littlewood,Litt,Litle,Lipham,Linley,Lindon,Lightford,Lieser,Leyendecker,Lewey,Lesane,Lenzi,Lenart,Lena,Leisinger,Lehrman,Lefebure,Leandro,Lazard,Laycock,Laver,Launer,Lastrapes,Lastinger,Lasker,Larkey,Larger,Lanser,Lanphere,Landey,Lan,Lampton,Lamark,Lager,Kumm,Kullman,Krzeminski,Krasner,Kram,Koran,Koning,Kohls,Kohen,Kobel,Kniffen,Knick,Kneip,Knappenberger,Knack,Klumpp,Klausner,Kitamura,Kisling,Kirshner,Kinloch,Kingman,Kin,Kimery,Kestler,Kellen,Keleher,Keehn,Kearley,Kasprzak,Kary,Kampf,Kamerer,Kalis,Kahan,Kaestner,Kadel,Kabel,Junge,Juckett,Joynt,Jorstad,Jetter,Jelley,Jefferis,Jeff,Jeansonne,Janecek,Jaffee,Jacko,Izzard,Istre,Isherwood,Ipock,Iannuzzi,Hypolite,Hussein,Humfeld,Huckleberry,Hotz,Hosein,Honahni,Holzworth,Holdridge,Holdaway,Holaday,Hodak,Hitchman,Hippler,Hinchey,Hillin,Hiler,Hibdon,Hevey,Heth,Hepfer,Henneman,Hemsley,Hemmings,Hemminger,Helbert,Helberg,Heinze,Heeren,Hee,Heber,Haver,Hauff,Haswell,Harvison,Hartson,Harshberger,Harryman,Harries,Hannibal,Hane,Hamsher,Haggett,Hagemeier,Haecker,Haddon,Haberkorn,Guttman,Guttierrez,Guthmiller,Guillet,Guilbert,Gugino,Grumbles,Griffy,Gregerson,Greg,Granada,Grana,Goya,Goranson,Gonsoulin,Goettl,Goertz,Goe,Godlewski,Glandon,Glad,Gilsdorf,Gillogly,Gilkison,Giard,Giampaolo,Gheen,Gettings,Gesell,Gershon,Gaumer,Gartrell,Garside,Garrigan,Garmany,Garlitz,Garlington,Gamet,Gail,Fuss,Furlough,Funston,Funaro,Frix,Frasca,Francoeur,Forshey,Foose,Flatley,Flagler,Fils,Fillers,Fickett,Feth,Fennelly,Fencl,Felch,Fedrick,Febres,Fazekas,Farnan,Fairless,Ewan,Etsitty,Enterline,Elvin,Elsworth,Elliff,Ell,Eleby,Eldreth,Eidem,Edgecomb,Edds,Ebarb,Dworkin,Dusenberry,Durrance,Duropan,Durfey,Dungy,Dundon,Dumbleton,Duffel,Dubon,Dubberly,Droz,Drinkwater,Dressel,Doughtie,Doshier,Dorrell,Dora,Dople,Doonan,Donadio,Dollison,Doig,Ditzler,Dishner,Discher,Dimaio,Digman,Difalco,Diem,Devino,Devens,Derosia,Deppen,Depaola,Deniz,Denardo,Demos,Demay,Delgiudice,Davi,Danielsen,Dally,Dais,Dahmer,Cutsforth,Cusimano,Curington,Cumbee,Cryan,Crusoe,Crowden,Crete,Cressman,Crapo,Cowens,Coupe,Councill,Coty,Cotnoir,Correira,Copen,Consiglio,Combes,Coffer,Cockrill,Coad,Clogston,Clasen,Chock,Chesnutt,Charrier,Chain,Chadburn,Cerniglia,Cebula,Castruita,Castilla,Castaldi,Casebeer,Casagrande,Carta,Carrales,Carnley,Cardon,Carasco,Capshaw,Capron,Cappiello,Capito,Canney,Candela,Caminiti,Califano,Calico,Calabria,Caiazzo,Cahall,Buscemi,Burtner,Burgdorf,Bureau,Burdo,Buffaloe,Buchwald,Brwon,Brunke,Brummond,Brumm,Broe,Brocious,Brocato,Bro,Britain,Briski,Brisker,Brightwell,Bresett,Breiner,Brazeau,Braz,Brayman,Brandis,Bramer,Bradeen,Boyko,Bourbon,Bossi,Boshart,Bortle,Boniello,Bomgardner,Bolz,Bolenbaugh,Bohling,Bohland,Bochenek,Blust,Bloxham,Blowe,Blish,Blackwater,Bjelland,Biros,Birkhead,Biederman,Bickle,Bialaszewski,Bevil,Beverley,Beumer,Bettinger,Besse,Bernett,Bermejo,Bement,Belfield,Beckler,Beatrice,Baxendale,Batdorf,Bastin,Bashore,Bascombe,Bartlebaugh,Barsh,Ballantine,Bahl,Badon,Bachelor,Autin,Audie,Astin,Askey,Ascher,Arrigo,Arbeiter,Antes,Angers,Amburn,Amarante,Alvidrez,Althaus,Allmond,Alfieri,Aldinger,Akerley,Akana,Aikins,Ader,Acebedo,Accardo,Abila,Aberle,Abele,Abboud,Zollars,Zimmerer,Zieman,Zerby,Zelman,Zellars,Yule,Yoshimura,Yonts,Yeats,Yant,Yamanaka,Wyland,Wuensche,Worman,Wordlaw,Wohl,Winslett,Winberg,Wilmeth,Willcutt,Wiers,Wiemer,Wickwire,Wichman,Whitting,Whidbee,Westergard,Wemmer,Wellner,Weishaupt,Weinert,Weedon,Waynick,Wasielewski,Waren,Walworth,Wallingford,Walke,Waechter,Viviani,Vitti,Villagrana,Vien,Vicks,Venema,Varnes,Varnadoe,Varden,Vanpatten,Vanorden,Vanderzee,Vandenburg,Vandehey,Valls,Vallarta,Valderrama,Valade,Urman,Ulery,Tusa,Tuft,Tripoli,Trimpe,Trickey,Tortora,Torrens,Torchia,Toft,Tjaden,Tison,Tindel,Thurmon,Thode,Tardugno,Tancredi,Taketa,Taillon,Tagle,Sytsma,Symes,Swindall,Swicegood,Swartout,Sundstrom,Sumners,Sulton,Studstill,Student,Stroop,Stonerock,Stmarie,Stlawrence,Stemm,Steinhauser,Steinert,Steffensen,Stefano,Stefaniak,Starck,Stalzer,Spidle,Spake,Sowinski,Sosnowski,Sorber,Somma,Soliday,Soldner,Soja,Soderstrom,Soder,Sockwell,Sobus,Snowball,Sloop,Skeeter,Sinner,Sinkfield,Simerly,Silguero,Sigg,Siemers,Siegmund,Sidle,Shum,Sholtis,Shkreli,Sheikh,Shattles,Sharlow,Shao,Shambaugh,Shaikh,Serrao,Serafino,Selley,Selle,Seel,Sedberry,Secord,Seat,Schunk,Schuch,Schor,Scholze,Schnee,Schmieder,Schleich,Schimpf,Scherf,Satterthwaite,Sasson,Sarkisian,Sarinana,Sanzone,Salvas,Salone,Salido,Saiki,Sahr,Rusher,Rusek,Ruse,Ruppel,Rubi,Rubel,Rough,Rothfuss,Rothenberger,Rossell,Rosenquist,Rosebrook,Romito,Romines,Rolando,Rolan,Roker,Roehrig,Rockhold,Rocca,Robuck,Riss,Rinaldo,Right,Riggenbach,Rezentes,Reuther,Reuben,Renolds,Rench,Remus,Remsen,Reller,Relf,Reitzel,Reiher,Rehder,Redeker,Ramero,Rahaim,Radice,Quijas,Qualey,Purgason,Prum,Proudfoot,Prock,Probert,Printup,Primer,Primavera,Prenatt,Pratico,Polich,Podkowka,Podesta,Plattner,Plasse,Plamondon,Pittmon,Pippenger,Pineo,Pierpont,Petzold,Petz,Pettiway,Petters,Petroski,Petrik,Pesola,Pershall,Perlmutter,Penepent,Peevy,Pechacek,Pears,Peaden,Pazos,Pavia,Pascarelli,Parm,Parillo,Parfait,Paoletti,Palomba,Palencia,Pagaduan,Oxner,Overfield,Overcast,Oullette,Ouk,Ostroff,Osei,Omarah,Olenick,Olah,Odem,Nygren,Notaro,Northcott,Nodine,Nilges,Neyman,Neve,Neuendorf,Neptune,Neisler,Neault,Narciso,Naff,Muscarella,Mun,Most,Morrisette,Morphew,Morein,Mor,Montville,Montufar,Montesinos,Monterroso,Mongold,Mona,Mojarro,Moitoso,Mode,Mirarchi,Mirando,Minogue,Milici,Miga,Midyett,Michna,Mey,Meuser,Messana,Menzie,Menz,Mendicino,Melone,Mellish,Meller,Melle,Meints,Mechem,Mealer,Mcwilliam,Mcwhite,Mcquiggan,Mcphillips,Mcpartland,Mcnellis,Mcmackin,Mclaughin,Mckinny,Mckeithan,Mcguirk,Mcgillivray,Mcgarr,Mcgahee,Mcfaul,Mcfadin,Mceuen,Mccullah,Mcconico,Mcclaren,Mccaul,Mccalley,Mccalister,Mazer,Mayson,Mayhan,Maugeri,Mauger,Mattix,Mattews,Maslowski,Masek,Martir,Marsch,Marquess,Maron,Markwell,Markow,Marinaro,Marietta,Marcinek,Manner,Mannella,Mango,Mallen,Majeed,Mahnke,Mahabir,Magby,Magallan,Madere,Machnik,Lybrand,Luque,Lundholm,Lueders,Lucian,Lubinski,Lowy,Loew,Lippard,Linson,Lindblad,Lightcap,Levitsky,Levens,Leonardi,Lenton,Lengyel,Leng,Leitzel,Leicht,Leaver,Laubscher,Lashua,Larusso,Larrimore,Lanterman,Lanni,Lanasa,Lamoureaux,Lambros,Lamborn,Lamberti,Lall,Lagos,Lafuente,Laferriere,Laconte,Kyger,Kupiec,Kunzman,Kuehne,Kuder,Kubat,Krogh,Kreidler,Krawiec,Krauth,Kratky,Kottwitz,Korb,Kono,Kolman,Kolesar,Koeppel,Knapper,Klingenberg,Kjos,Keppel,Kennan,Keltz,Kealoha,Kasel,Karney,Kanne,Kamrowski,Kagawa,Joo,Johnosn,Joesph,Jilek,Jarvie,Jarret,Jansky,Jacquemin,Jacox,Jacome,Italiano,Iriarte,Ingwersen,Imboden,Iglesia,Huyser,Hurston,Hursh,Huntoon,Hudman,Hoying,Horsman,Horrigan,Hornbaker,Horiuchi,Hopewell,Hoop,Hommel,Homeyer,Holzinger,Holmer,Hollow,Hipsher,Hinchman,Hilts,Higginbottom,Hieb,Heyne,Hessling,Hesler,Hertlein,Herford,Heras,Henricksen,Hennemann,Henery,Hendershott,Hemstreet,Heiney,Heckert,Heatley,Hazell,Hazan,Hayashida,Hausler,Hartsoe,Harth,Harriott,Harriger,Harpin,Hardisty,Hardge,Hao,Hannaman,Hannahs,Hamp,Hammersmith,Hamiton,Halsell,Halderman,Hagge,Habel,Gusler,Gushiken,Gurr,Gummer,Gullick,Grunden,Grosch,Greenburg,Greb,Greaver,Gratz,Grajales,Gourlay,Gotto,Gorley,Goodpasture,Godard,Glorioso,Gloor,Glascock,Gizzi,Giroir,Gibeault,Gauldin,Gauer,Gartin,Garrels,Gamber,Gallogly,Galley,Gade,Fusaro,Fripp,Freyer,Freiberg,Franzoni,Fragale,Foston,Forti,Forness,Folts,Followell,Foard,Flom,Fling,Flett,Fleitas,Flamm,Fino,Finnen,Finchum,Filippelli,Fickel,Feucht,Feiler,Feenstra,Feagins,Faver,Faux,Faulkenberry,Farabaugh,Fandel,Fallen,Faler,Faivre,Fairey,Facey,Exner,Evensen,Erion,Erben,Epting,Epping,Ephraim,Engberg,Elsen,Ellingwood,Ellen,Eisenmann,Eichman,Ehle,Edsall,Eagles,Durall,Dupler,Dunker,Dumlao,Duford,Duffie,Dudding,Dries,Doung,Dorantes,Donahoo,Domenick,Dollins,Dobles,Dipiazza,Dino,Dimeo,Diehm,Dicicco,Devin,Devenport,Desormeaux,Derrow,Depaolo,Denver,Denise,Demas,Delpriore,Delosantos,Dela,Degreenia,Degenhardt,Defrancesco,Defenbaugh,Deets,Debonis,Deary,Dazey,Dargie,Dambrosia,Dalal,Dagen,Cun,Cuen,Crupi,Crossan,Crichlow,Creque,Coutts,Counce,Coram,Constante,Connon,Collelo,Coit,Cocklin,Coblentz,Cobey,Coard,Clutts,Clingan,Claw,Clampitt,Claeys,Ciulla,Cimini,Ciampa,Christon,Choat,Chiou,Chenail,Chavous,Catto,Catalfamo,Casterline,Cassinelli,Caspers,Carroway,Carlen,Carithers,Cappel,Calo,Callow,Calandra,Cagley,Cafferty,Byun,Byam,Buttner,Buth,Burtenshaw,Burget,Burfield,Buresh,Bunt,Bultman,Bulow,Buchta,Buchmann,Brunett,Bruemmer,Brueggeman,Britto,Briney,Brimhall,Bribiesca,Bresler,Brazan,Brashier,Brar,Brandstetter,Brandi,Boze,Boonstra,Bluitt,Blomgren,Blattner,Blasi,Bladen,Bitterman,Bilby,Bierce,Biello,Bettes,Bertone,Berrey,Bernat,Berberich,Benshoof,Bendickson,Below,Bellefeuille,Bednarski,Beddingfield,Beckerman,Beaston,Bavaro,Batalla,Basye,Baskins,Bartolotta,Bartkowski,Barranco,Barkett,Band,Banaszak,Bame,Bamberger,Balsley,Ballas,Balicki,Balding,Bald,Badura,Aymond,Aylor,Aylesworth,Axley,Axelrod,Aubert,Armond,Ariza,Apicella,Anstine,Ankrom,Angevine,Anger,Andreotti,Andrea,Alto,Alspaugh,Alpaugh,Almada,Allinder,Alexandra,Alequin,Alan,Aguillard,Agron,Agena,Afanador,Ackerley,Abrev,Abdalla,Aaronson,Zynda,Zucco,Zipp,Zetina,Zenz,Zelinski,Youngren,Yochum,Yearsley,Yankey,Woodfork,Wohlwend,Woelfel,Wiste,Wismer,Winzer,Winker,Wilkison,Wigger,Wierenga,Whipps,Wheeling,Westray,Wesch,Weld,Weible,Wedell,Weddell,Wawrzyniak,Wasko,Washinton,Wantz,Walts,Wallander,Wain,Wahlen,Wachowiak,Voshell,Viteri,Vire,Villafuerte,Vieyra,Viau,Vescio,Verrier,Verhey,Vause,Vandermolen,Vanderhorst,Valois,Valla,Valcourt,Vacek,Uzzle,Umland,Um,Ulman,Ulland,Turvey,Tuley,Trembath,Trees,Trabert,Towsend,Totman,Toews,Toby,Tito,Tisch,Tisby,Tipping,Tierce,Thivierge,Tenenbaum,Teagle,Tacy,Tabler,Szewczyk,Swearngin,Suire,Sturrock,Stubbe,Stronach,Stoute,Stoudemire,Stoneberg,Sterba,Stejskal,Steier,Stehr,Steckler,Steckel,Stearman,Steakley,Star,Stanforth,Stancill,Stalls,Srour,Sprowl,Spevak,Sole,Sokoloff,Soderman,Snover,Sleeman,Slaubaugh,Sitzman,Simpler,Simmer,Simes,Siegal,Sidoti,Sidler,Sider,Sidener,Siddiqi,Shireman,Shima,Sheroan,Shadduck,Seyal,Sentell,Sennett,Senko,Seneca,Sen,Seligman,Seipel,Seekins,Seabaugh,Scouten,Schweinsberg,Schwartzberg,Schurr,Schult,Schrick,Schoening,Schmitmeyer,Schlicher,Schlager,Schack,Schaar,Scavuzzo,Scarpa,Sassano,Santigo,Sandavol,San,Sampsel,Samms,Samet,Salzano,Salyards,Salva,Saidi,Sabir,Saam,Saab,Runions,Rundquist,Rousselle,Round,Rotunno,Roses,Rosch,Romney,Rohner,Roff,Rockhill,Rockefeller,Rocamora,Rm,Ringle,Riggie,Ricklefs,Rexroat,Reves,Revel,Reuss,Reta,Repka,Rentfro,Reineke,Recore,Recalde,Rease,Rawling,Ravencraft,Ravelo,Rappa,Randol,Ramsier,Ramerez,Rahimi,Rahim,Radney,Racey,Raborn,Rabalais,Quebedeaux,Pujol,Puchalski,Prothro,Proffit,Prigge,Prideaux,Prevo,Portales,Porco,Popovic,Popek,Popejoy,Pompei,Plumber,Plude,Platner,Plate,Pizzuto,Pizer,Pistone,Piller,Pierri,Piehl,Pickert,Piasecki,Phong,Philipp,Peugh,Pesqueira,Perrett,Perfetti,Percell,Penhollow,Pelto,Pellett,Pavlak,Paulo,Paula,Patricia,Pastorius,Parsell,Parrales,Pareja,Parcell,Pappan,Pajak,Owusu,Ovitt,Ory,Orrick,Oniell,Olliff,Olberding,Oesterling,Odwyer,Ocegueda,Obey,Obermiller,Nylander,Nulph,Nottage,Northam,Norgard,Nodal,Niel,Nicols,Newhard,Nellum,Neira,Nazzaro,Nassif,Narducci,Nalbandian,Nails,Musil,Murga,Muraoka,Mumper,Mulroy,Mountjoy,Mossey,Moreton,Morea,Montoro,Montesdeoca,Montealegre,Montanye,Montandon,Mok,Moisan,Mohl,Modesto,Modeste,Mitra,Mister,Minson,Minjarez,Milbourne,Michaelsen,Metheney,Mestre,Mescher,Mervis,Mennenga,Melgarejo,Meisinger,Meininger,Mcwaters,Mckern,Mckendree,Mchargue,Mcglothlen,Mcgibbon,Mcgavock,Mcduffee,Mcclurkin,Mccausland,Mccardell,Mccambridge,Mazzoni,Mayen,Maxton,Mawson,Mauffray,Mattinson,Mattila,Matsunaga,Mater,Mascia,Marse,Marotz,Marois,Markin,Markee,Marcinko,Marcin,Manville,Mantyla,Manser,Manry,Manderscheid,Mallari,Malia,Malecha,Malcomb,Majerus,Mailman,Macinnis,Mabey,Lyford,Luth,Lupercio,Luhman,Luedke,Lovick,Lossing,Loss,Lorraine,Lookabaugh,Longway,Lone,Loisel,Logiudice,Loffredo,Locust,Lobe,Lobaugh,Lizaola,Livers,Littlepage,Linnen,Limmer,Liebsch,Liebman,Leyden,Levitan,Levison,Levier,Leven,Levalley,Lettinga,Lessley,Lessig,Lepine,Leight,Leick,Leggio,Leffingwell,Leffert,Lefevers,Ledlow,Leaton,Leander,Leaming,Lazos,Laviolette,Lauffer,Latz,Lasorsa,Lasch,Larin,Laporta,Lanter,Langstaff,Landi,Lamica,Lambson,Lambe,Lamarca,Laman,Lamagna,Lajeunesse,Lafontant,Lafler,Labrum,Laakso,Kush,Kuether,Kuchar,Kruk,Kroner,Kroh,Kridler,Kreuzer,Kovats,Koprowski,Kohout,Knicely,Knell,Klutts,Kindrick,Kiddy,Khanna,Ketcher,Kerschner,Kerfien,Kensey,Kenley,Kenan,Kemplin,Kellerhouse,Keesling,Keep,Keena,Keas,Kaplin,Kanady,Kampen,Jutras,Jungers,Julio,Jeschke,Jen,Janowski,Janas,Iskra,Imperato,Ikerd,Igoe,Hyneman,Hynek,Husain,Hurrell,Hultquist,Hullett,Hulen,Huf,Huberty,Hoyte,Hossain,Hornstein,Hori,Hopton,Holms,Hollmann,Holdman,Holdeman,Holben,Hoffert,Himel,Hillsman,Hillary,Herdt,Hellyer,Hellen,Heister,Heimer,Heidecker,Hedgpeth,Hedgepath,Hebel,Heatwole,Hayer,Hausner,Haskew,Haselden,Hartranft,Harsch,Harres,Harps,Hardimon,Halm,Hallee,Hallahan,Hackley,Hackenberg,Hachey,Haapala,Guynes,Gunnerson,Gunby,Gulotta,Gudger,Groman,Grignon,Griebel,Gregori,Greenan,Grauer,Gourd,Gorin,Gorgone,Gooslin,Goold,Goltz,Goldberger,Gobble,Glotfelty,Glassford,Glance,Gladwin,Giuffre,Gilpatrick,Germaine,Gerdts,Genna,Geisel,Gayler,Gaunce,Gaulding,Gateley,Gassman,Gash,Garson,Garron,Garand,Gangestad,Gallow,Galbo,Gabrielli,Fullington,Fucci,Frum,Frieden,Friberg,Frasco,Francese,Fowle,Foucher,Fothergill,Foraker,Fonder,Foisy,Fogal,Flurry,Flenniken,Fitzhenry,Fishbein,Finton,Filmore,Filice,Feola,Felberbaum,Fausnaught,Fasciano,Farrah,Farquharson,Faires,Estridge,Essman,Enz,Enriques,Emmick,Ekker,Ekdahl,Eisman,Eggleton,Eddinger,Eakle,Eagar,Durio,Dunwoody,Duhaime,Duenes,Duden,Dudas,Dresher,Dresel,Doutt,Donlan,Donathan,Domke,Dobrowolski,Dingee,Dimmitt,Dimery,Dilullo,Deveaux,Devalle,Desper,Desnoyers,Desautels,Derouin,Derbyshire,Denmon,Dena,Demski,Delucca,Delpino,Delmont,Deller,Dejulio,Deibler,Dehne,Deharo,Degner,Defore,Deerman,Decuir,Deckman,Deasy,Dease,Deaner,Dawdy,Daughdrill,Darrigo,Darity,Daniele,Dalbey,Dagenhart,Daffron,Curro,Curnutte,Curatolo,Cruikshank,Crosswell,Croslin,Croney,Crofton,Criado,Crecelius,Coscia,Conniff,Commodore,Coltharp,Colonna,Collyer,Collington,Cobbley,Coache,Clonts,Cloe,Cliett,Clemans,Clara,Cid,Christo,Chrisp,China,Chiarini,Chia,Cheatam,Cheadle,Che,Chauncey,Chand,Chadd,Cervera,Cerulli,Cerezo,Cedano,Cayetano,Cawthorne,Cavalieri,Cattaneo,Caryl,Cartlidge,Carrithers,Carreira,Carranco,Cargle,Candanoza,Camille,Camburn,Calender,Calderin,Calcagno,Cahn,Cadden,Byham,Buttry,Burry,Burruel,Burkitt,Burgio,Burgener,Buescher,Buckalew,Brymer,Brumett,Brugnoli,Brugman,Brosnahan,Bronder,Broeckel,Broderson,Brisbon,Brinsfield,Brinks,Bresee,Bregman,Branner,Brambila,Brailsford,Bouska,Boster,Borucki,Bortner,Boroughs,Borgeson,Bonier,Bomba,Bolender,Boesch,Boeke,Bloyd,Bley,Binger,Billing,Bilbro,Biery,Bichrest,Bezio,Bevel,Berrett,Bermeo,Bergdoll,Bercier,Benzel,Bentler,Bennetts,Belnap,Bellini,Beitz,Behrend,Bednarczyk,Bearse,Batman,Bartolini,Bartol,Barretta,Barbero,Barbaro,Banvelos,Bankes,Ballengee,Baldon,Aye,Ausmus,Atilano,Atienza,Aschenbrenner,Arora,Armstong,Aquilino,Appleberry,Applebee,Apolinar,Antos,Angles,Andrepont,Ancona,Amesquita,Alvino,Altschuler,Allin,Alire,Ainslie,Agular,Aeschliman,Accetta,Abdulla,Abbe,Zwart,Zufelt,Zona,Zirbel,Zingaro,Zilnicki,Zenteno,Zent,Zemke,Zayac,Zarrella,Yoshimoto,Yearout,Wrench,World,Womer,Woltman,Wolin,Wolery,Woldt,Witts,Wittner,Witherow,Winward,Winrow,Wiemann,Wichmann,Whitwell,Whitelaw,Wheeless,Whalley,Wey,Wessner,Wenzl,Wene,Weatherbee,Waye,Wattles,Wanke,Walkes,Waldeck,Vonruden,Voisine,Vogus,Vittetoe,Villalva,Villacis,Victorian,Verge,Venturini,Venturi,Venson,Vanloan,Vanhooser,Vanduzer,Vandever,Vanderwal,Vanderheyden,Vanbeek,Vanbebber,Vallance,Vales,Vahle,Urbain,Upshur,Umfleet,Twist,Tsuji,Trybus,Triolo,Trimarchi,Trezza,Trenholm,Tovey,Tourigny,Torry,Torrain,Torgeson,Tongue,Tomey,Tischler,Tinkler,Tinder,Ticknor,Tibbles,Tibbals,Throneberry,Thormahlen,Thibert,Thibeaux,Theurer,Templet,Tegeler,Tavernier,Taubman,Tamashiro,Tallon,Tallarico,Taboada,Sypher,Sybert,Swyers,Switalski,Swinger,Swedberg,Suther,Surprenant,Sullen,Sulik,Sugden,Suder,Suchan,Such,Strube,Stroope,Strittmatter,Streett,Straughn,Strasburg,Stjacques,Stimage,Stimac,Stifter,Stgelais,Steinhart,Stehlik,Steffenson,Steenbergen,Stanbery,Stallone,Sprung,Spraggs,Spoto,Spilman,Speno,Spanbauer,Spalla,Spagnolo,Soliman,Solan,Sobolik,Snelgrove,Snedden,Smale,Sliter,Slankard,Sircy,Signor,Shutter,Shurtliff,Shur,Show,Shirkey,Shi,Shewmake,Shams,Shadley,Shaddox,Sgro,Serfass,Seppala,Segawa,Segalla,Seaberry,Scruton,Scism,Schwein,Schwartzman,Schwantes,Schomer,Schoenborn,Schlottmann,Schissler,Scheurer,Schepis,Scheidegger,Saunier,Sauders,Sassman,Sannicolas,Sanderfur,Salser,Sagar,Saffer,Saeed,Sadberry,Saban,Ryce,Rybak,Rux,Rumore,Rummell,Rummage,Rudasill,Rozman,Rota,Rossin,Rosell,Rosel,Romberg,Rojero,Rochin,Rochell,Robideau,Robarge,Roath,Risko,Ringel,Ringdahl,Riera,Riemann,Ribas,Revard,Renna,Renegar,Reinwald,Rehman,Regal,Reels,Ree,Redel,Reasons,Raysor,Rathke,Rapozo,Rampton,Ramaker,Rakow,Raia,Radin,Raco,Rackham,Racca,Racanelli,Rabun,Quaranta,Purves,Pundt,Protsman,Prosper,Prezioso,Presutti,President,Presgraves,Poydras,Portnoy,Portalatin,Pop,Pontes,Poehler,Poblete,Poat,Plumadore,Pleiman,Pizana,Piscopo,Piraino,Pinelli,Pillai,Picken,Picha,Piccoli,Philen,Petteway,Petros,Peskin,Perugini,Perrella,Pernice,Peper,Pensinger,Pembleton,Patron,Passman,Parrent,Panetta,Pancake,Pallas,Palka,Pais,Paglia,Padmore,Oum,Ottesen,Ost,Oser,Ortmann,Ormand,Oriol,Orick,Oler,Okafor,Ohair,Obert,Oberholtzer,Number,Nowland,Nosek,Nordeen,Nolf,Nogle,Nobriga,Nicley,Niccum,Newingham,Neumeister,Neugebauer,Netherland,Nerney,Neiss,Neis,Neider,Neeld,Nailor,Mustain,Mussman,Musante,Murton,Murden,Munyon,Muldrew,Motton,Moscoso,Moschella,Moroz,Mormon,Morelos,Morace,Moone,Montesano,Montemurro,Montas,Montalbo,Molander,Mleczko,Miyake,Mitschke,Minger,Minelli,Minear,Millener,Mihelich,Miedema,Miah,Metzer,Mery,Merrigan,Merck,Mennella,Membreno,Melecio,Melder,Mehling,Mehler,Medcalf,Meche,Mealing,Mcqueeney,Mcphaul,Mcmickle,Mcmeen,Mcmains,Mclees,Mcgowin,Mcfarlain,Mcdivitt,Mccotter,Mcconn,Mcclane,Mccaster,Mcbay,Mcbath,Mayoral,Mayeux,Matsuo,Masur,Massman,Marzette,Martensen,Marlett,Markie,Markgraf,Marcinkowski,Marchbanks,Marcella,Mansir,Mandez,Mancil,Malagon,Magnani,Madonia,Madill,Madia,Mackiewicz,Macgillivray,Macdowell,Macbeth,Mabee,Lundblad,Lovvorn,Lovings,Loreto,Linz,Linwood,Linnell,Linebaugh,Lindstedt,Lindbloom,Linda,Limberg,Liebig,Lickteig,Lichtenberg,Licari,Lex,Lewison,Levario,Levar,Lepper,Lenzen,Lenderman,Lemarr,Leinen,Leider,Legrande,Lefort,Lebleu,Leask,Learn,Leacock,Lazano,Lawalin,Laven,Laplaca,Lant,Langsam,Langone,Landress,Landen,Lande,Lamorte,Lairsey,Laidlaw,Laffin,Lackner,Lacaze,Labuda,Labree,Labella,Labar,Kyer,Kuyper,Kulinski,Kulig,Kuhnert,Kuchera,Kubicek,Kruckeberg,Kruchten,Krider,Kotch,Kornfeld,Koren,Koogler,Koll,Kole,Kohnke,Kohli,Kofoed,Koelling,Kluth,Klump,Klopfenstein,Klippel,Klinge,Klett,Klemp,Kleis,Klann,Kitzman,Kinnan,Kingsberry,Kind,Kina,Kilmon,Killpack,Kilbane,Kijowski,Kies,Kierstead,Kettering,Kesselman,Kenton,Kennington,Keniston,Kehrer,Kearl,Keala,Kassa,Kasahara,Kantz,Kalin,Kaina,Jupin,Juntunen,Juares,Joynes,Jovel,Joos,Jn,Jiggetts,Jervis,Jerabek,Jennison,Jaso,Janz,Izatt,Ishibashi,Iannotti,Hymas,Huneke,Hulet,Hougen,Horvat,Horstmann,Hopple,Holtkamp,Holsten,Hohenstein,Hoefle,Hoback,Hiney,Hiemstra,Herwig,Herter,Herriott,Hermsen,Herdman,Herder,Herbig,Hem,Helper,Helling,Helbig,Heitkamp,Heinrichs,Heinecke,Heileman,Heffley,Heavrin,Heaston,Haymaker,Hauenstein,Hartlage,Harlin,Harig,Hardenbrook,Hankin,Hamiter,Hagens,Hagel,Grizzell,Griest,Griese,Grief,Grennan,Graden,Gosse,Gorder,Goldin,Goatley,Gillespi,Gilbride,Giel,Gianni,Ghoston,Getter,Gershman,Geisinger,Gehringer,Gedeon,Gebert,Gaxiola,Gawronski,Gau,Gathright,Gatchell,Gargiulo,Garg,Galang,Gadison,Fyock,Furniss,Furby,Funnell,Frizell,Frenkel,Freeburg,Frankhouser,Franchi,Foulger,Formby,Forkey,Fonte,Folson,Follette,Flicker,Flavors,Flavell,Finegan,Fill,Filippini,Ferencz,Ference,Fennessey,Feggins,Feehan,Fazzino,Fazenbaker,Fausto,Faunce,Farraj,Farnell,Farler,Farabee,Falkowski,Facio,Etzler,Ethington,Esterline,Esper,Esker,Erxleben,Ericsson,Erick,Engh,Emling,Elridge,Ellenwood,Elfrink,Ekhoff,Eisert,Eis,Eifert,Eichenlaub,Egnor,Eggebrecht,Edlin,Edberg,Eble,Eber,Easler,Duwe,Dutta,Dutremble,Dusseault,Durney,Dunworth,Dumire,Dukeman,Dufner,Duey,Duble,Dreese,Dozal,Douville,Dougal,Doom,Done,Diver,Ditmore,Distin,Dimuzio,Dildine,Dignan,Dieterich,Dieckman,Didonna,Dhillon,Dezern,Devereux,Devall,Detty,Detamore,Derksen,Deremer,Deras,Denslow,Deno,Denicola,Denbow,Demma,Demille,Delisa,Delira,Delawder,Delara,Delahanty,Dejonge,Deininger,Dedios,Dederick,Decelles,Debus,Debruyn,Deborde,Deak,Dauenhauer,Darsey,Daring,Dansie,Dalman,Dakin,Dagley,Czaja,Cybart,Cutchin,Currington,Curbelo,Croucher,Crinklaw,Cremin,Cratty,Cranfield,Crafford,Cowher,Cowboy,Couvillion,Couturier,Counter,Corter,Coombes,Contos,Consolini,Connaughton,Conely,Coltrane,Collom,Cockett,Clepper,Cleavenger,Claro,Clarkin,Ciriaco,Ciesla,Cichon,Ciancio,Cianci,Chynoweth,Chuang,Chrzanowski,Christion,Cholewa,Chipley,Chilcott,Cheyne,Cheslock,Chenevert,Cheers,Charlot,Chagolla,Chabolla,Cesena,Cerutti,Cava,Caul,Cassone,Cassin,Cassese,Casaus,Casali,Cartledge,Carsten,Cardamone,Carcia,Carbonneau,Carboni,Carabello,Capozzoli,Capella,Cap,Cannata,Campoverde,Campeau,Cambre,Camberos,Calvery,Calnan,Calmes,Calley,Callery,Calise,Cacciotti,Cacciatore,Butterbaugh,Burgo,Burgamy,Burell,Bunde,Bumbalough,Buel,Buechner,Buchannon,Bryon,Brunn,Brost,Broadfoot,Brittan,Brevard,Breda,Brazel,Brayboy,Brasier,Boyea,Boxx,Both,Boso,Bosio,Boruff,Borda,Bongiovanni,Bolerjack,Boedeker,Blye,Blumstein,Blumenfeld,Blinn,Bleakley,Blatter,Blan,Bjornson,Bisignano,Billick,Bieniek,Bhatti,Bevacqua,Betterton,Berra,Berenbaum,Bensinger,Bennefield,Belvins,Belson,Bellin,Beighley,Beecroft,Beaudreau,Baynard,Bautch,Bausch,Basch,Bartleson,Barthelemy,Barak,Balzano,Balistreri,Bailer,Bagnall,Bagg,Bae,Auston,Augustyn,Aslinger,Ashalintubbi,Artist,Arjona,Arebalo,Arab,Appelbaum,Anna,Angst,Angert,Angelucci,Andry,Andersson,Amorim,Amavisca,Alward,Alvelo,Alvear,Alumbaugh,Alsobrook,Alli,Allgeier,Allende,Aldrete,Akiyama,Ahlquist,Adolphson,Addario,Acoff,Abelson,Abasta,Zulauf,Zirkind,Zeoli,Zemlicka,Zawislak,Zappia,Zanella,Yelvington,Yeatman,Yanni,Wragg,Wissing,Wischmeier,Wirta,Wiren,Wilmouth,Williard,Willert,Willaert,Wildt,Whelpley,Westwood,Weingart,Weidenbach,Weidemann,Weatherman,Weakland,Watwood,Wattley,Waterson,Wambach,Walzer,Waldow,Waag,Vorpahl,Volkmann,Vitolo,Visitacion,Vincelette,Vina,Viggiano,Vieth,Vidana,Vert,Verna,Verges,Verdejo,Venzon,Velardi,Varian,Vargus,Vandermeulen,Vandam,Vanasse,Vanaman,Utzinger,Uriostegui,Uplinger,Twiss,Tumlinson,Tschanz,Trunnell,Troung,Troublefield,Trojacek,Trial,Treloar,Tranmer,Touchton,Torsiello,Torina,Tootle,Toki,Toepfer,Tippin,Tippie,Thronson,Thomes,Tezeno,Texada,Testani,Tessmer,Terrel,Terra,Terlizzi,Tempel,Temblador,Tayler,Tawil,Tasch,Tames,Talor,Talerico,Swinderman,Sweetland,Swager,Sulser,Sullens,Subia,Sturgell,Stumpff,Stufflebeam,Stucki,Strohmeyer,Strebel,Straughan,Strackbein,Stobaugh,Stetz,Stelter,Steinmann,Steinfeld,Stefani,Stecher,Stanwood,Stanislawski,Stander,Speziale,Soppe,Soni,Sol,Sobotka,Snipe,Smuin,Slider,Slee,Skerrett,Sjoberg,Sittig,Simonelli,Simo,Sima,Silvio,Silverio,Silveria,Silsby,Sillman,Sienkiewicz,Sick,Sia,Shomo,Shoff,Shoener,Shiba,Sherfey,Shehane,Shawl,Sexson,Setton,Sergi,Selvy,Seiders,Seegmiller,Sebree,Seabury,Scroggin,Sconyers,Schwalb,Schurg,Schulenberg,Schuld,Schrage,Schow,Schon,Schnur,Schneller,Schmidtke,Schlatter,Schieffer,Schenkel,Scheeler,Schauwecker,Schartz,Schacherer,Scafe,Sayegh,Savidge,Saur,Sarles,Sarkissian,Sarkis,Sarcone,Sagucio,Saffell,Saenger,Sacher,Rylee,Ruvolo,Ruston,Ruple,Rulison,Ruge,Ruffo,Ruehl,Rueckert,Rudman,Rudie,Rubert,Rozeboom,Roysden,Roylance,Rothchild,Rosse,Rosecrans,Rodrick,Rodi,Rockmore,Robnett,Roberti,Rivett,Riva,Ritzel,Rierson,Ricotta,Ricken,Rezac,Rendell,Remo,Reitman,Reindl,Reeb,Reddic,Reddell,Rebuck,Reali,Raye,Raso,Ramthun,Ramsden,Rameau,Ralphs,Rak,Rago,Racz,Quinteros,Quinter,Quinley,Quiggle,Quaid,Purvines,Purinton,Purdum,Pummill,Puglia,Puett,Ptacek,Przybyla,Prowse,Providence,Prestwich,Pracht,Poutre,Poucher,Portera,Polinsky,Poage,Platts,Pineau,Pinckard,Pilson,Pilling,Pilkins,Pili,Pikes,Pigram,Pietila,Pickron,Pia,Philippi,Philhower,Pflueger,Pfalzgraf,Pettibone,Pett,Petrosino,Persing,Perrino,Perotti,Periera,Peri,Peredo,Peralto,Pennywell,Pennel,Pen,Pellegren,Pella,Pedroso,Paulos,Paulding,Pates,Pasek,Paramo,Paolino,Panganiban,Paneto,Paluch,Ozaki,Ownbey,Overfelt,Outman,Opper,Onstad,Oland,Okuda,Oertel,Oelke,Normandeau,Nordby,Nordahl,Noecker,Noblin,No,Niswonger,Nishioka,Nett,Nephew,Negley,Needles,Nedeau,Natera,Nachman,Naas,Musich,Mungin,Mourer,Mounsey,Mottola,Mothershed,Moskal,Mosbey,Morini,Moreles,Mood,Montaluo,Moneypenny,Monda,Moench,Moates,Moad,Mixer,Missildine,Misiewicz,Mirabella,Minott,Minnifield,Mincks,Milum,Milani,Mikelson,Mestayer,Mess,Mertes,Merrihew,Merlos,Meritt,Melnyk,Medlen,Meder,Mean,Mcvea,Mcquarrie,Mcquain,Mclucas,Mclester,Mckitrick,Mckennon,Mcinnes,Mcgrory,Mcgranahan,Mcglamery,Mcgivney,Mcgilvray,Mccuiston,Mccuin,Mccrystal,Mccolley,Mcclerkin,Mcclenon,Mccamey,Mcaninch,Mazariegos,Maynez,Mattioli,Mastronardi,Masone,Marzett,Marsland,Mari,Margulies,Margolin,Malatesta,Malachi,Mainer,Maietta,Magrath,Maese,Madkins,Madeiros,Madamba,Mackson,Mac,Maben,Lytch,Lundgreen,Lumb,Lukach,Luick,Luetkemeyer,Luechtefeld,Ludy,Ludden,Luckow,Lubinsky,Lowes,Lout,Lorenson,Loran,Lopinto,Looby,Lones,Livsey,Liskey,Lisby,Lintner,Lindow,Lindblom,Liming,Liechty,Leth,Lesniewski,Lenig,Lemonds,Leisy,Lehrer,Lehnen,Lehmkuhl,Leeth,Leer,Leeks,Lechler,Lebsock,Lavere,Lautenschlage,Laughridge,Lauderback,Laudenslager,Lassonde,Laroque,Laramee,Laracuente,Lapeyrouse,Lampron,Lamers,Lamer,Laino,Lague,Laguardia,Lafromboise,Lafata,Lacount,Lachowicz,Kysar,Kwiecien,Kuffel,Kueter,Kronenberg,Kristensen,Kristek,Krings,Kriesel,Krey,Krebbs,Kreamer,Krabbe,Kossman,Kosakowski,Kosak,Kopacz,Konkol,Koepsell,Koening,Koen,Knerr,Knapik,Kluttz,Klocke,Klenk,Klemme,Klapp,Kitchell,Kita,Kissane,Kirkbride,Kirchhoff,Kinter,Kinsel,Kingsland,Kimmer,Kimler,Killoran,Kieser,Khalsa,Khalaf,Kettel,Kerekes,Keplin,Kentner,Kennebrew,Kenison,Kellough,Kellman,Keatts,Keasey,Kauppi,Katon,Kari,Kanner,Kampa,Kall,Kai,Kaczorowski,Kaczmarski,Juarbe,Jordison,Jonathan,Jobst,Jezierski,Jeanbart,Jarquin,Janey,Jagodzinski,Ishak,Isett,Isa,Infantino,Imburgia,Illingworth,Hysmith,Hynson,Hydrick,Hurla,Hunton,Hunnell,Humbertson,Housand,Hottle,Hosch,Hoos,Honn,Hohlt,Hodel,Hochmuth,Hixenbaugh,Hislop,Hisaw,Hintzen,Hilgendorf,Hilchey,Higgens,Hersman,Herrara,Hendrixson,Hendriks,Hemond,Hemmingway,Heminger,Helgren,Heisey,Heilmann,Hehn,Hegna,Heffern,Hawrylak,Haverty,Hauger,Haslem,Harnett,Harb,Happ,Hanzlik,Hanway,Hanby,Hanan,Hamric,Hammaker,Halas,Hagenbuch,Hacking,Habeck,Gwozdz,Gutter,Gunia,Guise,Guadarrama,Grubaugh,Grivas,Griffieth,Grieb,Grewell,Gregorich,Grazier,Graeber,Graciano,Gowens,Goodpaster,Gondek,Gohr,Goffney,Godbee,Gitlin,Gisler,Gin,Gillyard,Gillooly,Gilchrest,Gilbo,Gierlach,Giebler,Giang,Geske,Gervasio,Gertner,Gehling,Geeter,Gaus,Gattison,Gatica,Gathings,Gath,Gassner,Gassert,Garabedian,Gamon,Gameros,Galban,Gabourel,Gaal,Fuoco,Fullenwider,Fudala,Friscia,Franceschini,Foronda,Fontanilla,Florey,Florentino,Flore,Flegle,Flecha,Fisler,Fischbach,Fiorita,Fines,Figura,Figgins,Fichera,Fester,Ferra,Fear,Fawley,Fawbush,Fausett,Farnes,Farago,Fairclough,Fahie,Fabiani,Everest,Evanson,Eutsey,Eshbaugh,Esh,Ertle,Eppley,Englehardt,Engelhard,Emswiler,Elza,Elling,Elderkin,Eland,Efaw,Edstrom,Edmund,Edgemon,Ecton,Echeverri,Ebright,Earheart,Dynes,Dygert,Dyches,Dulmage,Duhn,Duhamel,Dues,Dubrey,Dubray,Dubbs,Drone,Drey,Drewery,Dreier,Dorval,Dorough,Dorais,Donlin,Donatelli,Doke,Dohm,Doetsch,Dobek,Ditty,Disbrow,Ding,Dinardi,Dillahunty,Dillahunt,Diers,Dier,Diekmann,Diangelo,Deskin,Deschaine,Depaoli,Denner,Demyan,Demont,Demaray,Delillo,Deleeuw,Deibel,Decato,Deblasio,Debartolo,Daubenspeck,Darner,Dardon,Danziger,Danials,Damewood,Dalpiaz,Dallman,Dallaire,Cunniffe,Cumpston,Cumbo,Cubero,Cruzan,Cronkhite,Critelli,Crimi,Creegan,Crean,Craycraft,Crater,Cranfill,Coyt,Courchesne,Coufal,Corradino,Corprew,Colville,Cocco,Coby,Clinch,Clickner,Clavette,Claggett,Cirigliano,Ciesielski,Christain,Chesbro,Chavera,Chard,Casteneda,Castanedo,Cast,Casseus,Casa,Caruana,Carnero,Cappelli,Capellan,Canedy,Cancro,Camilleri,Calero,Cada,Burghart,Burbidge,Bulfer,Buis,Budniewski,Bucko,Bruney,Brugh,Brossard,Brodmerkel,Brockmann,Bring,Brigmond,Briere,Bremmer,Breck,Breau,Brautigam,Brasch,Brandenberger,Bran,Bragan,Bozell,Bowsher,Bosh,Borgia,Borey,Boomhower,Bonneville,Bonam,Bolland,Boise,Boeve,Boettger,Boersma,Boateng,Bliven,Blazier,Blanca,Blahnik,Bjornstad,Bitton,Biss,Birkett,Billingsly,Biagioni,Bettle,Bertucci,Bertolino,Bermea,Bergner,Berber,Bensley,Bendixen,Beltrami,Bellone,Belland,Bein,Behringer,Begum,Beans,Bayona,Batiz,Bassin,Baskette,Bartolomeo,Bartolo,Bartholow,Barkan,Barish,Barett,Bardo,Bamburg,Ballerini,Balla,Balis,Bakley,Bailon,Bachicha,Babiarz,Ayars,Axton,Axel,Awong,Awe,Awalt,Auslander,Ausherman,Aumick,Athens,Atha,Atchinson,Aslett,Askren,Arrowsmith,Arras,Arnhold,Armagost,Arey,Arcos,Archibeque,Antunes,Antilla,Ann,Andras,Amyx,Amison,Amero,Alzate,Alphonse,Alper,Aller,Alioto,Alexandria,Aigner,Agtarap,Agbayani,Adami,Achorn,Aceuedo,Acedo,Abundis,Aber,Abee,Zuccaro,Ziglar,Zier,Ziebell,Zieba,Zamzow,Zahl,Yurko,Yurick,Yonkers,Yerian,Yeaman,Yarman,Yann,Yahn,Yadon,Yadao,Woodbridge,Wolske,Wollenberg,Wojtczak,Wnuk,Witherite,Winther,Winick,Widell,Wickens,Whichard,Wheelis,Wesely,Wentzell,Wenthold,Wemple,Weisenburger,Wehling,Weger,Weaks,Water,Wassink,Warn,Walquist,Wadman,Wacaster,Waage,Voliva,Vlcek,Villafana,Vigliotti,Viger,Viernes,Viands,Vey,Veselka,Versteeg,Vero,Verhoeven,Vendetti,Velardo,Vatter,Vasconcellos,Varn,Vanwagner,Vanvoorhis,Vanhecke,Vanduyn,Vandervoort,Vanderslice,Valone,Vallier,Vails,Uvalle,Ursua,Urenda,Upright,Uphoff,Tustin,Turton,Turnbough,Turck,Tullio,Tuch,Truehart,Tropea,Troester,Trippe,Tricarico,Trevarthen,Trembly,Trace,Trabue,Traber,Toto,Tosi,Toal,Tinley,Tingler,Timoteo,Tiffin,Tien,Ticer,Thurgood,Thorman,Therriault,Theel,Tessman,Tekulve,Tejera,Tebbs,Tavernia,Tarpey,Tallmadge,Takemoto,Szot,Sylvest,Swindoll,Swearinger,Swantek,Swaner,Swainston,Susi,Surrette,Sur,Supple,Sullenger,Sudderth,Suddarth,Suckow,Strider,Strege,Stream,Strassburg,Stoval,Stotz,Stoneham,Stilley,Stille,Stierwalt,Stfleur,Steuck,Stermer,Stclaire,Stano,Staker,Stahler,Stablein,Srinivasan,Squillace,Sprvill,Sproull,Sprau,Sporer,Spore,Spittler,Speelman,Sparr,Sparkes,Spang,Spagnuolo,Sosinski,Sorto,Sorkin,Sondag,Sollers,Socia,Snarr,Smrekar,Smolka,Slyter,Slovinsky,Sliwa,Slavik,Slatter,Skiver,Skeem,Skala,Sitzes,Sitsler,Sitler,Sinko,Simser,Siegler,Sideris,Shrewsberry,Shoopman,Shoaff,Shira,Shindler,Shimmin,Shill,Shenkel,Shemwell,Shehorn,Severa,Sergio,Semones,Selsor,Seller,Sekulski,Segui,Sechrest,Scot,Schwer,Schwebach,Schur,Schmiesing,Schlick,Schlender,Schebler,Schear,Schapiro,Sauro,Saunder,Sauage,Satterly,Saraiva,Saracino,Saperstein,Sanmartin,Sanluis,Sandt,Sandrock,Sammet,Sama,Salk,Sakata,Saini,Sackrider,Rys,Russum,Russi,Russaw,Rozzell,Roza,Rowlette,Rothberg,Rossano,Rosebrock,Romanski,Romanik,Romani,Roma,Roiger,Roig,Roehr,Rodenberger,Rodela,Rod,Rochford,Ristow,Rispoli,Ripper,Rigo,Riesgo,Riebel,Ribera,Ribaudo,Rhoda,Reys,Resendes,Repine,Reisdorf,Reisch,Rebman,Rasmus,Raske,Ranum,Rames,Rambin,Raman,Rajewski,Raffield,Rady,Radich,Raatz,Quinnie,Pyper,Puthoff,Prow,Proehl,Pribyl,Pretti,Prete,Presby,Poyer,Powelson,Porteous,Poquette,Pooser,Pollan,Ploss,Plewa,Plants,Placide,Pion,Pinnick,Pinales,Pin,Pillot,Pille,Pilato,Piggee,Pietrowski,Piermarini,Pickford,Piccard,Phenix,Pevey,Petrowski,Petrillose,Pesek,Perrotti,Perfecto,Peppler,Peppard,Penfold,Pellitier,Pelland,Pehowic,Pedretti,Paules,Passero,Pasha,Panza,Pallante,Palau,Pakele,Pacetti,Paavola,Overy,Overson,Outler,Osegueda,Ord,Oplinger,Oldenkamp,Ok,Ohern,Oetting,Odums,Oba,Nowlen,Nowack,Nordlund,Noblett,Nobbe,Nierman,Nichelson,Niblock,Newbrough,Nest,Nemetz,Neeson,Needleman,Necessary,Navin,Nastasi,Naslund,Naramore,Nakken,Nakanishi,Najarro,Mushrush,Muma,Mulero,Morganfield,Moreman,Morain,Moquin,Montrose,Monterrosa,Monsivais,Monroig,Monje,Monfort,Moises,Moffa,Moeckel,Mobbs,Mitch,Misiak,Mires,Mirelez,Mineo,Mineau,Milnes,Mikeska,Michelin,Michalowski,Meszaros,Messineo,Meshell,Merten,Meola,Menton,Mends,Mende,Memmott,Melius,Mehan,Mcnickle,Mcmorran,Mclennon,Mcleish,Mclaine,Mckendry,Mckell,Mckeighan,Mcisaac,Mcie,Mcguinn,Mcgillis,Mcfatridge,Mcfarling,Mcelravy,Mcdonalds,Mcculla,Mcconnaughy,Mcconnaughey,Mcchriston,Mcbeath,Mayr,Matyas,Matthiesen,Matsuura,Matinez,Mathys,Matarazzo,Masker,Masden,Mascio,Martis,Marrinan,Marinucci,Margerum,Marengo,Manthe,Mansker,Manoogian,Mankey,Manigo,Manier,Mangini,Mandelbaum,Maltese,Malsam,Mallo,Maliszewski,Mainolfi,Maharaj,Maggart,Magar,Maffett,Macmaster,Macky,Macdonnell,Mable,Lyvers,Lyn,Luzzi,Lutman,Luk,Lover,Lovan,Lonzo,Longest,Longerbeam,Lofthouse,Loethen,Lodi,Llorens,Lizardo,Lizama,Liz,Litscher,Lisowski,Lipski,Lipsett,Lipkin,Linzey,Lineman,Limerick,Limb,Limas,Lige,Lierman,Liebold,Liberti,Leverton,Levene,Lesueur,Lenser,Lenker,Lemme,Legnon,Lefrancois,Ledwell,Lavecchia,Laurich,Lauricella,Latino,Lannigan,Landor,Lamprecht,Lamountain,Lamore,Lamonica,Lammert,Lamboy,Lamarque,Lamacchia,Lalley,Lagace,Lacorte,Lacomb,Kyllonen,Kyker,Kye,Kuschel,Kupfer,Kunde,Kucinski,Kubacki,Kuan,Kroenke,Krech,Koziel,Kovacich,Kothari,Koth,Kotek,Kostelnik,Kosloski,Knoles,Knabe,Kmiecik,Klingman,Kliethermes,Kleffman,Klees,Klaiber,Kittell,Kissling,Kisinger,Kintner,Kinoshita,Kiener,Khouri,Kerman,Kelii,Keirn,Keezer,Kaup,Kathan,Kaser,Karlsen,Kapur,Kandoll,Kammel,Kahele,Justesen,Jue,Jonason,Johnsrud,Joerling,Jochim,Jespersen,Jeong,Jenness,Jedlicka,Jakob,Isaman,Inghram,Ingenito,Imperial,Iadarola,Hynd,Huxtable,Huwe,Huron,Hurless,Humpal,Hughston,Hughart,Huggett,Hugar,Huether,Howdyshell,Houtchens,Houseworth,Hoskie,Holshouser,Holmen,Holloran,Hohler,Hoefler,Hodsdon,Hochman,Hjort,Hippert,Hippe,Hinzman,Hillock,Hilden,Hilde,Heyn,Heyden,Heyd,Hergert,Henrikson,Henningsen,Hendel,Helget,Helf,Helbing,Heintzman,Heggie,Hege,Hecox,Heatherington,Heare,Haxton,Haverstock,Haverly,Hatler,Haselton,Hase,Hartzfeld,Harten,Harken,Hargrow,Haran,Hanton,Hammar,Hamamoto,Halper,Halko,Hackathorn,Haberle,Haake,Gunnoe,Gunkel,Gulyas,Guiney,Guilbeau,Guider,Guerrant,Gudgel,Guarisco,Grossen,Grossberg,Gropp,Groome,Grobe,Gremminger,Greenley,Grauberger,Grabenstein,Gowers,Gostomski,Gosier,Goodenow,Gonzoles,Goliday,Goettle,Goens,Goates,Glymph,Glavin,Glassco,Gladys,Gladfelter,Glackin,Githens,Girgis,Gimpel,Gilbreth,Gilbeau,Giffen,Giannotti,Gholar,Gervasi,Gertsch,Gernatt,Gephardt,Genco,Gehr,Geddis,Gear,Gase,Garrott,Garrette,Gapinski,Ganter,Ganser,Gangi,Gangemi,Gang,Gallina,Galdi,Gailes,Gaetano,Gadomski,Gaccione,Fuschetto,Furtick,Furfaro,Fullman,Frutos,Fruchter,Frogge,Freytag,Freudenthal,Fregoe,Franzone,Frankum,Francia,Franceschi,Fraction,Forys,Forero,Folkers,Foil,Flug,Flitter,Flemons,Fitzer,Firpo,Finizio,Filiault,Figg,Fiddler,Fichtner,Fetterolf,Ferringer,Feil,Fayne,Farro,Faddis,Ezzo,Ezelle,Eynon,Evitt,Eutsler,Euell,Escovedo,Erne,Eriksson,Enriguez,Empson,Elkington,Elk,Eisenmenger,Eidt,Eichenberger,Ehrmann,Ediger,Earlywine,Eacret,Duzan,Dunnington,Duffer,Ducasse,Dubiel,Drovin,Drager,Drage,Donham,Donat,Dona,Dolinger,Dokken,Doepke,Dodwell,Docherty,Distasio,Disandro,Diniz,Digangi,Didion,Dezzutti,Devora,Detmer,Deshon,Derrigo,Dentler,Demoura,Demeter,Demeritt,Demayo,Demark,Demario,Delzell,Delnero,Delgrosso,Dejarnett,Debernardi,Dearmas,Dau,Dashnaw,Daris,Danks,Danker,Dangler,Daignault,Dafoe,Dace,Curet,Cumberledge,Culkin,Cuba,Crowner,Crocket,Crawshaw,Craun,Cranshaw,Cragle,Courser,Costella,Cornforth,Corkill,Cordy,Coopersmith,Conzemius,Connett,Connely,Condict,Condello,Concha,Comley,Colt,Collen,Cohoon,Coday,Clugston,Clowney,Clippard,Clinkenbeard,Clines,Clelland,Clause,Clapham,Clancey,Clabough,Cichy,Cicalese,Chuck,Chua,Chittick,Chisom,Chisley,Chino,Chinchilla,Cheramie,Cerritos,Cercone,Cena,Cawood,Cavness,Catanzarite,Casada,Carvell,Carp,Carmicheal,Carll,Cardozo,Caplin,Candia,Canby,Cammon,Callister,Calligan,Calkin,Caillouet,Buzzelli,Bute,Bustillo,Bursey,Burgeson,Bupp,Bulson,Bulls,Buist,Buffey,Buczkowski,Buckbee,Bucio,Brueckner,Broz,Brookhart,Brong,Brockmeyer,Broberg,Brittenham,Brisbois,Bridgmon,Bride,Breyer,Brede,Breakfield,Breakey,Brauner,Branigan,Brandewie,Branche,Brager,Brader,Bovell,Bouthot,Bostock,Bosma,Boseman,Boschee,Borthwick,Borneman,Borer,Borek,Boomershine,Boni,Bommarito,Bolman,Boleware,Boisse,Boehlke,Bodle,Blash,Blasco,Blakesley,Blacklock,Blackley,Bittick,Birks,Birdin,Bircher,Bilbao,Bick,Biby,Bertoni,Bertino,Bertini,Berson,Bern,Berkebile,Bergstresser,Benne,Benevento,Belzer,Beltre,Bellomo,Bellerose,Beilke,Begeman,Bebee,Beazer,Beaven,Beamish,Baymon,Baston,Bastidas,Basom,Basket,Basey,Bartles,Baroni,Barocio,Barnet,Barclift,Banville,Balthazor,Balleza,Balkcom,Baires,Bailiff,Bailie,Baik,Baggott,Bagen,Bachner,Babington,Babel,Asmar,Askin,Arvelo,Artega,Arrendondo,Arreaga,Arrambide,Arquette,Aronoff,Arico,Argentieri,Arevalos,Archbold,Apuzzo,Antczak,Ankeny,Angelle,Angelini,Anfinson,Amer,Amberg,Amarillas,Altier,Altenburg,Alspach,Alosa,Allsbrook,Alexopoulos,Aleem,Aldred,Albertsen,Akerson,Ainsley,Agler,Adley,Addams,Acoba,Achille,Abplanalp,Abella,Abare,Zwolinski,Zollicoffer,Zola,Zins,Ziff,Zenner,Zender,Zelnick,Zelenka,Zeches,Zaucha,Zauala,Zappa,Zangari,Zagorski,Youtsey,Yorker,Yell,Yasso,Yarde,Yarbough,Xiao,Woolever,Woodsmall,Woodfolk,Wonders,Wobig,Wixson,Wittwer,Wirtanen,Winson,Wingerd,Wilkening,Wilhelms,Wierzbicki,Wiechman,Whites,Weyrick,Wessell,Wenrick,Wenning,Weltz,Weinrich,Weiand,Wehunt,Wareing,Walth,Waibel,Wahlquist,Vona,Voelkel,Vitek,Vinsant,Vincente,Vilar,Viel,Vicars,Vermette,Verma,Vent,Venner,Veazie,Vayda,Vashaw,Varon,Vardeman,Vandevelde,Vanbrocklin,Valery,Val,Vaccarezza,Urquidez,Urie,Urbach,Uram,Ungaro,Umali,Ulsh,Tutwiler,Turnbaugh,Tumminello,Tuite,Tueller,Trulove,Troha,Trivino,Trisdale,Trippett,Tribbett,Treptow,Tremain,Travelstead,Trautwein,Trautmann,Tram,Traeger,Tonelli,Tomsic,Tomich,Tomasulo,Tomasino,Tole,Todhunter,Toborg,Tischer,Tirpak,Tircuit,Tinnon,Tinnel,Tines,Tina,Timbs,Tilden,Tiede,Thumm,Throne,Throgmorton,Thorndike,Thornburgh,Thoren,Thomann,Therrell,Thau,Thammavong,Tetrick,Tessitore,Tesreau,Teicher,Teaford,Tauscher,Tauer,Tanabe,Talamo,Takeuchi,Taite,Tadych,Sweeton,Swecker,Swartzentrube,Swarner,Surrell,Surbaugh,Suppa,Sunshine,Sumbry,Suchy,Stuteville,Studt,Stromer,Strome,Streng,Stonestreet,Stockley,Stmichel,Sticker,Stfort,Sternisha,Stensrud,Steinhardt,Steinback,Steichen,Stauble,Stasiak,Starzyk,Stango,Standerfer,Stachowiak,Springston,Spratlin,Spracklen,Sponseller,Spilker,Spiegelman,Spellacy,Speiser,Spaziani,Spader,Spackman,Space,Sorum,Sopha,Sollis,Sollenberger,Solivan,Solheim,Sokolsky,Sogge,Smyser,Smitley,Sloas,Slinker,Skora,Skiff,Skare,Siverd,Sivels,Siska,Siordia,Simmering,Simko,Sime,Silmon,Silano,Sieger,Siebold,Shukla,Shreves,Shoun,Shortle,Shonkwiler,Shoals,Shimmel,Shiel,Shieh,Sherbondy,Shenkman,Shein,Shearon,Shean,Shatz,Shanholtz,Shafran,Shaff,Shackett,Sgroi,Sewall,Severy,Sethi,Sessa,Sequra,Sepulvado,Seper,Senteno,Sendejo,Semmens,Seipp,Segler,Seegers,Sedwick,Sedore,Sechler,Sebastiano,Scovel,Scotton,Scopel,Schwend,Schwarting,Schutter,Schrier,Schons,Scholtes,Schnetzer,Schnelle,Schmutz,Schlichter,Schelling,Schams,Schamp,Scarber,Scallan,Scalisi,Scaffidi,Saxby,Sawrey,Sauvageau,Sauder,Sarrett,Sanzo,Santizo,Santella,Santander,Sandez,Sandel,Sammon,Salsedo,Salge,Sailors,Sagun,Safi,Sader,Sacchetti,Sablan,Saber,Saade,Runnion,Runkel,Rung,Rumbo,Ruesch,Ruegg,Ruckle,Ruchti,Rubens,Rubano,Rozycki,Roupe,Roufs,Rossel,Rosmarin,Rosero,Rosenwald,Roselle,Ronca,Romos,Rolla,Rohling,Rohleder,Roell,Roehm,Rochefort,Roch,Robotham,Rivenburgh,Riopel,Riederer,Ridlen,Rias,Rhudy,Reynard,Retter,Respess,Reppond,Repko,Rengifo,Reinking,Reichelt,Reeh,Redenius,Rebolledo,Raymundo,Rauh,Ratajczak,Rapley,Ranalli,Ramie,Raitt,Radloff,Radle,Rabbitt,Quay,Quant,Pusateri,Puffinberger,Puerta,Provencio,Proano,Privitera,Prenger,Prellwitz,Pousson,Potier,Poster,Portz,Portlock,Porth,Portela,Portee,Porchia,Pollick,Polinski,Polfer,Polanski,Polachek,Pluta,Plourd,Plauche,Pitner,Piontkowski,Pileggi,Pierotti,Pico,Piacente,Phinisee,Phaup,Pfost,Pettinger,Pettet,Petrich,Peto,Persley,Persad,Perlstein,Perko,Pere,Penders,Peifer,Peco,Pear,Pay,Pawley,Pash,Parrack,Parady,Papen,Pangilinan,Pandolfo,Palone,Palmertree,Padin,Ou,Ottey,Ottem,Ostroski,Ornstein,Ormonde,Onstott,Oncale,Oltremari,Olcott,Olan,Oishi,Oien,Odonell,Odonald,Ode,Obeso,Obeirne,Oatley,Nusser,Novo,Novicki,Noreen,Nora,Nitschke,Nistler,Nim,Nikkel,Niese,Nierenberg,Nield,Niedzwiecki,Niebla,Niebel,Nicklin,Neyhart,Newsum,Nevares,Nageotte,Nagai,Myung,Mutz,Murata,Muralles,Munnerlyn,Mumpower,Muegge,Muckle,Muchmore,Moulthrop,Motl,Moskos,Mortland,Morring,Mormile,Morimoto,Morikawa,Morgon,Mordecai,Montour,Mont,Mongan,Monell,Miyasato,Mish,Minshew,Mimbs,Millin,Milliard,Mihm,Middlemiss,Miano,Mew,Mesick,Merlan,Mendonsa,Mench,Melonson,Melling,Mecca,Meachem,Mctighe,Mcnelis,Mcmurtrey,Mcmurphy,Mckesson,Mckenrick,Mckelvie,Mcjunkins,Mcgory,Mcgirr,Mcgeever,Mcfield,Mcelhinney,Mccrossen,Mccommon,Mccannon,Mazyck,Mawyer,Maull,Matute,Mathies,Maschino,Marzan,Martinie,Marrotte,Marmion,Markarian,Marinacci,Margolies,Margeson,Marcia,Marcel,Marak,Maraia,Maracle,Manygoats,Mano,Manker,Mank,Mandich,Manderson,Maltz,Malmquist,Malacara,Majette,Mais,Magnan,Magliocca,Madina,Madara,Macwilliams,Macqueen,Maccallum,Lyde,Lyday,Lutrick,Lurz,Lurvey,Lumbreras,Luhrs,Luhr,Lue,Lowrimore,Lowndes,Lowers,Lourenco,Lougee,Lorona,Longstreth,Loht,Lofquist,Loewenstein,Lobos,Lizardi,Liverpool,Lionberger,Limoli,Liljenquist,Liguori,Liebl,Liburd,Leukhardt,Letizia,Lesinski,Lepisto,Lenzini,Leisenring,Leipold,Leier,Leggitt,Legare,Leaphart,Lazor,Lazaga,Lavey,Laue,Laudermilk,Lauck,Lassalle,Larsson,Larison,Lanzo,Lantzy,Lanners,Langtry,Landford,Lancour,Lamour,Lambertson,Lalone,Lairson,Lainhart,Lagreca,Lacina,Labranche,Labate,Kurtenbach,Kuipers,Kuechle,Kue,Kubo,Krinsky,Krauser,Kraeger,Kracht,Kozeliski,Kozar,Kowalik,Kotler,Kotecki,Koslosky,Kosel,Koob,Kolasinski,Koizumi,Kohlman,Koffman,Knutt,Knore,Knaff,Kmiec,Klamm,Kittler,Kitner,Kirkeby,Kiper,Kindler,Kilmartin,Killings,Killin,Kilbride,Kerchner,Kendell,Keddy,Keaveney,Kearsley,Karras,Karlsson,Karalis,Kappes,Kapadia,Kallman,Kallio,Kalil,Kader,Jurkiewicz,Joya,Johann,Jitchaku,Jillson,Jex,Jeune,Jarratt,Jarchow,Janak,Ivins,Ivans,Isenhart,Inocencio,Inoa,Imhof,Iacono,Hynds,Hutching,Hutchin,Hulsman,Hulsizer,Hueston,Huddleson,Hrbek,Howry,Housey,Hounshell,Hosick,Hortman,Horseman,Horky,Horine,Hootman,Honeywell,Honeyestewa,Holste,Holien,Holbrooks,Hoffmeyer,Hof,Hoese,Hoenig,Hirschfeld,Hildenbrand,Higson,Higney,Hibert,Hibbetts,Hewlin,Hesley,Herrold,Hermon,Heritage,Hepker,Henwood,Helbling,Heinzman,Heidtbrink,Hedger,Havey,Hatheway,Hartshorne,Harpel,Haning,Handelman,Hamalainen,Hamad,Halt,Halasz,Haigwood,Haggans,Hackshaw,Guzzo,Gunner,Gundrum,Guilbeault,Gugliuzza,Guglielmi,Gue,Guderian,Gruwell,Grunow,Grundman,Gruen,Grotzke,Grossnickle,Groomes,Grode,Grochowski,Grob,Grein,Greif,Greenwall,Greenup,Grassl,Grannis,Grandfield,Grames,Grabski,Grabe,Gouldsberry,Gotham,Gosch,Goody,Goodling,Goodermote,Gonzale,Golebiowski,Goldson,Godlove,Glanville,Gillin,Gilkerson,Giessler,Giambalvo,Giacomini,Giacobbe,Ghio,Gergen,Gentz,Genrich,Gelormino,Gelber,Geitner,Geimer,Gauthreaux,Gaultney,Garvie,Gareau,Garbo,Garbacz,Ganoe,Gangwer,Gandarilla,Galyen,Galt,Galluzzo,Gallon,Galardo,Gager,Gaddie,Gaber,Gabehart,Gaarder,Fusilier,Furnari,Furbee,Fugua,Fruth,Frohman,Friske,Frilot,Fridman,Frescas,Freier,Frayer,Franzese,Franklyn,Frankenberry,Frain,Fosse,Foresman,Forbess,Foot,Florida,Flook,Fletes,Fleer,Fleek,Fleegle,Fishburne,Fiscalini,Finnigan,Fini,Filipiak,Figueira,Fiero,Ficek,Fiaschetti,Ferren,Ferrando,Ferman,Fergusson,Fenech,Feiner,Feig,Fees,Faulds,Fate,Fariss,Fantasia,Falor,Falke,Ewings,Eversley,Everding,Eunice,Etling,Essen,Erskin,Enstrom,Enrico,Engebretsen,Ender,Emma,Eitel,Eichberger,Ehler,Eekhoff,Edrington,Edmonston,Edgmon,Edes,Eberlein,Dwinell,Dux,Dupee,Dunklee,Dunk,Dungey,Dunagin,Dumoulin,Duggar,Duenez,Dudzic,Dudenhoeffer,Ducey,Dub,Drouillard,Dreibelbis,Dreger,Dreesman,Draughon,Downen,Double,Dorminy,Dominic,Dombeck,Dolman,Doebler,Dittberner,Dishaw,Disanti,Dinicola,Dinham,Dimino,Dilling,Difrancesco,Dicello,Dibert,Deshazer,Deserio,Descoteau,Deruyter,Dering,Depinto,Dente,Demus,Demattos,Demarsico,Delude,Dekok,Debrito,Debois,Deakin,Dea,Dayley,Dawsey,Dauria,Datson,Darty,Darsow,Darragh,Darensbourg,Dalleva,Dalbec,Dadd,Cutcher,Curb,Cung,Cuello,Cuadros,Crute,Crutchley,Crispino,Crislip,Crisco,Crevier,Creekmur,Crance,Cragg,Crager,Cozby,Coyan,Coxon,Covalt,Couillard,Costley,Costilow,Cossairt,Corvino,Corigliano,Cordaro,Corbridge,Corban,Coor,Cooler,Conkel,Cong,Conary,Coltrain,Collopy,Colgin,Colen,Colbath,Coiro,Coffie,Cochrum,Cobbett,Clopper,Cliburn,Clendenon,Clemon,Clementi,Clausi,Cirino,Cina,Churn,Churchman,Chilcutt,Cherney,Cheetham,Cheatom,Chatelain,Chandra,Chalifour,Cesa,Cervenka,Cerullo,Cerreta,Cerbone,Cecchini,Ceccarelli,Cawthorn,Cavalero,Catalina,Castner,Castlen,Castine,Casimiro,Casdorph,Cartmill,Cartmell,Carro,Carriger,Carlee,Carias,Caravella,Cappas,Capen,Cantey,Canedo,Camuso,Camps,Campanaro,Camero,Cambria,Calzado,Callejo,Caligiuri,Cafaro,Cadotte,Cacace,Byrant,Busbey,Burtle,Burres,Burnworth,Burggraf,Burback,Bunte,Bunke,Bulle,Bugos,Budlong,Buckhalter,Buccellato,Brummet,Bruff,Brubeck,Brouk,Broten,Brosky,Broner,Brittle,Brislin,Brimm,Brillhart,Bridgham,Brideau,Brennecke,Brenna,Breer,Breeland,Bredesen,Branden,Brackney,Brackeen,Boza,Boyum,Bowdry,Bowdish,Bouwens,Bouvier,Bougie,Bouche,Bottenfield,Bostian,Bossie,Bosler,Boschert,Boroff,Borello,Boom,Bonser,Bonfield,Bon,Bole,Boldue,Bogacz,Boemer,Bluth,Bloxom,Blickenstaff,Blessinger,Bleazard,Blatz,Blanchet,Blacksher,Birchler,Binning,Binkowski,Biltz,Bilotta,Bilagody,Bigbee,Bieri,Biehle,Bidlack,Betker,Bethers,Bethell,Bertha,Bero,Bernacchi,Bermingham,Berkshire,Benvenuto,Bensman,Benoff,Bencivenga,Beman,Bellow,Bellany,Belflower,Belch,Bekker,Bejar,Beisel,Beichner,Began,Beedy,Beas,Beanblossom,Bawek,Baus,Baugus,Battie,Battershell,Bateson,Basque,Basford,Bartone,Barritt,Barko,Bann,Bamford,Baltrip,Balon,Balliew,Ballam,Baldus,Ayling,Avelino,Ashwell,Ashland,Arseneau,Arroyos,Armendarez,Arita,Argust,Archuletta,Arcement,Antonacci,Anthis,Antal,Annan,Andree,Anderman,Amster,Amiri,Amadon,Alveraz,Altomari,Altmann,Altenhofen,Allers,Allbee,Allaway,All,Aleo,Alcoser,Alcorta,Akhtar,Ahuna,Agramonte,Agard,Adkerson,Achord,Abt,Abdi,Abair,Zurn,Zoellner,Zirk,Zion,Zee,Zarro,Zarco,Zambo,Zaiser,Zaino,Zachry,Youd,Yonan,Yniguez,Yepes,Yeo,Yellock,Yellen,Yeatts,Yearling,Yatsko,Yannone,Wyler,Woodridge,Wolfrom,Wolaver,Wolanin,Wojnar,Wojciak,Wittmann,Wittich,Wiswell,Wisser,Wintersteen,Wineland,Willing,Willford,Wiginton,Wigfield,Wierman,Wice,Wiater,Whitsel,Whitbread,Wheller,Wettstein,Werling,Wente,Wenig,Wempe,Welz,Weinhold,Weigelt,Weichman,Wedemeyer,Weddel,Ways,Wayment,Waycaster,Wauneka,Watzka,Watton,Warnell,Warnecke,Warmack,Warder,Wands,Waldvogel,Waldridge,Wahs,Wagganer,Waddill,Vyas,Vought,Votta,Voiles,Virga,Viner,Villella,Villaverde,Villaneda,Viele,Vickroy,Vicencio,Veve,Vetere,Vermilyea,Verley,Verburg,Ventresca,Veno,Venard,Venancio,Velaquez,Veenstra,Vea,Vasil,Vanzee,Vanwie,Vantine,Vant,Vanschoyck,Vannice,Vankampen,Vanicek,Vandersloot,Vanderpoel,Vanderlinde,Vallieres,Uzzell,Uzelac,Uranga,Uptain,Updyke,Uong,Untiedt,Umbrell,Umbaugh,Umbarger,Ulysse,Ullmann,Ullah,Tutko,Turturro,Turnmire,Turnley,Turcott,Turbyfill,Turano,Tuminello,Tumbleson,Tsou,Truscott,Trulson,Troutner,Trone,Troll,Trinklein,Tremmel,Tredway,Trease,Traynham,Traw,Totty,Torti,Torregrossa,Torok,Tomkins,Tomaino,Tkach,Tirey,Tinsman,Timpe,Tiefenauer,Tiedt,Tidball,Thwaites,Thulin,Throneburg,Thorns,Thorell,Thorburn,Thiemann,Thieman,Thesing,Tham,Terrien,Terrance,Telfair,Taybron,Tasson,Tasso,Tarro,Tanenbaum,Talent,Tailor,Taddeo,Tada,Taborn,Tabios,Szekely,Szatkowski,Sylve,Swineford,Swartzfager,Swanton,Swagerty,Surrency,Sunderlin,Sumerlin,Suero,Suddith,Sublette,Stumpe,Stueve,Study,Stuckert,Strycker,Struve,Struss,Strubbe,Strough,Strothmann,Strahle,Stoutner,Stooksbury,Stones,Stonebarger,Stokey,Stoffer,Stimmel,Stief,Stephans,Stemper,Steltenpohl,Stellato,Steinle,Stegeman,Steffler,Steer,Steege,Steckman,Stapel,Stansbery,Stanaland,Stahley,Stagnaro,Stachowski,Squibb,Sprunger,Sproule,Sprehe,Spreen,Sprecher,Sposato,Spivery,Souter,Sopher,Sommerfeldt,Soffer,Snowberger,Snape,Smylie,Smyer,Smack,Slaydon,Slatton,Slaght,Skovira,Skeans,Sjolund,Sjodin,Siragusa,Singelton,Sinatra,Silis,Siebenaler,Shuffield,Shobe,Shiring,Shimabukuro,Shilts,Sherley,Sherbert,Shelden,Sheil,Shedlock,Shearn,Shaub,Sharbono,Shapley,Shands,Shaheen,Shaffner,Servantez,Sentz,Seney,Selin,Seitzinger,Seider,Sehr,Sego,Segall,Seeds,Sebastien,Scimeca,Schwenck,Schweiss,Schwark,Schwalbe,Schucker,Schronce,Schrag,Schouten,Schoppe,Schomaker,Schnarr,Schmied,Schmader,Schlicht,Schlag,Schield,Schiano,Scheve,Scherbarth,Schaumburg,Schauman,Scarpino,Savinon,Sassaman,Sarah,Saporito,Sanville,Santilli,Santaana,Sanda,Salzmann,Salman,Saks,Sagraves,Safran,Saccone,Sa,Rutty,Russett,Rupard,Rump,Rumbley,Ruffins,Ruacho,Rozema,Roxas,Routson,Rourk,Rought,Rotunda,Rotermund,Rosman,Rosette,Rork,Rooke,Rolin,Rohm,Rohlman,Rohl,Roeske,Roecker,Rober,Robenson,Riso,Rinne,Rima,Riina,Rigsbee,Riggles,Riester,Rials,Rhinehardt,Reynaud,Reyburn,Rewis,Revermann,Reutzel,Retz,Rende,Rendall,Reistad,Reinders,Reichardt,Rehrig,Rehrer,Recendez,Reamy,Raz,Rauls,Ratz,Rattray,Rasband,Rapone,Ragle,Ragins,Radican,Raczka,Rachels,Raburn,Rabren,Raboin,Ra,Quesnell,Quaintance,Puccinelli,Pruner,Prouse,Proud,Prosise,Proffer,Prochazka,Probasco,Previte,Prayer,Pour,Portell,Porcher,Popoca,Poncho,Pomroy,Poma,Polsky,Polsgrove,Polidore,Podraza,Plymale,Plescia,Pleau,Platte,Plato,Pizzi,Pinchon,Picot,Piccione,Picazo,Philibert,Phebus,Pfohl,Petell,Pesso,Pesante,Pervis,Perrins,Perley,Perkey,Pereida,Penate,Peloso,Pellerito,Peffley,Peddicord,Pecina,Peale,Peaks,Payette,Paxman,Pawlikowski,Pavy,Pavlov,Patry,Patmon,Patil,Pater,Patak,Pasqua,Pasche,Partyka,Parody,Parmeter,Pares,Pardi,Paonessa,Pao,Panozzo,Panameno,Paletta,Pait,Oyervides,Ossman,Oshima,Ortlieb,Orsak,Orleans,Onley,On,Oldroyd,Okano,Ohora,Offley,Oestreicher,Odonovan,Odham,Odegard,Obst,Obriant,Obrecht,Nuccio,Nowling,Nowden,Novelli,Novell,Nost,Norstrom,Norfolk,Nordgren,Nopper,Noller,Nisonger,Niskanen,Nienhuis,Nienaber,Neuwirth,Neumeyer,Neice,Naugher,Naiman,Nagamine,Mustin,Murrietta,Murdaugh,Munar,Mulberry,Muhlbauer,Mroczkowski,Mowdy,Mouw,Mousel,Mountcastle,Moscowitz,Mosco,Morro,Moresi,Morago,Moomaw,Montroy,Montpas,Montieth,Montanaro,Mongelli,Mon,Mollison,Mollette,Moldovan,Mohar,Mizuno,Mitchelle,Mishra,Misenheimer,Minshall,Minozzi,Minniefield,Minion,Milhous,Migliaccio,Migdal,Mickell,Meyering,Methot,Mester,Mesler,Meriweather,Mensing,Mensah,Menge,Mendola,Mendibles,Meloche,Melnik,Mellas,Meinert,Mehrhoff,Medas,Meckler,Mctague,Mcspirit,Mcshea,Mcquown,Mcquiller,Mclarney,Mckiney,Mckearney,Mcguyer,Mcfarlan,Mcfadyen,Mcdanial,Mcdanel,Mccurtis,Mccrohan,Mccorry,Mcclune,Mccant,Mccanna,Mccandlish,Mcaloon,Mayall,Maver,Maune,Matza,Matty,Matsuzaki,Matott,Mathey,Mateos,Masoner,Masino,Mas,Marzullo,Marz,Maryland,Marsolek,Marquard,Mario,Marchetta,Marberry,Manzione,Many,Manthei,Manka,Mangram,Mangle,Mangel,Mandato,Mancillas,Mammen,Malina,Maletta,Malecki,Majkut,Mages,Maestre,Macphail,Maco,Macneill,Macadam,Lysiak,Lyne,Luxton,Luptak,Lundmark,Luginbill,Lovallo,Louthan,Lousteau,Loupe,Lotti,Lopresto,Lonsdale,Longsworth,Lohnes,Loghry,Logemann,Lofaro,Loeber,Locastro,Livings,Litzinger,Litts,Liotta,Lingard,Lineback,Lindy,Lindhorst,Lill,Lide,Lickliter,Liberman,Lewinski,Levandowski,Leimbach,Leifer,Leidholt,Leiby,Leibel,Leibee,Lehrke,Lehnherr,Lego,Leese,Leen,Ledo,Lech,Leblond,Leap,Leahey,Lazzari,Lawrance,Lawlis,Lawhorne,Lawes,Lavigna,Lavell,Lauzier,Lauter,Laumann,Latsha,Latourette,Latona,Latney,Laska,Larner,Larmore,Larke,Larence,Lapier,Lanzarin,Lands,Lammey,Lamke,Laminack,Lamastus,Lamaster,Lacewell,Labarr,Laabs,Kutch,Kuper,Kuna,Kubis,Krzemien,Krupinski,Krepps,Kreeger,Kraner,Krammer,Kountz,Kothe,Korpela,Komara,Kolenda,Kolek,Kohnen,Koelzer,Koelsch,Kocurek,Knoke,Knauff,Knaggs,Knab,Kluver,Klose,Klien,Klahr,Kitagawa,Kissler,Kirstein,Kinnon,Kinnebrew,Kinnamon,Kimmins,Kilgour,Kilcoyne,Kiester,Kiehm,Kha,Kesselring,Kerestes,Kenniston,Kennamore,Kenebrew,Kelderman,Keitel,Kefauver,Katzenberger,Katt,Kast,Kassel,Kasey,Karol,Kamara,Kalmbach,Kaizer,Kaiwi,Kainz,Jurczyk,Jumonville,Juliar,Jourdain,Johndrow,Johanning,Johannesen,Joffrion,Jobes,Jerde,Jentzsch,Jenkens,Jendro,Jellerson,Jefferds,Jaure,Jaquish,Janeway,Jago,Iwasaki,Ishman,Isaza,Inmon,Inlow,Inclan,Ildefonso,Ike,Iezzi,Ianni,Iacovetto,Hyldahl,Huxhold,Huser,Humpherys,Humburg,Hult,Hullender,Hulburt,Huckabay,Howeth,Hovermale,Hoven,Houtman,Hourigan,Hosek,Hopgood,Homrich,Holstine,Holsclaw,Hokama,Hoffpauir,Hoffner,Hochstein,Hochstatter,Hochberg,Hjelm,Hiscox,Hinsley,Hinks,Hineman,Hineline,Hinck,Hilbun,Hewins,Herzing,Hertzberg,Hertenstein,Herrea,Herington,Hercules,Henrie,Henman,Hengst,Hemmen,Helmke,Helgerson,Heinsohn,Heigl,Hegstad,Heggen,Hegge,Hefti,Heathcock,Haylett,Haupert,Haufler,Hatala,Haslip,Hartless,Hartje,Hartis,Harpold,Harmsen,Harbach,Hanten,Hanington,Hammen,Hameister,Hallstrom,Habersham,Habegger,Gussman,Gundy,Guitterez,Guisinger,Guilfoyle,Groulx,Grismer,Griesbach,Grawe,Grall,Graft,Graben,Goulden,Gornick,Gori,Gookin,Gonzalaz,Gonyer,Gonder,Golphin,Goller,Goergen,Glosson,Glor,Gladin,Girdler,Gillim,Gillians,Gillaspie,Gilhooly,Gildon,Gignac,Gibler,Gibbins,Giardino,Giampietro,Gettman,Gerringer,Gerrald,Gerlich,Georgiou,Georgia,Georgi,Geiselman,Gehman,Gauze,Gangl,Gamage,Gallian,Gallen,Gallatin,Galen,Galea,Gainor,Gahr,Furbush,Fulfer,Fuhrmann,Fritter,Friis,Friendly,Friedly,Freudenberger,Frees,Freemon,Fratus,Frans,Foulke,Fosler,Forquer,Fontan,Folwell,Folds,Foeller,Fodge,Fobes,Florek,Fliss,Flight,Flesner,Flegel,Fitzloff,Fiser,First,Firmin,Firestine,Finfrock,Fineberg,Figures,Fiegel,Fickling,Fesperman,Fernadez,Felber,Feimster,Feazel,Favre,Faughn,Fatula,Fasone,Farron,Faron,Farino,Falvey,Falkenberg,Faley,Faletti,Faeth,Fackrell,Ezekiel,Espe,Eskola,Escott,Esaw,Erps,Erker,Erath,Enfield,Emfinger,Embury,Embleton,Emanuele,Em,Elvers,Ellwanger,Ellegood,Einstein,Eichinger,Egge,Egeland,Edgett,Echard,Eblen,Eastmond,Duteau,Durland,Dure,Dunlavy,Dungee,Dukette,Dugay,Duboise,Dubey,Dsouza,Druck,Dralle,Doubek,Dorta,Dorch,Dorce,Dopson,Dolney,Dockter,Distler,Diss,Dippel,Diperna,Dina,Dichiara,Dicerbo,Dewindt,Dewan,Deveney,Devargas,Deutscher,Deuel,Detter,Dess,Derrington,Deroberts,Dern,Deponte,Denogean,Denardi,Denard,Demary,Demarcus,Demarais,Delucas,Deloe,Delmonico,Delisi,Delio,Delduca,Delaine,Deihl,Dehmer,Deep,Decoste,Dechick,Decatur,Dec,Debruce,Debold,Debell,Deats,Daunt,Daquilante,Dambrosi,Damas,Dalin,Daisy,Dahman,Dahlem,Daffin,Dacquel,Cutrell,Cusano,Curtner,Currens,Curnow,Cuppett,Cummiskey,Cullers,Culhane,Crull,Crossin,Cropsey,Cromie,Crofford,Criscuolo,Crisafulli,Crego,Creeden,Covello,Covel,Corse,Correra,Corners,Cordner,Cordier,Coplen,Copeman,Contini,Conteras,Consalvo,Conduff,Condo,Compher,Comas,Colliver,Colan,Cohill,Cohenour,Cogliano,Codd,Cockayne,Clum,Clowdus,Clarida,Clance,Clairday,Clagg,Citron,Citino,Ciriello,Cicciarelli,Chrostowski,Christley,Christians,Chrisco,Chris,Chrest,Chisler,Chieffo,Cherne,Cherico,Cherian,Cheirs,Chauhan,Charter,Chamblin,Cerra,Cepero,Cellini,Celia,Celeste,Celedon,Cejka,Cavagnaro,Cauffman,Catanese,Castrillo,Castrellon,Casserly,Casino,Caseres,Carthen,Carse,Carragher,Carpentieri,Carmony,Carmer,Carlozzi,Caradine,Cappola,Capece,Capaldi,Cantres,Cantos,Canevari,Canete,Calcaterra,Cal,Cadigan,Cabbell,Byrn,Bykowski,Butchko,Busler,Bushaw,Buschmann,Burow,Buri,Burgman,Bunselmeyer,Bunning,Buhrman,Budnick,Buckson,Buckhannon,Brunjes,Brummel,Brumleve,Bruckman,Brouhard,Brougham,Brostrom,Broerman,Brocks,Brison,Brining,Brindisi,Brereton,Breon,Breitling,Breedon,Brasseaux,Branaman,Bramon,Brackenridge,Boyan,Boxley,Bouman,Bouillion,Botting,Botti,Bosshart,Borup,Borner,Bordonaro,Boot,Bonsignore,Bonsall,Bolter,Bojko,Bohne,Bohlmann,Bogus,Bogdon,Boen,Bodenschatz,Bockoven,Bobrow,Blondin,Blissett,Bligen,Blasini,Blankenburg,Bjorkman,Bistline,Bisset,Birdow,Biondolillo,Bielski,Biele,Biddix,Biddinger,Bianchini,Bevens,Bevard,Betancur,Bernskoetter,Bernet,Bernardez,Berliner,Berland,Berkheimer,Berent,Bensch,Benesch,Belleau,Bedingfield,Beckstrom,Beckim,Bechler,Beachler,Bazzell,Basa,Bartoszek,Barsch,Barrell,Barnas,Barnaba,Barillas,Barbier,Baltodano,Baltierra,Balle,Balint,Baldi,Balderson,Balderama,Baldauf,Balcazar,Balay,Baiz,Bairos,Baba,Azim,Axe,Aversa,Avellaneda,Ausburn,Aurelio,Auila,Augusto,Atwill,Artiles,Arterberry,Aro,Arnow,Arnaud,Arnall,Armando,Argyle,Ares,Arenz,Arduini,Archila,Arakawa,Appleman,Aplin,Antonini,Anstey,Anglen,Andros,Amweg,Amstutz,Amari,Amadeo,Aly,Alteri,Aloi,Allebach,Allah,Aley,Alamillo,Airhart,Ahrendt,Africa,Aegerter,Adragna,Admas,Adderly,Adderley,Addair,Abelar,Abbamonte,Abadi,Zurek,Zundel,Zuidema,Zuelke,Zuck,Zogg,Zody,Zets,Zech,Zecca,Zavaleta,Zarr,Yousif,Yoes,Yoast,Yeagley,Yaney,Yanda,Yackel,Wyles,Wyke,Woolman,Woollard,Woodis,Woodin,Wonderly,Wombles,Woloszyn,Wollam,Wnek,Wms,Wittie,Withee,Wissman,Wisham,Wintle,Winthrop,Winokur,Winch,Wilmarth,Willhoite,Wildner,Wikel,Wieser,Wien,Wicke,Wiatrek,Whitehall,Whetstine,Wheelus,Weyrauch,Weyers,Westerling,Wendelken,Welner,Welder,Weinreb,Weinheimer,Weilbacher,Weihe,Weider,Wecker,Wead,Watler,Watkinson,Wasmer,Waskiewicz,Wasik,Warneke,Wares,Wangerin,Wamble,Walken,Waker,Wakeley,Wahlgren,Wahlberg,Wagler,Wachob,Vorhies,Vonseggern,Vittitow,Virgilio,Vink,Villarruel,Villamil,Villamar,Villalovos,Vidmar,Victorero,Vespa,Vertrees,Verissimo,Veltman,Vecchione,Veals,Varrone,Varma,Vanveen,Vanterpool,Vaneck,Vandyck,Vancise,Vanausdal,Vanalphen,Valdiviezo,Urton,Urey,Updegrove,Unrue,Ulbrich,Tysinger,Tyo,Twiddy,Tunson,Trueheart,Troyan,Trier,Traweek,Trafford,Tozzi,Toulouse,Touch,Tosto,Toste,Torez,Tooke,Tonini,Tonge,Tomerlin,Tolmie,Tobe,Tippen,Tierno,Tichy,Thuss,Threat,Thran,Thornbury,Thone,Theunissen,Thelmon,Theall,Textor,Teters,Tesh,Tennis,Teng,Tench,Tekautz,Tehrani,Teat,Teas,Teare,Te,Tavenner,Tartaglione,Tanski,Tanis,Tanguma,Tangeman,Taney,Tammen,Tamburri,Tamburello,Talsma,Tallie,Takeda,Taira,Taheri,Tademy,Taddei,Taaffe,Szymczak,Szczepaniak,Szafranski,Swygert,Swem,Swartzlander,Sutley,Supernaw,Sundell,Sullivant,Suderman,Sudbury,Suares,Stueber,Stromme,Striker,Streeper,Streck,Strebe,Stonehouse,Stoia,Stohr,Stodghill,Stirewalt,Stick,Sterry,Stephanie,Stenstrom,Stene,Steinbrecher,Stear,Stdenis,Stanphill,Staniszewski,Stanard,Stahlhut,Stachowicz,Srivastava,Spong,Spomer,Spinosa,Spindel,Spera,Spark,Soward,Sopp,Sooter,Sonnek,Sonne,Soland,Sojourner,Soeder,Sobolewski,Snellings,Snare,Smola,Smetana,Smeal,Smarr,Sloma,Sligar,Skenandore,Skalsky,Sitter,Sissom,Sirko,Simkin,Silverthorn,Silman,Sikkink,Signorile,Siddens,Shumsky,Shrider,Shoulta,Shonk,Shomaker,Shippey,Shimada,Shillingburg,Shifflet,Shiels,Shepheard,Sheerin,Shedden,Sheckles,Sharrieff,Sharpley,Shappell,Shaneyfelt,Shampine,Shaefer,Shaddock,Shadd,Sforza,Severtson,Setzler,Sepich,Senne,Senatore,Sementilli,Selway,Selover,Sellick,Seigworth,Sefton,Seegars,Sebourn,Seaquist,Sealock,Seabreeze,Scriver,Scinto,Schumer,Schulke,Schryver,Schriner,Schramek,Schoon,Schoolfield,Schonberger,Schnieder,Schnider,Schlitz,Schlather,Schirtzinger,Scherman,Schenker,Scheiner,Scheible,Schaus,Schakel,Schaad,Saxe,Savely,Savary,Sardinas,Santarelli,Sanschagrin,Sans,Sanpedro,Sanjose,Sandra,Sandine,Sandigo,Sandgren,Sanderford,Sandahl,Salzwedel,Salzar,Salvino,Salvatierra,Salminen,Salierno,Salberg,Sahagun,Saelee,Sabel,Rynearson,Ryker,Rupprecht,Runquist,Rumrill,Ruhnke,Rovira,Rottenberg,Rosoff,Rosete,Rosebrough,Roppolo,Roope,Romas,Roley,Rohrback,Rohlfs,Rogriguez,Roel,Rodriguiz,Rodewald,Roback,Rizor,Ritt,Rippee,Riolo,Rinkenberger,Riggsby,Rigel,Rieman,Riedesel,Rideau,Ricke,Rhinebolt,Rheault,Revak,Relford,Reinsmith,Reichmann,Rei,Regula,Redlinger,Redhead,Rayno,Raycroft,Rave,Raus,Raupp,Rathmann,Rastorfer,Rasey,Raponi,Rantz,Ranno,Ranes,Randal,Ramp,Ramnauth,Rahal,Raddatz,Quattrocchi,Quang,Purchase,Pullis,Pulanco,Pryde,Prohaska,Primiano,Prez,Prevatt,Prechtl,Pottle,Potenza,Portes,Porowski,Poppleton,Pontillo,Pong,Polka,Politz,Politi,Poggi,Plonka,Plaskett,Placzek,Pizzuti,Pizzaro,Pisciotta,Pippens,Pinkins,Pinilla,Pini,Pingitore,Piercey,Pickup,Piccola,Piccioni,Picciano,Phy,Philps,Philp,Philo,Philmon,Philbin,Pflieger,Pezzullo,Petruso,Petrea,Petitti,Peth,Peshlakai,Peschel,Persico,Persichetti,Persechino,Perris,Perlow,Perico,Pergola,Penniston,Pembroke,Pellman,Pekarek,Peirson,Pearcey,Pealer,Pavlicek,Passino,Pasquarello,Pasion,Parzych,Parziale,Parga,Papalia,Papadakis,Paino,Pacini,Oyen,Ownes,Owczarzak,Outley,Ouelette,Ottosen,Otting,Ostwinkle,Osment,Oshita,Osario,Orlow,Oriordan,Orefice,Orantes,Oran,Orahood,Opel,Olpin,Oliveria,Okon,Okerlund,Okazaki,Ohta,Offerman,Nyce,Nutall,Northey,Norcia,Noor,Noh,Niehoff,Niederhauser,Nickolson,Nguy,Neylon,Newstrom,Nevill,Netz,Nesselrodt,Nemes,Neally,Nauyen,Nascimento,Nardella,Nanni,Myren,Murchinson,Munter,Munster,Mundschenk,Mujalli,Muckleroy,Mu,Moussa,Mouret,Moulds,Mottram,Motte,Mosey,Morre,Montreuil,Monton,Montellano,Monninger,Monhollen,Mongeon,Monestime,Monegro,Mondesir,Monceaux,Mola,Moga,Moening,Moccia,Misko,Miske,Mishaw,Minturn,Mingione,Minerva,Milstein,Milos,Milla,Milks,Milhouse,Michl,Micheletti,Michals,Mesia,Merson,Meras,Menifee,Meluso,Mella,Melick,Mehlman,Meffert,Medoza,Mecum,Meaker,Meahl,Mczeal,Mcwatters,Mcomber,Mcmonigle,Mckiddy,Mcgranor,Mcgeary,Mcgaw,Mcenery,Mcelderry,Mcduffey,Mccuistion,Mccrudden,Mccrossin,Mccosh,Mccolgan,Mcclish,Mcclenahan,Mcclam,Mccartt,Mccarrell,Mcbane,Mc,Maybury,Mayben,Maw,Maulden,Mauceri,Matko,Mathie,Matheis,Mathai,Masucci,Massiah,Martorano,Martnez,Martindelcamp,Marschke,Marovich,Markiewicz,Marinaccio,Marhefka,Marcrum,Manton,Mantel,Mannarino,Manlove,Mangham,Manasco,Malpica,Mallernee,Malinsky,Malhotra,Maish,Maisel,Mainville,Maharrey,Magid,Maertz,Mada,Maclaughlin,Macina,Macdermott,Macallister,Macadangdang,Maack,Lynk,Lydic,Luyando,Lutke,Lupinacci,Lunz,Lundsten,Lull,Lujano,Luhn,Luecke,Luebbe,Ludolph,Luckman,Lucker,Luckenbill,Luckenbach,Lucido,Lowney,Lowitz,Lovaglio,Louro,Louk,Loudy,Louderback,Lorick,Lorenzini,Lorensen,Lorenc,Lomuscio,Loguidice,Lockner,Lockart,Lochridge,Litaker,Lisowe,Liptrap,Linnane,Linhares,Lindfors,Lindenmuth,Lincourt,Lina,Like,Liew,Lies,Liebowitz,Levengood,Leskovec,Lesch,Leoni,Lennard,Legner,Leaser,Leas,Lean,Leadingham,Lazarski,Layland,Laurito,Laulu,Laughner,Laughman,Laughery,Laube,Latiolais,Lasserre,Lasser,Lars,Larrow,Larrea,Lapsley,Lantrip,Lanthier,Langwell,Langelier,Landaker,Lampi,Lamond,Lamblin,Lambie,Lakins,Laipple,Lagrimas,Lafrancois,Laffitte,Laday,Lacko,Lacava,Labor,Labianca,Kutsch,Kuske,Kunert,Kubly,Kuamoo,Krummel,Krise,Krenek,Kreiser,Krausz,Kraska,Krakowski,Kradel,Kozik,Koza,Kotowski,Koslow,Korber,Kojima,Kochel,Knabjian,Klunder,Klugh,Klinkhammer,Kliewer,Klever,Kleber,Klages,Klaas,Kizziar,Kitchel,Kishimoto,Kirschenman,Kirschenbaum,Kinnick,Kinn,Kinkle,Kiner,Kindla,Kindall,Kincaide,Kilson,Killins,Kill,Kightlinger,Kienzle,Kiah,Khim,Ketcherside,Kerl,Kelsoe,Kelker,Keizer,Keir,Keepers,Kawano,Kawa,Kaveney,Kath,Kasparek,Kaplowitz,Kantrowitz,Kant,Kanoff,Kano,Kann,Kamalii,Kalt,Kaleta,Kalbach,Kalauli,Kalata,Kalas,Kaigler,Kachel,Juran,Jubb,Jonker,Jonke,Jolivette,Joles,Joas,Jividen,Jewel,Jeffus,Jeanty,Jarvi,Jardon,Janvier,Janosko,Janoski,Janiszewski,Janish,Janek,Iwanski,Iuliano,Isabella,Irle,Ingmire,Imber,Ijames,Iiams,Ihrig,Ichikawa,Hynum,Hutzel,Hutts,Huskin,Husak,Hurndon,Huntsinger,Humm,Hulette,Huitron,Huguenin,Hugg,Hugee,Huelskamp,Huch,Howen,Hovanec,Hoston,Hostettler,Horsfall,Horodyski,Holzhauer,Hollimon,Hollender,Hogarth,Hoffelmeyer,Histand,Hissem,Hisel,Hirayama,Hinegardner,Hinde,Hinchcliffe,Hiltbrand,Hilsinger,Hillstrom,Hiley,Hickenbottom,Hickam,Hibley,Heying,Hewson,Hetland,Hersch,Herlong,Herda,Henzel,Henshall,Hendler,Hence,Helson,Helfen,Heinbach,Heikkila,Heggs,Hefferon,Hebard,Heathcote,Hearl,Heaberlin,Hauth,Hauschild,Haughney,Hauch,Hattori,Haste,Hasley,Hartpence,Harroun,Harrier,Harelson,Hardgrove,Hardel,Hansbrough,Handsome,Handshoe,Handly,Haluska,Hally,Halling,Halfhill,Halferty,Hakanson,Haist,Hairgrove,Hahner,Hagg,Hafele,Haaland,Guttierez,Gutknecht,Gunnarson,Gunlock,Gummersheimer,Gullatte,Guity,Guilmette,Guhl,Guenette,Guardino,Groshong,Grober,Gripp,Grillot,Grilli,Greulich,Gretzinger,Greenwaldt,Graven,Grassman,Granberg,Graeser,Graeff,Graef,Grabow,Grabau,Gotchy,Goswick,Gosa,Gordineer,Gorczyca,Goodchild,Golz,Gollihue,Goldwire,Goldbach,Goffredo,Glassburn,Glaeser,Gillilan,Gigante,Giere,Gieger,Gidcumb,Giarrusso,Giannelli,Gettle,Gesualdi,Geschke,Gerwig,Gervase,Geoffrion,Gentilcore,Genther,Gemes,Gemberling,Gelles,Geitz,Geeslin,Gedney,Gebauer,Gaye,Gawron,Gavia,Gautney,Gaustad,Gasmen,Gargus,Ganske,Ganger,Galvis,Gallinger,Gallichio,Galletta,Gaede,Gadlin,Gaby,Gabrielsen,Gaboriault,Furlan,Furgerson,Fujioka,Fugett,Fuehrer,Frisco,Frint,Frigon,Frevert,Frautschi,Fraker,Fradette,Foulkes,Forslund,Forni,Foo,Fontenette,Fones,Folz,Folmer,Follman,Folkman,Flourney,Flickner,Flemmings,Fleischacker,Flander,Flament,Fithian,Fister,Fiorello,Fiorelli,Fioravanti,Fieck,Ficke,Fiallos,Fiacco,Feuer,Ferrington,Fernholz,Feria,Fergurson,Feick,Febles,Favila,Faulkingham,Fath,Farnam,Falter,Fakhouri,Fairhurst,Failing,Fahs,Eva,Estrello,Essick,Espree,Esmond,Eskelson,Escue,Escatel,Erebia,Epperley,Epler,Enyart,Engelbert,Enderson,Emmitt,Emch,Elisondo,Eli,Elford,El,Ekman,Eick,Eichmann,Ehrich,Ehlen,Edwardson,Edley,Edghill,Edel,Eastes,Easterbrooks,Eagleson,Eagen,Eade,Dyle,Dutkiewicz,Dunnagan,Duncil,Duling,Drumgoole,Droney,Dreyfus,Dragan,Dowty,Doscher,Dornan,Doremus,Doogan,Donaho,Donahey,Dombkowski,Dolton,Dolen,Dobratz,Diveley,Dittemore,Ditsch,Disque,Dishmon,Disch,Dirickson,Dippolito,Dimuccio,Dilger,Diefenderfer,Dicola,Diblasio,Dibello,Devan,Dettmer,Deschner,Desbiens,Derusha,Denkins,Demonbreun,Demchak,Delucchi,Delprete,Deloy,Deliz,Deline,Delap,Deiter,Deignan,Degiacomo,Degaetano,Defusco,Dede,Deboard,Debiase,Deaville,Deadwyler,Davanzo,Daughton,Darter,Darrin,Danser,Dandrade,Dando,Dampeer,Dalziel,Dalen,Dain,Dai,Dague,Czekanski,Cutwright,Cutliff,Curle,Cuozzo,Cunnington,Cunning,Cunnigham,Cumings,Crowston,Croak,Crittle,Crispell,Crisostomo,Crear,Creach,Craigue,Crabbs,Cozzi,Cozza,Coxe,Cowsert,Coviello,Couse,Coull,Cottier,Costagliola,Corra,Corpening,Cormany,Corless,Corkern,Conteh,Conquest,Conkey,Cones,Conditt,Conaty,Colomb,Collura,Colledge,Colins,Colgate,Coleson,Colemon,Coins,Coffland,Coccia,Coast,Clougherty,Clewell,Cleckley,Cleaveland,Clarno,Clamp,Civils,Cillo,Cifelli,Ciesluk,Chum,Chui,Christison,Christiana,Chowning,Chouteau,Choung,Childres,Cherrington,Chenette,Cheeves,Cheairs,Chaddock,Cernoch,Cerino,Cazier,Cathy,Castel,Casselberry,Caserta,Carvey,Carton,Cart,Carry,Carris,Carrie,Carmant,Cariello,Cardarelli,Caras,Caracciolo,Capitano,Cantoni,Cantave,Cancio,Campillo,Cam,Callens,Caldero,Calamia,Cahee,Cahan,Cahalan,Cabanilla,Cabal,Bywater,Bynes,Byassee,Butkus,Busker,Bushby,Busack,Burtis,Burrola,Buroker,Burnias,Burn,Burlock,Burham,Burak,Bulla,Buffin,Buffa,Buening,Budney,Buchannan,Buchalter,Bua,Brule,Brugler,Broxson,Broun,Brosh,Brissey,Brisby,Brinlee,Brinkmeyer,Brimley,Brickell,Breth,Breger,Brees,Brank,Braker,Bozak,Bowlds,Bowersock,Bousman,Boushie,Botz,Bordwell,Bonkowski,Bonine,Bonifay,Bonesteel,Boldin,Bohringer,Bohlander,Boecker,Bocook,Bocock,Boblett,Bobbett,Boas,Boarman,Bleser,Blazejewski,Blaustein,Blausey,Blancarte,Blaize,Blackson,Blacketer,Blackard,Bisch,Birchett,Billa,Bilder,Bierner,Bienvenu,Bielinski,Bialas,Biagini,Beynon,Beyl,Bettini,Bethany,Betcher,Bessent,Beshara,Besch,Bernd,Bergemann,Bergeaux,Berdan,Bens,Benedicto,Bendall,Beltron,Beltram,Bellville,Beisch,Behney,Beemer,Beechler,Beckum,Becks,Batzer,Batte,Bastida,Bassette,Basley,Base,Bartosh,Bartolone,Barraclough,Barnick,Barket,Barkdoll,Baringer,Barges,Barella,Barbian,Barbati,Bannan,Banderas,Balles,Baldo,Balasubramani,Bala,Baig,Bahn,Bachmeier,Babyak,Baas,Baars,Ayuso,Axt,Avinger,Avella,Ausbrooks,Aull,Augello,Atkeson,Atkerson,Atherley,Athan,Assad,Asebedo,Arrison,Armon,Armfield,Armbrust,Arlington,Arkin,Archambeau,Antonellis,Angotti,Andy,Amorose,Amini,Amborn,Amano,Aluarez,Alma,Allgaier,Allegood,Ales,Alen,Aldama,Albertine,Aki,Aird,Ahsing,Ahmann,Aguado,Agostino,Agostinelli,Agnes,Adwell,Adsit,Adelstein,Ade,Actis,Acierno,Achee,Abbs,Abbitt,Zwagerman,Zuercher,Zinno,Zettler,Zeff,Zavalza,Zaugg,Zarzycki,Zappulla,Zanotti,Zachman,Zacher,Yundt,Yslas,Younes,Yontz,Yglesias,Yeske,Yellow,Yeargin,Yauger,Yamane,Xang,Wylam,Wrobleski,Wratchford,Worker,Woodlee,Wolsey,Wolfinbarger,Wohlenhaus,Wittler,Wittenmyer,Witkop,Wishman,Wintz,Winkelmann,Windus,Winborn,Wims,Wiltrout,Wilshire,Willmott,Williston,Wilemon,Wilbourne,Wiedyk,Widmann,Wickland,Wickes,Wichert,Whitsell,Whisenand,Whidby,Wetz,Westmeyer,Wertheim,Wernert,Werle,Werkheiser,Weng,Weldin,Weissenborn,Weingard,Weinfeld,Weihl,Weightman,Weichel,Wehrheim,Wegrzyn,Wegmann,Wearing,Waszak,Wankum,Wangler,Walthour,Waltermire,Walstad,Waldren,Walbert,Walawender,Wahlund,Wahlert,Wahlers,Wach,Vuncannon,Vroom,Vredenburgh,Vonk,Vollmar,Voisinet,Vlahos,Viscardi,Vires,Vipperman,Violante,Vidro,Vessey,Vesper,Veron,Vergari,Verbeck,Venturino,Velastegui,Vegter,Varas,Vanwey,Vanvranken,Vanvalkenbur,Vanorsdale,Vanoli,Vanochten,Vanier,Vanevery,Vane,Vanduser,Vandersteen,Vandell,Vandall,Vallot,Vallon,Vallez,Vallely,Vadenais,Uthe,Usery,Unga,Ultsch,Ullom,Tyminski,Twogood,Tursi,Turay,Tungate,Truxillo,Trulock,Trovato,Troise,Tripi,Trinks,Trimboli,Trickel,Trezise,Trefry,Treen,Trebilcock,Travieso,Trachtenberg,Touhey,Tougas,Tortorella,Tormey,Torelli,Torborg,Toran,Tomek,Tomassi,Tollerson,Tolden,Toda,Tobon,Tjelmeland,Titmus,Tilbury,Tietje,Thurner,Thum,Thrope,Thornbrough,Thibaudeau,Thackeray,Tesoro,Territo,Ternes,Teich,Tecson,Teater,Teagarden,Tatsch,Tarallo,Tapanes,Tanberg,Tamm,Sylvis,Swenor,Swedlund,Swagger,Sutfin,Sura,Sundt,Sundin,Summerson,Sumatzkuku,Sultemeier,Sulivan,Suggitt,Suermann,Sturkie,Sturgess,Stumph,Stuemke,Struckhoff,Strose,Stroder,Stride,Stricklen,Strick,Streib,Strei,Strawther,Stratis,Strahm,Stortz,Storrer,Storino,Stohler,Stohl,Stockel,Stinnette,Stile,Stieber,Stensland,Steffenhagen,Stefanowicz,Steever,Steagall,Statum,Stapley,Stanish,Standiford,Standen,Stamos,Stahlecker,Stadtler,Spratley,Spraker,Sposito,Spickard,Spehar,Spees,Spearing,Spangle,Spallone,Sox,Soulard,Sorel,Sora,Sopko,Sood,Sonnen,Som,Solly,Solesbee,Soldano,Sobey,Sobczyk,Snedegar,Sneddon,Smolinski,Smolik,Slota,Sloman,Sleigh,Slavick,Skorupski,Skolnik,Skirvin,Skeels,Skains,Skahan,Skaar,Siwiec,Siverly,Siver,Sivak,Sirk,Sinton,Sinor,Sincell,Silberstein,Sieminski,Sidelinger,Shurman,Shunnarah,Shirer,Shidler,Sherlin,Shepperson,Shemanski,Sharum,Shartrand,Shapard,Shanafelt,Shamp,Shader,Shackelton,Seyer,Seroka,Sernas,Seright,Serano,Sengupta,Semper,Selinger,Seith,Seidler,Seehusen,Seefried,Seed,Scovell,Scorzelli,Sconiers,Schwind,Schwichtenber,Schwerin,Schwenke,Schwaderer,Schussler,Schuneman,Schumpert,Schultheiss,Schroll,Schroepfer,Schroeden,Schrimpf,Schook,Schoof,Schomburg,Schoenfeldt,Schoener,Schnoor,Schmick,Schlereth,Schindele,Schildt,Schildknecht,Schemmel,Scharfenberg,Schanno,Schane,Schaer,Schad,Scearce,Scardino,Sawka,Sawinski,Savoca,Savery,Saults,Saucer,Sarpy,Saris,Sardinha,Sarafin,Sankar,Sanjurjo,Sanderfer,Sanagustin,Samudio,Sammartino,Samas,Salz,Salmen,Sallie,Salkeld,Salamon,Sakurai,Sakoda,Safley,Sada,Sachse,Ryden,Ryback,Russow,Russey,Ruprecht,Rumple,Ruffini,Rudzinski,Rudel,Rudden,Rud,Rovero,Routledge,Roussin,Rousse,Rouser,Rougeau,Rosie,Rosica,Romey,Romaniello,Rolfs,Rogoff,Rogne,Rodriquz,Rodrequez,Rodin,Rocray,Rocke,Robbin,Riviere,Rivette,Riske,Risenhoover,Rindfleisch,Rinaudo,Rimbey,Riha,Righi,Ridner,Ridling,Riden,Rhue,Reyome,Reynoldson,Reusch,Rensing,Rensch,Rennels,Renderos,Reininger,Reiners,Reigel,Rehmer,Regier,Reff,Reef,Redlin,Recchia,Reaume,Reagor,Rayne,Rawe,Rattigan,Raska,Rashed,Ranta,Ranft,Randlett,Randa,Ramiez,Ramella,Rallis,Rajan,Raisbeck,Raimondo,Raible,Ragone,Rackliffe,Quirino,Quiring,Quero,Quaife,Pyke,Purugganan,Pursifull,Purkett,Purdon,Punches,Pun,Pulos,Pulling,Puccia,Provance,Propper,Preis,Prehn,Prata,Prasek,Pranger,Pradier,Portor,Portley,Porte,Popiel,Popescu,Pomales,Polowy,Pollett,Politis,Polit,Poley,Pol,Pohler,Poggio,Poet,Podolak,Poag,Plymel,Ploeger,Planty,Piskura,Pirrone,Pirro,Piroso,Pinsky,Pile,Pilant,Pickerill,Piccolomini,Picart,Piascik,Phann,Petruzzelli,Petosa,Persson,Perretta,Perkowski,Perilli,Percifield,Perault,Peppel,Pember,Pelotte,Pelcher,Peixoto,Pehl,Peatross,Pearlstein,Peacher,Payden,Paya,Pawelek,Pavey,Pauda,Pathak,Parrillo,Parness,Parlee,Paoli,Pannebaker,Palomar,Palo,Palmberg,Paganelli,Paffrath,Padovano,Padden,Pachucki,Over,Ovando,Othman,Osowski,Osler,Osika,Orsburn,Orlowsky,Oregel,Oppelt,Opfer,Opdyke,Onell,Omer,Olivos,Okumura,Okoro,Ogas,Offer,Oelschlaeger,Odette,Oder,Ocanas,Obrion,Obarr,Oas,Oare,Nyhus,Nyenhuis,Nunnelley,Nunamaker,Nuckels,Noyd,Nowlan,Novakovich,Noteboom,Norviel,Nortz,Norment,Norland,Nolt,Nolie,Nixson,Nitka,Nissley,Nishiyama,Niland,Niewiadomski,Niemeier,Nieland,Nickey,Nicholsen,Newark,Neugent,Neto,Nerren,Nein,Neikirk,Neigh,Nedrow,Neave,Nazaire,Navaro,Navalta,Nasworthy,Nasif,Nani,Nalepa,Nakao,Nakai,Nadolny,Myklebust,Mussel,Murthy,Muratore,Murat,Mundie,Mulverhill,Muilenburg,Muetzel,Mudra,Mudgett,Mrozinski,Moura,Mottinger,Morson,Moretto,Morentin,Mordan,Mooreland,Mooers,Monts,Montone,Montondo,Montiero,Monserrate,Monie,Monat,Monares,Mollo,Mollet,Molacek,Mokry,Mohrmann,Mohabir,Mogavero,Moes,Moceri,Miyoshi,Mitzner,Misra,Mis,Mirr,Mira,Minish,Minge,Minckler,Milroy,Mille,Mileski,Milanesi,Miko,Mihok,Mihalik,Mieczkowski,Messerli,Meskill,Mesenbrink,Merton,Merryweather,Merkl,Menser,Menner,Menk,Menden,Menapace,Melbourne,Mekus,Meinzer,Mein,Meers,Mctigue,Mcquitty,Mcpheron,Mcmurdie,Mcleary,Mclafferty,Mckinzy,Mckibbin,Mckethan,Mcintee,Mcgurl,Mceachran,Mcdowall,Mcdermitt,Mccuaig,Mccreedy,Mccoskey,Mcclosky,Mcclintick,Mccleese,Mccanless,Mazzucco,Mazzocco,Mazurkiewicz,Mazariego,Mayhorn,Maxcy,Mavity,Mauzey,Maulding,Matuszewski,Mattsson,Mattke,Matsushita,Matsuno,Matsko,Matkin,Mathur,Mates,Masterman,Massett,Massart,Massari,Mashni,Martella,Marren,Margotta,Marder,Marczak,Maran,Maradiaga,Manwarren,Mantini,Manter,Mantelli,Manso,Mangone,Manfredonia,Malden,Malboeuf,Malanga,Makara,Maison,Maisano,Mairs,Mailhiot,Magri,Magic,Madron,Madole,Mackall,Macduff,Macartney,Lynds,Lusane,Luffman,Lua,Louth,Loughmiller,Lougheed,Lotspeich,Lorenzi,Loree,Loosli,Looker,Longe,Longanecker,Lonero,Lohmeyer,Loeza,Lobstein,Lobner,Lober,Littman,Litalien,Lippe,Lints,Linear,Lijewski,Ligas,Liebert,Liebermann,Liberati,Lezcano,Levinthal,Lessor,Less,Lesieur,Lenning,Lengel,Len,Lempke,Lemp,Lemar,Leitzke,Leinweber,Legrone,Lege,Leder,Lawnicki,Lauth,Laun,Laughary,Latin,Lassley,Lashway,Larrivee,Largen,Lare,Lanouette,Lanno,Langille,Langen,Landing,Lana,Lamonte,Lalin,Lala,Laible,Lafratta,Laforte,Lacuesta,Lacer,Labore,Laboe,Labeau,Kwasniewski,Kunselman,Kuhr,Kuchler,Kuc,Krugman,Kruckenberg,Krotzer,Kroemer,Krist,Krigbaum,Kreke,Kreisman,Kreisler,Kreft,Krasnow,Kras,Krag,Kouyate,Kough,Kotz,Kostura,Korner,Kornblum,Korczynski,Koppa,Kopczyk,Konz,Komorowski,Kollen,Kolander,Koepnick,Koehne,Kochis,Knoch,Knippers,Knaebel,Klipp,Klinedinst,Klimczyk,Klier,Klement,Klaphake,Kisler,Kinzie,Kines,Kindley,Kimple,Kimm,Kimbel,Kilker,Kilborn,Kibbey,Khong,Ketchie,Kerbow,Kennemore,Kennebeck,Kenneally,Kenndy,Kenmore,Kemnitz,Kemler,Kemery,Kelnhofer,Kellstrom,Kellis,Kellams,Keiter,Keirstead,Keeny,Keelin,Keefauver,Keams,Kautzman,Kaus,Katayama,Kasson,Kassim,Kasparian,Kase,Karwoski,Kapuscinski,Kaneko,Kamerling,Kamada,Kalka,Kalar,Kakacek,Kaczmarczyk,Jurica,Junes,Journell,Jolliffe,Johnsey,Joel,Jindra,Jimenz,Jette,Jesperson,Jerido,Jenrette,Jencks,Jech,Jayroe,Jayo,Jaye,Javens,Jaskot,Jaros,Jaquet,Janowiak,Jame,Jaegers,Jackel,Izumi,Ith,Italia,Irelan,Ion,Inzunza,Imoto,Imme,Iglehart,Iannone,Iannacone,Huyler,Hussaini,Hurlock,Hurlbutt,Huprich,Humphry,Hulslander,Huelsman,Hudelson,Hudecek,Hsia,Hreha,Hoyland,Howk,Housholder,Housden,Houff,Horkey,Honan,Homme,Holtzberg,Hollyfield,Hollings,Hollenbaugh,Hokenson,Hogrefe,Hogland,Hoel,Hodgkin,Hochhalter,Hjelle,Hittson,Hinderman,Hinchliffe,Hime,Hilyer,Hilby,Hibshman,Heydt,Hewell,Heward,Hetu,Hestand,Heslep,Herridge,Herner,Hernande,Hermandez,Hermance,Herbold,Heon,Henthorne,Henion,Henao,Heming,Helmkamp,Hellberg,Heidgerken,Heichel,Hehl,Hegedus,Hefty,Heckathorne,Hearron,Haymer,Haycook,Havlicek,Hausladen,Haseman,Hartsook,Hartog,Harns,Harne,Harmann,Haren,Hanserd,Hanners,Hanekamp,Hamra,Hamley,Hamelin,Hamblet,Hakimi,Hagle,Hagin,Haehn,Haeck,Hackleman,Haacke,Gulan,Guirand,Guiles,Guggemos,Guerrieri,Guerreiro,Guereca,Gudiel,Guccione,Gubler,Gruenwald,Gritz,Grieser,Grewe,Grenon,Gregersen,Grefe,Greener,Grech,Grecco,Gravette,Grassia,Granholm,Graner,Grandi,Grahan,Gradowski,Gradney,Graczyk,Gouthier,Gottschall,Goracke,Gootee,Goodknight,Goodine,Gonzalea,Gonterman,Gonalez,Gomm,Goleman,Goldtooth,Goldstone,Goldey,Golan,Goes,Goen,Goeller,Goel,Goecke,Godek,Goan,Glunz,Gloyd,Glodowski,Glinski,Glawe,Girod,Girdley,Giovanni,Gindi,Gillings,Gildner,Giger,Giesbrecht,Gierke,Gier,Giboney,Giaquinto,Giannakopoulo,Giaimo,Giaccio,Giacalone,Gessel,Gerould,Gerlt,Gerhold,Geralds,Genson,Genereux,Gellatly,Geigel,Gehrig,Gehle,Geerdes,Geagan,Gawel,Gavina,Gauss,Gatwood,Gathman,Gaster,Garske,Garratt,Garms,Garis,Gansburg,Gammell,Gambale,Gamba,Galimore,Gadway,Gadoury,Furrer,Furnish,Furino,Fullard,Fukui,Fuhrer,Fryou,Friesner,Friedli,Friedl,Friedberg,Freyermuth,Fremin,Fredell,Fraze,Franken,Fought,Foth,Fote,Fortini,Fornea,Formanek,Forker,Forgette,Folan,Foister,Foglesong,Flinck,Flewellen,Flaten,Flaig,Fitgerald,Fischels,Firman,Finstad,Finkelman,Finister,Finder,Fina,Fettes,Fetterhoff,Ferriter,Ferch,Fennessy,Feltus,Feltes,Feinman,Farve,Farry,Farrall,Farag,Falzarano,Falck,Falanga,Fakhoury,Faire,Fairbrother,Fagley,Faggins,Facteau,Ewer,Ewbank,Evola,Evener,Eustis,Eugenio,Estwick,Estel,Essa,Espinola,Escutia,Eschmann,Erpelding,Ernsberger,Erling,Entz,Enrique,Engelhart,Enbody,Emick,Elsinger,Ellinwood,Ellingsen,Ellicott,Elkind,Eisinger,Eisenbeisz,Eischen,Eimer,Eigner,Eichhorst,Ehmke,Egleston,Eggett,Ege,Efurd,Edgeworth,Eckels,Ebey,Eberling,Eagleton,Dwiggins,Dweck,Dunnings,Dunnavant,Dumler,Duman,Dugue,Duerksen,Dudeck,Dreisbach,Drawdy,Drawbaugh,Draine,Draggoo,Dowse,Dovel,Doughton,Douds,Doubrava,Dort,Dorshorst,Dornier,Doolen,Donavan,Dominque,Dominion,Dominik,Domingez,Dome,Dom,Dolder,Dold,Dobies,Dk,Diskin,Disano,Dirden,Diponio,Dipirro,Dimock,Diltz,Dillabough,Diley,Dikes,Digges,Digerolamo,Diel,Dicker,Dicharry,Dicecco,Dibartolomeo,Diamant,Dewire,Devone,Dessecker,Dertinger,Derousselle,Derk,Depauw,Depalo,Denherder,Demeyer,Demetro,Demastus,Delvillar,Deloye,Delosrios,Delgreco,Delarge,Delangel,Dejongh,Deitsch,Degiorgio,Degidio,Defreese,Defoe,Decambra,Debenedetto,Deaderick,Daza,Dauzat,Daughenbaugh,Dato,Dass,Darwish,Dantuono,Danton,Dammeyer,Daloia,Daleo,Dagg,Dacey,Curts,Cuny,Cunneen,Culverhouse,Cuervo,Cucinella,Cubit,Crumm,Crudo,Crowford,Crout,Crotteau,Crossfield,Crooke,Crom,Critz,Cristaldi,Crickmore,Cribbin,Cremeens,Crayne,Cradduck,Couvertier,Cottam,Cossio,Correy,Cordrey,Coplon,Copass,Coone,Coody,Contois,Consla,Connelley,Connard,Congo,Congleton,Condry,Conception,Coltey,Colindres,Colgrove,Colfer,Colasurdo,Cocker,Cochell,Cobbin,Clouthier,Closs,Cloonan,Clizbe,Clennon,Clayburn,Claybourn,Clausell,Clasby,Clagett,Ciskowski,Cirrincione,Cinque,Cinelli,Cimaglia,Ciaburri,Christiani,Christeson,Chladek,Chizmar,Chinnici,Chiarella,Chevrier,Cheves,Chernow,Cheong,Chelton,Charlette,Chanin,Cham,Chaligoj,Celestino,Cayce,Cavey,Cavaretta,Caughron,Catmull,Catapano,Casio,Cashaw,Carullo,Carualho,Carthon,Cartelli,Carruba,Carrere,Carolus,Carmine,Carlstrom,Carli,Carfora,Carello,Carbary,Car,Caplette,Cannell,Cancilla,Campell,Cammarota,Camilo,Camejo,Camarata,Caisse,Cacioppo,Cabbagestalk,Cabatu,Cabanas,Byles,Buxbaum,Butland,Butch,Burrington,Burnsed,Burningham,Burlingham,Burgy,Buitrago,Buffett,Bueti,Buehring,Buday,Bucks,Bucknell,Buchbinder,Bucey,Bruster,Brunston,Brumby,Bruins,Brouillet,Brosious,Broomes,Brodin,Broddy,Brochard,Britsch,Britcher,Brierley,Brezina,Bressi,Bressette,Breslow,Brenden,Breier,Brei,Braymer,Brasuell,Brash,Branscomb,Branin,Brandley,Brahler,Bracht,Bracamontes,Brabson,Boyne,Boxell,Bowery,Bovard,Boutelle,Boulette,Bottini,Botkins,Bosen,Boscia,Boscarino,Borich,Bores,Boreman,Bordoy,Bordley,Bordenet,Boquet,Boocks,Bolner,Boissy,Boilard,Bohnen,Bohall,Boening,Boccia,Boccella,Bobe,Blyth,Blitz,Blew,Blacksmith,Biviano,Bitto,Bisel,Binstock,Bines,Billiter,Bigsby,Bighorse,Bielawski,Bickmore,Bettin,Bettenhausen,Besson,Beseau,Berton,Berroa,Berntson,Bernas,Berisford,Berhow,Bergsma,Benyo,Benyard,Bente,Bennion,Benko,Belsky,Bellavance,Belasco,Belardo,Beidler,Behring,Begnaud,Bega,Befort,Beek,Bedore,Beddard,Becknell,Beardslee,Beardall,Beagan,Bayly,Bauza,Bautz,Bausman,Baumler,Batterson,Battenfield,Bassford,Basse,Basemore,Baruch,Bartholf,Bars,Barman,Baray,Barabas,Banghart,Banez,Balsam,Ballester,Ballagh,Baldock,Bagnoli,Bagheri,Bacus,Bacho,Baccam,Axson,Averhart,Aver,Ave,Austill,Auberry,Athans,Atcitty,Atay,Astarita,Ascolese,Artzer,Arts,Arrasmith,Argenbright,Aresco,Arb,Aranjo,Appleyard,Appenzeller,App,Apilado,Antonetti,Antis,Annett,Annas,Angwin,Andris,Andries,Andreozzi,Ando,Andis,Anderegg,Anastasia,Amyot,Aminov,Amelung,Amelio,Amason,Alviar,Allendorf,Allday,Alice,Aldredge,Alcivar,Alaya,Alapai,Airington,Aina,Ailor,Ahrns,Ahmadi,Agresta,Agent,Affolter,Aeschlimann,Adney,Aderhold,Adell,Adachi,Ackiss,Aben,Abdelhamid,Abar,Aase,Zorilla,Zordan,Zollman,Zoch,Zipfel,Zimmerle,Zike,Ziel,Zhong,Zens,Zelada,Zaman,Zahner,Zadora,Zachar,Zaborowski,Zabinski,Yzquierdo,Yoshizawa,Yori,Yielding,Yerton,Yehl,Yeargain,Yeakley,Yamaoka,Yagle,Yablonski,Wynia,Wyne,Wyers,Wrzesinski,Wrye,Wriston,Woolums,Woolen,Woodlock,Woodle,Wonser,Wombacher,Wollschlager,Wollen,Wolfley,Wolfer,Wisse,Wisell,Wirsing,Winstanley,Winsley,Winiecki,Winiarski,Winge,Winesett,Windell,Winberry,Willyard,Willemsen,Wilkosz,Wilensky,Wikle,Wiford,Wienke,Wieneke,Wiederhold,Wiebold,Widick,Wickenhauser,Whitrock,Whisner,Whinery,Wherley,Whedbee,Wheadon,Whary,Wessling,Wessells,Wenninger,Wendroth,Wende,Wellard,Weirick,Weinkauf,Wehrman,Weech,Weathersbee,Waterford,Warton,Warncke,Warm,Wardrip,Walstrom,Walks,Walkowski,Walcutt,Waight,Wai,Wagman,Waggett,Wadford,Vowles,Vormwald,Vondran,Vohs,Vitt,Vitalo,Viser,Vinas,Villena,Villaneuva,Villafranca,Villaflor,Vilain,Vigilante,Vicory,Viana,Vian,Vial,Verucchi,Verra,Venzke,Venske,Veley,Veile,Veeder,Vaske,Vasconez,Vargason,Varble,Vanwert,Vantol,Vanscooter,Vanmetre,Vanmaanen,Vanhise,Vanetta,Vaneaton,Vandyk,Vandriel,Vandorp,Vandewater,Vandervelden,Vanderstelt,Vanderhoef,Vanderbeck,Vanbibber,Vanalstine,Vanacore,Valdespino,Vaill,Vailes,Vagliardo,Ursini,Urrea,Urive,Uriegas,Umphress,Ucci,Uballe,Tyrone,Tynon,Twiner,Tutton,Tudela,Tuazon,Troisi,Tripplett,Trias,Trescott,Treichel,Tredo,Tranter,Tozer,Toxey,Tortorici,Tornow,Topolski,Topia,Topel,Topalian,Tonne,Tondre,Tola,Toepke,Tiu,Tisdell,Tiscareno,Thornborrow,Thomison,Thilges,Theuret,Therien,Thang,Thagard,Thacher,Texter,Terzo,Teresa,Tep,Tenpenny,Tempesta,Teetz,Teaff,Tavella,Taussig,Tatton,Tasler,Tarrence,Tardie,Tarazon,Tantillo,Tanney,Tankson,Tangen,Tamburo,Takes,Tabone,Szilagyi,Syphers,Swistak,Swiatkowski,Sweigert,Swayzer,Swapp,Svehla,Sutphen,Sutch,Susa,Surma,Surls,Sundermeyer,Sundeen,Sulek,Suite,Sughrue,Sudol,Sturms,Stupar,Stum,Stuckman,Strole,Strohman,Streed,Strebeck,Strausser,Strassel,Stpaul,Storts,Storr,Stommes,Stmary,Stjulien,Stika,Stiggers,Sthill,Stevick,Sterman,Stephany,Stepanek,Stemler,Stelman,Stelmack,Steinkamp,Steinbock,Stcroix,Stcharles,Staudinger,Starry,Stanly,Stallsworth,Stalley,Stains,Srock,Spritzer,Spracklin,Spinuzzi,Spidell,Spice,Speyrer,Sperbeck,Spendlove,Speedy,Speckman,Spargur,Spangenberg,Spaid,Sowle,Soulier,Sotolongo,Sostre,Sorey,Sonier,Somogyi,Somera,Solo,Soldo,Sofia,Soderholm,Snoots,Snooks,Snoke,Snodderly,Snide,Snee,Smoke,Smithhart,Smillie,Smay,Smallman,Sliwinski,Slentz,Sledd,Slager,Skogen,Skog,Skarda,Skalicky,Siwek,Sitterson,Sisti,Sissel,Sis,Sinopoli,Similton,Simila,Simenson,Silvertooth,Silos,Siggins,Sieler,Siburt,Sianez,Shurley,Shular,Shuecraft,Shreeves,Shon,Shollenberger,Shoen,Shishido,Shipps,Shipes,Shinall,Sherfield,Shawe,Sharrett,Sharrard,Shankman,Shan,Sham,Sessum,Serviss,Servello,Serice,Serda,Semler,Semenza,Selmon,Sellen,Seley,Seidner,Seib,Sehgal,Seelbach,Sedivy,Sebren,Sebo,Seanez,Seagroves,Seagren,Seagrave,Seabron,Schwertner,Schwegel,Schwarzer,Schrunk,Schriefer,Schreder,Schrank,Schopp,Schonfeld,Schoenwetter,Schnall,Schnackenberg,Schnack,Schmutzler,Schmierer,Schmidgall,Schlup,Schloemer,Schlitt,Schermann,Scherff,Schellenberg,Schain,Schaedler,Schabel,Scaccia,Saye,Saxman,Saurez,Sasseen,Sasnett,Sas,Sarti,Sarra,Sarber,Saran,Santoy,Santeramo,Sansoucy,Sando,Sandles,Sandburg,Sandau,Samra,Samaha,Salon,Salizar,Salam,Saindon,Sagaser,Saeteun,Sadusky,Sackman,Sabater,Saas,Ruthven,Ruszkowski,Rusche,Rumpf,Ruhter,Ruhenkamp,Rufo,Rudge,Ruddle,Rowlee,Rowand,Routhier,Rougeot,Rotramel,Rotan,Roswell,Rosten,Rosillo,Rookard,Roode,Rongstad,Rollie,Roider,Roffe,Roettger,Rodick,Rochez,Rochat,Roads,Rivkin,Rivadeneira,Riston,Risso,Rise,Rinderknecht,Riis,Riggsbee,Rifkin,Rieker,Riegle,Riedy,Richwine,Richmon,Ricciuti,Riccardo,Ricardson,Rhew,Revoir,Revier,Remsberg,Remiszewski,Rembold,Rella,Reinken,Reiland,Reidel,Reichart,Rehak,Redway,Rednour,Redifer,Redgate,Redenbaugh,Redburn,Reap,Readus,Raybuck,Rauhuff,Rauda,Ratte,Rathje,Rappley,Rands,Ramseyer,Ramseur,Ramsdale,Ramo,Ramariz,Raitz,Raisch,Rainone,Rahr,Ragasa,Rafalski,Radunz,Quenzer,Queja,Queenan,Pyun,Puz,Putzier,Puskas,Purrington,Puri,Punt,Pullar,Pruse,Pring,Primeau,Prevette,Preuett,Presto,Prestage,Pownell,Pownall,Potthoff,Potratz,Poth,Poter,Posthuma,Posen,Porritt,Popkin,Poormon,Polidoro,Poles,Polcyn,Pokora,Poer,Pluviose,Plock,Pleva,Placke,Pioli,Pingleton,Pinchback,Pinch,Pieretti,Piccone,Piatkowski,Philley,Phibbs,Phay,Phagan,Pfund,Peyer,Pettersen,Petter,Petrucelli,Petropoulos,Petras,Petix,Pester,Perks,Pepperman,Pennick,Penado,Pelot,Pelis,Peeden,Pechon,Peal,Pazmino,Patchin,Pasierb,Parran,Parilla,Pardy,Parcells,Paragas,Paradee,Papin,Panko,Pangrazio,Pangelinan,Pandya,Pancheri,Panas,Palmiter,Pallares,Palinkas,Palek,Pagliaro,Packham,Pacitti,Ozier,Overbaugh,Oursler,Ouimette,Otteson,Otsuka,Othon,Osmundson,Oroz,Orgill,Ordeneaux,Orama,Oppy,Opheim,Onkst,Oltmanns,Olstad,Olofson,Ollivier,Olen,Olejniczak,Okura,Okuna,Okey,Ohrt,Oharra,Oguendo,Ogier,Offermann,Oetzel,Oechsle,Odor,Odoherty,Oddi,Ockerman,Occhiogrosso,Obryon,Obremski,Nyreen,Nylund,Nylen,Nyholm,Nuon,Nuanes,Norrick,Noris,Nordell,Norbury,Nooner,Nono,Nomura,Nole,Nolden,Nola,Nofsinger,Nocito,Nobel,Niedbala,Niebergall,Nicolini,Nicole,Nicklaus,Nevils,Neuburger,Nemerofsky,Nemecek,Nazareno,Nastri,Nast,Nancy,Nagorski,Myre,Muzzey,Mutton,Mutschler,Muther,Musumeci,Muranaka,Muramoto,Murad,Murach,Muns,Munno,Muncrief,Mugrage,Muecke,Mozer,Moyet,Mowles,Mottern,Mosman,Mosconi,Morine,Morge,Moravec,Morad,Moneymaker,Mones,Moncur,Monarez,Molzahn,Moglia,Moesch,Mody,Modisett,Mitnick,Mithcell,Mitchiner,Mistry,Misercola,Mirabile,Minvielle,Mino,Minkler,Minifield,Minichiello,Mindell,Minasian,Milteer,Millwee,Millstein,Millien,Mikrut,Mihaly,Miggins,Michard,Mezo,Metzner,Mesquita,Mervin,Merriwether,Merk,Merfeld,Mercik,Mercadante,Mention,Menna,Mendizabal,Mender,Members,Melusky,Melquist,Mellado,Meler,Melendes,Mekeel,Meiggs,Megginson,Meck,Mcwherter,Mcwayne,Mcsparren,Mcrea,Mcneff,Mcnease,Mcmurrin,Mckeag,Mchughes,Mcguiness,Mcgilton,Mcelreath,Mcelhone,Mcelhenney,Mceldowney,Mccurtain,Mccure,Mccosker,Mccory,Mccormic,Mccline,Mccleave,Mcclatchey,Mccarney,Mccanse,Mcallen,Mazzie,Mazin,Mazanec,Mayette,Mautz,Mauser,Maun,Mattas,Mathurin,Mathiesen,Massmann,Masri,Masias,Mascolo,Mascetti,Mascagni,Marzolf,Maruska,Martain,Marta,Marszalek,Marolf,Marmas,Marlor,Markwood,Marines,Marinero,Marier,Marich,Marcom,Marciante,Marchman,Marchio,Marbach,Manzone,Mantey,Mannina,Manhardt,Manfred,Manaois,Malmgren,Mallonee,Mallin,Mallary,Malette,Makinson,Makins,Makarewicz,Mainwaring,Maida,Maiava,Magro,Magouyrk,Magett,Maeder,Madyun,Maduena,Maden,Madeira,Macnamara,Mackins,Mackel,Macinnes,Macia,Macgowan,Lyssy,Lyerly,Lyalls,Lutter,Lunney,Luksa,Ludeman,Lucidi,Lucci,Lowden,Lovier,Loughridge,Losch,Lory,Lorson,Lorenzano,Lorden,Lorber,Lopardo,Loosier,Loomer,Longsdorf,Longchamps,Loncar,Loker,Logwood,Loeffelholz,Lockmiller,Livoti,Linford,Linenberger,Lindloff,Lindenbaum,Limoges,Lilla,Liley,Lighthill,Lightbourne,Lieske,Leza,Levels,Levandoski,Leuck,Lepere,Leonhart,Lenon,Lemma,Lemler,Leising,Leinonen,Lehtinen,Lehan,Leetch,Leeming,Ledyard,Ledwith,Ledingham,Leclere,Leck,Lebert,Leandry,Lazzell,Layo,Laye,Laxen,Lawther,Lawn,Lawerance,Lavoy,Lavertu,Laverde,Lauren,Latouche,Latner,Lathen,Last,Laskin,Lashbaugh,Lascala,Larroque,Larick,Laraia,Laplume,Lanzilotta,Lannom,Landrigan,Landolt,Landess,Lancia,Lamkins,Lalla,Lalk,Lakeman,Lakatos,Laib,Lahay,Lagrave,Lagerquist,Lafoy,Lafleche,Lader,Labrada,Kwiecinski,Kutner,Kunshier,Kulakowski,Kujak,Kuehnle,Kubisiak,Krzyminski,Krugh,Krois,Kritikos,Krill,Kriener,Krewson,Kretzschmar,Kretz,Kresse,Kreiter,Kreischer,Krebel,Kraut,Krans,Kraling,Krahenbuhl,Kouns,Kotson,Kossow,Kopriva,Konkle,Kolter,Kolk,Kolich,Kohner,Koeppen,Koenigs,Kock,Kochanski,Kobus,Knowling,Knouff,Knoerzer,Knippel,Kloberdanz,Kleinert,Klarich,Klaassen,Kizzie,Kisamore,Kirn,Kiraly,Kipps,Kinson,Kinneman,Kington,Kine,Kimbriel,Kille,Kick,Kibodeaux,Khamvongsa,Keylon,Kever,Keser,Kertz,Kercheval,Kenneth,Kendrix,Kendle,Ken,Kempt,Kemple,Keesey,Keats,Keatley,Kazmierski,Kazda,Kazarian,Kawashima,Katsch,Kasun,Kassner,Kassem,Kasperski,Kasinger,Kaschak,Karels,Kantola,Kana,Kamai,Kalthoff,Kalla,Kalani,Kahrs,Kahanek,Kacher,Jurasek,Juniper,Jungels,Jukes,Juelfs,Judice,Juda,Ju,Josselyn,Jonsson,Jonak,Joens,Jobson,Jegede,Jee,Jeanjacques,Jaworowski,Jaspers,Jannsen,Janner,Jankowiak,Jank,Janiak,Jackowski,Jacklin,Jabbour,Iyer,Iveson,Ivan,Isner,Iniquez,Ingwerson,Ingber,Ina,Imbrogno,Ille,Ikehara,Iannelli,Hyson,Huxford,Huseth,Hurns,Hurney,Hurles,Hunnings,Humbarger,Hulan,Huisinga,Hughett,Hughen,Hudler,Hubiak,Hricko,How,Hoversten,Hottel,Hosaka,Horsch,Hormann,Hordge,Honzell,Homburg,Holten,Holme,Hollopeter,Hollinsworth,Hollibaugh,Holberg,Hohmann,Hoenstine,Hodell,Hodde,Hobert,Hives,Hiter,Hirko,Hipolito,Hinzmann,Hinrichsen,Hinger,Hincks,Hilz,Hilborn,Highley,Higashi,Hieatt,Hicken,Heverly,Hesch,Hervert,Hershkowitz,Herreras,Hermanns,Herget,Henriguez,Hennon,Hengel,Helmlinger,Helmig,Helen,Heldman,Heizer,Heinitz,Heifner,Heidorn,Heglin,Heffler,Hebner,Heathman,Heaslip,Hazlip,Haymes,Hayase,Hawver,Haw,Havermale,Havas,Hauber,Hashim,Hasenauer,Harvel,Hartney,Hartel,Harsha,Harpine,Harkrider,Harkin,Harer,Harclerode,Hanzely,Hanni,Hannagan,Hampel,Hammerschmidt,Hamar,Hallums,Hallin,Hainline,Haid,Haggart,Hafen,Haer,Hadiaris,Hadad,Hackford,Habeeb,Guymon,Guttery,Gunnett,Gull,Guillette,Guiliano,Guilbeaux,Guiher,Guignard,Guerry,Gude,Gucman,Guadian,Grzybowski,Grzelak,Grussendorf,Grumet,Gruenhagen,Grudzinski,Ground,Grossmann,Grof,Grisso,Grisanti,Griffitts,Griesbaum,Grella,Gregston,Graveline,Grandusky,Grandinetti,Gramm,Goynes,Gowing,Goudie,Gosman,Gort,Gorsline,Goralski,Goodstein,Goodroe,Goodlin,Goodheart,Goodhart,Gonzelez,Gonthier,Goldsworthy,Goldade,Goettel,Goerlitz,Goepfert,Goehner,Goben,Gobeille,Glock,Gliem,Gleich,Glasson,Glascoe,Gladwell,Giusto,Girdner,Gipple,Giller,Giesing,Giammona,Ghormley,Germon,Geringer,Gergely,Gerberich,Gepner,Gens,Genier,Gemme,Gelsinger,Geigle,Gebbia,Gayner,Gavitt,Gatrell,Gastineau,Gasiewski,Gascoigne,Garro,Garin,Ganong,Ganga,Galpin,Gallus,Galizia,Gajda,Gahm,Gagen,Gaffigan,Furno,Furnia,Furgason,Fronczak,Frishman,Friess,Frierdich,Fresh,Freestone,Franta,Frankovich,Fors,Forres,Forrer,Floris,Florido,Floria,Flis,Flicek,Flens,Flegal,Flamenco,Finkler,Finkenbinder,Finefrock,Filter,Filpo,Filion,Fierman,Fieldman,Ferreyra,Fernendez,Fergeson,Fera,Fencil,Feith,Feight,Federici,Federer,Fechtner,Feagan,Fausnaugh,Faubert,Fata,Farman,Farinella,Fantauzzi,Fanara,Falso,Falardeau,Fagnani,Fabro,Excell,Ewton,Evey,Everetts,Eve,Evarts,Etherington,Estremera,Estis,Estabrooks,Essig,Esplin,Espenschied,Ernzen,Erich,Eppes,Eppard,Entwisle,Emmi,Emison,Elison,Elguezabal,Eledge,Elbaz,Eisler,Eiden,Eichorst,Eichert,Egle,Eggler,Eggimann,Edey,Eckerman,Echelberger,Ebbs,Ebanks,Dziak,Dyche,Dyce,Dusch,Duross,Durley,Durate,Dunsworth,Dumke,Dulek,Duhl,Duggin,Dufford,Dudziak,Ducrepin,Dubree,Dubre,Dubie,Dubas,Droste,Drisko,Drewniak,Doxtator,Dowtin,Downum,Doubet,Dottle,Dosier,Doshi,Dorst,Dorset,Dornbusch,Doren,Donze,Donica,Domanski,Domagala,Dohse,Doerner,Doerfler,Doble,Dobkins,Dilts,Digiulio,Digaetano,Dietzel,Diddle,Dickel,Dezarn,Devoy,Devoss,Devonshire,Devon,Devilla,Devere,Deters,Desvergnes,Deshay,Desena,Deross,Der,Depedro,Densley,Demorest,Demore,Demora,Demirjian,Demerchant,Dematteis,Demateo,Delgardo,Delfavero,Delaurentis,Delamar,Delacy,Deitrich,Deisher,Degracia,Degraaf,Defries,Defilippis,Decoursey,Debruin,Debiasi,Debar,Dearden,Dealy,Dayhoff,Davino,Darvin,Darrisaw,Darbyshire,Daquino,Daprile,Danial,Danh,Danahy,Dalsanto,Dallavalle,Daine,Dagel,Dadamo,Dacy,Dacunha,Dabadie,Czyz,Cutsinger,Curney,Cuppernell,Cunliffe,Cumby,Cullop,Cullinane,Cugini,Cudmore,Cuda,Cucuzza,Cuch,Crumby,Crouser,Crock,Critton,Critchley,Cristy,Cremona,Cremar,Crehan,Creary,Crasco,Crall,Crabbe,Cozzolino,Cozier,Coyner,Couvillier,Counterman,Coulthard,Coudriet,Cottom,Corzo,Cornutt,Corkran,Cords,Corda,Copelin,Coonan,Consolo,Conrow,Conran,Connerton,Conkwright,Condren,Comp,Comly,Comisky,Colli,Collet,Colello,Colbeck,Colarusso,Coiner,Cohron,Codere,Cocks,Cobia,Cly,Cluster,Clure,Clowser,Clovis,Clingenpeel,Clenney,Clendaniel,Clemenson,Cleere,Cleckler,Claybaugh,Clason,Cirullo,Ciraulo,Ciolek,Ciampi,Christopherse,Christophe,Chovanec,Chopra,Chol,Chiem,Chestnutt,Chesterman,Chernoff,Chermak,Chelette,Checketts,Charpia,Charo,Chargois,Champman,Challender,Chafins,Cerruto,Celi,Cea,Cazenave,Cay,Cavaluzzi,Cauthon,Caudy,Catino,Caterina,Catano,Castell,Cassaro,Cassarino,Carrano,Carozza,Carow,Carmickle,Carlyon,Carlew,Cardena,Caputi,Capley,Capalbo,Canseco,Candella,Canal,Campton,Camposano,Calleros,Calleja,Callegari,Calica,Calarco,Calais,Caillier,Cahue,Cadenhead,Cadenas,Cabera,Buzzo,Busto,Bussmann,Busenbark,Burzynski,Bursley,Bursell,Burle,Burkleo,Burkette,Burczyk,Bumstead,Bullett,Buikema,Buenaventura,Buege,Buechel,Budreau,Budhram,Bucknam,Brye,Brushwood,Brumbalow,Brulotte,Bruington,Bruderer,Browns,Brougher,Bromfield,Broege,Brodhead,Brocklesby,Broadie,Brizuela,Britz,Brisendine,Brilla,Briggeman,Brierton,Bridgeford,Breyfogle,Brevig,Breuninger,Bresse,Bresette,Brelsford,Breitbach,Bread,Brayley,Braund,Branscom,Brando,Brandner,Brahm,Braboy,Brabble,Bozman,Boyte,Boynes,Boyken,Bowell,Bowan,Boutet,Bouse,Boulet,Boule,Bottcher,Bosquez,Borrell,Boria,Bordes,Borchard,Bonson,Bonino,Bonas,Bonamico,Bolstad,Bolser,Bollis,Bolich,Bolf,Boker,Boileau,Bohac,Bogucki,Bogren,Boeger,Bodziony,Bodo,Bodley,Boback,Blyther,Blight,Blenker,Blazina,Blase,Blamer,Blacknall,Blackmond,Bitz,Biser,Biscardi,Binz,Bilton,Billotte,Billafuerte,Bigford,Biegler,Bibber,Bhandari,Beyersdorf,Bevelle,Bettendorf,Bessard,Bertsche,Berne,Berlinger,Berish,Beranek,Bentson,Bentsen,Benskin,Benoy,Benoist,Benitz,Belongia,Belmore,Belka,Belen,Beitzel,Beiter,Beitel,Behrns,Beckworth,Becka,Beaudion,Beary,Beare,Beames,Beabout,Beaber,Bazzano,Bazinet,Baucum,Batrez,Baswell,Bastos,Bascomb,Bartha,Barstad,Barrilleaux,Barretto,Barresi,Barona,Barkhurst,Barke,Bardales,Barczak,Barca,Barash,Banfill,Bambino,Balonek,Balmes,Ballon,Balko,Balestrieri,Baldino,Baldelli,Baken,Baiza,Bahner,Baek,Badour,Badman,Badley,Badia,Backmon,Bacich,Bacca,Ayscue,Ayo,Aynes,Austen,Ausiello,Auringer,Auiles,Aspinwall,Askwith,Artiga,Arroliga,Arns,Arman,Arellanes,Aracena,Antwine,Antuna,Anselmi,Ansel,Annen,Angelino,Angeli,Angarola,Andrae,Amparo,Amodio,Amie,Ameen,Alwine,Alverio,Altro,Altobello,Altemus,Alquicira,Ally,Allphin,Allemand,Allam,Alessio,Akpan,Akerman,Aiona,Aikman,Agyeman,Agredano,Adamik,Adamczak,Acrey,Achilles,Acevado,Abu,Abreo,Abrahamsen,Abild,Zwicker,Zweig,Zuvich,Zumpano,Zuluaga,Zubek,Zornes,Zoglmann,Ziminski,Zimbelman,Zhanel,Zenor,Zechman,Zauner,Zamarron,Zaffino,Yusuf,Ytuarte,Yoke,Yett,Yerkovich,Yelder,Yaw,Yasuda,Yapp,Yankee,Yaden,Yackley,Yaccarino,Xia,Wytch,Wyre,Wussow,Worthing,Wormwood,Wormack,Worlds,Wordsworth,Wordell,Woodroof,Woodington,Woodhams,Wooddell,Wollner,Wojtkowski,Wojcicki,Wogan,Wlodarczyk,Wixted,Withington,Withem,Wisler,Wirick,Winterhalter,Winski,Winne,Winemiller,Wimett,Wiltfong,Willibrand,Willes,Wilkos,Wilbon,Wiktor,Wiggers,Wigg,Wiegmann,Wickliff,Wiberg,Whittler,Whittenton,Whitling,Whitledge,Whitherspoon,Whiters,Whitecotton,Whitebird,Wheary,Wetherill,Westmark,Westaby,Wertenberger,Wentland,Wenstrom,Wenker,Wellen,Weier,Wegleitner,Wedekind,Wawers,Wassel,Warehime,Wank,Wandersee,Waltmon,Waltersheid,Walbridge,Wakely,Wakeham,Wajda,Waithe,Waidelich,Wahler,Wahington,Wagster,Wadel,Vuyovich,Vuolo,Vulich,Vukovich,Volmer,Vollrath,Vollbrecht,Vogelgesang,Voeller,Vlach,Vivar,Vitullo,Vitanza,Visker,Visalli,Viray,Vinning,Viniard,Villapando,Villaman,Vier,Viar,Viall,Verstraete,Vermilya,Verdon,Venn,Velten,Velis,Vasey,Vanoven,Vanorder,Vanlue,Vanheel,Vanderwoude,Vanderheide,Vandenheuvel,Vandenbos,Vandeberg,Vandal,Vanblarcom,Vanaken,Vanacker,Vallian,Valine,Valent,Vaine,Vaile,Vadner,Uttech,Urioste,Urbanik,Unrath,Unnasch,Underkofler,Uehara,Udy,Tyrer,Tyburski,Twaddle,Turntine,Tunis,Tullock,Trunk,Tropp,Troilo,Tritsch,Triola,Trigo,Tribou,Tribley,Tri,Trethewey,Tress,Trela,Treharne,Trefethen,Trayler,Trax,Traut,Trang,Tranel,Trager,Traczyk,Towsley,Torrecillas,Tornatore,Tork,Torivio,Toriello,Tooles,Toodle,Tomme,Tolosa,Tolen,Toca,Titterington,Tipsword,Tinklenberg,Tim,Tigney,Tigert,Thygerson,Thurn,Thur,Threats,Thorstad,Thornberg,Thoresen,Thomaston,Tholen,Thicke,Theiler,Thebeau,Theaux,Thaker,Tewani,Teufel,Tetley,Terrebonne,Terrano,Terpening,Telly,Tela,Teig,Teichert,Tegethoff,Teele,Tatar,Tashjian,Tarte,Tanton,Tanimoto,Tamimi,Tamas,Talman,Taal,Szydlowski,Szostak,Swoyer,Swerdlow,Sweeden,Sweda,Swanke,Swander,Swackhammer,Suyama,Suriano,Suri,Surdam,Suprenant,Sundet,Summerton,Sult,Suleiman,Suffridge,Suby,Stych,Studeny,Stubbins,Strupp,Struckman,Strief,Strictland,Stremcha,Strehl,Stramel,Stoy,Stoutamire,Storozuk,Stordahl,Stopher,Stolley,Stolfi,Stoeger,Stockhausen,Stjulian,Stivanson,Stinton,Stinchfield,Stigler,Stieglitz,Stgermaine,Steuer,Steuber,Steuart,Stepter,Stepnowski,Stepanian,Steimer,Stefanelli,Stebner,Stears,Steans,Stayner,Staubin,Statz,Stasik,Starn,Starmer,Stargel,Stanzione,Stankovich,Stan,Stamour,Staib,Stadelman,Stadel,Stachura,Squadrito,Sprinkles,Springstead,Spragg,Spigelmyer,Spieler,Spielberg,Spaur,Sovocool,Sovereign,Soundara,Soulia,Souffrant,Sos,Sorce,Sonkin,Sodhi,Soble,Sniffen,Smouse,Smittle,Smithee,Smedick,Smaller,Slowinski,Slovacek,Slominski,Slice,Skowronek,Skokan,Skanes,Sivertson,Sinyard,Sinka,Sinard,Simonin,Simonian,Simmions,Silcott,Silberg,Siefken,Siddon,Shuttlesworth,Shubin,Shubeck,Shiro,Shiraki,Shipper,Shina,Shilt,Shikles,Shideler,Shenton,Shelvey,Shellito,Shelhorse,Shawcroft,Shatto,Shanholtzer,Shamonsky,Shall,Shadden,Seymer,Seyfarth,Sewer,Setlock,Servant,Serratos,Serr,Sepulueda,Senay,Semmel,Semans,Selvig,Selkirk,Selk,Seligson,Seldin,Seiple,Seiersen,Seidling,Seidensticker,Secker,Searson,Scordo,Scollard,Scoggan,Scobee,Sciandra,Scialdone,Schwimmer,Schwieger,Schweer,Schwanz,Schutzenhofer,Schuetze,Schrodt,Schriever,Schriber,Schremp,Schrecongost,Schraeder,Schonberg,Scholtz,Scholle,Schoettle,Schoenemann,Schoene,Schnitker,Schmuhl,Schmith,Schlotterbeck,Schleppenbach,Schlee,Schickel,Schibi,Schein,Scheide,Scheibe,Scheib,Schaumberg,Schardein,Schaalma,Scantlin,Scantlebury,Sayle,Sausedo,Saurer,Sassone,Sarracino,Saric,Sanz,Santino,Santarpia,Santano,Santaniello,Sangha,Sandvik,Sandoral,Sandobal,Sandercock,Sanantonio,Salviejo,Salsberry,Salois,Salazer,Sagon,Saglibene,Sagel,Sagal,Saetern,Saefong,Sadiq,Sabori,Saballos,Rygiel,Rushlow,Runco,Rulli,Ruller,Ruffcorn,Ruess,Ruebush,Rudlong,Rudin,Rudgers,Rudesill,Ruderman,Rucki,Rucinski,Rubner,Rubinson,Rubiano,Ruan,Roznowski,Rozanski,Rowson,Rower,Rounsaville,Roudabush,Rotundo,Rothell,Rotchford,Rosiles,Roshak,Rosetti,Rosenkranz,Rorer,Rollyson,Rokosz,Rojek,Roitman,Rohrs,Rogel,Roewe,Rodriges,Rodocker,Rodgerson,Rodan,Rodak,Rocque,Rochholz,Rochel,Robicheau,Robbinson,Roady,Ritchotte,Ripplinger,Rippetoe,Ringstaff,Ringenberg,Rinard,Rigler,Rightmire,Riesen,Riek,Ridges,Richner,Richberg,Riback,Rial,Rhyner,Rhees,Resse,Renno,Renee,Rendleman,Ren,Reisz,Reisenauer,Reinschmidt,Reins,Reinholt,Reinard,Reifsnyder,Rehfeld,Reha,Regester,Reffitt,Redler,Rediske,Reckner,Reckart,Rebolloso,Rebollar,Reasonover,Reasner,Reaser,Reano,Reagh,Raval,Ratterman,Ratigan,Rater,Rasp,Raneses,Randolf,Ramil,Ramdas,Ramberg,Rajaniemi,Rail,Raid,Raggio,Ragel,Ragain,Rade,Radaker,Racioppi,Rabinovich,Quickle,Quertermous,Queal,Quartucci,Quander,Quain,Pynes,Putzel,Purl,Pulizzi,Pugliares,Prusak,Prueter,Protano,Propps,Primack,Prieur,Presta,Preister,Prawl,Pratley,Prairie,Pozzo,Powless,Povey,Pottorf,Pote,Postley,Porzio,Ports,Portney,Ponzi,Pontoriero,Ponto,Pont,Poncedeleon,Polimeni,Polhamus,Pole,Polan,Poetker,Poellnitz,Podgurski,Plotts,Pliego,Plaugher,Plantenberg,Plair,Plagmann,Pizzitola,Pittinger,Pitcavage,Pischke,Piontek,Pintar,Pinnow,Pinneo,Pinley,Pingel,Pinello,Pimenta,Pillard,Piker,Pietras,Piere,Picasso,Phillps,Pfleger,Pfahl,Pezzuti,Petruccelli,Petrello,Peteet,Pescatore,Peruzzi,Perusse,Perotta,Perona,Perini,Peretti,Perelman,Perciful,Peppin,Pennix,Pennino,Penalosa,Pemble,Pelz,Peltzer,Pelphrey,Pelote,Pellum,Pellecchia,Pelikan,Peitz,Peels,Pebworth,Peary,Pawlicki,Pavelich,Paster,Pasquarella,Paskey,Paseur,Paschel,Parslow,Parrow,Parrot,Parlow,Parlett,Parler,Pargo,Parco,Paprocki,Panepinto,Panebianco,Pandy,Pandey,Pamphile,Pamintuan,Pamer,Paluso,Paleo,Paker,Pagett,Paczkowski,Ozburn,Ovington,Overmeyer,Ouellet,Osterlund,Oslin,Oseguera,Osaki,Orrock,Ormsbee,Orlikowski,Organista,Oregan,Orebaugh,Orabuena,Openshaw,Ontiveroz,Ondo,Omohundro,Ollom,Ollivierre,Olivencia,Oley,Olazabal,Okino,Oki,Offenberger,Oestmann,Ocker,Obar,Oakeson,Nuzum,Nurre,Nowinski,Novosel,Norquist,Nordlie,Noorani,Nonnemacher,Nolder,Njoku,Niznik,Niwa,Niss,Ninneman,Niner,Nimtz,Niemczyk,Nieder,Nicolo,Nichlos,Niblack,Newyear,Newtown,Newill,Newcom,Neverson,Neuhart,Neuenschwande,Nestler,Nenno,Nejman,Neiffer,Neidlinger,Neglia,Needs,Nearing,Nazarian,Navor,Nary,Narayan,Nangle,Nakama,Naish,Naik,Nadolski,Muscato,Murphrey,Murdick,Murchie,Muratalla,Munnis,Mundwiller,Muncey,Munce,Mullenbach,Mulhearn,Mulcahey,Muhammed,Muchow,Mountford,Moudry,Mosko,Morvay,Morrical,Morr,Moros,Mormann,Morgen,Moredock,Morden,Mordarski,Moravek,Morandi,Morale,Mooradian,Montejo,Montegut,Montan,Monsanto,Monford,Moncus,Molinas,Molek,Mohd,Moehrle,Moehring,Modzeleski,Model,Modafferi,Moala,Moake,Miyahira,Mitani,Mischel,Minges,Minella,Mimes,Milles,Milbrett,Milanes,Mikolajczyk,Mikami,Meucci,Metler,Methven,Metge,Messmore,Messerschmidt,Mesrobian,Meservey,Merseal,Menor,Menon,Menear,Melott,Melley,Melfi,Meinhart,Megivern,Megeath,Meester,Meeler,Meegan,Medoff,Medler,Meckley,Meath,Mearns,Mcquigg,Mcpadden,Mclure,Mckellips,Mckeithen,Mcglathery,Mcginnes,Mcghan,Mcdonel,Mccullom,Mccraken,Mccrackin,Mcconathy,Mccloe,Mcclaughry,Mcclaflin,Mccarren,Mccaig,Mcaulay,Mcaffee,Mazzuca,Maytubby,Mayner,Maymi,Mattiello,Matthis,Matthees,Matthai,Mathiason,Mastrogiovann,Masteller,Mashack,Marucci,Martorana,Martiniz,Marter,Martellaro,Marsteller,Marris,Marrara,Maroni,Marolda,Marocco,Maritn,Margo,Maresh,Maready,Marchione,Marbut,Maranan,Maragno,Mapps,Manrriquez,Manny,Mannis,Manni,Mangina,Manganelli,Mancera,Mamon,Maloch,Mallozzi,Maller,Majchrzak,Majano,Mainella,Mahanna,Maertens,Madon,Macumber,Macioce,Machuga,Machlin,Machida,Machala,Mabra,Lynne,Lybbert,Luvert,Lutts,Luttrull,Lupez,Lukehart,Ludewig,Luchsinger,Loyal,Lovecchio,Louissaint,Loughney,Lottie,Lostroh,Lose,Lorton,Lorette,Lopeman,Loparo,Longs,Loner,Londo,Lombera,Lokietek,Loiko,Lohrenz,Lohan,Lofties,Locklar,Lockaby,Lobianco,Loader,Loa,Llano,Livesey,Litster,Liter,Liske,Linsky,Linne,Lindbeck,Limes,Licudine,Leyua,Levie,Letterman,Leonelli,Lenzo,Lenze,Lents,Leitao,Leif,Leidecker,Leibold,Lehne,Legan,Legacy,Lefave,Leehy,Ledue,Lecount,Lecea,Leadley,Lazzara,Lazcano,Lazalde,Layer,Lavi,Lavancha,Lavan,Lav,Laude,Latu,Latty,Lato,Larranaga,Lapidus,Lapenta,Langridge,Langeveld,Langel,Lanes,Landowski,Landgren,Landfried,Lame,Lamattina,Lallier,Lairmore,Lahaie,Lagazo,Lagan,Lafoe,Lafluer,Laflame,Lafevers,Lada,Lacoss,Lachney,Labreck,Labreche,Labay,Laa,Kwasnik,Kuzyk,Kutzner,Kushnir,Kusek,Kurtzman,Kurian,Kulhanek,Kuklinski,Kuh,Kueny,Kuczynski,Kubitz,Kuang,Kruschke,Krous,Krompel,Kritz,Krimple,Kriese,Krenzer,Kreis,Kratzke,Krane,Krage,Kraebel,Kozub,Kozma,Kouri,Koudelka,Kotcher,Kotas,Kostic,Kosh,Kosar,Kopko,Kopka,Kooy,Konigsberg,Konarski,Kolmer,Kohlmeyer,Kobbe,Knoop,Knoedler,Knocke,Knipple,Knippenberg,Knickrehm,Kneisel,Kluss,Klossner,Klipfel,Klawiter,Klasen,Kittles,Kissack,Kirtland,Kirschenmann,Kirckof,Kiphart,Kinstler,Kinion,Kilton,Killman,Kiehl,Kief,Kett,Kesling,Keske,Kerstein,Kepple,Keneipp,Kempson,Kempel,Kelp,Kehm,Kehler,Keh,Keeran,Keedy,Kebert,Keast,Kearbey,Kawaguchi,Kaupu,Kauble,Katzenbach,Kate,Katcher,Kartes,Karpowicz,Karpf,Karen,Karban,Kanzler,Kanarek,Kamper,Kaman,Kalsow,Kalafut,Kaeser,Kaercher,Kaeo,Kaeding,Jurewicz,Julson,Jozwick,Jollie,Johnigan,Johll,Jochum,Jewkes,Jestes,Jeska,Jersey,Jereb,Jayson,Jaurez,Jarecki,Jansma,Janosik,Jandris,Jamin,Jahr,Jacot,Jabs,Ivens,Itson,Isenhower,Iovino,Ionescu,Ingrum,Ingels,Inch,Imrie,Imlay,Ihlenfeld,Ihde,Igou,Ibach,Huyett,Hurry,Huppe,Hultberg,Hullihen,Hugi,Hueso,Huesman,Hsiao,Hronek,Hovde,Housewright,Houlahan,Hougham,Houchen,Hostler,Hoster,Hosang,Hornik,Hornes,Horio,Honyumptewa,Honeyman,Honer,Hommerding,Holsworth,Hollobaugh,Hollinshead,Hollands,Hollan,Holecek,Holdorf,Hokes,Hogston,Hoesly,Hodkinson,Hodgman,Hodgens,Hochstedler,Hochhauser,Hobbie,Hoare,Hnat,Hiss,Hiskey,Hirschy,Hinostroza,Hink,Hing,Hillmer,Hillian,Hillerman,Hietala,Hierro,Hickling,Hickingbottom,Heye,Heubusch,Hesselschward,Herriot,Hernon,Hermida,Hermans,Hentschel,Henningson,Henneke,Henk,Heninger,Heltsley,Helmle,Helminiak,Helmes,Hellner,Hellmuth,Helke,Heitmeyer,Heird,Heinle,Heinicke,Heinandez,Heimsoth,Heimlich,Heibel,Hegyi,Heggan,Hefel,Heeralall,Hedrington,Heacox,Hazlegrove,Hazelett,Haymore,Havenhill,Hautala,Hascall,Harvie,Hartrick,Hartling,Harrer,Harles,Hargenrader,Hanshew,Hanly,Hankla,Hanisch,Hancox,Hammann,Hambelton,Halseth,Hallisey,Halleck,Hallas,Haisley,Hairr,Hainey,Hainer,Hailstock,Haertel,Guzek,Guyett,Guster,Gussler,Gurwitz,Gurka,Gunsolus,Guinane,Guiden,Gugliotti,Guevin,Guevarra,Guerard,Gudaitis,Guadeloupe,Gschwind,Grupe,Grumbach,Gruenes,Gruenberg,Grosser,Grom,Grodski,Groden,Grizzel,Gritten,Griswald,Grishaber,Grinage,Grimwood,Grims,Griffon,Griffies,Gribben,Grew,Gressley,Gren,Greenstreet,Grealish,Gravett,Grantz,Granfield,Granade,Gowell,Gossom,Gorsky,Goring,Goodnow,Goodfriend,Goodemote,Golob,Gollnick,Golladay,Goldwyn,Goldsboro,Golds,Goldrick,Gohring,Gohn,Goettsch,Goertzen,Goelz,Godinho,Goans,Glumac,Gleisner,Gleen,Glassner,Glanzer,Gladue,Gjelaj,Givhan,Girty,Girone,Girgenti,Giorgianni,Gilpatric,Gillihan,Gillet,Gilbar,Gierut,Gierhart,Gibert,Gianotti,Giannetto,Gianelli,Giambanco,Gharing,Geurts,Gettis,Gettel,Gest,Germani,Gerdis,Gerbitz,Geppert,Gennings,Gemmer,Gelvin,Gellert,Gehler,Geddings,Gearon,Geach,Gazaille,Gayheart,Gauld,Gaukel,Gaudio,Gato,Gathing,Gasque,Garstka,Garsee,Garringer,Garofano,Garo,Garnsey,Garigen,Garcias,Garbe,Ganoung,Ganfield,Ganaway,Gamero,Galuska,Galster,Gallacher,Galinski,Galimi,Galik,Galeazzi,Galdo,Galdames,Galas,Galanis,Gaglio,Gaff,Gaeddert,Gadapee,Fussner,Furukawa,Fuhs,Fuerte,Fuerstenberg,Fryrear,Fruits,Froese,Fringer,Frieson,Friesenhahn,Frieler,Friede,Freymuth,Freyman,Freudenberg,Freman,Fredricksen,Frech,Frasch,Frantum,Frankin,Franca,Frago,Fragnoli,Fouquet,Fossen,Foskett,Forner,Formosa,Formisano,Forget,Fooks,Fons,Folino,Flott,Floor,Flesch,Flener,Flemmons,Flattery,Flanagin,Flamino,Flamand,Fitzerald,Findling,Filsinger,Fillyaw,Fillinger,Fiechter,Ferre,Ferdon,Feldkamp,Fazzio,Favia,Faulconer,Faughnan,Faubel,Fassler,Faso,Farrey,Farrare,Farnworth,Farland,Fairrow,Faille,Faherty,Fagnant,Fabula,Fabbri,Eylicio,Esteve,Estala,Espericueta,Escajeda,Erlich,Equia,Epson,Enrriquez,Enomoto,Enmon,Engemann,Emmerson,Emmel,Emler,Emilio,Elstad,Ellwein,Ellerson,Eliott,Eliassen,Elchert,Eisenbeis,Eisel,Eikenberry,Eichholz,Ehmer,Edris,Edgerson,Echenique,Eberley,Eans,Dziuk,Dykhouse,Dworak,Dutt,Dupas,Duntz,Dunshee,Dunovant,Dunnaway,Dummermuth,Duerson,Duddy,Ducotey,Duchon,Duchesneau,Ducci,Dubord,Duberry,Dubach,Drummonds,Droege,Drish,Drier,Drexel,Dresch,Dresbach,Drenner,Drechsler,Dowen,Dotter,Dosreis,Doser,Dorward,Dorin,Dorf,Door,Domeier,Doler,Doleman,Dolbow,Dolbin,Dobrunz,Dobransky,Dobberstein,Dlouhy,Diosdado,Dingmann,Dimmer,Dimarino,Dimaria,Dilly,Dillenburg,Dilaura,Dieken,Dickhaus,Dibbles,Dibben,Diamante,Dewilde,Dewaard,Devich,Devenney,Devaux,Dettinger,Desroberts,Dershem,Dersch,Derita,Derickson,Depina,Deorio,Deoliveira,Denzler,Dentremont,Denoble,Demshar,Demond,Demint,Demichele,Demel,Delzer,Delval,Delorbe,Delli,Delbridge,Delanoy,Delancy,Delahoya,Dekle,Deitrick,Deis,Dehnert,Degrate,Defrance,Deetz,Deeg,Decoster,Decena,Dearment,Daughety,Datt,Darrough,Danzer,Dante,Danielovich,Dandurand,Dancause,Dalo,Dalgleish,Daisley,Daft,Dadlani,Daddona,Daddio,Dacpano,Cyprian,Cutillo,Cush,Curz,Curvin,Cuna,Cumber,Cullom,Cudworth,Cubas,Crysler,Cryderman,Crummey,Crumbly,Crookshanks,Croes,Criscione,Crimes,Crespi,Cresci,Creaser,Craton,Cramp,Cradle,Cowin,Cowdrey,Coutcher,Cotterman,Cosselman,Cosgriff,Cortner,Corsini,Corporan,Corniel,Cornick,Cordts,Cordial,Copening,Coolman,Connick,Conlisk,Conelli,Common,Comito,Colten,Colling,Colletta,Coldivar,Colclasure,Colantuono,Colaizzi,Coggeshall,Cockman,Cockfield,Cobourn,Cobo,Cobarrubias,Clyatt,Cloney,Clonch,Climes,Cleckner,Clearo,Claybourne,Clavin,Claridge,Claffey,Ciufo,Cisnero,Cipollone,Cieslik,Ciejka,Cichocki,Cicchetti,Cianflone,Chrusciel,Christesen,Chmielowiec,Chirino,Chillis,Chihuahua,Chhoun,Chevas,Chehab,Chaviano,Chavaria,Chasten,Charbonnet,Chanley,Champoux,Champa,Chalifoux,Cerio,Cedotal,Cech,Cavett,Cavendish,Catoire,Castronovo,Castellucci,Castellow,Castaner,Casso,Cassels,Cassatt,Cassar,Cashon,Cartright,Carros,Carrisalez,Carrig,Carrejo,Carnicelli,Carnett,Carlise,Carline,Carhart,Caren,Cardova,Cardell,Carchi,Caram,Caquias,Capper,Capizzi,Capano,Cannedy,Campese,Calvello,Callon,Callins,Callies,Callicutt,Calix,Calin,Califf,Calderaro,Caldeira,Cadriel,Cadmus,Cadman,Caccamise,Buys,Buttermore,Butay,Bustamente,Busa,Burmester,Burkard,Burhans,Burgert,Bure,Burdin,Bullman,Bulin,Buelna,Buehner,Budin,Buco,Buckhanon,Bryars,Brutger,Brus,Brumitt,Brum,Bruer,Brucato,Broyhill,Broy,Brownrigg,Brownie,Brossart,Brookings,Broden,Brocklehurst,Brockert,Bristo,Briskey,Brisbane,Bringle,Bries,Briar,Bressman,Bren,Branyan,Brands,Bramson,Brammell,Brallier,Bozich,Boysel,Bowthorpe,Bowron,Bowin,Boutilier,Boulos,Boullion,Boughter,Bottiglieri,Borruso,Borrow,Borreggine,Borns,Borkoski,Borghese,Borenstein,Boran,Bora,Booton,Bonvillain,Bonini,Bong,Bonello,Bolls,Boitnott,Boike,Bohnet,Bohnenkamp,Bohmer,Boeson,Boeneke,Bodey,Bocchino,Bobrowski,Bobic,Bluestein,Bloomingdale,Blogg,Blewitt,Blenman,Bleck,Blaszak,Blankenbeckle,Blando,Blanchfield,Blancato,Blalack,Blakenship,Blackett,Bisping,Birkner,Birckhead,Bingle,Bineau,Billiel,Bigness,Bies,Bierer,Bhalla,Beyerlein,Bew,Betesh,Besler,Berzins,Bertalan,Berntsen,Berna,Bergo,Berganza,Bennis,Benney,Benkert,Benjamen,Benincasa,Bengochia,Bendle,Bendana,Benchoff,Benbrook,Belsito,Belshaw,Belinsky,Belak,Bela,Beigert,Beidleman,Behen,Befus,Beel,Beebee,Bedonie,Beckstrand,Beckerle,Beato,Bears,Bauguess,Baughan,Bauerle,Battis,Batis,Bastone,Bastille,Bassetti,Bashor,Bary,Bartunek,Bartoletti,Barro,Barno,Barnicle,Barlage,Barkus,Barkdull,Bari,Barcellos,Barbarino,Baranski,Baranick,Bankert,Banchero,Ban,Bambrick,Bamberg,Bambenek,Balthrop,Balmaceda,Ballman,Balistrieri,Balcomb,Balboni,Balbi,Bakshi,Bagner,Bagent,Badasci,Bacot,Bache,Babu,Babione,Babic,Babers,Babbs,Awkward,Avitabile,Avers,Avena,Avance,Ausley,Auker,Audas,Aud,Aubut,Athearn,Atcheson,Astorino,Asplund,Aslanian,Askari,Ashmead,Asby,Asai,Arterbury,Artalejo,Arqueta,Arquero,Arostegui,Arnell,Armeli,Arista,Arender,Arca,Arballo,Aprea,Applen,Applegarth,Apfel,Antonello,Antolin,Antkowiak,Angis,Angione,Angerman,Angelilli,Andujo,Andrick,Anderberg,Amigon,Ambers,Amalfitano,Alviso,Alvez,Altice,Altes,Almarez,Allton,Allston,Allgeyer,Allegretti,Aliaga,Algood,Alberg,Albarez,Albaladejo,Akre,Aitkin,Ahles,Ahlberg,Agnello,Adrien,Adinolfi,Adamis,Abramek,Abolt,Abitong,Zurich,Zurawski,Zufall,Zubke,Zizzo,Zipperer,Zinner,Zinda,Ziller,Zill,Zevallos,Zesati,Zenzen,Zentner,Zellmann,Zelinsky,Zboral,Zarcone,Zapalac,Zaldana,Zakes,Zaker,Zahniser,Zacherl,Zabawa,Zabaneh,Yum,Youse,Youree,Younis,Yorty,Yonce,Yero,Yerkey,Yeck,Yeargan,Yauch,Yashinski,Yambo,Xiang,Wrinn,Wrightsman,Worton,Wortley,Worland,Woolworth,Woolfrey,Woodhead,Woltjer,Wolfenden,Wolden,Wolchesky,Wojick,Woessner,Witwer,Witters,Witchard,Wissler,Wisnieski,Wisinski,Winnike,Winkowski,Winkels,Wingenter,Wineman,Winegardner,Wimpy,Wilridge,Wilmont,Willy,Willians,Williamsen,Wilhide,Wilhelmsen,Wilhelmi,Wildrick,Wilden,Wiland,Wiker,Wigglesworth,Wiebusch,Widdowson,Wiant,Wiacek,Whittet,Whitter,Whitelock,Whiteis,Whiley,Westrope,Westpfahl,Westin,Wessman,Wessinger,Wesemann,Wesby,Wertheimer,Weppler,Wenke,Wengler,Wender,Welp,Weitzner,Weissberg,Weisenborn,Weipert,Weiman,Weidmann,Wehrsig,Wehrenberg,Weemes,Weeman,Wayner,Waston,Wasicek,Wascom,Wasco,Warmath,Warbritton,Waltner,Wallenstein,Waldoch,Waldal,Wala,Waide,Wadlinger,Wadhams,Vullo,Voorheis,Vonbargen,Volner,Vollstedt,Vollman,Vold,Voge,Vittorio,Virtue,Virginia,Violett,Viney,Vinciguerra,Vinal,Villata,Villarrvel,Vilanova,Vigor,Vigneault,View,Vielma,Veyna,Vessella,Versteegh,Verderber,Venier,Venice,Venditti,Velotta,Vejarano,Veil,Vecchia,Vecchi,Vastine,Vasguez,Varella,Vanry,Vannah,Vanhyning,Vanhuss,Vanhoff,Vanhoesen,Vandivort,Vandevender,Vanderlip,Vanderkooi,Vandebrink,Vancott,Vallien,Vallas,Vallandingham,Valiquette,Valasek,Vahey,Vagott,Uyematsu,Urbani,Uran,Upp,Uno,Union,Umbach,Udo,Tyon,Tyma,Twyford,Twombley,Twohig,Tutterrow,Turnes,Turkington,Turchi,Tunks,Tumey,Tumbaga,Tuinstra,Tsukamoto,Tschetter,Trussel,Trubey,Trovillion,Troth,Trostel,Tron,Trinka,Trine,Tribbey,Triarsi,Trevor,Treto,Trautz,Tragesser,Tooman,Toolson,Tonozzi,Tomkiewicz,Tomb,Tomasso,Tolin,Tolfree,Toelle,Tisor,Tiry,Tinstman,Timmermann,Tillie,Tickner,Tiburcio,Thunberg,Thronton,Thompsom,Theil,Thayne,Thaggard,Teschner,Tensley,Tenery,Tempest,Tellman,Tellado,Telep,Teigen,Teator,Teall,Tayag,Tavis,Tattersall,Tassoni,Tarshis,Tappin,Tappe,Tansley,Talone,Talford,Tainter,Taha,Taguchi,Tacheny,Tabak,Szymczyk,Szwaja,Szopinski,Sze,Syvertsen,Swogger,Switcher,Swist,Swilling,Swierczek,Swiech,Swickard,Swiatek,Swezey,Swepson,Sweezy,Swaringen,Swanagan,Swailes,Swade,Sveum,Svenningsen,Svec,Suttie,Supry,Sunga,Summerhill,Summars,Sulit,Stys,Stutesman,Stupak,Stumpo,Stuller,Stuekerjuerge,Stuckett,Stuckel,Stuchlik,Stuard,Strutton,Strop,Stromski,Stroebel,Strehlow,Strause,Strano,Straney,Stradling,Stoyle,Stormo,Stopyra,Stoots,Stoop,Stonis,Stoltenburg,Stoiber,Stoessel,Stitzer,Stien,Stichter,Stezzi,Stewert,Stepler,Steinkraus,Stegemann,Steeples,Steenburg,Steeley,Staszak,Stasko,Starkson,Stanwick,Stanke,Stanifer,Stangel,Stain,Stai,Squiers,Sprout,Springsteen,Spraglin,Spragins,Spraberry,Spoelstra,Spisak,Spirko,Spille,Spidel,Speyer,Speroni,Spenst,Speak,Spartz,Sparlin,Sparacio,Spaman,Spainhower,Sow,Souers,Souchet,Sosbee,Sorn,Sorice,Sorbo,Soqui,Somer,Solon,Soehl,Sodergren,Socorro,Sobie,Smucker,Smsith,Smoley,Smolensky,Smolenski,Smolder,Smethers,Slusar,Slowey,Slonski,Slemmons,Slatkin,Slates,Slappy,Slaney,Slagter,Slacum,Skutnik,Skrzypek,Skibbe,Sjostrom,Sjoquist,Sivret,Sitko,Sisca,Sinnett,Sineath,Simoni,Simar,Simao,Silvestro,Silleman,Silkwood,Silha,Silfies,Silberhorn,Silacci,Sigrist,Sieczkowski,Sieczka,Shure,Shulz,Shugrue,Shrode,Shown,Shovlin,Shortell,Shonka,Shiyou,Shiraishi,Shiplett,Sheu,Shermer,Sherick,Sheng,Sheeks,Shed,Sharron,Shantz,Shakir,Shaheed,Shadoan,Shadid,Shackford,Shabot,Seung,Seufert,Setty,Setters,Servis,Server,Serres,Serrell,Serpico,Serpas,Serafine,Sensenig,Senft,Semenec,Semen,Semas,Semaan,Selvera,Sellmeyer,Sek,Segar,Seever,Seeney,Seeliger,Seehafer,Seebach,Sebben,Seaward,Seary,Searl,Searby,Scotland,Scordino,Scolieri,Scolaro,Schwiebert,Schwartze,Schwaner,Schuur,Schupbach,Schumacker,Schum,Schudel,Schubbe,Schroader,Schramel,Schollmeyer,Schoenherr,Schoeffler,Schoeder,Schnurr,Schnorr,Schneeman,Schnake,Schnaible,Schmaus,Schlotter,Schinke,Schimming,Schimek,Schikora,Scheulen,Scherping,Schermer,Scherb,Schember,Schellhase,Schedler,Schanck,Schaffhauser,Schaffert,Schadler,Scarola,Scarfo,Scarff,Scantling,Scaff,Sayward,Sayas,Saxbury,Savin,Savel,Savastano,Savannah,Sault,Satre,Sarkar,Santellan,Sandmeier,Sampica,Salvesen,Saltis,Salloum,Salling,Salce,Salatino,Salata,Salamy,Safe,Sadowsky,Sadlier,Sabbatini,Sabatelli,Sabal,Sabados,Rydzewski,Rybka,Rybczyk,Ruz,Rusconi,Rupright,Rufino,Ruffalo,Rudiger,Rudig,Ruda,Rubyor,Royea,Roxberry,Rover,Rouzer,Roumeliotis,Roston,Rossmann,Rosko,Rosetta,Rosene,Rosenbluth,Roseland,Rosasco,Rosano,Rosal,Rorabaugh,Romie,Romaro,Rolstad,Rollow,Rohrich,Roghair,Rogala,Roets,Roen,Roemmich,Roelfs,Roeker,Roedl,Roedel,Rodeheaver,Roddenberry,Rockstad,Rocchi,Robirds,Robben,Robasciotti,Robaina,Rizzotto,Rizzio,Rittle,Ritcher,Rissman,Riseden,Ripa,Rion,Rintharamy,Rinehimer,Rinck,Riling,Rike,Rietschlin,Riesenberg,Riemenschneid,Rieland,Rickenbaugh,Rickenbach,Riches,Rhody,Revells,Reutter,Respress,Resnik,Renton,Remmel,Reitmeyer,Reitan,Reister,Reinstein,Reino,Reinkemeyer,Reifschneider,Reierson,Reichle,Rehmeier,Rehl,Regine,Reeds,Rede,Records,Recar,Rebeiro,Raybourn,Rawl,Rautio,Raugust,Raudenbush,Raudales,Rattan,Rashad,Rapuano,Rapoport,Rantanen,Ransbottom,Raner,Ramkissoon,Rambousek,Raio,Rainford,Radakovich,Rad,Rabenhorst,Quivers,Quispe,Quintin,Quinoes,Quince,Quilici,Quattrone,Quates,Quance,Quale,Purswell,Purpora,Pulera,Pulcher,Puckhaber,Pryer,Pruyne,Pruit,Prudencio,Prows,Protzman,Prothero,Prospero,Prosperi,Prospal,Privott,Pritchet,Priem,Prest,Prell,Preer,Pree,Preddy,Preda,Pravata,Pradhan,Potocki,Postier,Postema,Posse,Posadas,Poremba,Popper,Popichak,Ponti,Pomrenke,Pomponi,Pomarico,Pollok,Polkinghorn,Polino,Pock,Plough,Plenty,Plater,Plagman,Pipher,Pinzone,Pinkleton,Pillette,Pillers,Pill,Pilapil,Pignone,Pignatelli,Piersol,Piepho,Picton,Pickrel,Picket,Pichard,Picchi,Piatek,Pharo,Phanthanouvon,Pettingill,Pettinato,Petrovits,Pethtel,Petersheim,Pershing,Perrez,Perra,Pergram,Peretz,Perego,Perches,Pennello,Pennella,Pennant,Pendry,Penaz,Pellish,Peeks,Pecanty,Peare,Paysour,Pavlovich,Pavick,Pavelko,Paustian,Patzer,Patsy,Patete,Patadia,Paszkiewicz,Pase,Pasculli,Pascascio,Parrotte,Parlor,Parajon,Paparo,Papandrea,Paone,Pantaleon,Panning,Paniccia,Pancho,Panarello,Palmeter,Pallan,Palardy,Pahmeier,Padget,Padel,Oyster,Oya,Oxborrow,Oveson,Outwater,Ottaway,Otake,Ostermeyer,Osmer,Osinski,Osiecki,Oroak,Orndoff,Orms,Orkin,Oregon,Ordiway,Opatz,Onsurez,Onishi,Oliger,Okubo,Okoye,Ohlmann,Offord,Offner,Offerdahl,Oesterle,Oesch,Odonnel,Odeh,Odebralski,Obie,Obermeier,Oberhausen,Obenshain,Obenchain,Oats,Nute,Nulty,Norrington,Norlin,Nore,Nordling,Nordhoff,Norder,Nordan,Norals,Nogales,Noboa,Nitsche,Niermann,Nienhaus,Niedringhaus,Niedbalski,Nicolella,Nicolais,Nickleberry,Nicewander,Newfield,Neurohr,Neumeier,Netterville,Nersesian,Nern,Nerio,Nerby,Nerbonne,Neitz,Neighbours,Neighbor,Neidecker,Neat,Neason,Nead,Navratil,Naves,Nastase,Nasir,Nasca,Narine,Narimatsu,Nard,Narayanan,Nappo,Namm,Nalbone,Nakonechny,Nabarro,Myott,Muthler,Muscatello,Murriel,Murin,Murders,Muoio,Mundel,Munafo,Mulch,Mukherjee,Muffoletto,Muessig,Muckey,Mucher,Mruk,Moyd,Mowell,Mowatt,Moutray,Mourning,Mou,Motzer,Moster,Mortis,Morgenroth,Morga,Morataya,Montross,Montezuma,Monterroza,Montemarano,Montello,Montbriand,Montavon,Montaque,Monigold,Monforte,Molgard,Moleski,Mohsin,Mohead,Mofield,Moerbe,Moeder,Mochizuki,Miyazaki,Miyasaki,Mital,Miskin,Mischler,Minus,Minniear,Minero,Milosevic,Mildenhall,Mila,Mikhail,Mielsch,Midden,Michonski,Michniak,Michitsch,Michelotti,Micheli,Michelfelder,Michand,Miao,Metelus,Merkt,Merando,Meranda,Mentz,Meneley,Menaker,Memory,Melino,Meir,Mehaffy,Meehl,Meech,Meczywor,Mcweeney,Mcumber,Mcredmond,Mcneer,Mcnay,Mcmikle,Mcmaken,Mclaurine,Mclauglin,Mclaney,Mckune,Mckinnies,Mckague,Mchattie,Mcgrapth,Mcglothen,Mcgath,Mcfolley,Mcdannell,Mccurty,Mccort,Mcclymonds,Mcclimon,Mcclamy,Mccaughan,Mccartan,Mccan,Mccadden,Mcburnie,Mcburnett,Mcbryar,Mcannally,Mcalevy,Mcaleese,Maytorena,Mayrant,Mayol,Mayland,Mayeaux,Mauter,Matthewson,Mathiew,Matern,Matera,Maslow,Mashore,Masaki,Maruco,Martorell,Martenez,Marry,Marrujo,Marrison,Maroun,Markway,Markos,Markoff,Markman,Marian,Marello,Marbry,Marban,Maranda,Maphis,Manuele,Mansel,Manganello,Mandrell,Mandoza,Manard,Manago,Maltba,Mallick,Mallak,Maline,Malikowski,Majure,Majcher,Maise,Mahl,Maffit,Maffeo,Madueno,Madlem,Madariaga,Macvane,Mackler,Macconnell,Macchi,Maccarone,Lyng,Lynchard,Lura,Lunning,Luneau,Lunden,Lumbra,Lumbert,Lueth,Ludington,Luckado,Lucchini,Lucatero,Luallen,Lozeau,Lowen,Lovera,Lovelock,Louck,Lothian,Lorio,Lorimer,Lorge,Loretto,Longhenry,Lonas,Loiseau,Lohrman,Logel,Loft,Locks,Lockie,Llerena,Livington,Liuzzi,Liscomb,Lippeatt,Liou,Linhardt,Lindelof,Lindbo,Limehouse,Limage,Lillo,Lillian,Lilburn,Liggons,Lidster,Liddy,Liddick,Lich,Liberato,Lian,Lia,Leysath,Lewelling,Lesney,Leser,Lescano,Leonette,Lentsch,Lenius,Lemmo,Lemming,Lemcke,Lein,Leggette,Legerski,Legard,Leever,Leete,Ledin,Lecomte,Lecocq,Leakes,Leab,Lazarz,Layous,Lawrey,Lawery,Lauze,Lautz,Laughinghouse,Latulippe,Lattus,Lattanzio,Later,Lascano,Larmer,Laris,Larcher,Laprise,Lapin,Lapage,Lano,Langseth,Langman,Langland,Landstrom,Landsberg,Landsaw,Landram,Lamphier,Lamendola,Lamberty,Lakhani,Laker,Lajara,Lagrow,Lagman,Ladewig,Laderman,Ladden,Lacrue,Laclaire,Lachut,Lachner,Kwit,Kvamme,Kvam,Kutscher,Kushi,Kurgan,Kunsch,Kundert,Kun,Kulju,Kukene,Kudo,Kubin,Kubes,Kuberski,Krystofiak,Kruppa,Krul,Krukowski,Kruegel,Kronemeyer,Krock,Kriston,Kretzer,Krenn,Kralik,Krafft,Krabill,Kozisek,Kovich,Koverman,Kovatch,Kovarik,Kotlowski,Kosmala,Kosky,Kosir,Kosa,Korpi,Kornbluth,Koppen,Kooistra,Kohlhepp,Kofahl,Koeneman,Koebel,Koczur,Kobrin,Kobashigawa,Koba,Knuteson,Knoff,Knoble,Knipper,Knierim,Kneisley,Klusman,Kloc,Klitzing,Klinko,Klinefelter,Klemetson,Kleinpeter,Klauser,Klatte,Klaren,Klare,Kissam,Kirkhart,Kirchmeier,Kinzinger,Kindt,Kincy,Kincey,Kimoto,Killingworth,Kilcullen,Kilbury,Kietzman,Kienle,Kiedrowski,Kidane,Khamo,Khalili,Ketterling,Ketchem,Kessenich,Kessell,Kepp,Kenon,Kenning,Kennady,Kendzior,Kemppainen,Kellermann,Keirns,Keilen,Keiffer,Kehew,Keelan,Keawe,Keator,Kealy,Keady,Kathman,Kastler,Kastanes,Kassab,Karren,Karpin,Karau,Karathanasis,Kara,Kaps,Kaplun,Kapaun,Kannenberg,Kanipe,Kander,Kandel,Kanas,Kanan,Kamke,Kaltenbach,Kallenberger,Kallam,Kali,Kaley,Kafton,Kafer,Kabler,Kaaihue,Jupiter,Jundt,Jubilee,Jovanovich,Jojola,Johnstad,Jodon,Joachin,Jinright,Jew,Jessick,Jeronimo,Jerald,Jenne,Jelsma,Jeannotte,Jeangilles,Jaworsky,Jaubert,Jarry,Jarrette,Jarreau,Jarett,Janos,Janecka,Janczak,Jalomo,Jagoda,Jagla,Jacquier,Jaber,Iwata,Ivanoff,Isola,Iserman,Isais,Isaacks,Iron,Inverso,Infinger,Ibsen,Hyser,Hylan,Hybarger,Hwee,Hutchenson,Hutchcroft,Husar,Hurlebaus,Hunsley,Hunker,Hummingbird,Humberson,Hulst,Hulon,Huhtala,Hugill,Hugghins,Huffmaster,Huckeba,Hrabovsky,Howden,Hoverson,Houts,Houskeeper,Housh,Hosten,Horras,Horchler,Hor,Hopke,Hooke,Honie,Holtsoi,Holsomback,Holoway,Holmstead,Hoistion,Hohnstein,Hoheisel,Hoguet,Hoggle,Hogenson,Hoffstetter,Hoffler,Hoffa,Hofe,Hoefling,Hoague,Hizer,Hirschfield,Hironaka,Hiraldo,Hinote,Hingston,Hind,Hinaman,Hillie,Hillesheim,Hilderman,Hiestand,Heyser,Heys,Hews,Hew,Hertler,Herrero,Herrandez,Heppe,Henle,Henkensiefken,Henigan,Henandez,Henagan,Hemberger,Heman,Helser,Helmich,Hellinger,Helfrick,Heldenbrand,Heinonen,Heineck,Heikes,Heidkamp,Heglar,Heffren,Heelan,Hedgebeth,Heckmann,Heckaman,Hechmer,Hazelhurst,Hawken,Haverkamp,Havatone,Hausauer,Hasch,Harwick,Hartse,Harts,Harrower,Harle,Hargroder,Hardway,Hardinger,Hardemon,Harbeck,Hant,Hamre,Hamberg,Hallback,Haisten,Hailstone,Hahl,Hagner,Hagman,Hagemeyer,Haeussler,Hackwell,Haby,Haataja,Gverrero,Gustovich,Gustave,Guske,Gushee,Gurski,Gurnett,Gura,Gunto,Gunselman,Gugler,Gudmundson,Gudinas,Guarneri,Grumbine,Gruis,Grotz,Grosskopf,Grosman,Grosbier,Grinter,Grilley,Grieger,Grewal,Gressler,Greaser,Graus,Grasman,Graser,Grannan,Granath,Gramer,Graboski,Goyne,Gowler,Gottwald,Gottesman,Goshay,Gorr,Gorovitz,Gores,Goossens,Goodier,Goodhue,Gonzeles,Gonzalos,Gonnella,Golomb,Golick,Golembiewski,Goeke,Godzik,Goar,Glosser,Glendenning,Glendening,Glatter,Glas,Gittings,Gitter,Gisin,Giscombe,Gimlin,Gillitzer,Gillick,Gilliand,Gilb,Gigler,Gidden,Gibeau,Gibble,Gianunzio,Giannattasio,Gertelman,Gerosa,Gerold,Gerland,Gerig,Gerecke,Gerbino,Genz,Genovesi,Genet,Gelrud,Geitgey,Geiszler,Gehrlein,Gazzo,Gawrys,Gavilanes,Gaulden,Gate,Garthwaite,Garmoe,Gargis,Gara,Gannett,Galligher,Galler,Galleher,Gallahan,Galford,Gal,Gahn,Gacek,Gabert,Fuster,Furuya,Furse,Fujihara,Fuhriman,Fruit,Frueh,Fromme,From,Froemming,Friskney,Frietas,Freiler,Freelove,Freber,Frear,Frankl,Frankenfield,Franey,Francke,Foxworthy,Formella,Foringer,Forgue,Forge,Fonnesbeck,Fonceca,Folland,Fodera,Fode,Floresca,Fleurent,Fleshner,Flentge,Fleischhacker,Fleeger,Flecher,Flam,Flair,Flaim,Fivecoat,Firebaugh,Fioretti,Finucane,Filley,Figuroa,Figuerda,Fiddelke,Feurtado,Fetterly,Fessel,Femia,Feild,Fehling,Fegett,Fedde,Fechter,Fawver,Faustino,Faulhaber,Fatchett,Fassnacht,Fashaw,Fasel,Farrugia,Farran,Farness,Farhart,Farbman,Fama,Falwell,Falvo,Falling,Falkenstein,Falin,Failor,Faigin,Fagundo,Fague,Fagnan,Fagerstrom,Faden,Eytchison,Eyles,Ewy,Evon,Everage,Evangelist,Estrin,Estorga,Esponda,Espindola,Escher,Esche,Escarsega,Escandon,Erven,Erding,Eplin,Enix,Englade,Engdahl,Enck,Emmette,Embery,Emberson,Eltzroth,Else,Elsayed,Ellerby,Ellens,Elhard,Elfers,Elazegui,Eisermann,Eilertson,Eiben,Ehrhard,Ehresman,Egolf,Egnew,Eggins,Efron,Effland,Eduardo,Edminster,Edgeston,Ede,Eckstrom,Eckhard,Eckford,Echoles,Ebsen,Eatherly,Eastlick,Earnheart,Ear,Dykhuizen,Dyas,Duttweiler,Dutka,Dutch,Dusenbury,Dusenbery,Durre,Durnil,Durnell,Durie,Durhan,Durando,Dupriest,Dunsmoor,Dunseith,Dunnum,Dunman,Dunlevy,Duma,Dulude,Dulong,Duignan,Dugar,Dufek,Ducos,Duchaine,Duch,Dubow,Drowne,Dross,Drollinger,Droke,Driggars,Dredge,Drawhorn,Drach,Drabek,Doyne,Doukas,Dorvil,Dorow,Doroski,Dornak,Dormer,Dorian,Donnelson,Donna,Donn,Donivan,Dondero,Dompe,Dolle,Doakes,Diza,Dixie,Divirgilio,Ditore,Distel,Disimone,Disbro,Dipiero,Dingson,Diluzio,Dillehay,Dilbert,Digiorgio,Diflorio,Dietzler,Dietsch,Dieterle,Dierolf,Dierker,Dicostanzo,Dicesare,Dexheimer,Dewitte,Dewing,Devoti,Devincentis,Devary,Deutschman,Dettloff,Detienne,Destasio,Dest,Despard,Desmet,Deslatte,Desfosses,Derise,Derenzo,Deppner,Depolo,Denoyer,Denoon,Denno,Denne,Deniston,Denike,Denes,Demoya,Demick,Demicco,Demetriou,Demange,Delva,Delorge,Delley,Delisio,Delhoyo,Delgrande,Delgatto,Delcour,Delair,Deinert,Degruy,Degrave,Degeyter,Defino,Deffenbaugh,Deener,Decook,Decant,Deboe,Deblanc,Deatley,Dearmitt,Deale,Deaguiar,Dayan,Daus,Dauberman,Datz,Dase,Dary,Dartt,Darocha,Dario,Dari,Dardis,Dapper,Danowski,Dancel,Dami,Dallmann,Dalere,Dalba,Dakan,Daise,Dailing,Dahan,Dagnan,Daggs,Dagan,Czarkowski,Czaplinski,Cutten,Curtice,Curenton,Cure,Curboy,Cura,Culliton,Culberth,Cucchiara,Cubbison,Csaszar,Crytser,Crotzer,Crossgrove,Crosser,Croshaw,Croissant,Crocco,Critzer,Creveling,Cressy,Creps,Creese,Cratic,Crate,Craigo,Craigen,Craib,Cracchiolo,Crable,Coykendall,Cowick,Coville,Couzens,Coutch,Cousens,Cousain,Counselman,Coult,Cotterell,Cott,Cotham,Corsaut,Corriere,Corredor,Cornet,Cornelia,Corkum,Coreas,Cordoza,Corbet,Corathers,Conwill,Contreas,Consuegra,Constanza,Conolly,Conedy,Companion,Comins,Combee,Colosi,Colom,Colmenares,Collymore,Colleran,Colina,Colaw,Colatruglio,Colantro,Colantonio,Cohea,Cogill,Codner,Code,Codding,Cockram,Cocanougher,Cobine,Cluckey,Clucas,Cloward,Cloke,Clisham,Clipper,Clinebell,Cliffe,Clendenen,Cisowski,Cirelli,Ciraolo,Ciocca,Cintora,Ciesco,Cibrian,Chupka,Chugg,Christmann,Choma,Chiverton,Chirinos,Chinen,Chimenti,Chima,Cheuvront,Chesla,Chesher,Chesebro,Chern,Chehebar,Cheatum,Chastine,Chapnick,Chapelle,Chambley,Cercy,Celius,Celano,Cayea,Cavicchi,Cattell,Catanach,Catacutan,Castelluccio,Castellani,Cassmeyer,Cassetta,Cassada,Caspi,Cashmore,Casebier,Casanas,Carrothers,Carrizal,Carriveau,Carretero,Carradine,Carosella,Carnine,Carmel,Carloni,Carkhuff,Cardosi,Cardo,Carchidi,Caravello,Caranza,Carandang,Capes,Cantrall,Canpos,Canoy,Cannizzaro,Canion,Canida,Canham,Cangemi,Cange,Candle,Cancelliere,Canard,Camarda,Calverley,Calogero,Callendar,Calame,Cadrette,Cachero,Caccavale,Cabreros,Cabrero,Cabrara,Cabler,Butzer,Butte,Butrick,Butala,Bustios,Busser,Busic,Bushorn,Busher,Burmaster,Burl,Burkland,Burkins,Burkert,Burgueno,Burgraff,Buren,Burel,Burdon,Burck,Burby,Buoy,Bunk,Bumford,Bulock,Bujnowski,Buggie,Buffy,Budine,Bucciero,Bubier,Brzoska,Brydges,Brumlow,Brosseau,Brooksher,Brokke,Broeker,Brittin,Bristle,Briano,Briand,Brettschneide,Bresnan,Brentson,Brenneis,Brender,Brazle,Brassil,Brasington,Branstrom,Branon,Branker,Brandwein,Brandau,Brana,Bralley,Brailey,Brague,Brade,Bozzi,Bownds,Bowmer,Bournes,Bour,Bouchey,Botto,Boteler,Borroel,Borra,Boroski,Boothroyd,Boord,Bonny,Bonga,Bonato,Bonadonna,Bolejack,Boldman,Boiser,Boggio,Bogacki,Boerboom,Boehnlein,Boehle,Bodah,Bobst,Boak,Bluemel,Blockmon,Blitch,Blincoe,Bleier,Blaydes,Blasius,Bittel,Bir,Binsfeld,Bindel,Bilotti,Billiott,Bilbrew,Bihm,Biersner,Bielat,Bidrowski,Bickler,Biasi,Bianca,Bhola,Bhat,Bewick,Betzen,Bettridge,Betti,Betsch,Besley,Beshero,Besa,Bertoli,Berstein,Berrien,Berrie,Berrell,Bermel,Berenguer,Benzer,Bensing,Bennie,Benedix,Bemo,Belile,Beilman,Behunin,Behrmann,Bedient,Becht,Beaule,Beaudreault,Bealle,Beagley,Bayuk,Bayot,Bayliff,Baugess,Battistoni,Batrum,Basinski,Basgall,Bartolomei,Bartnik,Bartl,Bartko,Bartholomay,Barthlow,Bartgis,Barsness,Barski,Barlette,Barickman,Bargen,Bardon,Barcliff,Barbu,Barbar,Barakat,Baracani,Baraban,Banos,Banko,Bania,Bambach,Balok,Balogun,Bally,Baldini,Balck,Balcer,Balash,Baim,Bailor,Bahm,Bahar,Bagshaw,Baggerly,Badie,Badal,Backues,Babino,Ba,Aydelott,Awbrey,Aversano,Avansino,Auyon,Aukamp,Aujla,Augenstein,Astacio,Ast,Asplin,Asato,Asano,Aruizu,Artale,Arrick,Arneecher,Armelin,Armbrester,Armacost,Arkell,Argue,Argrave,Areizaga,Areas,Apolo,Anzures,Anzualda,Antwi,Antillon,Antenor,Annand,Anhalt,Angove,Anglemyer,Anglada,Angiano,Angeloni,Andaya,Ancrum,Anagnos,Ammirati,Amescua,America,Ambrosius,Amacker,Amacher,Amabile,Alvizo,Alvernaz,Alvara,Altobelli,Altobell,Althauser,Alterman,Altavilla,Alsip,Alphonso,Almeyda,Almeter,Alman,Allscheid,Allaman,Aliotta,Alicia,Aliberti,Alghamdi,Alfonzo,Albiston,Alberta,Alberding,Alarie,Alano,Aja,Ailes,Ahsan,Ahrenstorff,Ahler,Aerni,Ackland,Achor,Acero,Acebo,Ace,Abshier,Abruzzo,Abrom,Abood,Abnet,Abend,Abegg,Abbruzzese,Aaberg,Zysk,Zutell,Zumstein,Zummo,Zuhlke,Zuehlsdorff,Zuch,Zucconi,Zortman,Zohn,Ziv,Zingone,Zingg,Zingale,Zima,Zientek,Zieg,Zervas,Zerger,Zenk,Zeldin,Zeiss,Zeiders,Zediker,Zea,Zavodny,Zarazua,Zappone,Zappala,Zapanta,Zaniboni,Zanchi,Zampedri,Zaller,Zakrajsek,Zagar,Zadrozny,Zablocki,Zable,Yust,Yunk,Youngkin,Yosten,Yockers,Yochim,Yerke,Yerena,Yeast,Yanos,Yam,Wysinger,Wyner,Wrisley,Woznicki,Wortz,Worsell,Wooters,Woon,Woolcock,Woodke,Wonnacott,Wolnik,Wittstock,Witting,Witry,Witfield,Witcraft,Wissmann,Wissink,Wisehart,Wiscount,Wironen,Wipf,Winterrowd,Wingett,Windon,Windish,Windisch,Windes,Wiltbank,Willmarth,Willick,Wiler,Wieseler,Wiedmaier,Wiederstein,Wiedenheft,Wieberg,Wickware,Wickkiser,Wickell,Whittmore,Whitker,Whitegoat,Whitcraft,Whisonant,Whisby,Whetsell,Whedon,Westry,Westcoat,Wernimont,Wentling,Wendlandt,Wencl,Weisgarber,Weininger,Weikle,Weigold,Weigl,Weichbrodt,Wehrli,Wehe,Weege,Weare,Watland,Wassmann,Warzecha,Warrix,Warrell,Warnack,Waples,Wantland,Wanger,Wandrei,Wander,Wanat,Wampole,Waltjen,Walterscheid,Waligora,Walding,Waldie,Walczyk,Wakins,Waitman,Wair,Wainio,Wahpekeche,Wahlman,Wagley,Wagenknecht,Wadle,Waddoups,Wadding,Wack,Vuono,Vuillemot,Vugteveen,Vosmus,Vorkink,Vories,Vondra,Voelz,Vlashi,Vivo,Vitelli,Vitali,Viscarra,Virgo,Vinet,Vimont,Villega,Villard,Vignola,Viereck,Videtto,Vicoy,Vessell,Vescovi,Verros,Vernier,Vernaglia,Vergin,Verdone,Verdier,Verastequi,Vejar,Vasile,Vasi,Varnadore,Vardaro,Vanzanten,Vansumeren,Vanschuyver,Vanleeuwen,Vanhowe,Vanhoozer,Vaness,Vandewalker,Vandevoorde,Vandeveer,Vanderzwaag,Vanderweide,Vanderhyde,Vandellen,Vanamburg,Vanalst,Vallin,Valk,Valerie,Valentini,Valcarcel,Valasco,Valadao,Vacher,Urquijo,Unterreiner,Unsicker,Unser,Unrau,Undercoffler,Uhm,Uffelman,Uemura,Ueda,Tyszko,Tyska,Tymon,Tyce,Tyacke,Twinam,Tutas,Tussing,Turmel,Turkowski,Turkel,Turchetta,Tupick,Tumblin,Tukes,Tufte,Tufo,Tuey,Tuell,Tuckerman,Tsutsumi,Tsuchiya,Try,Trossbach,Trivitt,Trippi,Trippensee,Trimbach,Trillo,Triller,Trible,Tribe,Tribby,Trevisan,Tresch,Tramonte,Traff,Trad,Tousey,Totaro,Torregrosa,Torralba,Torn,Tolly,Tofil,Tofani,Tobiassen,Tippy,Tiogangco,Tino,Tinnes,Tingstrom,Tingen,Tine,Tindol,Tifft,Tiffee,Tiet,Thuesen,Thruston,Throndson,Thornsbury,Thornes,Thiery,Thielman,Thie,Theilen,Thede,Thate,Thane,Thalacker,Thaden,Teuscher,Terracina,Terell,Terada,Tepfer,Tennessee,Tenneson,Tenant,Temores,Temkin,Tellers,Telleria,Teaque,Tealer,Teachey,Tavakoli,Tauras,Taucher,Tator,Tartaglino,Tarpy,Tape,Tannery,Tani,Tams,Tamlin,Tambe,Tallis,Talamante,Takayama,Takaki,Takagi,Taibl,Taffe,Tadesse,Tade,Tabeling,Tabag,Szoke,Szoc,Szala,Szady,Sysak,Sylver,Syler,Swonger,Swiggett,Swensson,Sweis,Sweers,Sweene,Sweany,Sweaney,Swartwout,Swamy,Swales,Swab,Susman,Surman,Surgeon,Sundblad,Summerset,Summerhays,Sumerall,Sule,Sugimoto,Subramanian,Sturch,Stupp,Stunkard,Stumpp,Struiksma,Stropes,Stromyer,Stromquist,Strede,Strazza,Strauf,Storniolo,Storjohann,Stonum,Stonier,Stonecypher,Stoneberger,Stollar,Stokke,Stokan,Stoetzel,Stoeckel,Stockner,Stockinger,Stockholm,Stockert,Stockdill,Stobbe,Stitzel,Stitely,Stirgus,Stigers,Stettner,Stettler,Sterlin,Sterbenz,Stemp,Stelluti,Steinmeyer,Steininger,Steinauer,Steigerwalt,Steider,Steady,Stavrou,Staufenberger,Stassi,Starin,Stankus,Stanaway,Stammer,Stakem,Staino,Stahlnecker,Stagnitta,Staelens,Staal,Srsen,Sprott,Sprigg,Sprenkle,Sprenkel,Spreitzer,Spraque,Sprandel,Spotted,Sporn,Spivak,Spira,Spiewak,Spieth,Spiering,Sperow,Speh,Specking,Spease,Spead,Sparger,Spanier,Spall,Sower,Southcott,Sosna,Soran,Sookram,Sonders,Solak,Sohr,Sohl,Sofranko,Soderling,Sochor,Sobon,Smutz,Smudrick,Smithj,Smid,Slosser,Sliker,Slenker,Sleight,Sleger,Sleet,Slaby,Skousen,Skilling,Skibinski,Skeeters,Skeet,Skees,Skane,Skafidas,Sivic,Sivertsen,Sivers,Sitra,Sito,Siracusa,Sinicki,Simpers,Simley,Simbeck,Silberberg,Siever,Siegwarth,Sidman,Siddons,Siddle,Sibbett,Si,Shumard,Shubrooks,Shough,Shorb,Shoptaw,Sholty,Shoffstall,Shiverdecker,Shininger,Shimasaki,Shifrin,Shiffler,Sheston,Sherr,Sherill,Shere,Shepeard,Shelquist,Shells,Sheler,Shave,Shauf,Sharrar,Sharpnack,Shanon,Shamsiddeen,Shambley,Shallenberger,Shadler,Shaban,Sha,Sferra,Seys,Sexauer,Sevey,Severo,Setlak,Seta,Sesko,Sersen,Serratore,Serdula,Senechal,Seldomridge,Seilhamer,Seifer,Seidlitz,Sehnert,Sedam,Sebron,Seber,Sebek,Seavers,Sear,Scullark,Scroger,Scovill,Sciascia,Sciarra,Schweers,Schwarze,Schummer,Schultes,Schuchardt,Schuchard,Schrieber,Schrenk,Schreifels,Schowalter,Schoultz,Scholer,Schofill,Schoff,Schnuerer,Schnettler,Schmitke,Schmiege,Schloop,Schlinger,Schlessman,Schlesser,Schlageter,Schiess,Schiefer,Schiavoni,Scherzer,Scherich,Schechtman,Schebel,Scharpman,Schaich,Schaap,Scappaticci,Scadlock,Savocchia,Savini,Savers,Save,Savageau,Sauvage,Sause,Sauerwein,Sary,Sarwary,Sarnicola,Santone,Santoli,Santalucia,Santacruce,Sansoucie,Sankoff,Sanes,Sandri,Sanderman,Sammartano,Salmonson,Salmela,Salmans,Sallaz,Salis,Sakuma,Sakowski,Sajdak,Sahm,Sagredo,Safrit,Sade,Sackey,Sabio,Sabino,Sabina,Rybolt,Ruzzo,Ruthstrom,Ruta,Russin,Russian,Russak,Rusko,Ruskin,Rusiecki,Ruscher,Rupar,Rumberger,Rullan,Ruliffson,Ruhlman,Ruger,Rufenacht,Ruelle,Rudisell,Rudi,Rucci,Rublee,Ruberto,Rubeck,Rowett,Rouge,Rottinghaus,Roton,Rothgeb,Rothgaber,Rothermich,Rostek,Rossini,Roskelley,Rosing,Rosi,Rosewell,Rosebush,Rosberg,Roon,Ronin,Romesburg,Romelus,Rolley,Rollerson,Rollefson,Rolins,Rolens,Rois,Rohrig,Rohrbacher,Rohland,Rohen,Roh,Rogness,Roes,Roering,Roehrick,Roebke,Rodregez,Rodabaugh,Rocks,Rockingham,Roblee,Robel,Roadcap,Rizzolo,Riviezzo,Rivest,Riveron,Risto,Rissler,Risen,Rippentrop,Ripka,Rinn,Ringuette,Ringering,Rindone,Rindels,Rim,Rieffer,Riedman,Riede,Riecke,Riebow,Riddlebarger,Rhome,Rhodd,Rhatigan,Rhame,Reyers,Rewitzer,Revalee,Retzer,Rettinger,Reschke,Requa,Reper,Reopell,Renzelman,Renne,Renker,Renk,Renicker,Rendina,Rendel,Remund,Remmele,Remiasz,Remaklus,Remak,Reitsma,Reitmeier,Reiswig,Reishus,Reining,Reim,Reidinger,Reick,Reiche,Regans,Reffett,Reesor,Reekie,Redpath,Redditt,Rechtzigel,Recht,Rebel,Rearden,Raynoso,Raxter,Ratkowski,Rasulo,Rassmussen,Rassel,Raspberry,Raser,Rappleye,Rappe,Randy,Randrup,Randleman,Ramson,Rampey,Ramming,Rama,Rainier,Raider,Radziewicz,Quirarte,Quintyne,Quickel,Query,Quattrini,Quarry,Quakenbush,Quaile,Pytel,Putty,Pushaw,Pusch,Purslow,Punzo,Pullam,Pugmire,Puello,Pu,Przekop,Pruss,Pruiett,Provow,Prophete,Procaccini,Pritz,Prillaman,Priess,Pretlow,Prestia,Presha,Prescod,Preast,Praytor,Prashad,Praino,Pozzi,Pounder,Pottenger,Potash,Porada,Popplewell,Ponzo,Ponter,Pommier,Polland,Polidori,Polasky,Pola,Pok,Poitier,Poisso,Poire,Point,Pofahl,Podolsky,Podell,Plueger,Plowe,Plotz,Plotnik,Ploch,Pliska,Plessner,Plaut,Platzer,Plake,Pizzino,Pizza,Pirog,Piquette,Pipho,Pioche,Pintos,Pinkert,Pinet,Pilkerton,Pilch,Pilarz,Pignataro,Piermatteo,Picozzi,Pickler,Pickette,Pichler,Philogene,Pheasant,Phare,Phang,Pfrogner,Pfisterer,Pettinelli,Petruzzi,Petrovic,Petretti,Petermeier,Pestone,Pesterfield,Pessin,Pesch,Persky,Perruzza,Perrott,Perritt,Perretti,Perrera,Peroutka,Peroni,Peron,Peret,Perdew,Perazzo,Peppe,Peno,Penberthy,Penagos,Peles,Pelech,Peiper,Peight,Pefferman,Peddie,Peckenpaugh,Pean,Payen,Pavloski,Pavlica,Paullin,Pattie,Patteson,Passon,Passey,Passe,Passalacqua,Pasquini,Paskel,Parter,Partch,Parriott,Parrella,Parraz,Parmely,Parizo,Parisian,Papelian,Papasergi,Pantojz,Panto,Panich,Panchal,Palys,Palms,Pallone,Palinski,Pali,Palevic,Pale,Pagels,Paciorek,Pacho,Pacella,Paar,Ozbun,Overweg,Overholser,Ovalles,Outhouse,Outcalt,Otterbein,Otta,Ostergren,Osher,Osbon,Orzech,Orwick,Orrico,Oropesa,Orn,Ormes,Orillion,Opal,Onorati,Onnen,Omary,Olk,Olding,Okonski,Okimoto,Ohlrich,Ohayon,Oguin,Ogley,Oftedahl,Offen,Ofallon,Oeltjen,Odam,Ockmond,Ockimey,Ocean,Obermeyer,Oberdorf,Obanner,Oballe,Oard,Oakden,Nyhan,Nydam,Numan,Noyer,Notte,Nothstein,Notestine,Noser,Nork,Nolde,Noa,Nishihara,Nishi,Nikolic,Nihart,Nietupski,Niesen,Niehus,Niece,Nidiffer,Nicoulin,Nicolaysen,Nicklow,Nickl,Nickeson,Nichter,Nicholl,Ngyun,Newsham,Newmann,Neveux,Neuzil,Neumayer,Netland,Nessen,Nesheim,Nelli,Nelke,Necochea,Nazari,Navy,Navorro,Navarez,Navan,Natter,Natt,Nater,Nasta,Narvaiz,Nardelli,Napp,Nakahara,Nairn,Nagg,Nager,Nagano,Nafziger,Naffziger,Nadelson,Muzzillo,Murri,Murrey,Murgia,Murcia,Muno,Munier,Mulqueen,Mulliniks,Mulkins,Mulik,Muhs,Muffley,Mozell,Moynahan,Mounger,Mottley,Motil,Moseman,Moseby,Mosakowski,Morten,Mortell,Morrisroe,Morrero,Mormino,Morland,Morger,Morgenthaler,Moren,Morelle,Morawski,Morasca,Morang,Morand,Moog,Montney,Montera,Montee,Montane,Montagne,Mons,Monohan,Monnett,Monkhouse,Moncure,Momphard,Molyneaux,Molles,Mollenkopf,Molette,Moland,Mohs,Mohmand,Mohlke,Moessner,Moers,Mockus,Moccio,Mlinar,Mizzelle,Mittler,Mitri,Mitchusson,Mitchen,Mistrot,Mistler,Misch,Miriello,Minkin,Mininger,Minerich,Minehart,Minderman,Minden,Minahan,Milonas,Millon,Millholland,Milleson,Millerbernd,Millage,Militante,Milionis,Milhoan,Mildenberger,Milbury,Mikolajczak,Miklos,Mikkola,Mikes,Migneault,Mifsud,Mietus,Mieszala,Mielnicki,Midy,Michon,Michioka,Micheau,Michaeli,Micali,Methe,Metallo,Messler,Mesch,Merow,Meroney,Mergenthaler,Meres,Mercy,Menuey,Menousek,Menning,Menn,Menghini,Mendia,Memmer,Melot,Mellow,Mellenthin,Melland,Meland,Meixner,Meisenheimer,Meineke,Meinders,Mehrens,Mehlig,Meglio,Medsker,Medicine,Medero,Mederios,Meabon,Mcwright,Mcright,Mcreath,Mcrary,Mcquirter,Mcquerry,Mcquary,Mcphie,Mcnurlen,Mcnelley,Mcnee,Mcnairy,Mcmanamy,Mcmahen,Mckowen,Mckiver,Mckinlay,Mckearin,Mcirvin,Mcintrye,Mchorse,Mchaffie,Mcgroarty,Mcgoff,Mcgivern,Mceniry,Mcelhiney,Mcdiarmid,Mccullars,Mccubbins,Mccrimon,Mccovery,Mccommons,Mcclour,Mccarrick,Mccarey,Mccallen,Mcbrien,Mcarthy,Mayone,Maybin,Maximo,Maxam,Maurais,Maughn,Matzek,Matts,Matin,Mathre,Mathia,Mateen,Matava,Masso,Massar,Massanet,Masingale,Mascaro,Marthaler,Martes,Marso,Marshman,Marsalis,Marrano,Marolt,Marold,Markins,Margulis,Mardirosian,Marchiano,Marchak,Marandola,Marana,Manues,Mantis,Mante,Mansukhani,Mansi,Mannan,Maniccia,Mangine,Manery,Mandigo,Manda,Mancell,Mamo,Malstrom,Malouf,Malenfant,Malena,Maldenado,Malandruccolo,Malak,Malabanan,Makino,Maj,Maisonave,Mainord,Maino,Mainard,Maillard,Maia,Mahmud,Mahdi,Mahapatra,Mahaley,Mahaffy,Magouirk,Maglaras,Magat,Magan,Maga,Maffia,Madrazo,Madrano,Maditz,Mackert,Mackellar,Mackell,Macht,Macchia,Maccarthy,Maahs,Lytal,Lye,Luzar,Luzader,Lutjen,Lunger,Lunan,Luma,Lukins,Luhmann,Luers,Ludvigsen,Ludlam,Ludemann,Luchini,Lucente,Lubrano,Lubow,Luber,Lubeck,Lowing,Loven,Loup,Louise,Louge,Losco,Lorts,Lormand,Lorenzetti,Longford,Longden,Longbrake,Lokhmatov,Loge,Loeven,Loeser,Locket,Locey,Locatelli,Litka,Lista,Lisonbee,Lisenbee,Liscano,Liranzo,Liquori,Liptrot,Lionetti,Lio,Linscomb,Linkovich,Linington,Lingefelt,Lindler,Lindig,Lindall,Lincks,Linander,Linan,Limburg,Limbrick,Limbach,Likos,Lighthall,Liford,Lietzke,Liebe,Liddicoat,Lickley,Lichter,Libel,Lias,Liapis,Lezo,Lewan,Levitz,Levesgue,Leverson,Levander,Leuthauser,Letbetter,Lesuer,Lesmeister,Lesly,Lerer,Leppanen,Lepinski,Leota,Lenherr,Lembrick,Lelonek,Leisten,Leiss,Leins,Leingang,Leinberger,Leinbach,Leikam,Leidig,Lehtonen,Lehnert,Lehew,Legier,Lefchik,Lecy,Leconte,Lecher,Lebrecht,Leather,Leaper,Lawter,Lawrenz,Lavy,Laur,Lauderbaugh,Lauden,Laudato,Latting,Latsko,Latini,Lassere,Lasseigne,Laspina,Laso,Laslie,Laskowitz,Laske,Laser,Lasenby,Lascola,Lariosa,Larcade,Lapete,Laperouse,Lanuza,Lanting,Lantagne,Lansdale,Lanphier,Langmaid,Langella,Lanese,Landrus,Lampros,Lamens,Laizure,Laitinen,Laigle,Lahm,Lagueux,Lagorio,Lagomarsino,Lagasca,Lagana,Lafont,Laflen,Lafavor,Lafarge,Laducer,Ladnier,Ladesma,Lacognata,Lackland,Lacerte,Labuff,Laborin,Labine,Labauve,Kuzio,Kusterer,Kussman,Kusel,Kusch,Kurutz,Kurdyla,Kupka,Kunzler,Kunsman,Kuni,Kuney,Kunc,Kulish,Kuliga,Kulaga,Kuilan,Kuhre,Kuhnke,Kuemmerle,Kueker,Kudla,Kudelka,Kubinski,Kubicki,Kubal,Krzyzanowski,Krupicka,Krumwiede,Krumme,Kross,Kropidlowski,Krokos,Kroell,Kritzer,Kribs,Kreitlow,Kreisher,Kraynak,Krass,Kranzler,Kramb,Kozyra,Kozicki,Kovalik,Kovalchik,Kovacevic,Kotula,Kotrba,Koteles,Kosowski,Koskela,Kosiba,Koscinski,Kosch,Kory,Korab,Kopple,Kopper,Koppelman,Koppel,Konwinski,Kon,Kolosky,Koloski,Kolinsky,Kolinski,Kolbeck,Kolasa,Koepf,Koda,Kochevar,Kochert,Kobs,Knust,Knueppel,Knoy,Knieriem,Knier,Kneller,Knappert,Klitz,Klintworth,Klinkenberg,Klinck,Kleindienst,Kleeb,Klecker,Kjellberg,Kitten,Kitsmiller,Kisor,Kisiel,Kise,Kirbo,Kio,Kinzle,Kinkaid,Kingsford,Kingry,Kimpton,Kimel,Kimberley,Killmon,Killick,Kilgallon,Kilcher,Kihn,Kiggins,Kiecker,Kher,Khaleel,Keziah,Kettell,Ketchen,Keshishian,Kersting,Kersch,Kerins,Kercher,Keno,Kenefick,Kemph,Kempa,Kelsheimer,Kelln,Kellenberger,Kekahuna,Keisling,Keirnan,Keimig,Kehn,Keal,Ke,Kaupp,Kaufhold,Kauffmann,Katzenberg,Katona,Kaszynski,Kaszuba,Kassebaum,Kasa,Kartye,Kartchner,Karstens,Karpinsky,Karmely,Karel,Karasek,Kapral,Kaper,Kanelos,Kanahele,Kampmann,Kampe,Kalp,Kallus,Kallevig,Kallen,Kaliszewski,Kaleohano,Kalchthaler,Kalama,Kalahiki,Kaili,Kahawai,Kagey,Justiss,Jurkowski,Jurgensmeyer,Juilfs,Josue,Jopling,Jondahl,Jomes,Joice,Johannessen,Joeckel,Jezewski,Jezek,Jeswald,Jervey,Jeppsen,Jenniges,Jennifer,Jennett,Jemmott,Jeffs,Jeffry,Jaurequi,Janisch,Janick,Janice,Jacek,Jacaruso,Iwanicki,Ishihara,Isenberger,Isbister,Iruegas,Inzer,Inyart,Inscore,Innocenti,Inglish,Infantolino,Indovina,Inaba,Imondi,Imdieke,Imbert,Illes,Ida,Iarocci,Iannucci,Huver,Hutley,Husser,Husmann,Hupf,Huntsberger,Hunnewell,Hullum,Huit,Huish,Huh,Hughson,Huft,Hufstetler,Hueser,Hudnell,Hovden,Housen,Houghtling,Hoth,Hossack,Hoshaw,Horsford,Horry,Hornbacher,Horde,Hoppenstedt,Hopkinson,Honza,Honor,Homann,Holzmeister,Holycross,Holverson,Holtzlander,Holroyd,Holmlund,Hollywood,Holderness,Holderfield,Holck,Hojnacki,Hohlfeld,Hohenberger,Hoganson,Hogancamp,Hoffses,Hoerauf,Hoell,Hoefert,Hodum,Hoder,Hockenbury,Hoage,Hisserich,Hislip,Hirons,Hippensteel,Hippen,Hinkston,Hindes,Hinchcliff,Hin,Himmel,Hillberry,Hildring,Hiester,Hiefnar,Hides,Hibberd,Hibben,Heyliger,Heyl,Heyes,Hevia,Heu,Hettrick,Hert,Hersha,Hernandz,Herkel,Herber,Henscheid,Hennesy,Henly,Henegan,Henebry,Hench,Hemsath,Hemm,Hemken,Hemann,Heltzel,Hellriegel,Hejny,Heinl,Heinke,Heidinger,Hegeman,Hefferan,Hedglin,Hebdon,Hearnen,Hearing,Heape,Heagy,Headings,Headd,Hazelbaker,Havlick,Hauschildt,Haury,Hassenfritz,Hasenbeck,Haseltine,Hartstein,Hartry,Hartnell,Harston,Harpool,Harmen,Hardister,Hardey,Harders,Harbolt,Harbinson,Haraway,Haque,Hansmann,Hanser,Hansch,Hansberry,Hankel,Hanigan,Haneline,Hampe,Hamons,Hammerstone,Hammerle,Hamme,Hammargren,Hamelton,Hamberger,Hamasaki,Halprin,Halman,Hallihan,Halen,Haldane,Hails,Haifley,Hai,Hages,Hagadorn,Hadwin,Habicht,Habermehl,Gyles,Gutzman,Gutekunst,Gustason,Gusewelle,Gurnsey,Gurnee,Gunterman,Gumina,Gulliver,Gulbrandson,Guiterez,Guerino,Guedry,Gucwa,Guardarrama,Guagliano,Guadagno,Grulke,Groote,Groody,Groft,Groeneweg,Grochow,Grippe,Grimstead,Griepentrog,Greenfeld,Greenaway,Grebe,Graziosi,Graw,Gravina,Grassie,Grapes,Granzow,Grandjean,Granby,Gramacy,Graces,Gozalez,Goyer,Gotch,Gosden,Gorny,Gormont,Goodness,Goodgion,Gonya,Gonnerman,Gompert,Golish,Goligoski,Goldmann,Goike,Goetze,Godeaux,Glenna,Glaza,Glassel,Glaspy,Glander,Glady,Giumarro,Gitelman,Gisondi,Gismondi,Girvan,Girten,Gironda,Giovinco,Ginkel,Gilster,Giesy,Gierman,Giddins,Giardini,Gianino,Ghea,Geurin,Gett,Getson,Gerrero,Germond,Gere,Gentsy,Genta,Gennette,Genito,Genis,Gene,Gendler,Geltz,Geiss,Gehret,Gegenheimer,Geffert,Geeting,Gebel,Gavette,Gavenda,Gaumond,Gaudioso,Gatzke,Gatza,Gattshall,Gaton,Gatchel,Gasperi,Gaska,Gasiorowski,Garritson,Garrigus,Garnier,Garnick,Gardinier,Gardenas,Garcy,Garate,Gandolfi,Gamm,Gamel,Gambel,Gallmon,Gallemore,Gallati,Gainous,Gainforth,Gahring,Gaffey,Gaebler,Gadzinski,Gadbury,Gabri,Gabe,Gaba,Fyke,Furtaw,Furnas,Furcron,Funn,Funck,Fulwood,Fulvio,Fullmore,Fukumoto,Fuest,Fuery,Fuente,Fuel,Frymire,Frush,Frohlich,Froedge,Frodge,Fritzinger,Fricker,Frericks,Frein,Freid,Freggiaro,Fratto,Franzi,Franciscus,Fralix,Fowble,Fotheringham,Foslien,Foshie,Fortmann,Forsey,Forkner,Foppiano,Fontanetta,Fonohema,Fogler,Fockler,Fluty,Flusche,Flud,Florin,Flori,Flenory,Fleharty,Fleeks,Flaxman,Flash,Flaming,Fiumara,Fitzmorris,Finnicum,Finkley,Fineran,Fillhart,Filipi,Fijal,Fieldson,Ficken,Ficarra,Fetch,Festerman,Fess,Ferryman,Ferner,Fergason,Ferell,Fennern,Femmer,Feldmeier,Feeser,Feenan,Federick,Fedak,Febbo,Feazell,Fearing,Fazzone,Fauth,Fauset,Faurote,Faulker,Faubion,Fatzinger,Fasick,Fanguy,Fambrough,Falks,Fahl,Fabio,Faaita,Exler,Ewens,Estrado,Esten,Esteen,Esquivez,Espejo,Esmiol,Esguerra,Esco,Ertz,Erspamer,Ernstes,Erisman,Erhard,Ereaux,Ercanbrack,Erbes,Epple,Entsminger,Entriken,Enslow,Ennett,Engquist,Englebert,Englander,Engesser,Engert,Engeman,Enge,Enerson,End,Emhoff,Emge,Emerald,Elting,Ellner,Ellenberg,Ellenbecker,Elio,Elfert,Elden,Elawar,Ekstrand,Eison,Eismont,Eisenbrandt,Eiseman,Eischens,Ehrgott,Egley,Egert,Eddlemon,Economy,Eckerson,Eckersley,Eckberg,Echeverry,Eberts,Earthman,Earnhart,Eapen,Eachus,Dykas,Dust,Dusi,Durning,During,Durdan,Dunomes,Duncombe,Dume,Dullen,Dullea,Dulay,Dul,Duffett,Dubs,Dubard,Drook,Drenth,Drahos,Dragone,Downin,Downham,Dowis,Dowhower,Doward,Dovalina,Dost,Dopazo,Doose,Donson,Donnan,Dominski,Dollarhide,Dolinar,Dolecki,Dolbee,Doege,Dockus,Dobler,Dobkin,Dobias,Divoll,Diviney,Ditter,Ditman,Dissinger,Dismang,Dirlam,Dinneen,Dini,Dingwall,Dine,Din,Diloreto,Dilmore,Dillaman,Dikeman,Diiorio,Dighton,Diffley,Dieudonne,Dietel,Dieringer,Diercks,Dienhart,Diekrager,Diefendorf,Dicke,Dicamillo,Dibrito,Dibona,Dezeeuw,Dewhurst,Devins,Deviney,Deupree,Detherage,Despino,Desmith,Desjarlais,Deshner,Desha,Desanctis,Derring,Derousse,Derobertis,Deridder,Derego,Derden,Deprospero,Deprofio,Depping,Deperro,Denty,Denoncourt,Dencklau,Demler,Demirchyan,Demichiel,Demesa,Demere,Demaggio,Delung,Deluise,Delmoral,Delmastro,Delmas,Delligatti,Delle,Delena,Delasbour,Delarme,Delargy,Delagrange,Delafontaine,Deist,Deiss,Deighan,Dehoff,Degrazia,Degman,Defosses,Deforrest,Deeks,Decoux,Decarolis,Debuhr,Deberg,Debarr,Debari,Dearmon,Deare,Deardurff,Daywalt,Dayer,Davoren,Davignon,Daviau,Dauteuil,Dauterive,Daul,Darnley,Darlin,Darakjy,Dapice,Dannunzio,Danison,Daniello,Damario,Dalonzo,Dallis,Daleske,Dalenberg,Daiz,Dains,Daines,Dagnese,Dady,Dadey,Czyzewski,Czapor,Czaplewski,Czajka,Cyganiewicz,Cuttino,Cutrona,Cussins,Cusanelli,Cuperus,Cundy,Cumiskey,Cumins,Cuizon,Cuffia,Cuffe,Cuffari,Cuccaro,Cubie,Cryder,Cruson,Crounse,Cromedy,Cring,Creer,Credeur,Crea,Cozort,Cozine,Cowee,Cowdery,Coventry,Couser,Courtway,Courington,Cotman,Costlow,Costell,Corton,Corsaro,Corrieri,Corrick,Corradini,Coron,Coren,Cord,Corbi,Corado,Copus,Coppenger,Cooperwood,Coontz,Coonce,Contrera,Connealy,Conell,Comtois,Compere,Commins,Commings,Comegys,Coma,Colyar,Colo,Collister,Collick,Collella,Coler,Colborn,Cohran,Cogbill,Coffen,Cocuzzo,Clynes,Closter,Clock,Clipp,Clingingsmith,Clemence,Clayman,Classon,Clas,Clarey,Clarence,Clague,Ciubal,Citrino,Citarella,Cirone,Cipponeri,Cindrich,Cimo,Ciliberto,Cichowski,Ciccarello,Cicala,Chura,Chubbuck,Chronis,Christlieb,Chriss,Chizek,Chittester,Chiquito,Chimento,Childree,Chianese,Chevrette,Cheese,Checo,Chastang,Chargualaf,Chapmon,Chantry,Chahal,Chafetz,Cezar,Ceruantes,Cerrillo,Cerrano,Cerecedes,Cerami,Cegielski,Cavallero,Catinella,Cassata,Caslin,Casano,Casacchia,Caruth,Cartrette,Carten,Carodine,Carnrike,Carnall,Carmicle,Carlan,Carlacci,Caris,Cariaga,Cardine,Cardimino,Cardani,Carbonara,Carano,Capua,Capponi,Cappellano,Caporale,Capelli,Canupp,Cantrel,Cantone,Canterberry,Cannizzo,Cannan,Canelo,Caneer,Candill,Candee,Campbel,Caminero,Camble,Caluya,Callicott,Calk,Caito,Caffie,Caden,Cadavid,Cacy,Cachu,Cachola,Cabreja,Cabiles,Cabada,Caamano,Byran,Byon,Buyck,Bussman,Bussie,Bushner,Burston,Burnison,Burkman,Burkhammer,Bures,Burdeshaw,Bumpass,Bullinger,Bullers,Bulgrin,Bugay,Buffalo,Budak,Buczynski,Buckendorf,Buccieri,Bubrig,Brynteson,Brunz,Brunmeier,Brunkow,Brunetto,Brunelli,Brumwell,Bruggman,Brucki,Brucculeri,Brozovich,Browing,Brotman,Broda,Brocker,Broadstreet,Brix,Britson,Brinck,Brimmage,Brightly,Brierre,Bridenstine,Brezenski,Brezee,Brevik,Brest,Brentlinger,Brentley,Breidenbach,Breckel,Brech,Breaker,Brazzle,Braughton,Brauch,Brattin,Brattain,Branhan,Branford,Braner,Brander,Braly,Braegelmann,Brabec,Boyt,Boyack,Bowren,Bowl,Bovian,Boughan,Botton,Botner,Bosques,Borzea,Borre,Boron,Bornhorst,Borgstrom,Borella,Boop,Bontempo,Bonniwell,Bonnes,Bonjour,Bonillo,Bonano,Bolek,Bohol,Bohaty,Boffa,Boetcher,Boesen,Boepple,Boehler,Boedecker,Boeckx,Bodi,Boal,Bloodsworth,Bloodgood,Blome,Blockett,Blixt,Blanchett,Blackhurst,Blackaby,Bjornberg,Bitzer,Bittenbender,Bitler,Birchall,Binnicker,Binggeli,Billett,Bilberry,Bijou,Biglow,Bierly,Bielby,Biegel,Beu,Berzas,Berte,Bertagnolli,Berreth,Bernhart,Bergum,Berentson,Berenson,Berdy,Bercegeay,Bentle,Bentivegna,Bentham,Benscoter,Benns,Bennick,Benjamine,Beneze,Benett,Beneke,Bendure,Bendix,Bendick,Benauides,Belman,Bellus,Bellott,Bellefleur,Bellas,Beljan,Belgard,Beith,Beinlich,Beierle,Behme,Beevers,Beermann,Beeching,Bedward,Bedrosian,Bedner,Bedeker,Bechel,Becera,Beaubrun,Beardmore,Bealmear,Bazin,Bazer,Baumhoer,Baumgarner,Bauknecht,Battson,Battiest,Basulto,Baster,Basques,Basista,Basiliere,Bashi,Barzey,Barz,Bartus,Bartucca,Bartek,Barrero,Barreca,Barnoski,Barndt,Barklow,Baribeau,Barette,Bares,Barentine,Bareilles,Barch,Barbre,Barberi,Barbagelata,Baraw,Baratto,Baranoski,Bar,Baptise,Bankson,Bankey,Bankard,Banik,Baltzley,Ballen,Balkey,Balius,Balderston,Bakula,Bakalar,Baffuto,Baerga,Badoni,Backous,Bachtel,Bachrach,Baccari,Babine,Babilonia,Baar,Azbill,Azad,Aycox,Ayalla,Avolio,Austerberry,Aughtry,Aufderheide,Auch,Attanasio,Athayde,Atcher,Astor,Asselta,Aslin,Aslam,Ashwood,Ashraf,Ashbacher,Asbridge,Asakura,Arzaga,Arriaza,Arrez,Arrequin,Arrants,Armiger,Armenteros,Armbrister,Arko,Argumedo,Arguijo,Ardolino,Arcia,Arbizo,Aravjo,Aper,Anzaldo,Antu,Antrikin,Antony,Antonia,Antonetty,Antinoro,Anthon,Antenucci,Anstead,Annese,Ankrum,Andreason,Andrado,Andaverde,Anastos,Anable,Amsterdam,Amspoker,Amrine,Amrein,Amorin,Amel,Ambrosini,Amber,Alsbrook,Alnutt,Almasi,Allessio,Allateef,Alison,Aldous,Alderink,Aldaz,Akmal,Akard,Aiton,Aites,Ainscough,Aikey,Ahrends,Ahlm,Aguada,Agans,Adelmann,Adebisi,Addesso,Adaway,Adamaitis,Ackison,Abud,Abendroth,Abdur,Abdool,Aamodt,Zywiec,Zwiefelhofer,Zwahlen,Zunino,Zuehl,Zmuda,Zmolek,Zizza,Ziska,Zinser,Zinkievich,Zinger,Zingarelli,Ziesmer,Ziegenfuss,Ziebol,Zettlemoyer,Zettel,Zervos,Zenke,Zembower,Zelechowski,Zelasko,Zeise,Zeek,Zeeb,Zarlenga,Zarek,Zaidi,Zahnow,Zahnke,Zaharis,Zach,Zacate,Zabrocki,Zaborac,Yurchak,Yuengling,Younie,Youngers,Youell,Yott,Yoshino,Yorks,Yordy,Yochem,Yerico,Yerdon,Yeiser,Yearous,Yearick,Yeaney,Ybarro,Yasutake,Yasin,Yanke,Yanish,Yanik,Yamazaki,Yamat,Yaggi,Ximenez,Wyzard,Wynder,Wyly,Wykle,Wutzke,Wuori,Wuertz,Wuebker,Wrightsel,Worobel,Worlie,Worford,Worek,Woolson,Woodrome,Woodly,Woodling,Wontor,Wondra,Woltemath,Wollmer,Wolinski,Wolfert,Wojtanik,Wojtak,Wohlfarth,Woeste,Wobbleton,Witz,Wittmeyer,Witchey,Wisotzkey,Wisnewski,Wisman,Wirch,Wippert,Wineberg,Wimpee,Wilusz,Wiltsey,Willig,Williar,Willers,Willadsen,Wilfred,Wildhaber,Wilday,Wigham,Wiggen,Wiewel,Wieting,Wietbrock,Wiesel,Wiesehan,Wiersema,Wiegert,Widney,Widmark,Wickson,Wickings,Wichern,Whtie,Whittie,Whitlinger,Whitfill,Whitebread,Whispell,Whetten,Wheeley,Wheeles,Wheelen,Whatcott,Weyland,Weter,Westrup,Westphalen,Westly,Westland,Wessler,Wesolick,Wesler,Wesche,Werry,Wero,Wernecke,Werkhoven,Wellspeak,Wellings,Welford,Welander,Weissgerber,Weisheit,Weins,Weill,Weigner,Wehrmann,Wehrley,Wehmeier,Wege,Weers,Weavers,Watring,Wassum,Wassman,Wassil,Washabaugh,Wascher,Wary,Warth,Warbington,Wanca,Wammack,Wamboldt,Walterman,Walkington,Walkenhorst,Walinski,Wakley,Wagg,Wadell,Vuckovich,Voogd,Voller,Vokes,Vogle,Vogelsberg,Vodicka,Vissering,Visage,Vipond,Vincik,Villalona,Vil,Vickerman,Vettel,Veteto,Vessel,Vesperman,Vesco,Vertucci,Versaw,Verba,Ventris,Venecia,Vendela,Venanzi,Veldhuizen,Vehrs,Veer,Vee,Vay,Vaughen,Vasilopoulos,Vascocu,Varvel,Varno,Varlas,Varland,Vario,Vareschi,Vanwyhe,Vanweelden,Vansciver,Vannaman,Vanluven,Vanloo,Vanlaningham,Vankomen,Vanhout,Vanhampler,Vangorp,Vangorden,Vanella,Vandresar,Vandis,Vandeyacht,Vandewerker,Vandevsen,Vanderwall,Vandercook,Vanderberg,Vanbergen,Valko,Valesquez,Valeriano,Valen,Vachula,Vacha,Uzee,Uva,Uselman,Urizar,Urion,Urben,Upthegrove,Unzicker,Unsell,Unick,Umscheid,Umin,Umanzor,Ullo,Ulicki,Uhlir,Uddin,Tytler,Tymeson,Tyger,Twisdale,Twedell,Tweddle,Turrey,Tures,Turell,Tur,Tupa,Tuitt,Tuberville,Tubby,Tryner,Trumpower,Trumbore,Truly,Troglen,Troff,Troesch,Trivisonno,Tritto,Tritten,Tritle,Trippany,Tringali,Tretheway,Treon,Trench,Trejos,Tregoning,Treffert,Traycheff,Travali,Trauth,Trauernicht,Transou,Trane,Trana,Toves,Tosta,Torp,Tornquist,Tornes,Torchio,Toppings,Toor,Tooks,Tonks,Tomblinson,Tomala,Tollinchi,Tolles,Tokich,Toh,Tofte,Todman,Toddy,Titze,Timpone,Tillema,Tier,Tienken,Tiblier,Thyberg,Thursby,Thurrell,Thurm,Thruman,Thorsted,Thorley,Thomer,Thoen,Thissen,Theimer,Thee,Thayn,Thanpaeng,Thammavongsa,Thalman,Texiera,Texidor,Teverbaugh,Teska,Ternullo,Teplica,Tepe,Teno,Tenholder,Tenbusch,Tenbrink,Temby,Tejedor,Teitsworth,Teichmann,Tehan,Tegtmeyer,Tees,Teem,Tays,Taubert,Tauares,Taschler,Tartamella,Tarquinio,Tarbutton,Tappendorf,Tapija,Tansil,Tannahill,Tamondong,Talahytewa,Takashima,Taecker,Tabora,Tabin,Tabbert,Szymkowski,Szymanowski,Syversen,Syrett,Syracuse,Synnott,Sydnes,Swimm,Sweney,Swearegene,Swartzel,Swanstrom,Svedin,Suss,Suryan,Surrey,Supplice,Supnet,Suoboda,Sundby,Sumaya,Sumabat,Sulzen,Sukovaty,Sukhu,Sugerman,Sugalski,Sugai,Sudweeks,Sudbeck,Sucharski,Stutheit,Stumfoll,Stuffle,Struyk,Strutz,Strumpf,Strowbridge,Strothman,Strojny,Strohschein,Stroffolino,Stribble,Strevel,Strenke,Stremming,Strehle,Strattman,Stranak,Stram,Stracke,Stoudamire,Storks,Stopp,Stonebreaker,Stolt,Stoica,Stofer,Stockham,Stockfisch,Stjuste,Stiteler,Stiman,Stillions,Stillabower,Stierle,Sterlace,Sterk,Stepps,Stenquist,Stenner,Stellman,Steines,Steinbaugh,Steinbacher,Steiling,Steidel,Steffee,Stavinoha,Staver,Stastny,Stasiuk,Starrick,Starliper,Starlin,Staniford,Staner,Standre,Standefer,Standafer,Stanczyk,Stallsmith,Stagliano,Staehle,Staebler,Stady,Stadtmiller,Squyres,Spurbeck,Sprunk,Spranger,Spoonamore,Spoden,Spilde,Spezio,Speros,Sperandio,Specchio,Spearin,Spayer,Spallina,Spadafino,Sovie,Sotello,Sortor,Sortino,Sorrow,Soros,Sorola,Sorbello,Sonner,Sonday,Somes,Soloway,Soledad,Soens,Soellner,Soderblom,Sobin,Sniezek,Sneary,Smyly,Smutnick,Smoots,Smoldt,Smitz,Smitreski,Smallen,Smades,Slunaker,Sluka,Slown,Slovick,Slocomb,Slinger,Slife,Slicker,Sleeter,Slanker,Skufca,Skubis,Skrocki,Skov,Skjei,Skilton,Skill,Skarke,Skalka,Skalak,Skaff,Sixkiller,Sitze,Siter,Sisko,Sirman,Sirls,Sinotte,Sinon,Sincock,Sincebaugh,Simmoms,Similien,Silvius,Silton,Silloway,Sikkema,Sieracki,Sienko,Siemon,Siemer,Siefker,Sieberg,Siebens,Siebe,Sicurella,Sicola,Sickle,Shumock,Shumiloff,Shuffstall,Shuemaker,Shuart,Shu,Shroff,Shreeve,Shostak,Shortes,Shorr,Shivley,Shintaku,Shindo,Shimomura,Shiigi,Sherow,Sherburn,Shepps,Shenefield,Shelvin,Shelstad,Shelp,Sheild,Sheaman,Shaulis,Sharrer,Sharps,Sharpes,Shareef,Shappy,Shapero,Shanor,Shandy,Shad,Seyller,Severn,Sessom,Sesley,Servidio,Serrin,Sero,Serge,Septon,Septer,Sennott,Sengstock,Senff,Senese,Semprini,Semone,Sembrat,Selva,Sella,Selbig,Seiner,Seif,Seidt,Sehrt,Seemann,Seelbinder,Sedlay,Sebert,Searing,Seaholm,Seacord,Seaburg,Se,Scungio,Scroggie,Scritchfield,Scripture,Scrimpsher,Scrabeck,Score,Scorca,Scobey,Scivally,Schwulst,Schwinn,Schwieson,Schwery,Schweppe,Schwartzenbur,Schurz,Schumm,Schulenburg,Schuff,Schuerholz,Schryer,Schrager,Schorsch,Schonhardt,Schoenfelder,Schoeck,Schoeb,Schnitzler,Schnick,Schnautz,Schmig,Schmelter,Schmeichel,Schluneger,Schlosberg,Schlobohm,Schlenz,Schlembach,Schleisman,Schleining,Schleiff,Schleider,Schink,Schilz,Schiffler,Schiavi,Scheuer,Schemonia,Scheman,Schelb,Schaul,Schaufelberge,Scharer,Schardt,Scharbach,Schabacker,Scee,Scavone,Scarth,Scarfone,Scalese,Sayne,Sayed,Savitz,Satterlund,Sattazahn,Satow,Sastre,Sarr,Sarjeant,Sarff,Sardella,Santoya,Santoni,Santai,Sankowski,Sanft,Sandow,Sandoe,Sandhaus,Sandefer,Sampey,Samperi,Sammarco,Samia,Samek,Samay,Samaan,Salvadore,Saltness,Salsgiver,Saller,Salaz,Salano,Sakal,Saka,Saintlouis,Saile,Sahota,Saggese,Sagastume,Sagan,Sadri,Sadak,Sachez,Saalfrank,Saal,Saadeh,Ryu,Rynn,Ryley,Ryle,Rygg,Rybarczyk,Ruzich,Ruyter,Ruvo,Rupel,Ruopp,Rundlett,Runde,Rundall,Runck,Rukavina,Ruggiano,Rufi,Ruef,Rubright,Rubbo,Rowbottom,Route,Rotner,Rotman,Rothweiler,Rothlisberger,Rosseau,Rossean,Rossa,Roso,Rosiek,Roshia,Rosenkrans,Rosener,Rosencrantz,Rosencrans,Rosello,Roques,Rookstool,Rondo,Romasanta,Romack,Rokus,Rohweder,Rog,Roethler,Roediger,Rodwell,Rodrigus,Rodenbeck,Rodefer,Rodarmel,Rockman,Rockholt,Rockford,Rochow,Roches,Roblin,Roblez,Roble,Robers,Roat,Rizza,Rizvi,Rizk,Rixie,Riveiro,Rius,Ritschard,Ritrovato,Risi,Rishe,Rippon,Rinks,Rings,Ringley,Ringgenberg,Ringeisen,Rimando,Rilley,Rijos,Rieks,Rieken,Riechman,Riddley,Ricord,Rickabaugh,Richmeier,Richesin,Reyolds,Rexach,Revere,Requena,Reppucci,Reposa,Renzulli,Renter,Renault,Remondini,Relic,Reither,Reisig,Reifsnider,Reifer,Reibsome,Reibert,Rehor,Rehmann,Reedus,Redshaw,Redfox,Reczek,Recupero,Recor,Reckard,Recher,Rear,Realbuto,Razer,Rayman,Raycraft,Rayas,Rawle,Raviscioni,Ravetto,Ravenelle,Rauth,Raup,Rattliff,Rattley,Rathfon,Rataj,Rasnic,Rappleyea,Rapaport,Ransford,Rann,Rampersad,Ramis,Ramcharan,Rainha,Rainforth,Ragans,Ragains,Rafidi,Raffety,Raducha,Radsky,Radler,Radatz,Raczkowski,Rack,Rabenold,Quraishi,Quinerly,Quiet,Quercia,Quarnstrom,Qian,Pusser,Puppo,Pullan,Pulis,Pugel,Puccini,Puca,Pruna,Prowant,Provines,Pronk,Prinkleton,Prindall,Primas,Priesmeyer,Pridgett,Prevento,Preti,Presser,Presnall,Preseren,Presas,Presa,Prchal,Prattis,Pratillo,Praska,Prak,Powis,Powderly,Postlewait,Postle,Posch,Porteus,Portal,Porraz,Popwell,Popoff,Poplaski,Poniatoski,Pollina,Polle,Polhill,Poletti,Polaski,Pokorney,Poke,Pointdexter,Poinsette,Po,Ploszaj,Plitt,Pletz,Pletsch,Plemel,Pleitez,Playford,Plaxco,Platek,Plambeck,Plagens,Placido,Pisarski,Pinuelas,Pinnette,Pinick,Pinell,Pinciaro,Pinal,Pilz,Piltz,Pillion,Pilkinton,Pilar,Pikul,Piepenburg,Piening,Piehler,Piedrahita,Piechocki,Picknell,Picker,Pickelsimer,Pich,Picariello,Phoeuk,Phillipson,Philbert,Pherigo,Phelka,Peverini,Petronis,Petrina,Petrash,Petramale,Petraglia,Pery,Personius,Perrington,Perrill,Perpall,Perot,Perman,Peragine,Pentland,Pennycuff,Penninger,Pennie,Pennachio,Penhall,Pendexter,Pencil,Penalver,Pelzel,Pelter,Pelow,Pelo,Peli,Peinado,Pedley,Pecue,Pecore,Pechar,Peairs,Paynes,Payano,Pawelk,Pavlock,Pavlich,Pavich,Pavek,Pautler,Paulik,Patmore,Patella,Patee,Patalano,Passini,Passeri,Paskell,Parrigan,Parmar,Parayno,Paparelli,Pantuso,Pante,Panico,Panduro,Panagos,Pama,Palmo,Pallotta,Paling,Palamino,Pake,Pajtas,Pailthorpe,Pahler,Pagon,Paglinawan,Pagley,Paget,Paetz,Paet,Padley,Pacleb,Pacific,Pachelo,Pacer,Paccione,Pabey,Ozley,Ozimek,Ozawa,Owney,Outram,Oun,Ouillette,Oudekerk,Ouch,Ostrosky,Ostermiller,Ostermann,Osterloh,Osterfeld,Ossenfort,Osoria,Oshell,Orsino,Orscheln,Orrison,Ororke,Orf,Orellano,Orejuela,Ordoyne,Opsahl,Opland,Onofre,Onaga,Omahony,Olszowka,Olshan,Ollig,Oliff,Olien,Olexy,Oldridge,Oldfather,Older,Olalde,Okun,Okumoto,Oktavec,Okin,Oka,Ohme,Ohlemacher,Ohanesian,Odneal,Odgers,Oderkirk,Odden,Ocain,Obradovich,Oakey,Nussey,Nunziato,Nunoz,Nunnenkamp,Nuncio,Noviello,Novacek,Nothstine,Nostrand,Northum,Norsen,Norlander,Norkus,Norgaard,Norena,Nored,Nobrega,Niziolek,Ninnemann,Nievas,Nieratko,Nieng,Niedermeyer,Niedermaier,Nicolls,Niang,Newham,Newcome,Newberger,Nevills,Nevens,Nevel,Neumiller,Netti,Net,Nessler,Neria,Nemet,Nelon,Nellon,Neller,Neisen,Neilly,Neifer,Neid,Negro,Neering,Neehouse,Neef,Needler,Nebergall,Nealis,Naumoff,Naufzinger,Narum,Narro,Narramore,Naraine,Napps,Nansteel,Namisnak,Namanny,Nallie,Nakhle,Naito,Naccari,Nabb,Myracle,Myra,Myhand,Mwakitwile,Muzzy,Muscolino,Musco,Muscente,Muscat,Muscara,Musacchia,Musa,Murrish,Murfin,Muray,Munnelly,Munley,Munivez,Mundine,Mundahl,Munari,Mulling,Mullennex,Mullendore,Mulkhey,Mulinix,Mulders,Muhl,Muenchow,Muellner,Mudget,Mudger,Muckenfuss,Muchler,Mozena,Movius,Mouldin,Motola,Mosseri,Mossa,Moselle,Mory,Morsell,Morrish,Morles,Morie,Morguson,Moresco,Morck,Moppin,Moosman,Moons,Montuori,Montono,Montogomery,Montis,Monterio,Monter,Monsalve,Mongomery,Mongar,Mondello,Moncivais,Monard,Monagan,Molt,Mollenhauer,Moldrem,Moldonado,Molano,Mokler,Moisant,Moilanen,Mohrman,Mohamad,Moger,Mogel,Modine,Modin,Modic,Modha,Modena,Mlynek,Miya,Mittiga,Mittan,Mitcheltree,Miss,Misfeldt,Misener,Mirchandani,Miralles,Miotke,Miosky,Minty,Mintey,Mins,Minnie,Mince,Minassian,Minar,Mimis,Milon,Milloy,Millison,Milito,Milfort,Milbradt,Mikulich,Mikos,Miklas,Mihelcic,Migliorisi,Migliori,Miesch,Midura,Miclette,Michele,Michela,Micale,Mezey,Mews,Mewes,Mettert,Mesker,Mesich,Mesecher,Merthie,Mersman,Mersereau,Merrithew,Merriott,Merring,Merenda,Merchen,Mercardo,Merati,Mentzel,Mentis,Mentel,Menotti,Meno,Mengle,Mendolia,Mellick,Mellett,Melichar,Melhorn,Melendres,Melchiorre,Meitzler,Mehtani,Mehrtens,Megan,Meditz,Medeiras,Meckes,Me,Mcteer,Mctee,Mcparland,Mcniell,Mcnealey,Mcmanaway,Mcleon,Mclay,Mclavrin,Mcklveen,Mckinzey,Mcken,Mckeand,Mckale,Mcilwraith,Mcilroy,Mcgreal,Mcgougan,Mcgettigan,Mcgarey,Mcfeeters,Mcelhany,Mcdaris,Mccomis,Mccomber,Mccolm,Mccollins,Mccollin,Mccollam,Mccoach,Mcclory,Mcclennon,Mccathern,Mccarthey,Mccarson,Mccarrel,Mccargar,Mccandles,Mccamish,Mccally,Mccage,Mcbrearty,Mcaneny,Mcanallen,Mcalarney,Mcaferty,Mazzo,Mazy,Mazurowski,Mazique,Mayoras,Mayden,Maxberry,Mauller,Matusiak,Mattsen,Matthey,Matters,Matkins,Mathiasen,Mathe,Mateus,Mate,Matalka,Masullo,Massay,Mashak,Mascroft,Martinex,Martenson,Marsiglia,Marsella,Marseille,Maroudas,Marotte,Marner,Marlo,Markes,Marina,Maret,Mareno,Marean,Marcinkiewicz,Marchel,Marasigan,Manzueta,Manzanilla,Manternach,Manring,Manquero,Manoni,Manne,Mankowski,Manjarres,Mangen,Mangat,Mandonado,Mandia,Mancias,Manbeck,Mamros,Mam,Maltez,Mallia,Mallar,Malla,Mall,Malen,Malaspina,Malahan,Malagisi,Malachowski,Makowsky,Makinen,Makepeace,Majkowski,Majid,Majestic,Majercin,Maisey,Mainguy,Mailliard,Maignan,Mahlman,Maha,Magsamen,Magpusao,Magnano,Magley,Magedanz,Magarelli,Magaddino,Maenner,Madnick,Maddrey,Madaffari,Macnaughton,Macmullen,Macksey,Macknight,Macki,Macisaac,Maciejczyk,Maciag,Macho,Machenry,Machamer,Macguire,Macdougal,Macdaniel,Maccormack,Maccabe,Mabbott,Mabb,Lynott,Lyndon,Lym,Lydia,Lycan,Luy,Lutwin,Luscombe,Lusco,Lusardi,Luria,Lunetta,Lundsford,Lumas,Luisi,Luevanos,Lueckenhoff,Ludgate,Ludd,Lucherini,Lubbs,Lozado,Lovie,Lourens,Lounsberry,Loughrey,Loughary,Lotton,Losser,Loshbaugh,Loser,Loseke,Loscalzo,Los,Lortz,Loperena,Loots,Loosle,Looman,Longstaff,Longobardi,Longbottom,Lomay,Lomasney,Lohrmann,Lohmiller,Logalbo,Loetz,Loeffel,Lodwick,Lodrigue,Lockrem,Llera,Llarena,Liv,Littrel,Littmann,Lisser,Lippa,Lipner,Linnemann,Lingg,Lindemuth,Lindeen,Limbo,Lillig,Likins,Lights,Lieurance,Liesmann,Liesman,Liendo,Lickert,Lichliter,Leyvas,Leyrer,Lewy,Leubner,Letters,Lesslie,Lesnick,Lesmerises,Lerno,Lequire,Lepera,Lepard,Lenske,Leneau,Lempka,Lemmen,Lemm,Lemere,Leinhart,Leichner,Leicher,Leibman,Lehmberg,Leggins,Lebeda,Leavengood,Leanard,Lazaroff,Laventure,Lavant,Lauster,Laumea,Latigo,Lasota,Lashure,Lasecki,Lascurain,Lartigue,Larouche,Lappe,Laplaunt,Laplace,Lanum,Lansdell,Lanpher,Lanoie,Lankard,Laniado,Langowski,Langhorn,Langfield,Langfeldt,Landt,Landingham,Landerman,Landavazo,Lampo,Lampke,Lamper,Lamery,Lambey,Lamadrid,Lallemand,Laisure,Laigo,Laguer,Lagerman,Lageman,Lagares,Lacosse,Lachappelle,Labs,Laborn,Labonne,Kyung,Kuzia,Kutt,Kutil,Kus,Kurylo,Kurowski,Kuriger,Kupcho,Kulzer,Kulesa,Kules,Kuhs,Kuhne,Krutz,Krus,Krupka,Kronberg,Kromka,Kroese,Krizek,Krivanek,Krishna,Kringel,Kreiss,Kratofil,Krapp,Krakowsky,Kracke,Kozlow,Koy,Kowald,Kover,Kovaleski,Kothakota,Kosten,Koskinen,Kositzke,Korff,Korey,Korbar,Kor,Kopplin,Koplin,Koos,Konyn,Konczak,Komp,Komo,Kolber,Kolash,Kolakowski,Kohm,Kogen,Koestner,Koegler,Kodama,Kocik,Kochheiser,Kobler,Kobara,Knezevich,Kneifl,Knapchuck,Knabb,Klutz,Klugman,Klosner,Klingel,Klimesh,Klice,Kley,Kleppe,Klemke,Kleinmann,Kleinhans,Kleinberg,Kleffner,Kleckley,Klase,Kisto,Kissick,Kisselburg,Kirsten,Kirschman,Kirks,Kirkner,Kirkey,Kirchman,Kipling,Kinville,Kinnunen,Kingdom,Kimmey,Kimmerle,Kimbley,Kilty,Kilts,Killmeyer,Killilea,Killay,Kiest,Kierce,Kiepert,Kielman,Khalid,Kewal,Keszler,Kesson,Kesich,Kerwood,Kerksiek,Kerkhoff,Kerbo,Keranen,Keomuangtai,Kenter,Kennelley,Keniry,Kendzierski,Kempner,Kemmis,Kemerling,Kelsay,Kelchner,Kela,Keithly,Keipe,Kegg,Keer,Keahey,Kaywood,Kayes,Kawahara,Kasuboski,Kastendieck,Kassin,Kasprzyk,Karraker,Karnofski,Karman,Karger,Karge,Karella,Karbowski,Kapphahn,Kap,Kannel,Kamrath,Kaminer,Kamansky,Kalua,Kaltz,Kalpakoff,Kalkbrenner,Kaku,Kaib,Kaehler,Kackley,Kaber,Justo,Juris,Jurich,Jurgenson,Jurez,Junor,Juniel,Juncker,Jugo,Jubert,Jowell,Jovanovic,Josiah,Joosten,Joncas,Joma,Johnso,Johanns,Jodoin,Jockers,Joans,Jinwright,Jinenez,Jimeson,Jerrett,Jergens,Jerden,Jerdee,Jepperson,Jendras,Jeanfrancois,Jazwa,Jaussi,Jaster,Jarzombek,Jarencio,Janocha,Jakab,Jadlowiec,Jacobsma,Jach,Izaquirre,Iwaoka,Ivaska,Iturbe,Israelson,Ismael,Isles,Isachsen,Isaak,Irland,Inzerillo,Insogna,Ingegneri,Ingalsbe,Inciong,Inagaki,Idol,Icenogle,Hyon,Hyett,Hyers,Huyck,Hutti,Hutten,Hutnak,Hussar,Husky,Hurrle,Hurford,Hurde,Hupper,Hunkin,Hunkele,Hunke,Hun,Humann,Huhtasaari,Hugger,Hugel,Huge,Hufft,Huegel,Hrobsky,Hren,Hoyles,Howlin,Hovsepian,Hovenga,Hovatter,Houdek,Hotze,Hossler,Hossfeld,Hosseini,Horten,Hort,Horr,Horgen,Horen,Hoopii,Hoon,Hoogland,Hontz,Honnold,Homewood,Holway,Holtgrewe,Holtan,Holstrom,Holstege,Hollway,Hollingshed,Holling,Hollenback,Hollard,Holberton,Hoines,Hogeland,Hofstad,Hoetger,Hoen,Hoaglund,Hirota,Hintermeister,Hinnen,Hinders,Hinderer,Hinchee,Himelfarb,Himber,Hilzer,Hilling,Hillers,Hillegas,Hildinger,Hignight,Highman,Hierholzer,Heyde,Hettich,Hesketh,Herzfeld,Herzer,Hershenson,Hershberg,Hernando,Hermenegildo,Hereth,Hererra,Hereda,Herbin,Heraty,Herard,Hepa,Henschel,Henrichsen,Hennes,Henneberger,Heningburg,Henig,Hendron,Hendericks,Hemple,Hempe,Hemmingsen,Hemler,Helvie,Helmly,Helmbrecht,Heling,Helin,Helfrey,Helble,Helaire,Heizman,Heisser,Heiny,Heinbaugh,Heigh,Heidemann,Heidema,Heiberger,Hegel,Heerdt,Heeg,Heefner,Heckerman,Heckendorf,Heavin,Headman,Haynesworth,Haylock,Hayakawa,Hawksley,Hawking,Haverstick,Haut,Hausen,Hauke,Haubold,Hattan,Hattabaugh,Hasten,Hasstedt,Hashem,Haselhorst,Harrist,Harpst,Haroldsen,Harmison,Harkema,Hark,Harison,Hariri,Harcus,Harcum,Harcourt,Harcharik,Hanzel,Hanvey,Hantz,Hansche,Hansberger,Hannig,Hanken,Hanhardt,Hanf,Hanauer,Hamberlin,Halward,Halsall,Hals,Hallquist,Hallmon,Halk,Halbach,Halat,Hajdas,Hainsworth,Haik,Hahm,Hagger,Haggar,Hader,Hadel,Haddick,Hackmann,Haasch,Haaf,Guzzetta,Guzy,Gutterman,Gutmann,Gutkowski,Gustine,Gursky,Gurner,Gunsolley,Gumpert,Gumbel,Gulla,Guilmain,Guiliani,Guier,Guers,Guerero,Guerena,Guebara,Guadiana,Grunder,Grothoff,Grosland,Grosh,Groos,Grohs,Grohmann,Groepper,Grodi,Grizzaffi,Grissinger,Grippi,Grinde,Griffee,Grether,Greninger,Greigo,Gregorski,Greger,Grega,Greenberger,Graza,Grattan,Grasse,Gras,Grano,Gramby,Gradilla,Govin,Goutremout,Goulas,Gotay,Gosling,Gorey,Goren,Gordner,Goossen,Goon,Goodwater,Gonzaga,Gonyo,Gonska,Gongalves,Gomillion,Gombos,Golonka,Gollman,Goldtrap,Goldammer,Golas,Golab,Gola,Gogan,Goffman,Goeppinger,Godkin,Godette,Glore,Glomb,Glauner,Glassey,Glasner,Gividen,Giuffrida,Gishal,Giovanelli,Ginoza,Ginns,Gindlesperger,Gindhart,Gillem,Gilger,Giggey,Giebner,Gibbson,Giacomo,Giacolone,Giaccone,Giacchino,Ghere,Gherardini,Gherardi,Gfeller,Getts,Gerwitz,Gervin,Gerstle,Gerfin,Geremia,Gercak,General,Gener,Gencarelli,Gehron,Gehrmann,Geffers,Geery,Geater,Gawlik,Gaudino,Garsia,Garrahan,Garrabrant,Garofolo,Garigliano,Garfinkle,Garelick,Gardocki,Garafola,Gappa,Gantner,Ganther,Gangelhoff,Gamarra,Galstad,Gally,Gallik,Gallier,Galimba,Gali,Galassi,Gaige,Gadsby,Gabby,Gabbin,Gabak,Fyall,Furney,Funez,Fulwider,Fulson,Fukunaga,Fujikawa,Fugere,Fuertes,Fuda,Fryson,Frump,Frothingham,Froning,Froncillo,Frohling,Froberg,Froats,Fritchman,Frische,Friedrichsen,Friedmann,Fridge,Friddell,Frid,Fresch,Frentzel,Freno,Frelow,Freimuth,Freidel,Freehan,Freeby,Freeburn,Fredieu,Frederiksen,Fredeen,Frazell,Frayser,Fratzke,Frattini,Franze,Franich,Francescon,Francesco,Frames,Framer,Fraiser,Fragman,Frack,Foxe,Fowlston,Fosberg,Fortna,Fornataro,Forden,Foots,Foody,Fogt,Foglia,Fogerty,Fogelson,Flygare,Flowe,Florentine,Flinner,Flem,Flatten,Flath,Flater,Flahaven,Flad,Fjeld,Fitanides,Fistler,Fishbaugh,Firsching,Fireman,Finzel,Finical,Fingar,Filosa,Filicetti,Filby,Fierst,Fierra,Ficklen,Ficher,Fersner,Ferrufino,Ferrucci,Fero,Ferns,Ferlenda,Ferko,Fergerstrom,Ferge,Fenty,Fent,Fennimore,Fendt,Femat,Felux,Felman,Feldhaus,Feisthamel,Feijoo,Feiertag,Fehrman,Fehl,Feezell,Feeny,Feeback,Fedigan,Fedder,Fechner,Feary,Fayson,Faylor,Fauteux,Faustini,Faure,Fauci,Fauber,Fattig,Farruggio,Farrens,Fare,Faraci,Fantini,Fantin,Fanno,Fannings,Faniel,Fallaw,Falker,Falkenhagen,Fajen,Fahrner,Fabel,Fabacher,Eytcheson,Eyster,Exford,Exel,Exe,Evetts,Evenstad,Evanko,Euresti,Euber,Etcitty,Estler,Esther,Essner,Essinger,Esplain,Espenshade,Espanol,Espaillat,Escribano,Escorcia,Errington,Errett,Errera,Erlanger,Erenrich,Erekson,Erber,Entinger,Ensworth,Ensell,Enno,Ennen,Englin,Engblom,Engberson,Encinias,Enama,Emel,Elzie,Elsbree,Elmo,Elman,Elm,Ellebracht,Elkan,Elfstrom,Elerson,Eleazer,Eleam,Eldrige,Elcock,Einspahr,Eike,Eidschun,Eid,Eickman,Eichele,Eiche,Ehlke,Eguchi,Eggink,Edouard,Edgehill,Eckes,Eblin,Ebberts,Eavenson,Earvin,Eardley,Eagon,Eader,Dzubak,Dylla,Dyckman,Dwire,Dutrow,Dutile,Dusza,Dustman,Dusing,Duryee,Durupan,Durtschi,Durtsche,Durell,Dunny,Dunnegan,Dunken,Dun,Dumm,Dulak,Duker,Dukelow,Dufort,Dufilho,Duffee,Duett,Dueck,Dudzinski,Dudasik,Duckwall,Duchemin,Dubrow,Dubis,Dubicki,Duba,Drust,Druckman,Drinnen,Drewett,Drewel,Dreitzler,Dreckman,Drappo,Draffen,Drabant,Doyen,Dowding,Doub,Dorson,Dorschner,Dorrington,Dorney,Dormaier,Dorff,Dorcy,Donges,Donelly,Donel,Domangue,Dols,Dollahite,Dolese,Doldo,Doiley,Dohrman,Dohn,Doheny,Doceti,Dobry,Dobrinski,Dobey,Divincenzo,Dischinger,Dirusso,Dirocco,Dipiano,Diop,Dinitto,Dinehart,Dimsdale,Diminich,Dimalanta,Dillavou,Dilello,Difusco,Diffey,Diffenderfer,Diffee,Difelice,Difabio,Dietzman,Dieteman,Diepenbrock,Dieckmann,Dicey,Dicampli,Dibari,Diazdeleon,Diallo,Dewitz,Dewiel,Devoll,Devol,Devincent,Devier,Devendorf,Devalk,Detten,Detraglia,Dethomas,Deter,Detemple,Desler,Desharnais,Desanty,Derocco,Dermer,Derks,Derito,Derick,Derhammer,Deraney,Dequattro,Depass,Depadua,Deon,Denzel,Denyes,Denyer,Dentino,Denlinger,Deneal,Demory,Demopoulos,Demontigny,Demonte,Demeza,Delsol,Delrosso,Delpit,Delpapa,Delouise,Delone,Delo,Delmundo,Delmore,Delmar,Dellapaolera,Delfin,Delfierro,Deleonardis,Delenick,Delcarlo,Delcampo,Delcamp,Delawyer,Delaware,Delaroca,Delaluz,Delahunt,Delaguardia,Dekeyser,Dekay,Dejaeger,Dejackome,Dehay,Dehass,Degraffenried,Degenhart,Degan,Deever,Deedrick,Deckelbaum,Dechico,Decent,Dececco,Decasas,Debrock,Debona,Debeaumont,Debarros,Debaca,Dearmore,Deangelus,Dealmeida,Dawood,Davney,Daudt,Datri,Dasgupta,Darring,Darracott,Darius,Darcus,Daoud,Dansbury,Dannels,Danish,Danielski,Danehy,Dancey,Damour,Dambra,Daman,Dalcour,Daisey,Dahlheimer,Dagon,Dadisman,Dacunto,Dacamara,Dabe,Cyrulik,Cyphert,Cwik,Cussen,Curles,Curit,Curby,Curbo,Cunas,Cunard,Cunanan,Cumpton,Culcasi,Cui,Cucinotta,Cucco,Csubak,Cruthird,Crumwell,Crummitt,Crumedy,Crouthamel,Cronce,Cromack,Cristina,Crisafi,Crimin,Cresto,Crescenzo,Cremonese,Creedon,Credit,Crankshaw,Cozzens,Cove,Coval,Courtwright,Courcelle,Coupland,Counihan,Coullard,Cotrell,Cosgrave,Cornfield,Cornelio,Corish,Cordoua,Corbit,Coppersmith,Coonfield,Cools,Conville,Contrell,Contento,Conser,Conrod,Connole,Congrove,Conery,Condray,Colver,Coltman,Colflesh,Colcord,Colavito,Colar,Coile,Coggan,Coenen,Codling,Coda,Cockroft,Cockrel,Cockerill,Cocca,Coberley,Coaster,Clouden,Clos,Clive,Clish,Clint,Clinkscale,Clester,Clammer,City,Cittadino,Citrano,Ciresi,Cillis,Ciccarelli,Ciborowski,Ciarlo,Ciardullo,Chritton,Chopp,Choo,Chirco,Chilcoat,Chevarie,Cheslak,Chernak,Chay,Chatterjee,Chatten,Chatagnier,Chastin,Chappuis,Channing,Channey,Champlain,Chalupsky,Chalfin,Chaffer,Chadek,Chadderton,Cestone,Cestero,Cestari,Cerros,Cermeno,Centola,Cedrone,Cayouette,Cavan,Cavaliero,Casuse,Castricone,Castoreno,Casten,Castanada,Castagnola,Casstevens,Cassio,Cassi,Cassanova,Caspari,Casher,Cashatt,Casco,Casassa,Casad,Carville,Carvel,Cartland,Cartegena,Carsey,Carsen,Carrino,Carrilo,Carpinteyro,Carmley,Carlston,Carlsson,Carie,Cariddi,Caricofe,Carel,Cardy,Carducci,Carby,Carangelo,Capriotti,Capria,Caprario,Capelo,Canul,Cantua,Cantlow,Canny,Cangialosi,Canepa,Candland,Campolo,Campi,Camors,Camino,Camfield,Camelo,Camarero,Camaeho,Calvano,Callum,Calliste,Caldarella,Calcutt,Calcano,Caissie,Cager,Caccamo,Cabotage,Cabble,Byman,Buzby,Butkowski,Bussler,Busico,Bushy,Bushovisky,Busbin,Busard,Busalacchi,Burtman,Burrous,Burridge,Burrer,Burno,Burin,Burgette,Burdock,Burdier,Burckhard,Bunten,Bungay,Bundage,Bumby,Bultema,Bulinski,Bulan,Bukhari,Buganski,Buerkle,Buen,Buehl,Bue,Budzynski,Buckham,Bub,Bryk,Brydon,Bruyere,Brunsvold,Brunnett,Brunker,Brunfield,Brumble,Brue,Brozina,Brossman,Brosey,Brookens,Broersma,Brodrick,Brockmeier,Brockhouse,Brisky,Brinkly,Brine,Brincefield,Brighenti,Brigante,Brieno,Briede,Bridenbaugh,Bridegroom,Brickett,Bria,Breske,Brener,Brenchley,Breitkreutz,Breitbart,Breister,Breining,Breighner,Breidel,Brehon,Breheny,Breard,Brean,Breakell,Breach,Brazill,Braymiller,Braum,Brau,Brashaw,Bransom,Brandolino,Brancato,Branagan,Braff,Brading,Bracker,Brackenbury,Bracher,Braasch,Boylen,Boyda,Boyanton,Bowlus,Bowditch,Boutot,Bouthillette,Boursiquot,Bourjolly,Bouret,Bouquet,Boulerice,Bouer,Bouchillon,Bouchie,Bottin,Boteilho,Bosko,Bosack,Borys,Bors,Borla,Borjon,Borghi,Borah,Booty,Booten,Boore,Bonuz,Bonne,Bongers,Boneta,Bonawitz,Bonanni,Bomer,Bollen,Bollard,Bolla,Bolio,Boisseau,Boies,Boiani,Bohorquez,Boghossian,Boespflug,Boeser,Boehl,Boegel,Bodrick,Bodkins,Bodenstein,Bodell,Bockover,Bocci,Bobbs,Boals,Boahn,Boadway,Bluma,Bluett,Bloor,Blomker,Blevens,Blethen,Bleecker,Blayney,Blaske,Blasetti,Blancas,Blackner,Blackie,Bjorkquist,Bjerk,Bizub,Bisono,Bisges,Bisaillon,Birr,Birnie,Bires,Birdtail,Birdine,Bina,Billock,Billinger,Billig,Billet,Bigwood,Bigalk,Bielicki,Biddick,Biccum,Biafore,Bhagat,Beza,Beyah,Bex,Bevier,Bevell,Beute,Betzer,Betthauser,Bethay,Bethard,Beshaw,Bertholf,Bertels,Berridge,Bernot,Bernath,Bernabei,Berkson,Berkovitz,Berkich,Bergsten,Berget,Berezny,Berdin,Beougher,Benthin,Benhaim,Benenati,Benejan,Bemiss,Beloate,Bellucci,Bells,Bellotti,Belling,Bellido,Bellaire,Bellafiore,Bekins,Bekele,Beish,Behnken,Beerly,Beddo,Becket,Becke,Bebeau,Beauchaine,Beaucage,Beadling,Beacher,Bazar,Baysmore,Bayers,Baun,Baulch,Baucher,Batto,Baton,Bathe,Basora,Baruffi,Bartimus,Bartholemew,Barrickman,Barribeau,Barreda,Barrack,Baroody,Barness,Barn,Barmer,Barillari,Barias,Barginear,Barg,Barde,Barbone,Barbato,Barbarin,Baoloy,Bansal,Bangle,Banducci,Bandel,Bambeck,Balter,Ballif,Baller,Balladares,Balkus,Baldy,Baldivia,Balcerzak,Balazs,Baksh,Bakr,Bakemeier,Baisey,Bainer,Bailly,Bagge,Badua,Badini,Bachtell,Bachrodt,Bachorski,Bacak,Babula,Bable,Babjeck,Babecki,Azbell,Ayudan,Awai,Avita,Avino,Avellar,Auzat,Autman,Autio,Autery,Ausman,Ausland,Aulabaugh,Augle,Aughenbaugh,Augeri,Audi,Attleson,Attig,Attal,Ator,Asselmeier,Askland,Asiello,Asch,Arya,Artola,Arslanian,Arron,Arrezola,Arnesen,Arnau,Armster,Armintrout,Armento,Armato,Arkenberg,Ariaza,Arguin,Arenson,Areias,Archut,Archibold,Arave,Arand,Appelman,Appello,Antonson,Antoniewicz,Antill,Antigua,Annino,Anness,Anneler,Angustia,Angry,Angiolillo,Angelico,Andreula,Andreen,Andreassi,Andeson,Ander,Anda,Anania,Anadio,Amicone,Amenta,Alzaga,Alwardt,Aluarado,Altreche,Altic,Alsobrooks,Alpern,Almodova,Almas,Alltop,Alliston,Allio,Alipio,Alicandro,Alibozek,Alguire,Alff,Alcalde,Alborn,Albery,Alberry,Albany,Albani,Albanez,Alavi,Akkerman,Ahlheim,Agresti,Agnelli,Agilar,Agib,Aggas,Afton,Afonso,Adil,Adi,Adank,Adamsky,Acri,Accurso,Abruzzese,Abrew,Abeln,Abdullai,Abdulkarim,Abdelrahman,Abbenante,Abatiell,Abaloz,Zyskowski,Zwiefel,Zurmiller,Zupancic,Zuno,Zumsteg,Zumbrennen,Zumaya,Zullinger,Zuleger,Zozaya,Zourkos,Zorrilla,Zorko,Zolocsik,Zittel,Ziobro,Zimmerly,Zimmerli,Zillmer,Zigmond,Zierer,Zieber,Zide,Zevenbergen,Zephier,Zemel,Zelazo,Zeitlin,Zeiser,Zehring,Zeger,Zedian,Zearfoss,Zbranek,Zaya,Zatarain,Zasso,Zarn,Zarilla,Zari,Zapp,Zapf,Zanghi,Zange,Zamacona,Zalesky,Zalazar,Zaki,Zafar,Zade,Yusko,Yurman,Yurkovich,Yuhasz,Younge,Yiu,Yeasted,Yarrito,Yark,Yarboro,Yannuzzi,Yankovich,Yanagawa,Yago,Yaffe,Wyndham,Wyms,Wyand,Wuensch,Wryals,Wrubel,Worosz,Woolstenhulme,Wolpe,Wolner,Wolgamot,Wolfman,Wojtaszek,Woeppel,Woehr,Wodarski,Wizwer,Wittkop,Wisseman,Wisor,Wishum,Wischmann,Wisch,Wirkkala,Wion,Wintjen,Wintermute,Wintermantel,Winks,Winkey,Winham,Windschitl,Willow,Willitzer,Willier,Willets,Willenbrink,Willen,Willaimson,Wilfahrt,Wilenkin,Wilen,Wildeboer,Wilchek,Wigren,Wignall,Wiggington,Wierson,Wiegman,Wiegel,Widmayer,Wider,Widder,Wickey,Wickers,Wical,Whiton,Whitenton,Whiteleather,Whiston,Whirley,Whetham,Wheatly,Wetenkamp,Westenberger,Westenbarger,Westall,Werblow,Wengel,Welson,Welschmeyer,Wellmann,Wellbrock,Wela,Wekenborg,Weiter,Weisenstein,Wehmann,Weeda,Wede,Webley,Waver,Wauford,Waterworth,Watchorn,Wassinger,Wassell,Wasp,Wasiuta,Warnix,Warning,Warnes,Warmoth,Warling,Warila,Warga,Warburg,Wanzer,Want,Waner,Wanek,Walwyn,Walle,Walkner,Walin,Waletzko,Waler,Walenta,Wainer,Wailes,Wahr,Waddel,Wactor,Wachtler,Wachsman,Wachowski,Vulgamore,Vukelich,Vote,Vost,Voskamp,Vorwerk,Vongphakdy,Volpi,Volle,Volino,Voeks,Vodopich,Vittone,Virdin,Virag,Vinroe,Vinegar,Vindiola,Vilmont,Villerreal,Villaneva,Villalobas,Villada,Vilhauer,Vilchis,Vilches,Viggiani,Vig,Vieux,Viets,Vient,Vielle,Viejo,Vidovich,Vichi,Veys,Veverka,Verser,Veronesi,Vernoy,Vermont,Verhines,Verheyen,Veren,Vereb,Verano,Venuto,Ventry,Ventrone,Veltz,Velo,Velazguez,Veeser,Vassey,Vasque,Varin,Varaza,Varady,Vaquez,Vaquerano,Vansteenwyk,Vanschoick,Vanroekel,Vannorden,Vanlent,Vangrouw,Vangelder,Vanes,Vanelli,Vanderkar,Vanderbeek,Vandenburgh,Vandekieft,Vandekamp,Vancura,Vancooten,Vanconey,Vancampen,Vanaria,Valvano,Vallette,Vallero,Valiton,Valin,Valeri,Valek,Valdovino,Valdivieso,Vakas,Vagas,Vadala,Vaccarella,Vacanti,Urrabazo,Urguhart,Urda,Urbino,Urbas,Upmeyer,Umphlett,Ulerio,Uitz,Uchimura,Uccello,Tysdal,Ty,Tweedle,Turrubiates,Turrubiartes,Turri,Turnham,Turko,Turben,Tupin,Tumulty,Tuffey,Tuckey,Tuckett,Tucholski,Tubolino,Tubergen,Tsuboi,Tschumperlin,Tschoepe,Trynowski,Tryba,Truslow,Truog,Trumball,Trudelle,Trojillo,Trnka,Trizarry,Trigueiro,Trigleth,Tricomi,Tresselt,Trentacoste,Trendell,Trenary,Treml,Treleven,Treherne,Treasure,Trayer,Travino,Traugott,Trappey,Tranbarger,Tramontano,Tramell,Trainum,Traino,Traill,Trabucco,Townsell,Tourtillott,Touar,Toscani,Torrella,Torguson,Torda,Top,Toomes,Tonner,Tommasino,Tomaro,Tolve,Tolefree,Toguchi,Tofflemire,Tofanelli,Tody,Toce,Tobacco,Toan,Toalson,Tkacik,Tirone,Tipple,Tippery,Tinson,Tinnell,Timper,Timmers,Times,Timblin,Tilotta,Tillberg,Tijernia,Tigges,Tigar,Tielking,Thyng,Thonen,Thomley,Thombs,Thimmesch,Thier,Thevenin,Theodorov,Theodoropoulo,Tharnish,Tharaldson,Thackaberry,Tewari,Tetu,Tetter,Tersigni,Tepezano,Tennon,Tennent,Teichman,Teehan,Tayloe,Taus,Tatis,Tata,Tat,Tashima,Tarufelli,Tarlow,Tarkowski,Tarka,Targett,Taran,Tarabokija,Tappen,Tanzer,Tanous,Tanigawa,Taneja,Tammo,Tallerico,Tallada,Talk,Talhelm,Takehara,Takata,Tagliavia,Taffer,Tadman,Tacdol,Tacconi,Tables,Szewczak,Szeredy,Szanto,Sympson,Symmes,Syers,Sydney,Syas,Swinny,Swierk,Swendsen,Sweigard,Sweezey,Sweesy,Sween,Sweely,Sweed,Sweazy,Swauger,Swansbrough,Swango,Swanda,Swamp,Swallows,Swaggerty,Svatek,Survant,Surowka,Surina,Suozzi,Sunstrom,Sunford,Sundseth,Sundahl,Summerill,Sumida,Sumbler,Suma,Sulyma,Sulla,Sulieman,Suit,Sugiyama,Suell,Sudo,Suddreth,Sucher,Sturn,Sturkey,Studzinski,Studler,Stuckmeyer,Stryjewski,Stroy,Strotman,Strollo,Stroik,Stroede,Streeby,Stredny,Strazi,Stray,Strawderman,Straiton,Stower,Stoudmire,Stormont,Stopka,Stoneback,Stoldt,Stolarz,Stolarski,Stockmaster,Stobb,Stivason,Stirk,Stipp,Stipes,Stingel,Stike,Stiebel,Stidd,Steurer,Sterley,Sterle,Stepro,Stepovich,Stephson,Stenseth,Stenerson,Stello,Steinbrook,Steidley,Stehlin,Stegmaier,Stefanow,Steese,Steenhuis,Stavely,Stave,Stautz,Staunton,Stater,Stas,Startup,Startt,Startin,Starratt,Stargell,Starcevich,Stank,Stanis,Standing,Stancliff,Stanchfield,Stanbrough,Stakes,Stahmer,Staheli,Staebell,Stadtlander,Stadheim,Sroufe,Sroczynski,Srnsky,Sreaves,Srader,Squeo,Spuler,Sproat,Springmeyer,Sprengeler,Sport,Spolar,Spivack,Spinale,Spiegler,Spickerman,Spessard,Spenner,Speich,Spaziano,Sparaco,Spalter,Sowells,Sovich,Southmayd,Southgate,Sotto,Sotomayer,Sosaya,Sorvillo,Sorrel,Soos,Songco,Somerset,Somero,Soll,Soldan,Solarzano,Solana,Sokal,Soibelman,Soesbe,Sobotta,Sobina,Sobeck,Soard,Snorton,Snopek,Snoozy,Snethen,Smithhisler,Smee,Smaniotto,Slusarski,Slowe,Slotnick,Sleva,Sleighter,Slappey,Skyers,Skutt,Skorcz,Skoczylas,Skillicorn,Skiffington,Skibicki,Skerl,Skehan,Skalla,Siwinski,Sivley,Sittloh,Sitterly,Sith,Sit,Sise,Siroky,Sirles,Sirin,Sirignano,Siren,Sinsabaugh,Sinks,Sinisi,Sinibaldi,Singson,Sindlinger,Simpkin,Siminski,Simcoe,Siford,Siegert,Sidor,Sidhom,Siddique,Siddell,Sicotte,Sichting,Sicari,Sic,Siano,Shufflebarger,Shramek,Shortnacy,Sholler,Sholette,Sholders,Shogren,Shoenberger,Shoemate,Shoat,Shinoda,Shines,Shimshak,Shigley,Sheward,Shetrone,Shetlar,Sherretts,Sherod,Shenkle,Shely,Sheltra,Shelpman,Shellabarger,Shelite,Sheldrick,Shelburn,Sheinbein,Shebby,Shawley,Shatrau,Shartle,Sharifi,Shanker,Shami,Shamel,Shamburg,Shamas,Shallow,Shaffstall,Shadowens,Shackleton,Shaak,Seykora,Seyfert,Sevillano,Sevcik,Seubert,Seu,Setter,Sesler,Servatius,Serrant,Serramo,Serl,Serini,Serenil,Serapion,Sept,Sensibaugh,Sens,Senich,Sengbusch,Sendra,Senate,Semrau,Semrad,Sempertegui,Semons,Semke,Selma,Sellinger,Seliga,Sekel,Seilheimer,Seigfried,Seesholtz,Seefeld,Seecharran,Sedrakyan,Seavy,Search,Seamster,Seabold,Scyoc,Sculley,Scullawl,Scrogham,Scow,Scopa,Scontras,Sciulli,Sciola,Scifres,Schweyen,Schwering,Schwerdtfeger,Schweim,Schweikert,Schweder,Schwebel,Schwartzwalde,Schusterman,Schuhmann,Schuerman,Schuchman,Schrotenboer,Schreurs,Schoppert,Schopper,Schools,Schoneman,Scholfield,Schoeppner,Schoenleber,Schoeman,Schoel,Schnurbusch,Schnepel,Schnader,Schlarb,Schlappi,Schlangen,Schlaht,Schiraldi,Schinkel,Schimizzi,Schifo,Schiesher,Scheyer,Schettler,Scheppke,Schepper,Scheinost,Scheidel,Scheets,Schatzman,Scharwath,Scharp,Schaarschmidt,Schaack,Scarnato,Scarnati,Scaringi,Scarcia,Scarano,Sberna,Sawina,Sawer,Sawaya,Sawatzky,Savcedo,Sauser,Saumier,Sauchez,Sauceman,Sathre,Satawa,Sasala,Sartoris,Sare,Sarchet,Saracco,Santulli,Santory,Santorelli,Santopietro,Sansing,Sanseverino,Saniatan,Sangiacomo,Sanges,Sanfratello,Sanflippo,Sandona,Sandelin,Sandate,Samona,Sammis,Sambor,Samano,Salvitti,Salvietti,Salvi,Salum,Salsa,Salonek,Salm,Salles,Sall,Salera,Salemo,Salee,Salak,Sakihara,Sakasegawa,Sakaguchi,Sagastegui,Saeturn,Sadan,Sacayanan,Saborio,Sabeiha,Sabedra,Sabagh,Rzepecki,Rzasa,Ryser,Ryner,Rydman,Rycroft,Rybij,Ruyes,Ruttan,Russon,Rushe,Rusert,Rusell,Runnells,Rundstrom,Rumschlag,Rullman,Ruka,Ruiloba,Ruh,Ruggs,Ruffer,Ruest,Rueluas,Rueger,Ruediger,Rubinoff,Rubendall,Rozmus,Roxburgh,Rowls,Rousch,Rothove,Rotelli,Roszel,Roske,Roskam,Rosensteel,Rosendo,Roome,Rombough,Romash,Romanson,Romanello,Romance,Rolison,Rogol,Rogas,Roese,Roehrs,Roegner,Roeger,Rodrguez,Rodeman,Rodebaugh,Rockenbaugh,Rocconi,Robleto,Robateau,Roarty,Roaf,Rivenberg,Rivara,Rivali,Risse,Risby,Ripperger,Riopelle,Ringrose,Rinebarger,Rile,Riggen,Rigano,Riff,Rifenbark,Rieper,Rieffenberger,Riedmayer,Ridolfi,Ridderhoff,Rickon,Rickers,Rickels,Richoux,Richens,Ribao,Rhodarmer,Rheingans,Reznik,Reveron,Reus,Reph,Renko,Remme,Remlinger,Remke,Remily,Reitano,Reissig,Reisher,Reinitz,Reinholtz,Reines,Reigstad,Reigh,Reichelderfer,Rehnert,Rehagen,Redline,Rediger,Redhouse,Redepenning,Recla,Rechkemmer,Reando,Razavi,Rayson,Rayna,Rax,Raveling,Rauser,Rauschenberg,Raupach,Raum,Rauen,Ratulowski,Ratterree,Ratering,Rapin,Rannels,Rane,Randhawa,Ramus,Ramsfield,Rams,Ramroop,Ramano,Raj,Raina,Raikes,Ragonese,Rafaniello,Raetz,Raether,Raeside,Radwan,Radman,Rademaker,Radar,Racki,Rachlin,Rabena,Rabassa,Rabadan,Raad,Quoss,Quizon,Quito,Quintela,Quimet,Quilty,Quilimaco,Quidley,Quezaire,Quave,Quarto,Quaranto,Quandel,Qiu,Qazi,Pyrdum,Pyon,Pyeatt,Puzinski,Putnal,Punter,Pumphery,Pumper,Pump,Pummell,Pumarejo,Pulvermacher,Pultz,Pully,Pullens,Pulkrabek,Pulk,Pudlinski,Puccetti,Przygocki,Przybyszewski,Prusha,Prudente,Prucnal,Prottsman,Prosch,Prodoehl,Procell,Prinzivalli,Primes,Prey,Presnar,Presho,Prentis,Preisler,Preisel,Pratka,Pratcher,Prass,Pozzuoli,Powanda,Poundstone,Potters,Potra,Potestio,Potempa,Postlethwait,Posas,Portrum,Portland,Portilla,Portie,Popovitch,Popken,Ponzio,Pontremoli,Pontarelli,Pombo,Pomainville,Polycarpe,Pollart,Politowski,Politano,Poliquin,Polczynski,Pokoj,Poitevint,Poissonnier,Poeppel,Poellot,Poehlman,Poehlein,Podratz,Pociask,Plocher,Pline,Plessinger,Plautz,Platten,Plass,Plageman,Placko,Pizzola,Pizzella,Pittsenbarger,Pittner,Pitstick,Pitsch,Pitney,Pitaniello,Pistoresi,Pirc,Pinski,Pinera,Pincock,Pinckley,Pincince,Piliero,Pilat,Pigue,Pietschman,Pierpoint,Pierini,Picon,Picking,Picardi,Phlegm,Phippin,Phetteplace,Pharel,Pfundt,Pfluger,Pfeuffer,Pfefferle,Pezzulo,Pezzano,Peveler,Pettersson,Petsch,Petrusky,Petruska,Petrulis,Petrossian,Petroske,Petrini,Petitte,Petito,Petela,Petaccio,Pesto,Pestka,Pesta,Pessoa,Perun,Perrow,Perricone,Peros,Perney,Perlin,Perigo,Perella,Percle,Pepple,Penz,Penttila,Pensiero,Penigar,Penez,Pendrak,Penas,Pellowski,Pellow,Pellin,Pelissier,Pelini,Pekrul,Peevey,Pedraja,Pecher,Peasel,Payment,Pavolini,Paviolitis,Paulsell,Paulina,Paule,Patrum,Patrone,Patrie,Patras,Patera,Patek,Patane,Pastrano,Pastora,Passow,Passley,Passaretti,Passantino,Paske,Partible,Parsa,Parnes,Parliman,Parlato,Paravati,Paradowski,Papaleo,Papagni,Paoletta,Panzarino,Pannunzio,Panis,Pandit,Paluzzi,Palomin,Palomaki,Pallanes,Palla,Pall,Palino,Palfreyman,Palazzi,Palanza,Palagi,Painton,Pain,Pahulu,Paganico,Paeth,Padlo,Padillia,Paddy,Paddick,Paciolla,Pacholski,Paap,Paa,Owolabi,Overshown,Overocker,Overgaard,Ouchi,Ottoson,Ostrye,Osterland,Osland,Oslan,Osick,Osen,Osdoba,Osberg,Orzel,Ortmeier,Orren,Ormerod,Orio,Orgeron,Orengo,Orbaker,Opiela,Opdahl,Onks,Oltrogge,Olnick,Olivarres,Olide,Oleksy,Olaya,Okray,Okonek,Okinaka,Ojima,Ojala,Oinonen,Ohotto,Ohan,Ogwin,Ogborn,Oflaherty,Offill,Oetken,Oertle,Oehlert,Odems,Oconnel,Ocha,Ocarroll,Oby,Oblak,Oberst,Obermann,Obas,Oachs,Nydegger,Nybo,Nuuanu,Nutile,Nuse,Nuriddin,Nungesser,Nuber,Noy,Novinger,Nouri,Northan,Norseworthy,Norrod,Normington,Nori,Norenberg,Nordine,Nop,Noori,Noblet,Nives,Nist,Niskala,Nilan,Nikolai,Nigl,Nightengale,Nichole,Ni,Nhek,Ngvyen,Newville,Newsam,Newnham,Newmeyer,Newlan,Newbert,Neuschwander,Neusch,Neun,Nethken,Nethercutt,Nesser,Neske,Neman,Nelton,Nelles,Nekola,Neiling,Neeser,Neelly,Nedved,Neang,Navejar,Naveja,Nauarro,Natho,Nathe,Natcher,Naser,Nasby,Narlock,Nanton,Naillon,Naill,Naguin,Nagele,Naftzger,Naegle,Naegele,Naef,Nacke,Nabritt,Mynhier,Myart,Muzquiz,Mutty,Musolino,Mushero,Murtaugh,Murie,Muresan,Murdough,Mura,Munuz,Munstermann,Munsen,Munselle,Munise,Mungle,Munerlyn,Muncher,Mulrooney,Mullee,Mulaney,Mulanax,Muhlhauser,Muhlestein,Mugleston,Mugg,Mugford,Muckel,Mucerino,Mt,Mrotek,Mrnak,Mozdzierz,Moyler,Moury,Moulin,Moulding,Moul,Mottai,Mostyn,Mosimann,Mosholder,Mosburg,Morrisseau,Moron,Morice,Morgante,Moreta,Morcos,Morasco,Morante,Mooe,Montori,Montminy,Monteforte,Montante,Montanari,Monsees,Mondier,Monden,Monckton,Monce,Monarch,Monarca,Mompoint,Mollema,Molin,Molima,Molen,Molash,Moher,Mogle,Mogannam,Moel,Moehn,Modesitt,Mobilia,Moag,Miyagawa,Mivshek,Miu,Mittman,Mittleman,Mittelsteadt,Mittelstaedt,Mitsch,Mithell,Miscione,Mirbaha,Mirabelli,Mir,Minon,Minniti,Minnerly,Mingrone,Minervini,Minerd,Minarcin,Mimnaugh,Milord,Milnor,Milnik,Millers,Milkowski,Mikrot,Mikles,Miglorie,Mientka,Midthun,Middlesworth,Micklos,Mickler,Michetti,Michelli,Michelet,Micallef,Meyn,Meullion,Mette,Metoxen,Messore,Messano,Mesaros,Mertel,Merritts,Merrion,Merril,Mermis,Merlini,Merker,Meridith,Mergel,Merbaum,Mente,Mensi,Menninger,Mennen,Menlove,Menken,Menezes,Menette,Mendyk,Mendoca,Mendivel,Mendias,Menasco,Melloy,Mellema,Mellard,Melis,Meldahl,Melberg,Meirick,Meinel,Meiler,Meile,Meidl,Meerdink,Meer,Medus,Meduna,Medovich,Medine,Medico,Medici,Mcvaigh,Mctier,Mcquirk,Mcnight,Mcmurrey,Mcmurdo,Mcmorries,Mcmilleon,Mcmickell,Mcmicheal,Mcmeel,Mcleese,Mclee,Mclaws,Mclanahan,Mclaird,Mckusker,Mckibbens,Mckenley,Mckenize,Mckendall,Mckellop,Mckellip,Mckeirnan,Mcinvale,Mcguffee,Mcgrue,Mcgregory,Mcgrann,Mcgoey,Mcglinn,Mcgillicuddy,Mcgillen,Mcgeachy,Mcgarrell,Mcgannon,Mcgalliard,Mcfarlen,Mcevers,Mcerlean,Mcennis,Mcelvany,Mcelvaine,Mcdonal,Mcdavitt,Mccullick,Mccrone,Mccreadie,Mccoun,Mcconchie,Mcconaughy,Mcconahy,Mcconaghy,Mccomsey,Mccoggle,Mcclimans,Mccleod,Mccleaf,Mcclafferty,Mccatty,Mccarry,Mccance,Mccament,Mccaghren,Mcbreen,Mcardell,Mcabier,Mazell,Mayotte,Maybrier,Mavis,Mautone,Matuszek,Mattimoe,Mattey,Matterson,Matten,Matsushima,Matsubara,Matrone,Matras,Mato,Matier,Matheus,Massucci,Massoni,Massare,Maslin,Mashaw,Mase,Mascola,Masci,Marze,Marvray,Marusak,Martowski,Martiny,Martie,Martabano,Marsha,Marschel,Marsack,Marsac,Marohnic,Markve,Markis,Marking,Marken,Marioni,Marichalar,Margosian,Maretti,Mardesich,Marcussen,Marchessault,Marcey,Maraldo,Marafioti,Manzanero,Manwill,Manual,Manocchio,Manko,Manista,Manire,Manikowski,Manganiello,Manetta,Mandy,Mandino,Mandarino,Mancinelli,Manasse,Manary,Manalang,Malling,Mallahan,Maliska,Malet,Maleski,Maldonaldo,Malaterre,Malaney,Malagarie,Malabe,Maks,Makinster,Makar,Maita,Maiolo,Mahley,Magos,Mago,Magnotti,Magnant,Maglott,Maglori,Maenius,Madkin,Madarang,Madagan,Macrina,Macquarrie,Macphee,Macneal,Macmahon,Maclellan,Mackeen,Maciver,Machkovich,Machan,Macewen,Macera,Macer,Maceachern,Macdonell,Macaskill,Maaske,Lysaght,Lynum,Lynema,Lyas,Lutton,Luttman,Lutsky,Luthi,Lutfy,Lupoe,Lundrigan,Lunderville,Lukan,Luedeman,Ludke,Lucore,Lucksinger,Lucks,Luckner,Lucarell,Lubelski,Luarca,Luaces,Lozinski,Loynes,Lowis,Lovorn,Loverde,Lovasz,Loughery,Lotzer,Losito,Loschiavo,Lorsung,Lorquet,Lorkowski,Lorino,Lorey,Lorente,Loreman,Lopaz,Looft,Lonie,Longman,Longhofer,Longan,Lomascolo,Lomack,Lolagne,Lokaphone,Logins,Loggin,Lofredo,Loffler,Loescher,Loendorf,Locus,Lockyer,Lockheart,Lobendahn,Lobasso,Lob,Lizana,Livshits,Litzau,Litty,Litteer,Litsey,Litrenta,Litner,Liszewski,Lisman,Lisboa,Liquet,Liptok,Lineweaver,Lindenpitz,Lindel,Lime,Lillywhite,Life,Lievano,Lieblong,Liebler,Lidey,Libutti,Liborio,Libengood,Leyson,Leyland,Lewczyk,Lewark,Leviner,Levenstein,Leuenberger,Leszczynski,Lestage,Leske,Lerwick,Leray,Lepkowski,Leonor,Lenyard,Lenger,Lendon,Lemarie,Leman,Lelle,Leisner,Leisey,Leischner,Leimer,Leigers,Leiferman,Leibfried,Lehoullier,Lehnortt,Legget,Legato,Legath,Legassie,Legarreta,Leftridge,Leewright,Ledsome,Lecrone,Lecourt,Lecky,Lechman,Lebsack,Lebouf,Lebon,Leazer,Leavins,Leadbeater,Lawwill,Lawall,Lavorini,Laviero,Lavertue,Lavalais,Lautenbach,Lausier,Laurita,Lauriano,Laurange,Launey,Laughead,Laufenberg,Lauderman,Laubhan,Latunski,Latulas,Lastrape,Lastiri,Lason,Laskoski,Lasanta,Laroux,Larizza,Larive,Larish,Laquerre,Lappas,Lapilio,Lapadula,Lapa,Lanzi,Lanzafame,Lantier,Lanski,Laningham,Langon,Langdale,Landron,Landero,Landauer,Landacre,Lamport,Lamping,Lamott,Lamonda,Lammi,Lambiase,Laite,Lahaye,Laframboise,Lafone,Laferte,Laeger,Ladieu,Ladabouche,Lachat,Labonville,Labbee,Labatt,Laban,Kynaston,Kwaterski,Kuzniar,Kuthe,Kuter,Kutchar,Kurtin,Kuramoto,Kupstas,Kuperman,Kuns,Kullmann,Kuligowski,Kukielka,Kuehler,Kudrna,Kubie,Kubera,Kubas,Kuba,Kualii,Krysinski,Kryder,Kronberger,Kroft,Kroencke,Kristiansen,Krigger,Krieser,Kretschman,Krentz,Krenke,Kremers,Kreitner,Kreimer,Kray,Krawchuk,Kravs,Kranich,Krampitz,Kragh,Krager,Kozuch,Kozloski,Kozatek,Kozakiewicz,Kovalsky,Kovalcik,Kovack,Kotera,Kot,Koszyk,Kostel,Kosmicki,Koshy,Korona,Koroma,Korba,Koopmann,Konstantinidi,Kolodzik,Kolodzieski,Kolle,Kolkmann,Kolker,Kolda,Kokaly,Kofford,Koepper,Koeing,Koehnen,Kodish,Kodani,Kocur,Kocourek,Kobza,Koble,Koback,Knutzen,Knows,Knolton,Knoblauch,Knispel,Knieper,Knepshield,Klyce,Klunk,Kluka,Klostermann,Klosinski,Klish,Klint,Klinner,Klindt,Klimko,Klicker,Kleman,Kleinsorge,Kleinfelder,Kleier,Klas,Klaman,Kizzee,Kitto,Kitka,Kirtdoll,Kirscht,Kintzer,Kinstle,Kinning,Kinniburgh,Kinnett,Kinker,Kinkelaar,Kings,Kingham,Kingfisher,Kimmet,Killingbeck,Kilberg,Kikuchi,Kikkert,Kiesow,Kienitz,Kidner,Kida,Kid,Khuu,Khatak,Khaleck,Kezar,Keyton,Ketelhut,Kesley,Keshishyan,Kerzman,Kertesz,Kerslake,Kerscher,Kernes,Kerin,Ker,Kenimer,Kenfield,Kempe,Kemick,Kem,Keitsock,Keisker,Keery,Keblish,Kebalka,Kearny,Kearby,Kayler,Kavin,Kauer,Kattan,Katoa,Kassis,Kashuba,Kashan,Kartman,Karry,Karpel,Karo,Karnopp,Karmazyn,Karjala,Karcz,Karasti,Karagiannis,Kapoi,Kapanke,Kanz,Kaniewski,Kanemoto,Kaneholani,Kandt,Kampfer,Kammann,Kamler,Kamal,Kalvig,Kalmen,Kalmar,Kallstrom,Kallin,Kallbrier,Kakaviatos,Kakar,Kahahane,Kagel,Kabat,Kabanuck,Kaas,Jurczak,Jurasin,Juras,Junke,Junghans,Jungen,Jund,Juliusson,Juhnke,Juett,Jolla,Jokinen,Jokela,Joffe,Joecks,Jochumsen,Joa,Jeziorski,Jesseman,Jessamy,Jernejcic,Jergenson,Jerdon,Jensrud,Jellinek,Jedrey,Jedele,Jeannette,Jauron,Jatho,Jarrel,Januszewski,Janski,Janovsek,Janning,Janikowski,Jane,Jandres,Jamaica,Jalonen,Jainlett,Jahnsen,Jahde,Jagow,Jagielski,Jaffray,Jaecks,Jacquot,Jacoway,Jacocks,Iwami,Isadore,Irmeger,Irie,Iredale,Iqbal,Inscoe,Inklebarger,Ingemi,Immen,Imig,Imberg,Imamura,Illies,Ilacqua,Ijams,Iha,Iden,Ibraham,Ibey,Ialongo,Iafrate,Hyzer,Hyacinthe,Huyard,Huxman,Hutchkiss,Hutchingson,Husson,Hussman,Hurm,Hupka,Hunyadi,Hunstad,Humpert,Hummons,Hultz,Hulton,Hules,Huisenga,Huhta,Hugueley,Hughe,Huggler,Hufton,Huffstickler,Huddelston,Huba,Hrivnak,Hoysradt,Howorth,Howenstine,Hovda,Hourani,Houglum,Houch,Hotalen,Hosse,Horwich,Horvitz,Horoschak,Hornor,Hornbrook,Horita,Hoque,Hopman,Hoovler,Hoople,Hookfin,Honeysucker,Honeycut,Honerkamp,Homyak,Homa,Holzwart,Holzerland,Holyoke,Holtry,Holterman,Holohan,Hollinshed,Hollington,Hollenshead,Holey,Holderby,Holak,Hokkanen,Hohner,Hogsed,Hoglen,Hogen,Hogberg,Hofland,Hofius,Hoffis,Hofferber,Hoffarth,Hofacker,Hoekman,Hodor,Hochstetter,Hochnadel,Hobbins,Hoa,Hlavaty,Hittner,Hitson,Hirtz,Hirschi,Hinkes,Hinke,Hindley,Hince,Hilse,Hilke,Hilferty,Hildesheim,Hikes,Hignite,Higman,Hiemer,Hidden,Hickinbotham,Hewatt,Hetz,Hetsler,Hessian,Hershaw,Herra,Hernander,Herlocker,Hepper,Henseler,Henri,Hennick,Hennecke,Hendrikson,Henderlight,Hellstrom,Helderman,Heitland,Heistand,Heiskell,Heisinger,Heiserman,Heinritz,Heinly,Heinlen,Heimerdinger,Heimbigner,Heidbreder,Hegwer,Hedeen,Hebrank,Heberlein,Heaslet,Hearin,Hazle,Hazelbush,Hayzlett,Hayre,Haymans,Hayenga,Hayduk,Haward,Havner,Haushalter,Hauf,Hatke,Hatchel,Hassard,Haskovec,Hashmi,Harvest,Harvath,Hartill,Harteau,Harshfield,Harrigill,Harriet,Haros,Haroldson,Harmeson,Harl,Harkley,Hariston,Harington,Harian,Hargus,Hargens,Hardina,Haraldson,Harajly,Hapke,Hapeman,Hanz,Hanthorn,Hanry,Hannen,Hannasch,Hannam,Hanifan,Hanft,Handon,Handford,Hancher,Hancey,Hample,Hammrich,Hammerstrom,Hambric,Halwick,Halma,Hallgren,Hallet,Hallada,Halla,Halik,Halgas,Halcon,Halbrooks,Hakel,Hairfield,Hainesworth,Haggarty,Hagenhoff,Hagebusch,Hagadone,Haft,Haflett,Haefele,Haddow,Hackbart,Haberer,Haass,Gwinner,Gwathney,Gwartney,Gutterrez,Gutoski,Gutkin,Gutherie,Gutches,Gustus,Gustison,Gustaveson,Gurtner,Gurkin,Gummo,Gulliksen,Gulke,Guldin,Gulden,Guitierez,Guile,Guildford,Guidice,Gugerty,Guffy,Gueningsman,Gudgell,Guderjahn,Guastella,Guariglia,Guardia,Gryniuk,Grueser,Grudem,Growden,Grossett,Gropper,Gron,Grodin,Groch,Grismore,Gripper,Grinvalsky,Grima,Griffth,Griess,Greynolds,Gresh,Greminger,Gregoria,Greenwade,Greenlief,Greenier,Grayes,Gravell,Grassmyer,Grappe,Grantland,Grandin,Grandel,Grandbois,Granahan,Gramham,Graffeo,Graeter,Gradwell,Gradel,Grabo,Graban,Goy,Govoni,Governale,Govern,Gouty,Goughnour,Goude,Goubeaux,Goth,Gosline,Goslee,Goshen,Gosewisch,Gorzynski,Gortman,Gorter,Gordin,Gord,Goos,Goodwine,Goodrick,Goodley,Gombert,Goletz,Goldy,Goldthwaite,Goldthwait,Goldizen,Golar,Goist,Gofman,Goffer,Goerges,Goeltz,Goedicke,Goedecke,Godnick,Gocke,Goade,Gneiser,Gluth,Glovier,Glomski,Glodo,Gloden,Glenister,Glawson,Glasier,Gladysz,Gladstein,Gjertsen,Giudice,Gitto,Gittelman,Girvin,Girolamo,Gionfriddo,Gingell,Gimble,Gilhousen,Gilboy,Gilberti,Gigantino,Gietzen,Gieseking,Gianikas,Ghosn,Ghosh,Geyman,Gevara,Getsinger,Gessert,Gerrits,Gerrior,Geris,Gerhauser,Gerety,Genzone,Genuario,Gentles,Gentille,Genter,Genetti,Gelle,Gelfand,Gelabert,Gekas,Geck,Gearin,Gdovin,Gaydosh,Gawith,Gave,Gauntlett,Gaugler,Gaudy,Gaub,Gatten,Gathje,Gasperini,Gasner,Gasco,Gascho,Gasbarro,Garvis,Garra,Garnette,Garing,Garick,Gardunio,Gardon,Gardemal,Garde,Garczynski,Garant,Ganus,Gantnier,Ganis,Gangloff,Gangler,Ganer,Ganem,Gandolfo,Gampp,Gallihugh,Galletti,Gallenstein,Gallarello,Galla,Galka,Galayda,Galarneau,Galapon,Gaito,Gaglione,Gady,Gadsen,Gachupin,Gaboury,Futterman,Fusch,Furuta,Furth,Furber,Fune,Funai,Fuess,Frutchey,Frumkin,Fruhling,Frommer,Fromdahl,Froehner,Frizzle,Friends,Friederich,Freyre,Freilich,Fregia,Frediani,Frederico,Frater,Fraile,Foste,Fosselman,Fosnaugh,Fosburg,Fortis,Fortgang,Forstner,Forson,Forseth,Forkin,Forister,Forinash,Footer,Fontillas,Fontenelle,Fonesca,Folker,Fogerson,Fogelquist,Flye,Flummer,Floth,Floro,Florine,Flies,Flexer,Flessner,Flatness,Flank,Fland,Flahive,Flager,Fiveash,Fitzner,Fitzke,Fitcheard,Fisherman,Fishbeck,Fipps,Fiorino,Finster,Finken,Finigan,Fingal,Finer,Filsaime,Fillingim,Filipponi,Fila,Fies,Fiebelkorn,Fiducia,Fiallo,Fetherston,Fetherolf,Fesmire,Fesenmyer,Ferroni,Ferriss,Ferrini,Ferrick,Ferraris,Ferniza,Fernades,Ferdig,Ferandez,Feoli,Fenninger,Fenney,Femi,Fejes,Fehlman,Feger,Fede,Febo,Febbraio,Feasel,Feagley,Fayad,Favaloro,Fauerbach,Fauble,Fasheh,Farrant,Farra,Faro,Farinacci,Farfaglia,Farell,Farb,Farace,Fanjoy,Fangmann,Famulare,Falsetta,Fallows,Fallert,Falero,Faldyn,Falconi,Falce,Fait,Fairburn,Faiola,Faiella,Fahlsing,Faggett,Fafinski,Fadness,Fabros,Fabert,Everidge,Evaristo,Eustache,Etzkorn,Etier,Estabillo,Esquivias,Esquirel,Eslava,Eschete,Esau,Erway,Ertzbischoff,Eron,Erner,Ermitano,Ermitanio,Ermert,Erie,Erdley,Equihua,Enzor,Ensing,Enns,Engleking,Engelkes,Endlich,Endler,Emry,Emms,Emmerling,Emerich,Ellsbury,Ellie,Elizarraras,Eliot,Eliopoulos,Elery,Elek,Elderidge,Elbaum,Ekins,Ekin,Eisley,Eilderts,Eikleberry,Eigo,Eighmy,Eichel,Ehly,Egloff,Egland,Eggington,Eggenberger,Egar,Egans,Eftekhari,Efford,Eeds,Edvalson,Edin,Edgman,Edemann,Edelmann,Eddens,Eckl,Eckerle,Eckelman,Ebrahim,Eberth,Eberspacher,Ebbighausen,Ebaugh,Easly,Eash,Dzledzic,Dyett,Dyba,Dworaczyk,Duttry,Duthie,Duszynski,Duso,Dushaj,Dusett,Dus,Durman,Durkins,Durick,Duplechain,Dunnivan,Dunlow,Dunivan,Dumars,Dumaine,Duliba,Dulany,Duka,Duft,Dufrane,Duffek,Duellman,Ducking,Dubourg,Drzewiecki,Drugan,Drozdowski,Drozda,Dronet,Drilling,Driesenga,Dreyfuss,Drevs,Dreben,Draudt,Draleau,Dragos,Draghi,Doyer,Dowlin,Douma,Dotterweich,Dottavio,Doroff,Dornon,Dorland,Doop,Donndelinger,Donehoo,Donate,Donado,Dommer,Dominici,Domann,Dolio,Dolence,Doland,Dolak,Doersam,Doerrer,Doede,Dockham,Dobrich,Dobosz,Dobin,Dobbratz,Divlio,Divel,Ditzel,Disalvatore,Diotte,Dinnen,Dinkin,Dimler,Dimiceli,Dimeglio,Dimascio,Dimare,Diluca,Dilsaver,Dillen,Dilibero,Dile,Digioia,Difede,Diefenbach,Diedrick,Dickmann,Dickes,Dickason,Dicapua,Dicaprio,Dibrell,Dibley,Dibattista,Deyon,Devotie,Devoid,Deval,Detlefsen,Destro,Destiche,Desposito,Desola,Deshotels,Descombes,Deschepper,Desautel,Desano,Deroy,Derosset,Derosby,Deroeck,Derocher,Dergance,Deren,Deptula,Deprey,Depolis,Depner,Depetro,Denunzio,Densford,Dennington,Dene,Dender,Denbo,Demuro,Demoranville,Demling,Demerson,Demelis,Demeglio,Dembo,Demattia,Demarinis,Delprincipe,Deloria,Delnoce,Delmedico,Dellow,Delles,Dellavalle,Dellamora,Delguidice,Delgato,Delfs,Delcourt,Delcolle,Delbert,Delaportilla,Delahoz,Delacueva,Deisch,Deike,Degro,Degonia,Degollado,Degolier,Degirolamo,Degener,Degele,Degeest,Degeare,Defina,Defabio,Deeley,Decraene,Decou,Decorte,Declercq,Decinti,Dechambeau,Debutts,Debro,Deblieck,Deblasi,Debem,Deavila,Deases,Deangeles,Deahl,Daymude,Daven,Datil,Daros,Darnick,Darienzo,Dardy,Daponte,Dannhaus,Danneman,Danielle,Dani,Danger,Dangel,Danes,Danekas,Dandrow,Dambrose,Dalpe,Dalesandro,Daiton,Dainels,Daigh,Dahnke,Dahme,Dahling,Dagata,Dack,Czaplicki,Czachorowski,Cuttitta,Cutaia,Custance,Curless,Curie,Curi,Cupelli,Cumens,Cumbass,Cumba,Cullars,Cullar,Cukaj,Cubito,Cuascut,Crytzer,Crye,Cruzen,Cruser,Crunkleton,Crummett,Crumbliss,Cropley,Cronquist,Cronkite,Cronic,Crombie,Crockwell,Crnkovich,Critcher,Cristo,Cristales,Crisanti,Crier,Cretsinger,Crest,Creson,Crelia,Crecco,Craze,Craveiro,Cratch,Crapps,Cran,Craigmiles,Craiger,Craige,Crady,Cradic,Craddieth,Cowels,Coveney,Courcy,Coulbourne,Cotsis,Cotrone,Cotney,Cotilla,Costaneda,Costabile,Cossel,Cossa,Cos,Corte,Corsino,Corria,Cornog,Cornely,Corio,Corino,Corington,Coressel,Cordone,Corbisiero,Corbelli,Copps,Coovert,Coopwood,Cooner,Cookman,Conzales,Conver,Contratto,Conrady,Conradi,Connel,Conneely,Conmy,Comunale,Comber,Comans,Colvert,Columbo,Coluccio,Colp,Colop,Collini,College,Colestock,Colebank,Colasante,Colasacco,Colapietro,Cokeley,Coia,Cocuzza,Coalson,Co,Clowes,Cliche,Clevette,Cleven,Clerico,Clearwater,Civiello,Ciullo,Citro,Cirocco,Cioppa,Cilek,Cieszynski,Cieri,Cicerchia,Ciaschi,Ciani,Cianchetti,Chudy,Chuc,Chryst,Christodoulou,Christin,Chrisley,Chokshi,Chmela,Chkouri,Chiodini,Chio,Chimilio,Chilen,Chilek,Childrey,Chier,Chicas,Chiaro,Chiappone,Chiappinelli,Chiado,Chhom,Chesterfield,Chesteen,Cheshier,Cherrez,Cherep,Chene,Cheevers,Checkett,Cheaney,Chayka,Chawla,Chasin,Chasen,Charvat,Char,Chapoton,Chantos,Chantler,Chant,Chadez,Chad,Chaco,Chabez,Cerrito,Ceppetelli,Centanni,Celso,Cederberg,Cedar,Cecchetti,Cavel,Cavanah,Cavagna,Catus,Catton,Catterton,Catrambone,Catherwood,Catherman,Cataldi,Castellana,Castellan,Cassey,Casparis,Casilla,Cashdollar,Casaceli,Carvana,Carriedo,Carrecter,Carraher,Carrabine,Carpinelli,Carouthers,Carnovale,Carmany,Carles,Caretto,Careaga,Cardosa,Cardelli,Carbine,Carathers,Caraker,Caracci,Capuchin,Cappelletti,Capistran,Capdeville,Caparros,Canute,Cante,Canizares,Canel,Canclini,Cancino,Campus,Campise,Campen,Cammarano,Camilli,Camic,Camey,Calwell,Calvey,Calvary,Callo,Callinan,Callais,Calizo,Calixto,Calisto,Calip,Calibuso,Caira,Cahillane,Cahalane,Cahal,Caffery,Caffarelli,Cafarelli,Cadlett,Cacciatori,Cabebe,Byus,Byrnside,Byrer,Byone,Buza,Buttrum,Buttel,Butremovic,Butanda,Bustin,Bussen,Bushlen,Bushart,Burtchell,Burrel,Burnard,Burlett,Burkeen,Burce,Buote,Bunyan,Buntrock,Bunck,Bumpas,Bulleri,Buglione,Bugge,Bueter,Buerk,Buenger,Buehrle,Buechele,Budrow,Buddenhagen,Bucolo,Buchenau,Bucco,Buccino,Bubar,Bruzas,Brutsch,Bruschke,Brunot,Brungard,Brund,Bruender,Brucks,Bruchey,Brozowski,Brownd,Brothern,Broomhead,Bronw,Brom,Brog,Brodigan,Brockhaus,Brockel,Broadaway,Brletich,Briston,Brissett,Brines,Brillon,Brilliant,Brightbill,Brigges,Briel,Bresciani,Brents,Breitmeyer,Breithaupt,Breidenthal,Breden,Bredemeier,Breckinridge,Brecheisen,Brecheen,Breazeal,Bream,Brazzel,Brawdy,Brave,Brashers,Branz,Branyon,Brantz,Brannam,Brankovich,Brandle,Branchaud,Branca,Bramley,Bramante,Bramall,Brakeman,Bradby,Bozzo,Bozelle,Boyarski,Bowline,Bowey,Bowerize,Bowdon,Bowdler,Boutros,Bouten,Bourdier,Bouras,Boufford,Bottex,Bottemiller,Bothman,Botcher,Boshers,Borris,Bornemann,Bonus,Bonnot,Bonifant,Bongiardina,Bonenberger,Bonasera,Bollier,Bolar,Bokman,Bokanovich,Boissonnault,Boiles,Bohrn,Bohlke,Bogenschutz,Bogel,Bogda,Boevers,Boever,Boender,Boehringer,Boehne,Bodor,Bodda,Bodak,Bocker,Bockenkamp,Boche,Blyden,Bluto,Bludworth,Bloxsom,Blomstrom,Bloise,Bloebaum,Blier,Bleiweiss,Blegen,Bleacher,Blaum,Blasz,Blasingim,Blasengame,Blanda,Blagman,Blackstad,Blackham,Blache,Bixel,Bitters,Bissegger,Bisker,Bishoff,Bisard,Bis,Birtwell,Birley,Birkenmeier,Birkenholz,Birkeland,Birdsey,Birdo,Birdinground,Binner,Bilsborough,Billot,Billops,Billingham,Bigney,Bigg,Bienkowski,Bienek,Bielefeld,Bielec,Biddie,Bickell,Bichler,Bibo,Biava,Biagi,Biagas,Bhayani,Bez,Beyene,Beyda,Bevels,Bettner,Bettinson,Betson,Beto,Bessix,Bessire,Bertschy,Bertozzi,Bertoncini,Bertelson,Berteau,Berrong,Berrones,Berringer,Berrigan,Bernsen,Berlingeri,Berken,Berka,Berges,Bergdorf,Bergara,Bergant,Bergamini,Beren,Berdugo,Berdine,Berberian,Benvenuti,Benish,Benincase,Benek,Benedith,Bendas,Benak,Bena,Beltrame,Belsheim,Belotti,Bellrichard,Belleville,Beliles,Belgrade,Belcastro,Bekius,Bekhit,Beightol,Behel,Beetz,Bedson,Becze,Beckmeyer,Beckey,Beckers,Beckelhimer,Beccue,Beberwyk,Bebber,Beamesderfer,Beacom,Bazzle,Bazil,Baynham,Bayhonan,Bayas,Bawany,Bava,Baumgardt,Bauerkemper,Baudry,Baudino,Battko,Battisti,Batta,Bassano,Baskas,Baseler,Basanta,Bartucci,Bartron,Barthold,Bartamian,Barsalou,Barrineau,Barriger,Barreneche,Barkie,Barich,Bardes,Barbano,Baral,Baragar,Baque,Banther,Banome,Bannowsky,Banke,Baniaga,Bandley,Banahan,Banaag,Bamba,Baltzer,Balster,Balnis,Balkin,Bali,Balfe,Balerio,Balent,Baldyga,Baldor,Baldinger,Baldassano,Baldacci,Balanoff,Balado,Balaban,Balaam,Bakes,Bajwa,Baisch,Bahnsen,Bahls,Bahler,Bahamonde,Bagdasarian,Bagaoisan,Bafia,Baese,Badolato,Bado,Badder,Bacurin,Backers,Bachor,Babe,Babbit,Babauta,Baadsgaard,Azzara,Azebedo,Avril,Avello,Aveline,Authur,Ausby,Auricchio,Auna,Aukerman,Auckerman,Auck,Auble,Atterson,Attard,Aswegan,Aste,Asta,Assaf,Aspen,Asken,Asif,Asiedu,Ashner,Asel,Aschenbach,Arvay,Arvan,Artus,Artley,Arrollo,Aroyo,Aronov,Aromin,Arnsworth,Arnspiger,Arnn,Armant,Arington,Argubright,Arentz,Arcoraci,Arbuthnot,Arbo,Aquilina,Aquilera,Apt,Apsey,Appolonia,Apollo,Apana,Antista,Anshutz,Anon,Anno,Annala,Anklam,Angold,Angelone,Angeline,Angeletti,Andren,Andreadis,Andera,Andelman,Andel,Anctil,Anchors,Anacker,Ampy,Amons,Amirault,Amir,Amezaga,Ameigh,Alyea,Altvater,Altig,Altermatt,Alo,Almengor,Alme,Allvin,Allocco,Allegrini,Aliment,Algee,Alexanian,Aler,Aldo,Albero,Alarid,Akiona,Akemon,Ajello,Aitcheson,Ainley,Ailey,Ahluwalia,Ahlf,Ahlbrecht,Agundez,Agro,Agins,Aggarwal,Afalava,Adriano,Adomaitis,Adolphus,Adlam,Adie,Adey,Adduci,Addleman,Adamyan,Acothley,Acklen,Ackert,Ackerly,Acencio,Accosta,Abundiz,Abedi,Abbassi,Abbasi,Aanerud,Aakre,Aagaard,Zwickl,Zuver,Zurasky,Zumbo,Zumba,Zuckerwar,Zuccarelli,Zubris,Zoucha,Zorns,Zorc,Zitzow,Zitzloff,Zirkles,Zippe,Ziola,Zinz,Zinsmeister,Zincke,Zieschang,Zierdt,Zien,Ziemke,Zidek,Zickler,Zeuner,Zerba,Zera,Zenger,Zeltmann,Zelle,Zelinka,Zelek,Zele,Zeiner,Zeimet,Zeidler,Zecchini,Zebley,Zdanowicz,Zbell,Zaro,Zaremski,Zar,Zani,Zancanella,Zana,Zambarano,Zakar,Zadorozny,Zader,Zaccaro,Ysquierdo,Yoxall,Youst,Youngstrom,Youn,Youker,Yoss,Yoshina,Yonke,Yonemura,Yohannes,Yock,Yerhot,Yengo,Yehle,Yanofsky,Yaker,Yagues,Yach,Ya,Xue,Wyrosdick,Wygle,Wygand,Wurzer,Wurl,Wunderlin,Wunderle,Wuerth,Writer,Wrighten,Wrich,Wozny,Wozney,Wowk,Wouters,Wormington,Worf,Woolem,Woodrich,Wooderson,Wonder,Womeldorf,Wolz,Woltmann,Wolstenholme,Wollmuth,Wolle,Wolfard,Woldridge,Wojtanowski,Wojner,Woitowitz,Woehl,Wittenburg,Wittel,Witschi,Witaszek,Witaker,Wiszynski,Wiswall,Wiss,Wisher,Wisenbaker,Wires,Winsky,Winfough,Windler,Winckler,Wimes,Wiltberger,Wilm,Willrich,Willoby,Willimon,Willenborg,Wilda,Wilczewski,Wilcock,Wiggens,Wigboldy,Wiesler,Wies,Wienhoff,Wielgus,Wiebers,Wieber,Wickizer,Wichrowski,Wibbens,Whyard,Wholey,Whitsey,Whitlingum,Whitlach,Whirry,Wharry,Wharff,Whack,Weyman,Weyler,Wethje,Westveer,Westmorland,Westerhold,Wesselman,Wesloh,Wery,Wermers,Werlinger,Werksman,Wenzinger,Weninger,Wendeln,Wendelin,Wenck,Wember,Welters,Welland,Welchman,Welchel,Weitnauer,Weissler,Weinger,Weimann,Weigert,Weidert,Wehby,Wehbe,Weck,Wechter,Weaving,Weather,Weal,Weagle,Wdowiak,Wayns,Waycott,Waychoff,Waterfall,Watcher,Watahomigie,Wasowski,Wasner,Washko,Washing,Washell,Wartenberg,Warson,Warrenfeltz,Warp,Warmbrodt,Warhurst,Wardsworth,Wanzek,Wanta,Wansing,Wankel,Wangberg,Wanberg,Wamack,Waltzer,Walthers,Walterson,Walshe,Walrond,Wallschlaeger,Wallgren,Walema,Waldram,Waldhauser,Waldecker,Walby,Wakin,Wakabayashi,Wah,Wagy,Waggner,Wagenaar,Wage,Waffle,Wadzinski,Wademan,Wackerly,Wachs,Wable,Vredenburg,Vrana,Vrable,Voyer,Voto,Vosper,Vosberg,Vorhees,Voran,Vora,Vonstein,Vondoloski,Voltin,Volpicelli,Volland,Volentine,Volcko,Vojtko,Voice,Vogeler,Vizzini,Vizena,Vix,Vitko,Viste,Visor,Visco,Virock,Vinup,Vinion,Vincenzo,Villas,Villarta,Villari,Vilello,Vigne,Viener,Vielmas,Vielhauer,Viehman,Vidulich,Vidinha,Videen,Vickerson,Vicker,Vertz,Verry,Vermeesch,Verhulst,Verhoff,Verhagen,Verhaeghe,Vergo,Vergeer,Verdino,Venus,Ventrella,Ventola,Venter,Vennes,Venneri,Venditto,Velzy,Velilla,Velie,Velandia,Vecker,Vecellio,Vear,Vavricka,Vautrin,Vates,Vassall,Vasmadjides,Varty,Varriano,Varriale,Varrato,Varnedoe,Varillas,Vardaman,Varajas,Vaquero,Vanzyl,Vanvleet,Vanvleck,Vansoest,Vanskiver,Vanskike,Vanruler,Vanputten,Vanoy,Vanous,Vanoort,Vanliew,Vanlew,Vanhulle,Vanhoozier,Vanhofwegen,Vanhaitsma,Vanecek,Vandrunen,Vandixon,Vandivier,Vandiford,Vandezande,Vandewege,Vanderzanden,Vanderwerff,Vanderwerf,Vanderschel,Vandergiessen,Vandenberghe,Vandehei,Vandee,Vancheri,Vanbramer,Valsin,Valli,Valido,Valenzano,Vajda,Vaillencourt,Vacheresse,Va,Uzdygan,Uyetake,Usilton,Urueta,Ursprung,Ursiak,Urquilla,Urquidi,Urfer,Ureta,Urbancic,Ura,Upwall,Uptegrove,Uphaus,Upadhyaya,Unterburger,Unch,Unavailable,Unangst,Umphenour,Umbenhauer,Ulseth,Ulatowski,Ukosata,Uhyrek,Uhrmacher,Uhlich,Ueno,Uelmen,Udoh,Ude,Uchytil,Tzeng,Typhair,Twelves,Twehous,Tuxhorn,Turybury,Turro,Turne,Turnblom,Turkus,Turks,Turbin,Turbes,Tunick,Tumpkin,Tuholski,Tuggie,Tufnell,Tubertini,Tubaugh,Tsutsui,Tsuha,Tsuda,Tsinnie,Trupp,Trupiano,Trupia,Truner,Trundle,Trumm,Trullinger,Truell,Trucco,Trowers,Trover,Trosien,Tronnes,Trompeter,Tromp,Trolio,Troendle,Trobaugh,Triska,Trimarco,Trifiletti,Tridle,Tricoche,Tresvant,Trest,Tresler,Tresca,Tremont,Tremayne,Treinen,Treichler,Treglia,Treamer,Traxson,Traugh,Trasher,Trapasso,Trant,Trancoso,Traister,Trailor,Trageser,Traficante,Trac,Toya,Towson,Tovrea,Totherow,Tote,Tortorelli,Torri,Tornabene,Torigian,Torello,Toppa,Topor,Toothill,Toop,Tonsil,Tomsich,Tommie,Tomlison,Tolmich,Tollner,Tollefsrud,Toledano,Tolayo,Toenges,Toefield,Tock,Tobiasz,Tobery,Tobert,Toban,Toback,Tjarks,Tiznado,Titlow,Tishler,Tirabassi,Tippet,Tinkey,Timson,Timperman,Timmis,Timmermans,Timme,Timberman,Tikkanen,Tietze,Tierman,Tiberi,Thuringer,Thul,Thu,Thro,Thornwell,Thomlison,Thomlinson,Thomassen,Thimmes,Thilking,Thierman,Thielemann,Thiboutot,Thibideau,Theresa,Theard,Thavichith,Thaut,Tezak,Tetzloff,Teto,Tetlow,Tessler,Tesseyman,Teskey,Tes,Terzian,Terwillegar,Tervo,Terronez,Ternasky,Termini,Terboss,Teramoto,Tepley,Tenuta,Tenen,Tellio,Tellefson,Telecky,Tekell,Tefertiller,Teece,Tedesko,Tederous,Tebeau,Tear,Teahan,Tazewell,Tazelaar,Tavano,Tatsapaugh,Tatlock,Tataris,Tassinari,Tassie,Tarvis,Tarkey,Tarangelo,Tappa,Tanna,Tanikella,Tamblyn,Tamaro,Talyor,Tallas,Talayumptewa,Talaska,Taj,Tagliarini,Tagata,Taflinger,Taddonio,Tacderan,Tablang,Tabisula,Tabicas,Tabar,Szwed,Szumski,Szumigala,Szollosi,Szczesny,Sypniewski,Syon,Sylvan,Syal,Swor,Swoopes,Swoap,Swire,Swimmer,Swiler,Swida,Sweezer,Sweep,Sweeley,Swede,Swearengen,Sweadner,Swartzwelder,Swanhart,Sveen,Svay,Sutyak,Sutten,Sutler,Suski,Surprise,Supernault,Suozzo,Suns,Sunder,Sumney,Summarell,Sumera,Sulzbach,Sulfridge,Sukhram,Suk,Suitor,Sughroue,Sugahara,Sudlow,Sudan,Sudak,Subido,Style,Stweart,Sturz,Sturdy,Sturchio,Stulce,Stukenborg,Stuckemeyer,Stsauveur,Stroll,Strohmeier,Strissel,Strimple,Stremmel,Streczywilk,Strawhorn,Stratz,Stratos,Straton,Strassner,Strama,Strada,Stoss,Storti,Stomberg,Stolze,Stoliker,Stoler,Stolberg,Stolarik,Stohlton,Stofko,Stofflet,Stoff,Stoesser,Stoeber,Stodden,Stobierski,Stobbs,Stjohns,Stirrup,Stirman,Stinehelfer,Stimmell,Stimits,Stigger,Stiers,Stieff,Stidam,Stewarts,Stevinson,Stevey,Sterett,Ster,Steppello,Stepnoski,Stentzel,Stencil,Stencel,Stempien,Steketee,Steinbruckner,Steinborn,Steigman,Steiber,Stegent,Steffani,Steerman,Steenken,Steenhard,Steedman,Steckley,Stealey,Stayrook,Stavnes,Stauss,Stash,Stary,Stare,Stant,Stanfa,Standfield,Standberry,Standage,Stanco,Stanage,Stampe,Stamdifer,Stalworth,Stalma,Staires,Staines,Staine,Stahlberg,Stadden,Staberg,Stabel,Spurgers,Spruce,Sprinkel,Springman,Spriggle,Sporleder,Sporcic,Spontak,Sponholz,Spohr,Spittle,Spiry,Spiece,Spicuzza,Sperlich,Sperdute,Sperazza,Spelts,Speares,Speakes,Sparhawk,Spaniel,Spaar,Soyars,Soverns,Southam,Sour,Souphom,Soun,Soula,Sossamon,Sosh,Sosby,Sorsby,Soroka,Soricelli,Sorgi,Sorbera,Soplop,Soohoo,Sonoda,Sonny,Sonneborn,Somodi,Sommese,Solman,Sollie,Solla,Solina,Soliani,Soley,Solecki,Solages,Sohre,Soenksen,Sodeman,Sobiech,Soberanis,Snobeck,Snerling,Sneider,Snaza,Smolic,Smigel,Smigaj,Smiechowski,Smida,Smerkar,Smeby,Slothower,Slotemaker,Slodysko,Slivka,Slimmer,Slight,Slifko,Slayter,Slawski,Slauson,Slatten,Slain,Skultety,Skrip,Skowyra,Skorupa,Skordahl,Skomsky,Skoff,Sklenar,Skeldon,Skeesick,Skea,Skagen,Sjostrand,Sixtos,Sivyer,Siverson,Siverling,Sivan,Siva,Sitzler,Sither,Siskind,Siske,Siron,Siregar,Sirbaugh,Sirak,Siptak,Sinstack,Sins,Siniscalchi,Singlton,Sinden,Sinagra,Sina,Simpon,Simmoneau,Simler,Simkulet,Simi,Simeona,Simens,Silverstone,Silverness,Silsbee,Sillas,Sileo,Silbert,Sikula,Siglin,Sigley,Sigafus,Siew,Sietsma,Sierras,Siembida,Sieker,Siedlik,Sidur,Sidell,Siddoway,Sibille,Sibilia,Sibbald,Shusta,Shuskey,Shurts,Shryack,Shroll,Showell,Shove,Shoulars,Shortino,Shopp,Shmidt,Shiu,Shirar,Shinners,Shingles,Shinabery,Shimko,Shibles,Shertzer,Sherrin,Sherril,Shellhamer,Shellhaas,Sheldrup,Sheladia,Shehab,Sheff,Sheck,Shearman,Sheaff,Shauer,Shatswell,Shaske,Sharick,Shappard,Shallcross,Shala,Shaklee,Shakespear,Shafe,Shady,Shadwell,Shacklett,Seymor,Settlemire,Setting,Sether,Sesma,Sesareo,Seryak,Serven,Sers,Serbus,Serb,Seppi,Sephus,Sentinella,Sensel,Senf,Senato,Sempek,Semidey,Semasko,Selz,Seltz,Selmer,Selitto,Selim,Seiser,Seikel,Seigle,Seid,Segouia,Segner,Segerson,Segala,Sefcik,Seeholzer,Seegert,Sedita,Sedenko,Sedar,Secondo,Seckinger,Sebald,Seba,Seahorn,Seabright,Scotty,Scothorn,Scordato,Scoma,Scobie,Scipione,Sciara,Schwieterman,Schwendemann,Schwede,Schwartzbach,Schwarcz,Schwalen,Schutzman,Schunemann,Schulweis,Schul,Schuffert,Schuckers,Schrull,Schrubbe,Schreyer,Schreckhise,Schreader,Schoonhoven,Schoolman,Schol,Schoettmer,Schoepf,Schoenle,Schoenecker,Schobert,Schnyer,Schnoke,Schnipper,Schneiter,Schneekloth,Schnapp,Schmits,Schmelzle,Schmelz,Schmeisser,Schmeiser,Schmahl,Schlotzhauer,Schlott,Schlossberg,Schlipf,Schlicker,Schleuder,Schleimer,Schlauch,Schlau,Schlaefer,Schiesser,Schieler,Schied,Schie,Scheuvront,Scheumann,Scherz,Scheperle,Schenewerk,Schemm,Schellenger,Schaupp,Schauf,Schaudel,Schau,Schatzberg,Scharr,Schappert,Schapp,Schamel,Schallhorn,Schaefers,Schadt,Schadel,Schackow,Schabowski,Schabes,Schabert,Schab,Schaab,Scavotto,Scarver,Scarsella,Scarbro,Scampoli,Scammon,Scallon,Scalley,Scale,Scafuri,Scadden,Scacco,Sawchuk,Saviano,Saverchenko,Savelli,Savarino,Satsky,Satoe,Sarwinski,Sartorio,Sartorelli,Sarria,Saro,Sarna,Sarkin,Sarisky,Sario,Sarazin,Sara,Sapia,Santmyer,Santmier,Santillana,Santanna,Santacroce,Sansouci,Sannes,Sanez,Sandvig,Sandino,Sandella,Sanburg,Samy,Sammer,Samit,Salvucci,Salvey,Salvatori,Salvant,Salvage,Salts,Salton,Saltarelli,Salt,Salome,Sallade,Saletta,Salehi,Saleeby,Salameh,Salama,Salaiz,Salafia,Sakry,Sako,Sakash,Saitta,Sahu,Sahara,Saguil,Sagrera,Saglimben,Sagi,Saggio,Sagen,Safranek,Safko,Saeli,Sadar,Sacre,Saccardi,Saborido,Sabins,Sabet,Sabbah,Saale,Rynne,Rynders,Rylands,Rykowski,Ruzbasan,Ruwe,Rutiaga,Ruthledge,Rutecki,Rusu,Russler,Rurup,Ruozzo,Ruot,Runels,Rumphol,Rumpel,Rumpca,Rullo,Ruisi,Ruic,Ruhle,Ruffaner,Rufer,Ruetz,Ruesink,Ruehle,Ruedy,Ruden,Rubulcaba,Rua,Roya,Rowald,Rovner,Rouselle,Roura,Roulston,Rougeaux,Rotty,Rothery,Rotert,Rossler,Roskowinski,Rosiak,Rosh,Rosenstock,Roselius,Roscigno,Rosaro,Rosada,Roperto,Ropers,Rookwood,Rongo,Rondinelli,Ronda,Ronchetti,Romrell,Rollinger,Rola,Rokos,Rohwer,Rohrscheib,Rohlf,Rogal,Rogacion,Roeschley,Roers,Roemen,Roelofs,Roekle,Roehrich,Rodriguel,Rodges,Rodeen,Roddey,Roddam,Rocquemore,Rockers,Roccia,Robishaw,Robida,Robichau,Robertshaw,Roberton,Roberta,Roberg,Rob,Roary,Rizzuti,Rizal,Riveros,Rittenour,Risper,Rippin,Ripp,Riola,Riogas,Rinner,Ringus,Ringhand,Rinehardt,Rinderer,Rigotti,Righetti,Riggi,Riggans,Rigazio,Rigatti,Rifenburg,Rieu,Riehm,Riegler,Riech,Riebau,Ridgel,Ridens,Ridener,Riddel,Rickner,Richardt,Ricciardone,Rhynard,Rhyan,Rhoderick,Rho,Rheinschmidt,Rezak,Reusing,Rettkowski,Retterath,Retta,Reshid,Reppe,Repke,Reos,Reome,Rensen,Renschler,Renova,Renollet,Renison,Reninger,Rengers,Rengel,Renart,Rena,Relihan,Reisen,Reiniger,Reindel,Reil,Reier,Reh,Reggio,Regener,Reekers,Reeger,Redmann,Reddinger,Redcay,Reckling,Rebert,Reategui,Reagin,Reagen,Readnour,Razzano,Raynolds,Rayer,Raybould,Rawdon,Ravotta,Ravo,Ravitz,Ravert,Rathert,Raterman,Ratel,Raque,Rapko,Ransone,Ransburg,Rangnow,Randon,Rancifer,Ramotar,Ramones,Ramone,Ramire,Ramin,Rameres,Rakoski,Rajala,Raithel,Rainie,Rainge,Rainbow,Raigoza,Rahming,Ragazzo,Radomski,Radish,Radilla,Raden,Radde,Racano,Rabine,Rabil,Rabell,Rabasca,Quiterio,Quinzi,Quink,Quinci,Quilliams,Quiller,Quider,Quenneville,Quelch,Queeley,Quear,Quattro,Quastad,Quaglieri,Pyscher,Pust,Purtle,Purtill,Purdin,Puorto,Punja,Pullem,Pulfer,Puleio,Pujia,Puetz,Puehler,Puebla,Ptomey,Przewozman,Prysock,Pruter,Prunier,Pruess,Prudom,Pruchnik,Proveaux,Prophit,Promise,Procknow,Proby,Pro,Prive,Preziosi,Preza,Prem,Preite,Preisser,Pregler,Precella,Prazma,Prats,Prator,Prakash,Prahm,Prader,Pozniak,Poxon,Powledge,Pouge,Pott,Postlewaite,Posthumus,Posnick,Posley,Poskey,Porro,Poreda,Poppema,Popat,Pondexter,Ponciano,Pompilio,Pommer,Polosky,Pollom,Pollo,Pollica,Pollaro,Polizio,Polek,Polack,Polacek,Poirot,Poertner,Poduska,Pockrus,Pochintesta,Pluym,Pluhar,Pluck,Pliner,Pliml,Plese,Pleasent,Playle,Plasky,Plane,Plack,Pizani,Pitz,Pittari,Pitruzzello,Pistorius,Pistilli,Pisha,Piselli,Pisco,Piros,Pirone,Pirolli,Pirman,Pirkl,Pirie,Pique,Pintado,Pinkey,Pingrey,Pinger,Pinelo,Pilsner,Pilley,Pilgreen,Piles,Pila,Pignatello,Pietig,Pierrott,Pierron,Pierceall,Pieratt,Pienta,Piekos,Piechota,Picquet,Pickar,Picerno,Piceno,Phyfiher,Phorng,Phearsdorf,Pharmes,Phariss,Pfuhl,Pfenning,Pezzetti,Pevy,Petzoldt,Pettrey,Pettas,Petta,Petross,Petrochello,Petriello,Petrelli,Petch,Pestoni,Pestano,Pesick,Pesavento,Perzanowski,Perrien,Perrenoud,Perque,Peroff,Perlas,Perkerson,Perisho,Perich,Perfect,Peregrino,Peregoy,Perch,Pequeno,Penza,Pensis,Penquite,Peniston,Penister,Pendola,Pendergraph,Pelle,Pelczar,Pelch,Pela,Pehler,Pegoda,Peelle,Peeling,Pedroni,Pedlar,Pedder,Pecoraino,Peckman,Pechal,Pebsworth,Peasnall,Peasant,Pead,Peacemaker,Paytes,Paysen,Payn,Pavletic,Pavlat,Pavlas,Pavese,Paup,Paulis,Patrice,Patocka,Pat,Pastorino,Pascocello,Parthemer,Parreira,Parido,Paretti,Pardun,Parchment,Papstein,Papps,Papetti,Papakostas,Pantoni,Panik,Panfilov,Panfil,Pana,Pampusch,Pamperin,Palmitessa,Palmero,Pallett,Palilla,Palese,Palesano,Palange,Pagenkopf,Padon,Padmanabhan,Padinha,Packen,Pacitto,Pacchiana,Pabich,Oza,Oyabu,Overdorf,Ourada,Otukolo,Otterbine,Ottalagano,Oto,Other,Otano,Osting,Ostiguy,Osterholt,Osley,Oscarson,Osaile,Ortz,Ortolano,Ortea,Orte,Ortaga,Orszulak,Orser,Orihuela,Orejel,Ordorica,Ording,Ordal,Orbin,Oransky,Oppel,Onsgard,Ondrick,Olsin,Ollmann,Olives,Olavarria,Olano,Olafson,Okuno,Okuniewski,Okuhara,Okrent,Okoniewski,Okeke,Ohs,Ohotnicky,Ohno,Ohlund,Ohlendorf,Ohaire,Ogaz,Ogando,Offield,Odiorne,Oclair,Ockenfels,Ochocki,Ocamb,Ocallahan,Obleton,Oberly,Oberhelman,Oberbeck,Nylin,Nydick,Nwachukwu,Nutzmann,Nuque,Nunz,Nulle,Nuffer,Notti,Nothum,Nothnagel,Notah,Nossett,Nose,Nosbisch,Norrix,Norlien,Norkin,Nordon,Nordmeyer,Norat,Nooe,Nokleby,Nofziger,Noens,Nivison,Niu,Nittler,Nissalke,Nishikawa,Ninness,Nin,Nimon,Nifong,Niewieroski,Nietzer,Niemela,Nicolette,Nicoletta,Nico,Nickolas,Nickless,Nicklaw,Niccoli,Nibbs,Neyland,Newmark,Newey,Newbauer,Nevwirth,Neverman,Neuser,Neumaier,Neufville,Netzley,Netzel,Nettle,Neiswonger,Neiswender,Neilan,Neidhardt,Neesmith,Nebgen,Navia,Nate,Nasuti,Nasso,Nassimi,Nashe,Nases,Naro,Nardo,Narasimhan,Naqvi,Nanka,Naman,Nahrstedt,Nagura,Nagarajan,Nadile,Nabours,Nabers,Mysinger,Mynear,Muzzarelli,Muthig,Mustian,Muskus,Muskelly,Musi,Mushtaq,Musca,Murzynski,Murzyn,Murrillo,Murello,Murdy,Murakawa,Munsinger,Munnell,Munks,Munkberg,Mundorf,Mummey,Mullick,Mulkin,Mulhollen,Mulgrew,Mulderig,Mulac,Muehl,Muddiman,Muckerman,Muckenthaler,Much,Mucciolo,Mruczek,Mrazek,Mowat,Moure,Mould,Motts,Mosure,Mossor,Mossberg,Mosler,Mosha,Moscrip,Moschetti,Mosbarger,Morua,Morss,Morron,Morrall,Moroni,Morioka,Moricca,Morgensen,Morganson,Moreshead,Morely,Morch,Moras,Morar,Moranville,Moralas,Morak,Moradel,Moothart,Moonen,Monzingo,Montpetit,Montjoy,Monteagudo,Monoz,Mongrain,Mongon,Mondejar,Monas,Monachino,Momplaisir,Momin,Moment,Molpus,Molony,Molner,Molleda,Molinski,Molinelli,Molfetta,Molenda,Molchan,Mohseni,Mogg,Moerke,Moenius,Moehlman,Modugno,Modi,Modest,Moder,Moch,Moat,Miyamura,Mittlestadt,Mittelstedt,Mittelman,Mitschelen,Mitro,Mitchan,Misty,Missey,Misenhimer,Mirra,Mirjah,Mirante,Miosek,Minteer,Minrod,Minning,Minney,Minnema,Minium,Minihane,Minicucci,Minecci,Minchey,Milota,Millson,Milloway,Millonzi,Millier,Milley,Millam,Milillo,Milbrath,Mikowski,Mikola,Mikler,Mihelic,Mihaila,Miesen,Mierzejewski,Mickels,Michienzi,Michalke,Miazga,Mezydlo,Mezick,Meynard,Meylor,Mexicano,Metsker,Metrick,Meter,Mestad,Meske,Mertins,Merta,Mersinger,Merschman,Merna,Merila,Meridieth,Mergen,Merel,Menzella,Menze,Mentnech,Menson,Mensick,Mennig,Mendillo,Memos,Melroy,Melochick,Mells,Mellgren,Meline,Melich,Melena,Melchiori,Melching,Melahn,Meisler,Meinerding,Meilleur,Meidlinger,Mehner,Megrabyan,Megee,Meeuwsen,Medlar,Medick,Medema,Mechler,Mechanic,Meadowcroft,Mcpike,Mcpeake,Mcnell,Mcneary,Mcmutry,Mcmeekin,Mcmannus,Mcluen,Mclouth,Mclerran,Mcleoud,Mclagan,Mckone,Mckneely,Mckissic,Mckinnell,Mckillips,Mckibbon,Mckenty,Mckennan,Mckeeman,Mckasson,Mcinturf,Mcinerny,Mchan,Mcgurn,Mcguirl,Mcgue,Mcgrain,Mcgonnell,Mcglumphy,Mcglauflin,Mcginity,Mcgibboney,Mcgeough,Mcgauley,Mcgarvie,Mcfatter,Mcentegart,Mcenroe,Mcelmury,Mcelhinny,Mcdonnel,Mcdoniel,Mcdoe,Mcdermond,Mcdearmon,Mcdearman,Mcday,Mcdannald,Mcdaid,Mccurren,Mccrosky,Mccrane,Mccraig,Mccooey,Mccoo,Mccolpin,Mccolloch,Mcclucas,Mcclester,Mcclement,Mcclamroch,Mcclammy,Mcclallen,Mccarte,Mccaie,Mccaddon,Mcanelly,Mcalmond,Mcalary,Mazzini,Mazzarino,Mazzara,Mazzanti,Mazurk,Mazor,Mayerle,Mayenschein,Mayard,Mayans,Maxedon,Mavromatis,Mavins,Maves,Mausser,Maulsby,Matya,Matuke,Matto,Mattler,Mattiace,Matkowski,Mathern,Matero,Matchette,Matayoshi,Matar,Mastine,Massing,Massimo,Masseria,Massenberg,Massard,Masoud,Masotti,Maslak,Masey,Masella,Mascarena,Mascall,Marzella,Maryott,Marwick,Marugg,Martt,Martinis,Martian,Martha,Marstaller,Marsingill,Marsicek,Marotto,Market,Markegard,Marke,Marinella,Marien,Margison,Margheim,Margason,Margaris,Margaret,Marett,Marentes,Marcott,Marcon,Marchena,Marcellino,Mapston,Mantione,Mantanona,Mansouri,Manoi,Mankus,Mankins,Manin,Manikas,Mangieri,Manfredini,Mane,Mandt,Mandolini,Mandley,Mancina,Manas,Maltsberger,Maltais,Malmin,Mallis,Mallicoat,Malleck,Mallach,Malkowski,Malkani,Malito,Malensek,Malandra,Malander,Makos,Makanani,Maille,Mail,Maidens,Maid,Mahowald,Mahala,Mahajan,Magnotta,Maggiore,Magel,Maestos,Maerz,Maedche,Madise,Madi,Mades,Maddaloni,Madayag,Madaras,Macnair,Mackinlay,Mackesy,Machon,Machia,Machey,Machesky,Machacek,Maceyak,Macchio,Macbride,Mabray,Maasch,Lyseski,Lykken,Luzania,Luxenberg,Lutrell,Lupkes,Lupino,Lupardus,Lunnon,Lunghofer,Lundvall,Lundby,Lundborg,Lulow,Lukman,Lukin,Lukaszewski,Lukacs,Lugones,Luger,Lueder,Ludeke,Lucek,Lucchetti,Lucchese,Lozowski,Lozaro,Loyer,Lowthert,Lowdermilk,Lovitz,Lovinggood,Lovenduski,Loura,Loung,Lounder,Louks,Loughry,Loudermill,Lotta,Lostetter,Loskot,Losiewski,Lorman,Loren,Lorelli,Lorange,Lonsinger,Longinotti,Longhurst,Lomedico,Lola,Lohwasser,Lohn,Lohden,Lograsso,Logie,Loftman,Loften,Lofaso,Loewer,Loehrs,Locy,Loconte,Lockerman,Lockerby,Locken,Lobaton,Loatman,Lleras,Lizak,Livingood,Litwiler,Litvin,Littledave,Lites,Lisee,Lipszyc,Lippy,Lionello,Linsday,Linnear,Linklater,Lingbeck,Lindie,Lindenfelser,Lindenberger,Linarez,Limber,Lily,Lightning,Liffick,Lieto,Liestman,Liepins,Lieng,Liebross,Licciardi,Licavoli,Libbee,Lhuillier,Lhommedieu,Leyra,Lewman,Levreault,Levitre,Levings,Levick,Levecke,Levanger,Leval,Leva,Leuthold,Leuenthal,Letze,Letterlough,Leski,Lerwill,Lertora,Leppla,Leopoldo,Leonides,Leonardis,Lenoue,Lenoch,Lengerich,Lemont,Lemmert,Lemery,Lemaitre,Lella,Leko,Leithauser,Leisher,Leise,Leisch,Leiendecker,Leiber,Leialoha,Lehtomaki,Lehigh,Leggs,Legate,Leflar,Lefeber,Leezer,Ledden,Lecleir,Lechliter,Lebrane,Lebarron,Leason,Leapheart,Leadman,Lazarte,Lawin,Lavole,Lavesque,Laverdure,Lautner,Lauthern,Laurila,Laurendeau,Launderville,Laumeyer,Latina,Laszlo,Lassan,Larzelere,Larzazs,Larubbio,Larriuz,Larew,Laremont,Laredo,Lardizabal,Larance,Lappa,Lapolla,Lapatra,Lapaglia,Lantieri,Lannan,Lann,Langwith,Langolf,Langloss,Langlo,Langholz,Langhart,Langfitt,Langendorf,Langenbach,Langbehn,Lanehart,Landoni,Landherr,Landberg,Landazuri,Lancey,Lamus,Lamunyon,Lampitt,Lampiasi,Lammon,Lamme,Lamirand,Lambes,Lamarta,Lamarra,Lalim,Lalande,Laky,Laitila,Laidler,Laich,Lahue,Lahtinen,Lagrasse,Lagrand,Lagle,Lagerstrom,Lagerberg,Laferney,Lacson,Lachenauer,Lablue,Labean,Lab,Kuzara,Kuza,Kuy,Kutchera,Kustra,Kurtyka,Kurschner,Kurka,Kunstlinger,Kunka,Kunicki,Kunda,Kulling,Kulla,Kulbida,Kuker,Kujath,Kujala,Kuhta,Kuhner,Kuhle,Kufalk,Kuennen,Kuen,Kudley,Kucharik,Kuca,Kubic,Kryst,Krysh,Krumenauer,Kruczek,Kroschel,Kronk,Kroells,Krivak,Kristoff,Kristin,Kreuziger,Kreitz,Kreisberg,Kreiman,Kreighbaum,Kreh,Kreck,Kraszewski,Krason,Krammes,Krake,Kozusko,Kozola,Kozikowski,Kozielski,Kowis,Kowalske,Kottman,Kottler,Kottenstette,Kostelnick,Kosmowski,Koska,Kosinar,Kosik,Kosanovic,Kosanke,Kortge,Korsak,Kornbau,Kordas,Korby,Korbel,Kopperman,Koppenhaver,Kopischke,Koper,Kopelman,Kopel,Kopas,Kooser,Koors,Koor,Koone,Koogle,Konzen,Konieczka,Kondracki,Kondos,Komatsu,Kolo,Kolarik,Kolacki,Kokesh,Kohrt,Kohrs,Kogel,Kofron,Kofman,Koewler,Koetting,Koes,Koellner,Koellmann,Koczela,Kocon,Knoth,Knollman,Knoebel,Knknown,Knittle,Kniphfer,Knightly,Kniffin,Knaphus,Knaak,Kloth,Klonoski,Kloke,Kloer,Klinetob,Kliger,Klich,Kleyman,Klepchick,Klemish,Kleen,Klebe,Klakowicz,Klaft,Kithcart,Kister,Kisker,Kishel,Kishbaugh,Kirt,Kirouac,Kirley,Kirklen,Kirkegaard,Kirchen,Kipka,Kipfer,Kinsinger,Kiniry,Kinikini,Kingma,Kinderknecht,Kinahan,Kimmes,Kimak,Killiany,Killelea,Kilkus,Kilfoyle,Kiflezghie,Kiffer,Kiesewetter,Kienow,Kieler,Kiebler,Kicks,Kicker,Kibel,Kibe,Kibbee,Kiang,Khounthavong,Khatri,Khamsyuorauon,Kham,Keye,Keup,Keto,Ketch,Kess,Kerth,Kero,Kernell,Kerkvliet,Keomany,Keomanivong,Kennemur,Kennel,Kenndey,Kendi,Kempter,Kempinski,Kemna,Kellan,Keliikoa,Keledjian,Keithan,Keisel,Keib,Kehs,Kedley,Keay,Kearin,Kawulok,Kawai,Kawaa,Kava,Kaunisto,Kaumo,Kauahi,Kattner,Katra,Kastel,Kastein,Kassulke,Kassman,Kassing,Kashani,Kasch,Karty,Karstetter,Karrenberg,Karper,Karow,Karmo,Karhoff,Kardell,Kardas,Karapetian,Kapper,Kappen,Kapichok,Kanis,Kaneakua,Kanaris,Kamuda,Kamirez,Kamat,Kaloudis,Kallberg,Kallaher,Kalkwarf,Kalkman,Kalk,Kalisek,Kalehuawehe,Kalchik,Kalbfleisch,Kalberer,Kalal,Kala,Kakimoto,Kaing,Kaigle,Kahill,Kahanaoi,Kaemmerling,Kadri,Kadle,Kading,Kadi,Kadar,Kachmar,Kachiroubas,Kachelmeyer,Kaase,Juve,Juul,Justinger,Jungwirth,Jungman,Jungck,Julander,Juenemann,Jubie,Joun,Joswick,Jossund,Joss,Jory,Jonnson,Jongsma,Joliet,Johngrass,Jocoy,Jing,Jimerez,Jimbo,Jeudy,Jerowski,Jernstrom,Jernstad,Jernberg,Jeoffroy,Jentry,Jennie,Jeng,Jenaye,Jemerson,Jeltema,Jeanpaul,Jeanmard,Jax,Javery,Jaudon,Jasperse,Jasmer,Jarred,Jarrar,Jargas,Jardot,Jardell,Jaquay,Jappa,Janower,Jankoski,Janise,Jandrey,Jandl,Jakubiak,Jakobson,Jakobsen,Jahncke,Jagers,Jacobitz,Jackon,Izard,Ivel,Itzkowitz,Itani,Issacs,Isome,Isle,Islar,Isidro,Isidoro,Isch,Irvan,Irizary,Irene,Ipson,Ip,Ioele,Interiano,Insalaco,Iniestra,Ingargiola,Impson,Illiano,Iller,Illa,Ilardi,Iida,Ihrke,Igneri,Igbal,Igartua,Iffland,Idell,Iberra,Iba,Ianacone,Hysong,Hyrkas,Huzzard,Huttle,Husselbee,Husseini,Hupe,Hunzeker,Hunnicut,Humprey,Humbird,Humason,Hugle,Hufana,Huestis,Huesing,Huell,Hudy,Hudley,Hudas,Hudalla,Hudack,Huckfeldt,Hubka,Hubenthal,Huante,Hsing,Hromek,Hritz,Hrdlicka,Howzell,Howles,Howat,Hovarter,Houy,Housler,Houska,Houseal,Houlberg,Hostert,Hosman,Hoscheid,Horvers,Hortin,Hornish,Hornbeak,Hornaday,Hoppman,Hopfer,Hoot,Honts,Honsberger,Hons,Honnen,Honberger,Honahnie,Homma,Homesley,Holyoak,Holweger,Holubar,Holtzer,Holtrop,Holtberg,Holpp,Holmquest,Hollinghead,Holje,Holgerson,Holabaugh,Hoitt,Hofford,Hoffmaster,Hoffine,Hoffelt,Hoes,Hoellwarth,Hoegh,Hoegerl,Hoeger,Hodrick,Hodgkiss,Hodek,Hockey,Hobday,Hlavacek,Hlad,Hitzeman,Hitzel,Hitsman,Hissong,Hissam,Hiscock,Hirz,Hirshberg,Hipkins,Hinsch,Hinken,Hinckle,Hinchliff,Himmons,Himmelwright,Himmelspach,Himebaugh,Hilst,Hilmes,Hillsgrove,Hillestad,Hillesland,Hillegass,Hilfiger,Hilado,Highshaw,Highers,Higginbothan,Higbie,Hieronymus,Hidy,Hickory,Hickernell,Hibma,Hibbets,Heximer,Hewgley,Heutmaker,Heuschkel,Heupel,Heumann,Heuman,Hetzer,Hetherman,Hesterman,Hespe,Hertweck,Herson,Herry,Herrboldt,Herms,Hermosilla,Herl,Herbolsheimer,Herbel,Hera,Heptinstall,Heppler,Heppell,Henslin,Henschen,Hennington,Hennagir,Henkhaus,Henken,Henggeler,Hempfling,Hemmerling,Hemish,Hema,Helveston,Helsey,Helscher,Helo,Heline,Helfin,Helder,Heitner,Heiple,Heinzelman,Heinricher,Heines,Heimsness,Heiler,Heidelburg,Heiberg,Hegner,Hegler,Hefferman,Heffelbower,Heebner,Hediger,Hedding,Heckbert,Hearnsberger,Heaivilin,Heagle,Heafner,Hazelrig,Hayth,Hayoz,Haydu,Haybarger,Haya,Havers,Haverfield,Hauze,Haugabrook,Haub,Hathcoat,Hasychak,Hassin,Hassey,Hasenberg,Hasek,Harvat,Haruta,Hartvigsen,Hartong,Hartke,Harre,Harradon,Harnisch,Harmond,Harmening,Harlem,Harkrader,Harklerode,Hargitt,Hardon,Hardgrave,Hardester,Harbeson,Harben,Hanrath,Handville,Handcock,Hamza,Hamson,Hamming,Hamic,Hambley,Halphen,Halpain,Halmes,Hallaway,Hallauer,Half,Haldiman,Halbur,Hakkila,Hakimian,Haimes,Hahs,Hagmann,Hagglund,Hagert,Hagee,Hafeman,Haeber,Haddan,Hada,Hackner,Hackel,Hacher,Habisch,Haarstad,Haare,Haaker,Gyger,Guzowski,Guzi,Guzalak,Guyon,Guyll,Gutzmer,Guttirez,Gutt,Gutierrex,Gutierre,Gut,Gustis,Gushwa,Gurke,Gurevich,Gunyan,Gumz,Guisbert,Guire,Guintanilla,Guimaraes,Guillereault,Guidos,Guidera,Guffin,Guererro,Guenthner,Guedes,Guareno,Guardian,Grussing,Gruska,Grudzien,Growcock,Grossenbacher,Grosjean,Groshans,Grondahl,Grollimund,Groeneveld,Groenendyk,Grinnan,Grindell,Grindeland,Grimaud,Grigorov,Griffard,Grierson,Grich,Gribbins,Gribbin,Grever,Gretter,Grennon,Grenfell,Gremer,Greising,Greenhoward,Gravitz,Gravis,Gravino,Graubard,Grates,Granstrom,Grannell,Grandt,Granat,Grambling,Gramajo,Gralak,Graise,Grafe,Grade,Grad,Gracy,Goyco,Goyal,Govindeisami,Govert,Govero,Gouras,Goulbourne,Goularte,Gouker,Gotwalt,Gottshall,Gottsch,Gorum,Gordo,Gordils,Gorbet,Goonan,Goombi,Gooley,Goolesby,Goodlet,Goodland,Gomaz,Golt,Golombek,Golom,Golojuch,Golightley,Goldyn,Goldkamp,Goldfine,Goldermann,Goffinet,Goetter,Goethals,Goerdt,Goehl,Goedken,Goede,Goedde,Goeckel,Godshall,Godleski,Godino,Godine,Godden,Godar,Gockley,Gockel,Gochnour,Gobler,Goard,Gniewek,Gnerre,Gluszek,Glunt,Glotzbach,Glory,Glista,Glisan,Glende,Glee,Gleave,Glaus,Glau,Glassing,Gladhill,Gizzo,Giulian,Gittins,Girven,Girt,Girling,Girardot,Gipp,Giovannini,Gionet,Gins,Ginolfi,Gimar,Gilvin,Gilliom,Gilling,Gillece,Gilio,Gildow,Gilberg,Gieser,Gierisch,Gielow,Gieck,Gica,Gibboney,Giarraputo,Gianopoulos,Giannecchini,Giambruno,Ghrist,Ghiloni,Geving,Getto,Gessford,Gesner,Gesick,Gerstenkorn,Gersbach,Geroge,Gerleman,Gerl,Gerkin,Gerding,Gerchak,Georgiades,Geoffroy,Gentes,Genre,Genous,Genge,Geney,Gendusa,Gendel,Gemma,Gembler,Gemaehlich,Geldmacher,Gehris,Geffrard,Geffken,Geans,Gavel,Gavaldon,Gaughran,Gaud,Gaucin,Gauch,Gattuso,Gatliff,Gather,Gastonguay,Gassen,Gasior,Garzia,Gartz,Gartley,Garski,Garramone,Garoner,Garone,Garnow,Garley,Garibai,Garguilo,Garfunkel,Gardley,Gardecki,Garcilazo,Garbarini,Garan,Garafalo,Gani,Gandert,Gampong,Gamons,Gamma,Gambone,Gambler,Galves,Galo,Galm,Galluccio,Gallinari,Gallentine,Gallamore,Galeotti,Galella,Gajica,Gaisford,Gaietto,Gahlman,Gahl,Gaglia,Gaffke,Gaetz,Gadwah,Gabaree,Gaar,Fust,Furutani,Furner,Furnace,Furgison,Furgeson,Fundis,Fullem,Fullagar,Fujisawa,Fugit,Fugh,Fuemmeler,Fuelling,Fude,Frusci,Frosch,Frontera,Fronek,Fritzman,Fristoe,Frishkorn,Frilling,Frigge,Friels,Friehe,Friedline,Fridlington,Frezzo,Frezza,Fresta,Freise,Freiman,Freidhof,Freiberger,Freetage,Freet,Freemyer,Fredin,Fredenberg,Frayne,Fraughton,Franzel,Frankie,Frankenstein,Frankenberg,Francher,Franch,Francesconi,Franc,Fraize,Fragmin,Frabott,Foxman,Fouty,Fournet,Foulcard,Fouhy,Fougere,Fotopoulos,Forsmark,Fornell,Form,Forline,Forguson,Fontus,Fontanella,Folkner,Fok,Foggie,Fogelman,Flumerfelt,Fluegge,Fluegel,Fluck,Floe,Flocco,Flitsch,Flirt,Flinders,Fletchen,Flechsig,Flebbe,Flathers,Flatau,Flamer,Flaharty,Fladger,Fitten,Fitchpatrick,Fissori,Fissel,Fischler,Fioritto,Fiori,Fiorentini,Fiorella,Finnemore,Finkelson,Fingleton,Fingerhut,Finazzo,Filmer,Fillip,Fillingham,Filipek,Filan,Figurski,Figueron,Figueiras,Figley,Fiedor,Ficker,Fickas,Fevig,Feutz,Fetner,Fertal,Ferraiolo,Fernsler,Fernet,Fernatt,Fergusen,Ferg,Feraco,Fenny,Fengler,Felsted,Fellner,Fellin,Fellenz,Felkner,Felkel,Feliu,Feleppa,Felderman,Felde,Feigel,Feickert,Feibusch,Fedorek,Fedora,Federgreen,Fedalen,Feck,Febre,Fearnow,Feagler,Favorito,Faville,Favalora,Fauls,Faudree,Fasulo,Fassino,Farson,Farlin,Faretra,Farenbaugh,Farella,Faraone,Faragoza,Fanucchi,Fantroy,Fanny,Fangman,Famiglietti,Faltus,Faltin,Falt,Falley,Falldorf,Falick,Fala,Fahrney,Faggs,Fafard,Faes,Fadely,Fadel,Facchine,Fabionar,Ezagui,Evoy,Evilsizer,Evick,Eversoll,Eversman,Everley,Evelo,Euvrard,Eun,Etkin,Ethen,Estrela,Esteb,Estain,Estacion,Esquerra,Esposto,Espert,Eskra,Eskin,Eskenazi,Eshom,Eshenbrenner,Esera,Escobio,Eschief,Eschenbrenner,Erschen,Erlewine,Erdner,Erck,Erceg,Erbach,Epolito,Ephriam,Enwright,Enwall,Entrikin,Entress,Entler,Enstad,Engwall,Engroff,Englemann,Engelson,Enderlin,Enamorado,Emme,Emlay,Emke,Emerton,Embertson,Elworthy,Elwick,Elward,Eloy,Ellyson,Ellstrom,Ellingboe,Elliam,Elifritz,Elgart,Elerick,Eitzen,Eismann,Eisentrout,Eischeid,Eirich,Eikner,Eickhorst,Ehrler,Ehrle,Eglinton,Egerer,Egelhoff,Edmunson,Ecord,Eckrich,Eckland,Echevaria,Ebersold,Eberenz,Ebener,Ebadi,Ealand,Eaks,Eagleston,Eaglen,Eagin,Dyals,Dwelley,Duy,Duva,Dutter,Dutko,Duster,Duskin,Dusel,Durrenberger,Durke,Durian,Dupay,Duntley,Dunsford,Dundee,Dulemba,Dugi,Dufficy,Duensing,Dueno,Dueitt,Duclo,Dubrock,Dubitsky,Drumgo,Drozdowicz,Dromgoole,Drobot,Drivas,Drinkwine,Drewing,Dressman,Dreessen,Drainville,Dragna,Draffin,Dowgiallo,Dovey,Dougher,Dottin,Dossous,Dossie,Dose,Doronio,Dorning,Dorko,Dorion,Dorinirl,Doring,Doorn,Donohoo,Donnally,Donkin,Donez,Donerson,Dondlinger,Donchez,Donaway,Donatien,Donath,Dommel,Domine,Domin,Domiano,Domhoff,Domek,Doller,Dolinsky,Dolberry,Doker,Doil,Doidge,Dohman,Doeden,Dodridge,Dodgson,Dobkowski,Dobie,Dobes,Dobert,Diwan,Ditomasso,Distaffen,Distad,Dispenza,Disorbo,Diskind,Diserens,Discipio,Dirico,Dire,Dirago,Diprima,Dinwoodie,Dinn,Dinkens,Dinius,Dingeldein,Dimon,Dimitt,Dimitriadis,Dilliard,Dilick,Dilauro,Dilallo,Dilalla,Dihel,Digilio,Difonzo,Difeo,Dietze,Dietl,Diesi,Diesel,Dieppa,Dienes,Diemert,Diegel,Dieffenbacher,Diec,Dickhoff,Dickensheets,Dibonaventura,Dibblee,Dibartolo,Dibacco,Dhondt,Dewer,Develbiss,Devazier,Devara,Deuser,Deur,Deuell,Detzel,Dettling,Detro,Destine,Destefanis,Desorcy,Desomma,Deslandes,Desisto,Desiga,Deshler,Deshaw,Desgroseillie,Desaulniers,Derwitsch,Derrig,Derouchie,Dermady,Derider,Derfus,Derbes,Depperschmidt,Depoyster,Depaula,Dense,Dennin,Deniro,Denio,Dengel,Deneen,Dempsy,Demmy,Demmert,Demichelis,Demedeiros,Dembroski,Dembitzer,Demarse,Demaranville,Demagistris,Deluz,Delson,Delrossi,Delrie,Delossanto,Delos,Delmolino,Dellis,Dellarocco,Dellano,Della,Delisser,Delille,Deleston,Delerme,Deleone,Delehanty,Delbalso,Delavina,Delauter,Delashmit,Dekalb,Deguire,Degross,Degroote,Degrasse,Degrange,Degrace,Degasperis,Deffibaugh,Defaber,Decrosta,Decristoforo,Dechert,Decelle,Decapua,Decapite,Decandia,Debuse,Debruler,Deblauw,Debella,Debeer,Dayrit,Davidian,Davick,Davich,Davia,Daversa,Davern,Davault,Dautrich,Dausch,Dathe,Dastrup,Dassow,Darras,Darnold,Darks,Dargis,Dargatz,Darbouze,Dannenfelser,Dannard,Dampf,Dalzen,Dalphonse,Dalluge,Dalhover,Daivs,Dainack,Daher,Dagle,Daghita,Dagdag,Dafonseca,Daffern,Daehler,Dadson,Czuba,Czlapinski,Czarnik,Czap,Cynova,Cwiklinski,Cuzco,Cutno,Curt,Curbow,Cunninghan,Cunis,Cuningham,Cunico,Culmer,Cuhel,Cuestas,Cuebas,Cuchares,Cubr,Csizmadia,Crumpacker,Cruell,Crousore,Crosten,Crosman,Crooked,Cromuel,Cromey,Crockarell,Croan,Crissler,Crispen,Crismon,Crise,Criscillis,Crippin,Crilly,Cresta,Cregar,Cragun,Coye,Cowing,Cower,Coverstone,Coverdell,Couty,Coutant,Courtnage,Courteau,Couper,Countee,Coultas,Coughran,Cottew,Cotler,Cotelesse,Costen,Cossin,Coskrey,Cosen,Cosden,Corvera,Cortis,Corsello,Corrion,Corrigeux,Correiro,Coro,Cornetta,Corneil,Corlee,Corin,Corgan,Corfman,Corell,Cordovi,Cordia,Cordas,Corcino,Corchero,Coral,Coppolino,Coppernoll,Coppens,Coote,Cooperstein,Cooperrider,Conterras,Consolazio,Cons,Connin,Connerley,Conkin,Congress,Concienne,Conaghan,Comrey,Cominsky,Comella,Comee,Come,Combe,Coln,Collums,Collamore,Colicchio,Colee,Colding,Colder,Colbenson,Colagiovanni,Cokely,Coin,Codde,Cobrin,Coak,Cluxton,Cluesman,Clouston,Closser,Clopp,Cliatt,Clendennen,Clearman,Clattenburg,Clarks,Clapsaddle,Cius,Cira,Ciolli,Cinotti,Cimko,Cima,Cienega,Cicatello,Cicale,Ciarlante,Cianfrini,Cianciulli,Churley,Churches,Chuong,Chukes,Christou,Christescu,Christe,Chrismon,Chrisler,Choun,Chobot,Chisem,Chiong,Chimera,Chila,Chicca,Chiarito,Chhun,Chhum,Chhim,Chestang,Chesler,Cherubin,Chernosky,Cherebin,Chepiga,Chellis,Chell,Cheda,Checca,Cheater,Cheatem,Chaulk,Chaudhuri,Chauca,Chatcho,Chartraw,Charping,Charnley,Charm,Charlson,Charbonneaux,Charan,Chapp,Chango,Chanez,Chancer,Chamnanphony,Chalepah,Chaiken,Chaddlesone,Chaconas,Chabaud,Cestia,Cessor,Cervetti,Cerveny,Cerise,Cerecer,Cerasoli,Cera,Centini,Cenci,Cembura,Celli,Cederstrom,Cdebaca,Cayo,Cawthron,Caviggia,Cavers,Caveney,Causley,Caughlin,Cathie,Catan,Catala,Castrogiovann,Castleton,Castilo,Castillio,Castellaw,Castellari,Castejon,Caspersen,Casivant,Cashio,Cascioli,Casciano,Casamento,Casadei,Carwin,Carvin,Carucci,Cartin,Cartez,Carston,Carrio,Carriaga,Carretino,Carotenuto,Carosiello,Carolfi,Carnathan,Carnalla,Carnagey,Carlill,Carinio,Cariker,Caride,Care,Cardero,Cardenal,Carasquillo,Carabez,Capwell,Capurro,Capulong,Cappucci,Cappetta,Cappa,Capouch,Caporali,Caponigro,Capilla,Capata,Capan,Canzoneri,Cantine,Cantarano,Cannellos,Cannard,Cannada,Canlas,Cangey,Canaan,Campoy,Campany,Campainha,Cambi,Camba,Camastro,Camano,Calrk,Callin,Callari,Calicutt,Calemine,Caleb,Caldon,Caldas,Cajas,Cadelina,Cacal,Cabriales,Cables,Bytheway,Byland,Byes,Byan,Buzick,Buziak,Buzhardt,Butzlaff,Buttolph,Butta,Butron,Butorac,Butaud,Butac,Busuttil,Busque,Busing,Busboom,Burwood,Burright,Burri,Burrall,Burness,Burlington,Burlin,Burkham,Burick,Burich,Burgner,Burdex,Burdell,Burde,Burba,Buol,Bundi,Bulick,Bulgin,Bukovsky,Bukovac,Bujak,Bugett,Buffo,Bueschel,Bueckers,Budnik,Buckey,Buckel,Buchko,Buchinski,Buchana,Buchaman,Bucek,Buba,Bryans,Brustkern,Brussel,Brusseau,Bruntz,Brunscheen,Brunken,Brumbach,Bruess,Brueckman,Brueck,Brucken,Brozena,Brozek,Brownley,Browers,Brosman,Brosch,Broody,Brood,Bronzo,Bronn,Bromwell,Brome,Bromagen,Broll,Brofman,Broekemeier,Brodi,Brixner,Brisban,Brinkmeier,Bringham,Bridgforth,Bridgette,Breznak,Brewbaker,Breitweiser,Breiten,Breitbarth,Brehaut,Breedan,Breech,Bree,Bredernitz,Brechner,Brechbiel,Breashears,Brazinski,Brazille,Bratz,Bratu,Bratsch,Bras,Branting,Brannin,Bramsen,Brailford,Bragas,Bradney,Bradner,Bradigan,Bradica,Brad,Brabston,Bozwell,Boys,Boyn,Boyar,Boyance,Boxton,Bowering,Bowar,Bournazian,Bourgue,Bourgoine,Bourdage,Boulier,Boulds,Boulding,Bouch,Bottum,Bottorf,Botero,Bossler,Bosshardt,Bossart,Bosman,Borzillo,Borstad,Borsos,Borsellino,Borrayo,Borowiak,Borio,Borgos,Borglum,Borghoff,Boreland,Bordeleau,Borchelt,Boorman,Boole,Bookwalter,Bookhart,Bonventre,Bonucchi,Bonnema,Bongard,Bonardi,Bonadio,Bomstad,Bombaci,Bolus,Bolognese,Bolnick,Bolebruch,Boldrin,Bolder,Boje,Boho,Bohmker,Bogosh,Bognar,Bogin,Bogatitus,Bogaert,Boga,Boehmke,Boeh,Bodway,Bodemann,Bockhorst,Bochner,Bocek,Boblitt,Bobbit,Boatfield,Boast,Boardley,Bo,Blumhardt,Blower,Blondell,Bloemer,Bloczynski,Blint,Blenden,Blend,Blem,Bleininger,Bleile,Blehm,Blechman,Bleak,Blattler,Blattel,Blatherwick,Blatchley,Blasing,Blasen,Blandin,Blaire,Blad,Blackler,Bizzle,Bison,Bisogno,Bisking,Bishopp,Bischke,Biscaro,Bisarra,Birton,Birrueta,Birrell,Birklid,Binkerd,Binetti,Binegar,Bindrup,Billerbeck,Bilka,Biley,Bilecki,Biglin,Bievenue,Bierwagen,Biernat,Bienvenue,Bielik,Biedrzycki,Bideaux,Bidding,Bickman,Biber,Bibel,Biancardi,Bialy,Bialke,Bialecki,Bhattacharya,Bezak,Bevilaqua,Beuth,Beuter,Beutel,Beucler,Betties,Betteridge,Betschart,Betran,Bethley,Beteta,Beswick,Bessmer,Bessemer,Besherse,Beserra,Berver,Bertuzzi,Bertke,Berthelsen,Berthelette,Bertagna,Bersch,Berrio,Bernoski,Bernatowicz,Bernardy,Berling,Berl,Bergmeier,Bergland,Bergfield,Bergesen,Bergem,Bergantzel,Bergamo,Berdecia,Berardo,Berardino,Bequillard,Benzinger,Benyamin,Bentzen,Bennice,Benke,Benet,Beneker,Benedum,Benedick,Bend,Bencosme,Bemrose,Bemiller,Bemer,Belzung,Belmarez,Bellina,Bellendir,Bellemare,Bellantuono,Bellanca,Belkin,Belinski,Belcourt,Bejaran,Behl,Beeker,Beeghly,Bedney,Bedker,Bedeau,Beddome,Beddoe,Becvar,Beccaria,Beaz,Beaushaw,Beaulac,Beatley,Beardon,Beachem,Beachel,Bazydlo,Baydal,Baxi,Bauserman,Baudler,Batzli,Battino,Battee,Batley,Batesole,Batcher,Basurto,Basu,Bastianelli,Bassage,Basner,Bashford,Basher,Bashara,Basha,Baselice,Bartosiewicz,Bartolomucci,Bartnick,Bartholic,Barthe,Bartelson,Barsuhn,Barson,Barries,Barricelli,Barrena,Barredo,Barraz,Barrale,Baroldy,Barne,Barmettler,Barjas,Baris,Bareis,Bardach,Barcroft,Barcello,Barbuto,Barbrick,Barbo,Barbish,Barbaria,Baras,Baragona,Baquet,Banwell,Banowetz,Bandle,Bambhrolia,Balthazar,Balson,Balliett,Ballestas,Balin,Balfany,Balette,Baldrige,Baldenegro,Baldassara,Baldasaro,Balcorta,Balckwell,Balcitis,Balasco,Baka,Baish,Bainum,Bailin,Baile,Bahlmann,Baher,Bagoyo,Baggette,Bafford,Baddley,Badanguio,Badamo,Badame,Baczewski,Bacorn,Bacolor,Bacigalupi,Bachtold,Bacha,Babick,Azzano,Azua,Azhocar,Ayre,Aydt,Aydlett,Axsom,Awada,Averbach,Avenoso,Auzston,Auyong,Autaubo,Austad,Aus,Aurora,Aultz,Aulds,Auldridge,Aul,Auge,Auel,Audirsch,Audain,Auchmoody,Aubertine,Auber,Astry,Asquith,Asp,Ashdown,Asen,Aselage,Ascensio,Asam,Asad,Artuso,Artinger,Arritola,Arre,Arraiol,Arra,Arouri,Arnzen,Arntson,Arnstein,Arnoldy,Arnhart,Arnet,Armentor,Armel,Arganbright,Argall,Argabright,Arenstam,Ardinger,Arcuo,Arambulo,Aramboles,Arabian,Appelt,Appelgren,Apodoca,Ape,Anzai,Anttila,Antoniou,Antoniotti,Antonakos,Antell,Antee,Antaya,Anschutz,Ano,Annon,Anne,Annarummo,Anick,Angelovich,Anes,Androes,Andrle,Andreoli,Andreassen,Anderl,Ancira,Anastasi,Anastacio,Analla,Ana,Amunrud,Amparan,Amory,Amores,Amodei,Amdahl,Amazan,Alway,Alvira,Aluise,Altomonte,Altidor,Altadonna,Alstott,Alsina,Alshouse,Alpizar,Alonge,Almestica,Almaras,Almand,Allwardt,Allum,Allgier,Allerman,Alkbsh,Alier,Aliano,Alfson,Alfero,Alexender,Alessandro,Alesci,Aldas,Aldaba,Alcide,Alby,Albelo,Albares,Albair,Albach,Alamin,Alagna,Akuna,Akright,Akim,Akes,Aken,Akbari,Akau,Aitkins,Aita,Airola,Aines,Aimone,Ailts,Ahrent,Ahne,Ahlman,Ahlin,Aguire,Agor,Agner,Agerter,Age,Agcaoili,Afzal,Afshari,Affleck,Aduddell,Adu,Adolfo,Adolf,Adjei,Adham,Aderholdt,Adens,Adee,Adauto,Acocella,Ackroyd,Ackers,Acken,Ack,Achter,Acheampong,Aceret,Accornero,Abts,Abruzzino,Abrecht,Abramov,Aboud,Abo,Abes,Abed,Abby,Aamot,Aalbers,Zwolensky,Zwiener,Zwanzig,Zvorsky,Zutter,Zurowski,Zupfer,Zunker,Zumbach,Zubik,Zubiate,Zottola,Zoss,Zorman,Zonker,Zomer,Zollo,Zolezzi,Znidarsic,Zmijewski,Zmich,Zlaten,Zisk,Zinter,Zingler,Zindel,Zimlich,Zillman,Zilliox,Zigich,Ziesemer,Zielonka,Ziebart,Zia,Zhuang,Zeyer,Zerkle,Zepf,Zenisek,Zempel,Zemaitis,Zeltner,Zellman,Zelasco,Zeisler,Zeinert,Zeier,Zegarra,Zeeman,Zedaker,Zecher,Zeagler,Zbinden,Zaunbrecher,Zarlengo,Zannino,Zanni,Zangara,Zanetti,Zanes,Zanderigo,Zanayed,Zambito,Zalusky,Zakutney,Zaiss,Zahar,Zagrodnik,Zaeske,Zadroga,Zadeh,Zacek,Yzaquirre,Yuro,Yupe,Yunt,Yue,Youns,Youngerman,Youkhana,Yoshizumi,Yoshiyama,Yoshikawa,Yoshihara,Yore,Yoneda,Yoh,Yepsen,Yepiz,Yentzer,Yelin,Yedid,Yeddo,Yeboah,Yeah,Yauck,Yattaw,Yarrow,Yarosh,Yarn,Yanuaria,Yanko,Yampolsky,Yamin,Yamagata,Yakow,Yaegle,Yacono,Yacko,Xayavong,Wythe,Wyrich,Wydeven,Wyandt,Wurtzel,Wurdeman,Wunner,Wulffraat,Wujcik,Wry,Wrighton,Wreath,Wraight,Wragge,Woznick,Woten,Wormuth,Woofter,Woodmore,Woode,Womeldorff,Wolvin,Wolman,Wolgast,Wolfgramm,Wojtas,Wojenski,Wohletz,Woetzel,Woelke,Woelk,Woehrle,Wittlinger,Wittke,Witthuhn,Witthoft,Wittekind,Witkus,Witbeck,Wist,Wissinger,Wisnoski,Wisley,Wishard,Wish,Wipperfurth,Winterling,Winterholler,Winterfeld,Winsman,Winkenwerder,Wingerson,Winegard,Windland,Winchel,Wilmott,Willwerth,Willougby,Willinger,Willims,Williby,Willian,Williamon,Willhelm,Willging,Willens,Willenbring,Willcott,Willardson,Wilhelmy,Wildsmith,Wildoner,Wildberger,Wikholm,Wigner,Wiglesworth,Wiggett,Wiget,Wigdor,Wieman,Wied,Wieboldt,Widen,Wickett,Wickard,Wichterman,Wichland,Wicher,Whysong,Whyms,Whooper,Whooley,Whitver,Whitmoyer,Whitehorse,Whitebear,Whish,Whippo,Wheler,Whelehan,Wheetley,Wheeland,Wheelan,Whatoname,Whalan,Weygandt,Wexell,Wetherald,Westfahl,Westerholm,Westerheide,Westenhaver,Westen,Wessendorf,Wescom,Werstein,Wersal,Werra,Werntz,Wernicki,Wernett,Werger,Werber,Wenskoski,Wenk,Wendzel,Wendelboe,Wenciker,Wemhoff,Welshans,Welde,Welby,Welburn,Weisfeld,Weisenfels,Weinreich,Weikert,Weiglein,Weida,Wegweiser,Wegley,Weflen,Weeler,Wedo,Wedin,Wedgewood,Wedderspoon,Wedd,Weberg,Weathington,Wears,Weakly,Weafer,Weaber,Waz,Waxler,Wave,Wauson,Waugaman,Waterer,Wasmuth,Washmuth,Warters,Warsaw,Warns,Warnken,Warney,Wariner,Warchol,Wansitler,Wanless,Wanker,Wandrie,Wandler,Wanczyk,Waltmann,Waltersdorf,Walsworth,Walseth,Walp,Walner,Walmer,Walloch,Wallinger,Wallett,Walkley,Walkingstick,Walentoski,Walega,Wale,Waldock,Waldenmyer,Walde,Waldbauer,Walchak,Wakayama,Waiau,Waddick,Wacyk,Vreeken,Vrbka,Vradenburg,Vounas,Votolato,Vosquez,Vosika,Vorwald,Vorse,Voros,Vorgas,Vorel,Voorhes,Voncannon,Volstad,Volo,Volkmer,Volden,Volbrecht,Voisard,Voetsch,Voetberg,Voeltner,Voegeli,Vock,Vlloa,Vivona,Vivino,Vivenzio,Vitucci,Vittitoe,Viti,Viteaux,Vitatoe,Viscome,Virzi,Virula,Virrey,Virella,Virani,Viox,Violetta,Vinall,Villatora,Vilcan,Vik,Vigen,Vieths,Vielman,Vidra,Vidot,Vidalez,Vicent,Vibert,Vibbard,Veth,Vestering,Veshedsky,Versoza,Verrell,Veroeven,Vernola,Vernia,Verjan,Verity,Veriato,Verhague,Verdusco,Verderosa,Verderame,Verdell,Verch,Verbeke,Venture,Veness,Vener,Vendrick,Vences,Vellucci,Vellone,Velk,Vegh,Vedia,Vecchiarelli,Vazzana,Vaux,Vaupel,Vaudrain,Vatalaro,Vastano,Vasso,Vasiliou,Vasher,Vascones,Vas,Varuzzo,Varrelman,Varnedore,Vari,Varel,Vanwright,Vanvoorhees,Vanvolkinburg,Vantrump,Vanstraten,Vanstone,Vansice,Vanscoter,Vanscoit,Vanord,Vanoosten,Vannortwick,Vannette,Vannatten,Vanloon,Vanliere,Vanis,Vanhese,Vangalder,Vanelderen,Vandre,Vandover,Vandinter,Vandewalle,Vandevander,Vanderroest,Vandermay,Vanderloo,Vanderlee,Vanderlaan,Vandergraph,Vanderen,Vandenbrink,Vandenboom,Vandenberge,Vandel,Vandegriff,Vandale,Vanbruggen,Vanboerum,Vanbelle,Vanauker,Vanasten,Vanarsdall,Vallerand,Valladao,Valis,Valintine,Valenziano,Valentia,Valensuela,Vaisman,Vahena,Vaglienty,Vacchiano,Uziel,Uyemura,Utsler,Usie,Urzua,Ureste,Urby,Urbine,Urabe,Uptgraft,Unterzuber,Untalan,Ungerman,Ungerland,Underland,Underberg,Umholtz,Umbright,Ulwelling,Ulstad,Ulmen,Ulcena,Ulanski,Uhlenkott,Uher,Uhas,Uglow,Ugland,Uerkwitz,Uccellini,Tysarczyk,Tyron,Twymon,Twohey,Twisselman,Twichell,Tweten,Tuzzolo,Tuzzo,Tutoky,Tusler,Turnner,Turja,Turick,Turiano,Tunnicliff,Tummons,Tumlison,Tumaneng,Tuder,Tuczynski,Tuchman,Tubville,Tsukiyama,Tselee,Truxon,Truxler,Trussler,Trusler,Trusillo,Trudillo,Trude,Truchan,Trowery,Trotochaud,Tropiano,Tronstad,Trolinger,Trocinski,Triveno,Trites,Triplet,Trick,Trichell,Trichel,Trevey,Trester,Treisch,Treger,Trefz,Tredwell,Trebbe,Treakle,Travillion,Travillian,Travaglio,Trauscht,Traube,Trapper,Tranum,Trani,Train,Towlson,Towlerton,Towey,Tovmasyan,Tousley,Tourtellotte,Toure,Toulson,Totin,Tosti,Tosado,Toruno,Torrisi,Torris,Torrent,Torrado,Torner,Torino,Torell,Topolansky,Tooze,Toot,Tontarski,Tonnessen,Tonneson,Tones,Tomisin,Tomilson,Tomasetti,Tolomeo,Tollman,Tolhurst,Tolchin,Tolbent,Toher,Toffton,Toepel,Toelkes,Todorovich,Todisco,Toczek,Tockey,Tochterman,Tobiasson,Tlucek,Titzer,Titman,Tise,Tippets,Tio,Tingwald,Timmel,Timbrook,Tilmon,Tijerino,Tigerino,Tigano,Tieken,Tiegs,Tiefenbrun,Tichacek,Tica,Thurmer,Thuotte,Thramer,Thoroughman,Thornock,Thorndyke,Thongchanh,Thomen,Thoe,Thody,Thigpin,Thielemier,Thi,Therres,Thal,Thakur,Tewes,Teves,Tesmer,Teslow,Tesler,Teruel,Terron,Terris,Terre,Terrasi,Terrace,Tero,Terman,Tereska,Teresi,Tepp,Teo,Tenzer,Tennille,Tennies,Tencza,Tenamore,Tejadilla,Tecklenburg,Techaira,Tayse,Tawwater,Tavolacci,Taverner,Taurino,Taulman,Taublee,Tauarez,Tattershall,Tatsuta,Tatsuno,Taschner,Tasby,Tarrats,Tarrants,Tarone,Tarley,Taraborelli,Taper,Tanniehill,Tanks,Tankard,Tangri,Tanequodle,Tamporello,Tamer,Tamburro,Tambunga,Taliman,Talib,Talas,Takala,Takach,Taiwo,Taibi,Taghon,Tagaban,Tadena,Taccone,Taccetta,Tabatabai,Szyszka,Szmalc,Szerszen,Szczepanik,Szarek,Szafraniec,Szafran,Szablewski,Syta,Sysyn,Syndergaard,Symanski,Sylvian,Syck,Swymer,Swoffer,Swoager,Swiggum,Swiat,Swetnam,Swestka,Swentzel,Sweetwood,Swedenburg,Swearingin,Swartzendrube,Swarm,Swant,Swancey,Sverchek,Svenson,Sutor,Suthoff,Suthar,Susong,Suskin,Surra,Surano,Supplee,Supino,Sundborg,Summons,Summerour,Sumers,Sultzer,Sulouff,Sulecki,Suhoski,Suhar,Sugerak,Suganuma,Suddoth,Sudberry,Sud,Stymiest,Stvrestil,Stuve,Sturrup,Sturmer,Stumer,Stuhlsatz,Stuenkel,Studier,Stuczynski,Stubbolo,Struebing,Struchen,Strozzi,Strowder,Strohbehn,Stroer,Strobridge,Strobeck,Stritmater,Strike,Strieter,Strickling,Streu,Streifel,Straugter,Stratakos,Strasburger,Straface,Straatmann,Stpeters,Stovel,Stoudenmire,Stotsky,Stothart,Storz,Stormes,Storman,Stoppel,Stooks,Stonelake,Stonebrook,Stombaugh,Stoltzman,Stolsig,Stolpe,Stoglin,Stoffle,Stodgell,Stocke,Stirna,Stipetich,Stinner,Stimpert,Stimer,Stilphen,Stikeleather,Stifel,Stiely,Stielau,Stieger,Stidman,Stickrath,Stickman,Stickels,Stgerard,Sternberger,Stergios,Stepien,Stepanski,Stent,Stenkamp,Stenehjem,Stempel,Stemmer,Stelb,Steiskal,Steinmuller,Steinmacher,Steinhorst,Steinhaus,Steinharter,Steinhagen,Steinburg,Steifle,Stefanick,Stefanich,Steeber,Stay,Stawarz,Stavropoulos,Staves,Staup,Stauch,Staubs,Stathopoulos,Stathis,Startz,Starowitz,Starowicz,Starkie,Starcic,Stanely,Standrod,Standahl,Stanczak,Stample,Stampka,Stamer,Stallins,Stalford,Stahoski,Stagger,Stader,Staack,Srsic,Srey,Squitieri,Spyres,Spuhler,Sprouffske,Sprosty,Sprinzl,Springle,Spoth,Spletzer,Spizer,Spitsberg,Spitale,Spiroff,Spirer,Spiotta,Spinola,Spingler,Spike,Spierling,Spickler,Sphon,Spettel,Sperle,Sperka,Sperberg,Speltz,Spaw,Spasiano,Spare,Spancake,Spagna,Sowerby,Sovern,Souvannasap,Southerly,Sous,Sourwine,Soult,Sotiriou,Sothman,Sota,Sortore,Sorley,Sorin,Sorells,Soratos,Soose,Soong,Sonsino,Sonnabend,Sonia,Songster,Sondrol,Sondergaard,Soltau,Solinski,Solinger,Solid,Sojda,Sohns,Softleigh,Soffel,Soffa,Sodaro,Sodano,Soda,Sobran,Sobczynski,Sneeden,Snater,Snair,Smoker,Smithingell,Smink,Smiles,Smialek,Smetak,Smejkal,Smeck,Smaldone,Sluyter,Slot,Slostad,Slingerland,Sliffe,Slemmer,Slawter,Slavinski,Slagowski,Slaff,Skuse,Skulski,Skornia,Skolfield,Skogstad,Skinkle,Skidgel,Skeffington,Skeets,Skeele,Skarupa,Skarphol,Skaare,Sjolander,Sjaarda,Sitts,Sitterud,Sitt,Sissell,Siprasoeuth,Sipper,Sipla,Sipkema,Sinning,Sinitiere,Single,Simmens,Simm,Simiskey,Simelton,Silverthorne,Silvernale,Silvan,Siliado,Silbaugh,Siket,Siker,Sigurdson,Signore,Sigers,Siffert,Sieving,Sieverding,Sietsema,Siering,Sienicki,Siemsen,Siemonsma,Siemering,Sielski,Siedlecki,Siebers,Sidbury,Sickman,Sickinger,Sicilian,Sible,Sibilio,Sibble,Shutler,Shurgot,Shuping,Shulda,Shula,Shrieves,Shreiner,Shreckengost,Shreck,Showes,Showe,Shoupe,Shoumaker,Shortey,Shorten,Shorrock,Shorkey,Shones,Shockency,Shoats,Shivel,Shipmen,Shinsel,Shindledecker,Shinabarger,Shiminski,Shiloh,Shillingford,Shigo,Shifman,Shiers,Shibuya,Shewchuk,Shettsline,Shetter,Shetrawski,Sheffel,Sheesley,Sheekey,Sheeder,Sheares,Shauger,Sharko,Shanna,Shankin,Shani,Shandley,Shanaa,Shammo,Shamlin,Shambrook,Shadow,Shackley,Sgambati,Sferrazza,Seydel,Sewald,Sevenbergen,Sevaaetasi,Seumanu,Seuell,Settler,Setterberg,Setera,Sesso,Sesay,Servoss,Servino,Serpe,Sermeno,Serles,Serena,Serapio,Senske,Semmler,Seminole,Semel,Selvaggi,Sellai,Selissen,Seling,Seleg,Seledon,Selbo,Selan,Sekuterski,Sekula,Seiwell,Seivert,Seise,Sein,Seils,Seier,Seidita,Seiberling,Seher,Segroves,Segoviano,Segel,Segee,Seftick,Sees,Seekell,Seegobin,Seebold,Sedlack,Sedbrook,Section,Secrease,Secore,Seckler,Seastrand,Seargent,Seacrist,Seachord,Seabrooke,Scudieri,Scrim,Scozzafava,Scotten,Sconce,Scircle,Scipioni,Sciarretta,Sciallo,Schwingler,Schwinghammer,Schwingel,Schwiesow,Schweinfurth,Schweda,Schwebke,Schwarzkopf,Schwander,Schwaller,Schwall,Schut,Schurkamp,Schunter,Schulder,Schuenemann,Schue,Schuckman,Schuchart,Schroff,Schoville,Schorzman,Schorder,Schooner,Schones,Scholler,Schofell,Schoewe,Schoeninger,Schoenhals,Schoenbeck,Schoefield,Schoberg,Schnittker,Schneidermann,Schneckloth,Schnebly,Schnathorst,Schnarrs,Schnakenberg,Schmitzer,Schmidbauer,Schmeeckle,Schmeckpeper,Schmandt,Schmalzried,Schmal,Schlinker,Schliep,Schlette,Schlesier,Schleig,Schlehuber,Schlarbaum,Schlaffer,Schkade,Schissel,Schindeldecke,Schimandle,Schiermeier,Scheunemann,Scherrman,Schepp,Schemmer,Schelp,Schehr,Schayer,Schaunaman,Schauland,Schatzel,Scharrer,Scharping,Scharpf,Scharnberg,Scharmer,Scharbor,Schalow,Schaf,Schader,Schacter,Scelfo,Scarpello,Scarlet,Scaringe,Scarduzio,Scamardo,Scaman,Sbano,Sayman,Saylee,Saxena,Sawdey,Sawada,Savitsky,Savickas,Savic,Savaglio,Sauriol,Sauret,Saulo,Satar,Sasportas,Sarvas,Sarullo,Sarsfield,Sarne,Sarmento,Sarjent,Sarellano,Sardin,Saputo,Santheson,Santellana,Santarsiero,Santago,Sansalone,Sanos,Sanna,Sanko,Sanker,Sanghani,Sangalli,Sandven,Sandmann,Sandhoff,Sandelius,Sandall,Sanchious,Sancedo,Sance,Sampogna,Sampilo,Sampayan,Sampaia,Sampaga,Samo,Samlal,Samela,Samec,Samad,Salzberg,Salway,Salwasser,Salveson,Salvemini,Salus,Salquero,Salowitz,Salizzoni,Salina,Salin,Salimi,Salgero,Salemi,Salato,Salassi,Salamacha,Salahubdin,Salada,Saintignon,Saintamand,Saines,Sahl,Saha,Sagona,Sagedahl,Saffel,Saemenes,Sadow,Sadlow,Sadger,Sacramento,Sackal,Sachtleben,Sabota,Sabot,Sabe,Sabata,Sabastian,Sabad,Rzepka,Ryzinski,Rytuba,Ryon,Rynes,Rykiel,Rykert,Rykard,Rydolph,Rydell,Ruzicki,Rutko,Rutenbar,Rustrian,Rusinski,Rushmore,Rushenberg,Rushen,Ruschak,Rury,Ruper,Ruotolo,Rummerfield,Rumer,Rumbolt,Rulon,Ruleman,Rufe,Rudo,Rudkin,Rudick,Rubinich,Rubidoux,Rubero,Roys,Rowman,Rovere,Rousu,Rouillier,Rotton,Rotondi,Rothenbach,Roszell,Rossotto,Rossmiller,Rossey,Roshannon,Rosenfeldt,Roscioli,Rosander,Rorrer,Rorex,Ropes,Ropac,Rooth,Roorda,Ronsani,Ronne,Rong,Ronfeldt,Rondy,Romp,Romon,Romness,Romm,Romera,Romeiro,Rombach,Romar,Romansky,Romagnoli,Rom,Rolson,Rojos,Rohanna,Rogstad,Rogillio,Rogg,Rogacki,Roffman,Roethle,Roeth,Roetcisoender,Rodibaugh,Roderiques,Rodenburg,Rodemeyer,Rodberg,Rockovich,Rocher,Roccio,Robeck,Robe,Robayo,Robar,Rizzardo,Rivie,Rival,Ritterbush,Ritchko,Ritchhart,Ristig,Rishty,Rippstein,Rippelmeyer,Rioseco,Ringwald,Ringquist,Ringham,Rinella,Rineer,Rimple,Rilling,Rill,Rijo,Riihimaki,Riglos,Riggens,Rigaud,Rigali,Rietz,Rietdorf,Riessen,Riesgraf,Rienstra,Riekena,Riedle,Riedinger,Rieb,Rickenbaker,Richcreek,Richbourg,Riccelli,Riberdy,Ribb,Rhodie,Rheome,Rheinhardt,Rezai,Reynalds,Reyman,Reyez,Rewenko,Reville,Revello,Revelez,Reul,Resue,Restuccia,Replenski,Reon,Rentar,Rensberger,Rens,Rennaker,Renell,Remson,Rell,Relacion,Rekuc,Reker,Reitler,Reischl,Reints,Reinoehl,Reinart,Reimund,Reimold,Reikowsky,Reiger,Reifman,Reicks,Reichler,Reichhardt,Rehling,Regos,Regino,Regalbuto,Reffner,Reents,Reenders,Reeks,Reek,Reeck,Redmer,Redican,Reddoch,Reddig,Reddicks,Redbird,Rectenwald,Recek,Rebillard,Rebich,Rebeck,Reagon,Raziano,Raymore,Ravenel,Ravel,Rause,Rauschenbach,Rauer,Rauchwerger,Ratelle,Rasinski,Rasbury,Rardon,Rapson,Rapkin,Raoof,Rannells,Ranke,Rangitsch,Rangasammy,Randt,Ran,Ramser,Ramsaroop,Ramsahai,Ramrez,Rampley,Ramirec,Ramesh,Ralbovsky,Rakoczy,Rakoci,Rajwani,Rajaratnam,Raiden,Rahmani,Ragno,Raghunandan,Ragas,Ragar,Rafuse,Radvany,Rados,Radmacher,Radick,Radecki,Raczynski,Rachell,Qureshi,Quirin,Quire,Quintona,Quinnett,Quinalty,Quiambao,Quella,Quatraro,Quartararo,Qualle,Qin,Pytko,Pyer,Pyanowski,Puzio,Pushcar,Purviance,Purtlebaugh,Pupo,Pulte,Pulse,Pullom,Pullings,Pullano,Pulkkinen,Puliafico,Pulfrey,Pujols,Puhala,Puchalla,Pucciarelli,Prutzman,Prutt,Pruneau,Prucha,Provitt,Protin,Prose,Proco,Proa,Prisk,Prioletti,Priode,Prinkey,Princiotta,Prich,Pribnow,Prial,Preyer,Prestino,Pressimone,Preskitt,Preli,Preissler,Prehoda,Predovich,Precise,Prazenica,Prawdzik,Prast,Pozzobon,Pozos,Powles,Pov,Poullard,Pouch,Potucek,Postert,Posten,Posson,Posa,Portuondo,Porten,Porst,Poree,Pora,Poque,Popiolek,Poot,Poock,Pongkhamsing,Ponessa,Pone,Poncio,Polumbo,Pollutro,Pollet,Pollen,Poljak,Polemeni,Pokswinski,Poisel,Poette,Poelman,Pody,Podewils,Podaras,Pocius,Pobanz,Plympton,Ply,Plush,Plume,Pluff,Plues,Plue,Plona,Plexico,Plew,Pleiss,Pleil,Pleasanton,Plattsmier,Plathe,Plankey,Plahs,Plagge,Placker,Placha,Pizira,Piwowar,Piwetz,Pittelkow,Pitta,Pithan,Pitcherello,Pisciotti,Pipilas,Pintea,Pinta,Pinkstaff,Pinkos,Pinc,Pilotte,Pillo,Pihl,Pignotti,Piggs,Pietrzyk,Piermont,Pieczynski,Piechowski,Piech,Pickersgill,Picetti,Picciuto,Piccinini,Picarello,Picardo,Picado,Piantanida,Pianka,Pian,Phothirath,Phippard,Philman,Philipson,Philavanh,Phelts,Phanor,Phanco,Pflughoeft,Pflugh,Pfliger,Pfeister,Pfeifle,Peyre,Peyatt,Pettine,Pettett,Petru,Petronio,Petricka,Petrak,Petko,Petitto,Petersson,Pesnell,Peshek,Pesh,Pescador,Perze,Perteet,Pertee,Pert,Perschbacher,Perruzzi,Perrish,Perrigan,Perriello,Perr,Perozo,Perlich,Perking,Perkes,Perfater,Perce,Pepez,Peon,Penunuri,Penuel,Penso,Pennisi,Penkins,Penkalski,Pendon,Pellon,Pellissier,Pelino,Pel,Peick,Peguese,Peggs,Pefanis,Peeters,Peedin,Peduto,Pedulla,Pedrozo,Pedrotti,Pedroncelli,Pedrogo,Pedri,Pedregon,Pederzani,Pedde,Pecukonis,Peckler,Pecka,Pecha,Pecci,Peatman,Peals,Pazo,Paye,Pawlusiak,Pawlitschek,Pavlosky,Pavlo,Paveglio,Paulman,Paukstis,Pauk,Patts,Patter,Patriss,Patneaude,Paszek,Paswaters,Pastula,Pastuch,Pastel,Passy,Passarella,Pasquin,Pasqualetti,Pasqual,Pascuzzi,Pasceri,Parviainen,Parral,Parolini,Parmele,Parma,Parlavecchio,Parfitt,Parez,Pardieck,Pardew,Parda,Paraz,Parat,Papay,Paparello,Papaioannou,Paolello,Pansini,Panelli,Panell,Pander,Pancholi,Panaro,Panagiotopoul,Palomarez,Palmrose,Palmisciano,Palmese,Pallotto,Palleschi,Palk,Palhegyi,Palenzuela,Paleaae,Palczynski,Palakiko,Palaia,Paith,Pagonis,Pago,Pagliuca,Pagliari,Paganini,Padovani,Padfield,Padamadan,Pacquette,Paco,Packwood,Pachero,Pachar,Pacewicz,Paasch,Pa,Ozols,Ozga,Ozenne,Oxman,Overpeck,Overbeek,Overbee,Oulette,Otsu,Otremba,Otool,Otar,Otanicar,Osumi,Osucha,Ostrov,Osthoff,Ostertag,Ostergard,Ostaba,Ospital,Ososkie,Osofsky,Osisek,Oshinsky,Orzalli,Orwin,Ortwein,Ortuno,Orts,Ortell,Orpen,Ornelaz,Orewiler,Ores,Ordones,Opunui,Oppenlander,Opoien,Opalka,Ooley,Ontko,Ondrey,Omura,Omtiveros,Omland,Olup,Olthoff,Olsten,Ollila,Olivia,Olinsky,Olinick,Oleksa,Olejarz,Oldakowski,Okoronkwo,Okins,Ohmer,Ohlsson,Oherron,Oheron,Ohanian,Oganesian,Ogaldez,Oest,Oehlenschlage,Oedekerk,Odon,Odekirk,Ocran,Oconor,Obrzut,Obrist,Obringer,Oborny,Oblander,Obi,Oberley,Oberer,Obeng,Oatridge,Oajaca,Nypaver,Nuzzi,Nuzback,Nuxoll,Nussbaumer,Nurmi,Nuhn,Nugen,Nuara,Nquyen,Nozicka,Noxon,Nowick,Nowaczyk,Novielli,Novembre,November,Novas,Noun,Notto,Notowich,Norzagaray,Norway,Northover,Northcross,Norem,Nordmann,Nordenson,Nolet,Nojiri,Nohel,Noethiger,Nodd,Nitzel,Nita,Nisbit,Nina,Nikas,Nigon,Niglio,Nighswander,Nighbert,Niemietz,Niedzielski,Niederkorn,Niederhaus,Niederer,Nicometo,Nicolaides,Nickolich,Nguyn,Neyra,Neymeyer,Newmon,Newgent,Newbery,Nevala,Neuweg,Neuhoff,Neuhauser,Neubecker,Nettik,Netters,Nestingen,Nesspor,Nerad,Nenez,Neldon,Neizer,Neives,Neils,Neiger,Neidich,Neibert,Negroni,Neemann,Needle,Neeb,Nedry,Nedley,Neas,Naze,Nazaroff,Nayes,Nayar,Nattress,Natonabah,Nassr,Nasseri,Nassef,Naso,Narkier,Naret,Nardini,Nardecchia,Naragon,Naputi,Napierala,Nanny,Nanke,Namdar,Naji,Naidoo,Nahm,Nahas,Nagelschmidt,Naes,Naegeli,Nacol,Naclerio,Nachor,Nabozny,Nabarrete,Nab,Myrlie,Mykins,Muzio,Mutolo,Muta,Mustoe,Muster,Muske,Muschamp,Muscarello,Musacchio,Murzycki,Murrufo,Murnan,Muraski,Murany,Murano,Munzer,Munis,Munion,Mumby,Mumbower,Mulrain,Mullinex,Mullineaux,Mullennix,Mullahey,Mukhtar,Muina,Muha,Muehlman,Muccigrosso,Mrozoski,Mozier,Mow,Mova,Moustafa,Mousser,Mouse,Mousa,Mouritsen,Mourad,Mottet,Motten,Motamedi,Mostowy,Mostafavi,Mosiman,Moscone,Moscicki,Mosbrucker,Morva,Mortinez,Mortel,Morsey,Morrin,Morren,Morosco,Morledge,Morla,Morisky,Morishita,Morisey,Morgia,Moretta,Morera,Morenz,Mordue,Mordhorst,Mordaunt,Morber,Morawa,Moravick,Morarity,Mooty,Mooser,Moock,Moochler,Montoure,Montooth,Montonez,Montierth,Monticello,Monteverde,Monterrano,Montella,Montecillo,Monsrud,Monsma,Monserrat,Monrreal,Monro,Monetti,Mondok,Mondella,Moncion,Monaldi,Moltz,Molon,Mollicone,Molle,Moliterno,Molinere,Molinary,Molesworth,Moh,Mogush,Mogren,Moellers,Moeck,Modert,Mockbee,Mocher,Mochel,Moc,Moberley,Moan,Moallankamp,Miyose,Miyata,Miyashita,Miyagi,Mitsuda,Misumi,Missel,Miskelly,Misiaszek,Mirzadeh,Mirto,Mirsch,Mirles,Miolen,Minzel,Minutillo,Minugh,Mintzer,Minskey,Minnaert,Minkoff,Miniard,Mingledorff,Minas,Minaai,Milly,Millinor,Millie,Millerd,Millea,Milkey,Milham,Milfeld,Mileham,Milas,Milar,Milak,Mikulski,Mihara,Mihalek,Mihalchik,Mihal,Mignot,Mignano,Mighty,Miesse,Mierzwinski,Micthell,Mickus,Mickolick,Mickiewicz,Michlin,Michelena,Micha,Miccio,Micari,Mezzatesta,Mewbourn,Meuse,Meurin,Metzker,Mettling,Metting,Metters,Metropoulos,Metevia,Mesteth,Mesko,Mesi,Meserole,Mervyn,Mernin,Mermelstein,Merling,Merli,Merkowitz,Merklin,Merkerson,Merica,Merendino,Mercury,Meray,Meranto,Merancio,Mensik,Mense,Menoni,Mennie,Mengsteab,Menes,Mend,Mency,Memolo,Meltz,Meling,Melen,Melcer,Melamed,Mekee,Meiste,Meise,Meinhard,Meierotto,Mehok,Meharg,Meginnes,Meenach,Medicus,Mediano,Media,Medell,Mede,Meddaugh,Meconi,Mech,Mearse,Meardon,Mealor,Meadville,Meachen,Mcvicar,Mcsparin,Mcrorie,Mcrobbie,Mcoy,Mcowen,Mcnorton,Mcnertney,Mcnamer,Mcnail,Mcmanamon,Mcmain,Mclyman,Mcleland,Mckirgan,Mckew,Mckevitt,Mckercher,Mckensie,Mckeegan,Mckeane,Mckahan,Mcinture,Mcindoe,Mcilvenny,Mcillwain,Mciff,Mcgwin,Mcguff,Mcgrotty,Mcgrone,Mcgrant,Mcgoogan,Mcglon,Mcgloin,Mcgiveron,Mcghehey,Mcghay,Mcgavin,Mcgahen,Mcfann,Mcelwaine,Mcelduff,Mceachron,Mcdilda,Mcdermid,Mcdannold,Mcdale,Mcculough,Mccuien,Mccrumb,Mccrorey,Mccreless,Mccravy,Mccourtney,Mccorrison,Mccorkell,Mccorey,Mcconney,Mcconnaughhay,Mccollester,Mcclurkan,Mccluer,Mccloudy,Mcclenaghan,Mcclave,Mcclarnon,Mcclarin,Mcclaney,Mcclanan,Mcclair,Mcchristion,Mccaskell,Mccartha,Mccarl,Mccamant,Mccalmont,Mccalman,Mccaine,Mccahill,Mccague,Mcbrown,Mcanany,Mcalvain,Mazzurco,Mazuc,Mazo,Mazingo,Mawhorter,Mavro,Mavraganis,Mautner,Mautino,Mauceli,Matzinger,Maturi,Matturro,Mattlin,Mattheis,Matsuoka,Matsuki,Matro,Matlack,Matice,Mathson,Matheu,Mathenia,Math,Matejka,Mateja,Matanane,Masztal,Mastropaolo,Mastromarino,Mastrolia,Mastel,Massy,Massoud,Massimino,Maslanka,Masini,Mascioli,Marzec,Marvier,Maruyama,Marusarz,Marum,Martorella,Martire,Martinkus,Martinas,Martiez,Marthe,Marteney,Marschall,Marruffo,Marrazzo,Marples,Marohl,Marn,Marlborough,Markunas,Marki,Marjan,Maritnez,Marinkovic,Marineau,Margaitis,Marentis,Mare,Marcou,Marciel,Marci,Marchiori,Marchello,Marchell,Marcelle,Marcelin,Marales,Mapel,Manzanarez,Mantilia,Mansmith,Manon,Mannschreck,Mannick,Mankiewicz,Mankel,Manila,Manifold,Manha,Mangrich,Mangiapane,Mangiamele,Manera,Mandes,Mandella,Mandelik,Mandaloniz,Mand,Mancusi,Mancine,Mana,Mamula,Mammoccio,Malzhan,Malzahn,Malsom,Maloon,Malnar,Mallone,Mallinson,Mallie,Mallek,Malle,Malinoski,Malinconico,Malicoat,Malicdem,Malhi,Malfatti,Malandrino,Malamud,Malakowsky,Makovec,Makey,Majercik,Majer,Majamay,Maisenbacher,Mainey,Mailey,Mailander,Mahuna,Mahomes,Mahoe,Mahnken,Maheras,Mahaxay,Mahana,Maham,Magnia,Magni,Magnanti,Magliano,Magliacane,Maglaughlin,Magistrale,Magierski,Maggini,Magano,Mafnas,Madren,Mador,Maderios,Madena,Maddron,Madan,Madalinski,Macmanus,Maclead,Mackowski,Mackinaw,Mackessy,Mackerl,Macker,Macivor,Machold,Machain,Macedonio,Macdiarmid,Macchiaroli,Macbean,Macayan,Macari,Mabin,Mabel,Lyter,Lyster,Lysne,Lynskey,Lyness,Lyndaker,Lymaster,Lykke,Lyell,Luxmore,Luttmer,Lutgen,Lusignan,Lupold,Lungstrom,Lunford,Lundeby,Lumbard,Lule,Lukaskiewicz,Luinstra,Luevand,Luer,Lueking,Luehrs,Luecking,Ludvigson,Ludgood,Lucich,Luchetti,Lubman,Lubic,Lozito,Lowhorn,Lowd,Loverich,Loveman,Lovas,Lovaas,Louvier,Louthen,Loury,Loukanis,Loughner,Loughnane,Louato,Lotshaw,Lother,Lothamer,Loter,Losinski,Losinger,Loshek,Losecco,Lortie,Lorin,Lorent,Lorello,Loras,Lorah,Lopau,Loosen,Lontz,Longpre,Longie,Loncaric,Lombrana,Lomba,Lohrey,Lohoff,Logghe,Loges,Lofstead,Lofft,Loertscher,Loeper,Loeblein,Lodato,Lochen,Lobbins,Lobban,Lizarrago,Livigni,Livernash,Liukko,Littich,Litterer,Littau,Litchmore,Lisy,Lissy,Lishman,Lischak,Lirag,Liptow,Lins,Linkhart,Linkert,Lingren,Lingelbach,Lingel,Lingad,Linet,Linegar,Linebrink,Lindroth,Lindeland,Lindboe,Linardi,Linard,Ligman,Liggans,Lifland,Liff,Lieuallen,Liesveld,Liess,Lienhard,Liehr,Liedy,Liedke,Liebau,Lidtke,Lidstrom,Licano,Libra,Leys,Leymeister,Lewerke,Lewand,Levoci,Leviton,Levien,Leveston,Leverenz,Levere,Levangie,Leuy,Leukuma,Lettman,Letran,Letlow,Lethco,Letersky,Lestronge,Lesso,Lessey,Leshem,Lerud,Leps,Leonesio,Leones,Lento,Lente,Lennertz,Lenior,Lenhard,Lenfest,Lene,Lendrum,Lempicki,Lemonier,Lemle,Lemkau,Lemings,Lem,Lelli,Lekas,Leitten,Leitheiser,Leino,Leiner,Leinenbach,Leidy,Leidich,Leid,Leich,Lehnhoff,Leh,Legum,Legoullon,Legeyt,Legalley,Legace,Lefton,Lefthand,Leforge,Lefore,Lefleur,Leerar,Leef,Leed,Ledl,Leddon,Ledain,Leckie,Lecates,Lebeouf,Leben,Lebeck,Lebeaux,Leban,Leaverton,Learman,Leardi,Leamy,Lazare,Lazarczyk,Layssard,Layson,Layhew,Layel,Laychock,Lawernce,Lavzon,Lavalla,Lauterborn,Laut,Lauseng,Lausen,Laurino,Lauri,Laurenzano,Laurenza,Laundry,Laumbach,Lauinger,Lauenroth,Latzke,Latulipe,Lattig,Latronica,Latouf,Latko,Latiker,Lathern,Laterza,Latchaw,Lataquin,Lasure,Lashomb,Lasell,Lasasso,Lartey,Larriva,Laro,Lardner,Lardieri,Laprarie,Lapping,Lapitan,Lapeyrolerie,Lapar,Lanzetta,Lantis,Lanka,Lani,Langshaw,Langmyer,Langin,Langerman,Langeland,Langbein,Landro,Landrian,Landmesser,Landmann,Landfair,Landesberg,Lanciotti,Lamprey,Lampey,Lamos,Lamora,Lamoine,Lamfers,Lambka,Lamance,Lamana,Laliotis,Lajza,Lajaunie,Lainson,Laher,Lahar,Lagrotta,Lagrant,Lagraize,Lagnese,Lafrazia,Lafountaine,Laflin,Lafaso,Lafarga,Ladage,Lacsamana,Lacrosse,Lacrone,Lachowski,Labruyere,Labrake,Labossiere,Laba,Laack,Kyzar,Kynard,Kwek,Kuzmin,Kuttner,Kusiak,Kuser,Kuse,Kurtzer,Kurtzeborn,Kurpinski,Kurohara,Kuroda,Kurnik,Kurihara,Kurdziel,Kurban,Kuras,Kupper,Kupferer,Kupec,Kunzelman,Kunkler,Kunin,Kunesh,Kumro,Kumpf,Kulon,Kulka,Kukucka,Kuk,Kuhse,Kuhls,Kuhlo,Kuhar,Kuerbitz,Kuenzi,Kuehneman,Kudron,Kuczenski,Kuchle,Kuchenmeister,Kuchenbecker,Kucan,Kubu,Kubsch,Kubiszewski,Kubish,Kubicz,Kubick,Kubaska,Kuarez,Ksiazek,Kshywonis,Krzykowski,Krzak,Krysl,Kruzewski,Kruzan,Krumrine,Krumins,Krucker,Kroupa,Krough,Krotz,Kronstedt,Kromrey,Krogstad,Krogmann,Kroeze,Kroetz,Kroc,Kristianson,Kristen,Kriser,Krips,Kringas,Kriete,Kreuter,Kretschmann,Kresha,Kreidel,Kregger,Kreatsoulas,Kratochwil,Krasovec,Krase,Krapf,Kranawetter,Krajnik,Kozubal,Koyanagi,Kowalkowski,Kovarovic,Kovalcin,Kou,Kotzen,Kotnik,Kostelecky,Kostek,Kostecki,Kostal,Kosse,Koslowski,Koskie,Kosicki,Koshar,Kosek,Kortright,Korpal,Kornhauser,Kormos,Korinek,Korgie,Kordsmeier,Kordish,Koral,Kops,Kopps,Kopperud,Koppang,Kopfer,Kopet,Kook,Konno,Konik,Konek,Konefal,Komm,Komis,Komer,Komarek,Kolsrud,Kolp,Kolopajlo,Kollmorgen,Kolis,Kolesnik,Koles,Kolding,Kohs,Kohlhoff,Kohatsu,Kohara,Koetter,Koestler,Koepsel,Koeppe,Koenigsman,Koelewyn,Koe,Kodadek,Koci,Kochler,Kocab,Kobylinski,Kobryn,Koberg,Knower,Knollenberg,Knock,Knizley,Kniss,Knies,Knezovich,Knesek,Knepel,Knehans,Kneeskern,Knaust,Knapke,Kmet,Kluz,Klukas,Kloska,Klopf,Klinglesmith,Klinekole,Klimes,Kliment,Klimaszewski,Klepfer,Klepacki,Klepac,Klemash,Kleinkopf,Kleinknecht,Kleimola,Kleiboeker,Klei,Klehn,Klegin,Klavuhn,Klauer,Klasinski,Klasing,Klarr,Klapec,Klaass,Klaameyer,Kjelland,Kiyuna,Kitching,Kistle,Kissi,Kishi,Kirvin,Kirtner,Kirovac,Kirnon,Kirkby,Kiritsy,Kirchgesler,Kippley,Kipping,Kinzig,Kins,Kinnare,Kinna,Kingcade,Kinatyan,Kimme,Kimbrow,Kimbril,Kilzer,Kiltz,Killmer,Killibrew,Killeagle,Kilger,Kiles,Kievit,Kientzy,Kielty,Kiekbusch,Kiehne,Kiefert,Khou,Khiev,Khat,Khare,Keywan,Keyt,Kevin,Keville,Kevern,Keuler,Ketola,Ketelaar,Kertis,Kerson,Kernen,Kerkman,Kerker,Keogan,Kenwood,Kenne,Kenaan,Kempler,Kempisty,Kempfer,Kempen,Kemmerlin,Kelter,Kelman,Kellie,Keliihoomalu,Keleman,Kekiwi,Keiswetter,Keiss,Keilty,Keidong,Kegel,Keets,Keeneth,Keefner,Kedzierski,Kebort,Keate,Keat,Kazmorck,Kazi,Kaz,Kawachi,Kaushiva,Kauk,Katzner,Katzmark,Katzen,Katsuda,Kats,Kater,Katen,Kasting,Kasserman,Kassay,Kassabian,Kasprowicz,Kasperek,Kasowski,Kasmir,Kaska,Kasik,Kascak,Karth,Karsnak,Karshner,Karsh,Karmel,Karlstad,Karley,Karins,Karimi,Karcich,Karch,Karapetyan,Karakas,Kapsalis,Kappeler,Kapke,Kaperonis,Kapahu,Kanthak,Kansky,Kansas,Kanoy,Kanno,Kannady,Kandarian,Kanai,Kanae,Kanaan,Kamphoefner,Kammler,Kaminetzky,Kaminaka,Kamienski,Kamaunu,Kamakea,Kama,Kaltefleiter,Kaloustian,Kaloi,Kallmeyer,Kalisch,Kalinski,Kaliher,Kalgren,Kalfas,Kales,Kalafatis,Kagle,Kadish,Kachermeyer,Kabina,Kaawa,Kaaua,Kaatz,Juvera,Jutte,Justen,Jusko,Juriga,Jure,Jungquist,Jungbluth,Juneja,Juncaj,Juliet,Juhas,Juenger,Juell,Jucean,Jubinville,Jovich,Jorres,Joris,Jore,Jonhson,Joneson,Jonassen,Jolissaint,Jointer,Johnny,Johengen,Johar,Joh,Joern,Jodway,Jobs,Joanette,Jirik,Jirasek,Jipson,Jinkerson,Jinkens,Jiminian,Jimeno,Jiau,Jevnikar,Jessel,Jerauld,Jephson,Jentzen,Jenkerson,Jenista,Jenifer,Jemmett,Jelovich,Jehlicka,Jeffris,Jedziniak,Jeantet,Jeanclaude,Jayme,Javor,Javaux,Jaurigue,Jaureguy,Jarvinen,Jarocki,Japp,Janszen,Jansons,Jans,Jankauskas,Janka,Janhunen,Janeczek,Jandrin,Janczewski,Janack,Jamir,Jakuboski,Jakubik,Jakubek,Jahnel,Jageman,Jaenicke,Jacquem,Jacquay,Jaconski,Jacobellis,Jablon,Iyo,Ivancevic,Iurato,Iulianetti,Itri,Issler,Isla,Isip,Ishmon,Ishizu,Isgrigg,Iseri,Iseli,Iseley,Isbrecht,Isassi,Isaiah,Irsik,Irias,Inzana,Intveld,Intrieri,Interdonato,Instasi,Inscho,Ingwell,Ingebretsen,Inga,Inda,Incle,Inabinett,Imus,Immordino,Imbesi,Imbach,Illsley,Illig,Ill,Ignowski,Idler,Idleburg,Ideue,Ibara,Ianuzzi,Ianniello,Iacovone,Hyter,Hyles,Hyle,Hykes,Hyams,Huxley,Hutch,Hustead,Huscher,Hurtz,Hurse,Hurren,Huret,Huotari,Huntress,Hunting,Hunstiger,Hunking,Humpries,Humbles,Hum,Hulvey,Hulcy,Huizinga,Huhman,Huhammad,Hufty,Huesso,Hueftle,Huebschman,Huebert,Hue,Hudmon,Huberman,Hubbartt,Hubach,Hsueh,Hrycenko,Hrabal,Hoxit,Howsare,Howman,Howitt,Howerter,Houlton,Houis,Hottman,Hotovec,Hostin,Hoshall,Hosfeld,Hoschek,Horwath,Horsely,Horsburgh,Horovitz,Hornstrom,Hornbarger,Horkley,Horka,Horey,Horeth,Hordyk,Horack,Hoppin,Hoppel,Hopfensperger,Hooey,Hooe,Honhart,Honga,Honeck,Homs,Hommell,Homles,Homen,Home,Holzner,Holzheimer,Holzem,Holsopple,Holsman,Holowell,Holliway,Holizna,Holesovsky,Holderbaum,Holbach,Holan,Hoit,Hoist,Hohenbrink,Hoger,Hofmans,Hofheimer,Hoffhines,Hofbauer,Hoesing,Hoeschen,Hoerter,Hoepfner,Hoemann,Hodgeman,Hockersmith,Hochadel,Hobock,Hobel,Hluska,Hlavac,Hisrich,Hirsbrunner,Hirpara,Hire,Hinners,Hindbaugh,Himenez,Hilles,Hilleary,Hillanbrand,Hillan,Hildner,Hilding,Hilderbrandt,Hiland,Hightree,Highnote,Highberger,Higgason,Higaneda,Hidinger,Hickock,Heymann,Heusinkveld,Heusel,Heuring,Hettler,Hesseltine,Hesselink,Hesford,Herth,Herskovits,Herschell,Heroman,Hernton,Herne,Hernandaz,Hermez,Hermanstorfer,Herling,Herke,Herimann,Heriford,Hergenrader,Herforth,Herdes,Hercher,Herceg,Herbick,Hentze,Henniger,Henney,Henness,Hennegan,Henkes,Heneisen,Henderickson,Henard,Hemrick,Hemric,Hempton,Hemp,Hemme,Hemeon,Hembry,Hembrough,Hembrey,Helstad,Helmus,Hellings,Hellgren,Helie,Helgert,Helgerman,Helger,Helgason,Helfinstine,Helfgott,Helfenstein,Heldreth,Helander,Heitzmann,Heisserer,Heising,Heisel,Heinold,Heinis,Heinemeyer,Heimark,Heiliger,Heiderman,Heidenescher,Heidebrink,Hehir,Hegan,Heersink,Heep,Hedquist,Heckford,Hebets,Heberly,Heberle,Hebenstreit,Heavilin,Heartz,Heaphy,Heany,Hazer,Hazelgrove,Haynsworth,Haydock,Hawelu,Havnen,Havely,Hauss,Hausam,Haumesser,Hauman,Haulk,Hauley,Haubrick,Haubner,Hattman,Hatman,Hatherly,Hatchcock,Hastert,Hassenplug,Hasko,Haser,Haselhuhn,Hasberry,Has,Harthorne,Harthcock,Harriett,Harouff,Harootunian,Harkavy,Harell,Hardridge,Hardacre,Harborth,Haraguchi,Haptonstall,Happenny,Hantman,Hanses,Hannemann,Hannay,Hannafin,Hanle,Hangartner,Handerson,Hanberg,Hamzik,Hamstra,Hammans,Hamano,Halsema,Halonen,Halim,Halek,Haleamau,Halama,Hakeem,Hainley,Hagley,Hagist,Hagie,Haggberg,Haggan,Hagele,Hafenstein,Hafemeister,Hady,Hadges,Hadef,Hackey,Hach,Habbyshaw,Haaga,Haab,Gysin,Gwirtz,Guzzio,Guzzardo,Guzma,Gutzmann,Gutta,Gutermuth,Guterman,Gutenberger,Gurganious,Gural,Guppy,Gunzalez,Guntert,Gums,Gumb,Gullotta,Gullixson,Gulling,Gullace,Guler,Gulbransen,Guitian,Guinta,Guinasso,Guilboard,Guichard,Gugliotta,Guglielmina,Guggenheim,Gugel,Guetierrez,Guethle,Gueth,Guerrido,Gueits,Gudenkauf,Gucciardo,Guarnera,Guadagnolo,Gsell,Gschwend,Grush,Grupp,Grundmann,Grunau,Grueninger,Gruca,Groupe,Grotzinger,Grotheer,Grossmeyer,Grossetete,Grossack,Gromer,Groenke,Groening,Groehler,Groebner,Grochmal,Groby,Grobes,Gritman,Griswould,Grisset,Grime,Griffo,Griesinger,Greuel,Greth,Gressman,Gremel,Greiwe,Greis,Greil,Greife,Greider,Grefrath,Greff,Greenmyer,Greany,Grazioplene,Gravlin,Gravito,Gravert,Grav,Grater,Grap,Granzin,Grannum,Granlund,Grando,Grammes,Gramley,Grambo,Grala,Grahl,Gradwohl,Gradillas,Gradert,Graciana,Grabner,Grabinski,Grabinger,Grabel,Graaf,Gouzy,Gouger,Gottron,Gottardo,Gothro,Gosso,Gossi,Gorringe,Gorneault,Gorn,Gormly,Gorenflo,Goral,Gopen,Goosey,Goodnoe,Goodie,Goodhile,Goodfield,Goodard,Gonneville,Gongalez,Gondola,Gompf,Gommer,Gollehon,Golie,Golebiewski,Goldinger,Goldhaber,Goldfeder,Goldbaum,Golaszewski,Gojcaj,Gogerty,Goettsche,Goethe,Goessl,Godson,Godbe,Gochanour,Gocha,Gnau,Gnatek,Glud,Glorius,Glordano,Gloodt,Glod,Glinka,Glime,Gleim,Gleicher,Glazewski,Glay,Glasford,Glascott,Glanzman,Glahn,Gladish,Gjerde,Gizinski,Gitzen,Girsh,Girote,Girman,Giovino,Giovanini,Giorgini,Ginty,Ginsky,Ginnings,Gingues,Gingg,Ginger,Giner,Gimm,Gilruth,Gillund,Gillenwaters,Gilday,Gilcrest,Gilcher,Gilani,Gigstad,Giernoth,Gienger,Gidaro,Giczewski,Gibas,Giarratano,Giantonio,Giannitti,Giannetti,Giampapa,Giacopelli,Giacone,Giacomelli,Gherman,Ghera,Ghan,Gevorkyan,Gettig,Getchman,Gesinski,Gerundo,Gershenson,Gerraro,Gernert,Germundson,Gerloff,Gergel,Gerdeman,Gerdel,Geraldo,Geraldes,Georgopoulos,Georgis,Georgevic,Georgeson,Genzel,Genung,Gentzler,Gentili,Genich,Gelzinis,Geiken,Geidner,Geidl,Gehrer,Geho,Gehlbach,Geeding,Gedye,Geberth,Geathers,Gearan,Gealy,Gazzola,Gazella,Gawrych,Gavidia,Gautam,Gaumont,Gaudenzi,Gaucher,Gaubert,Gattas,Gatley,Gaters,Gatchalian,Gassel,Gasman,Gaslin,Garufi,Garriepy,Garrell,Garrand,Garnto,Garns,Garno,Garlinger,Garivay,Garhart,Gardino,Garcea,Garbin,Garaventa,Garavaglia,Garahan,Garafano,Garacia,Gapen,Ganiron,Ganino,Ganim,Gangwish,Gange,Ganes,Gandia,Gandeza,Gamlin,Gamelin,Galway,Galow,Gallob,Gallishaw,Gallinaro,Gallicchio,Gallese,Gallero,Gallegas,Galeoto,Galeas,Galbreth,Galbavy,Galavis,Galam,Gajate,Gair,Gagney,Gagel,Gagarin,Gaete,Gaetani,Gadbaw,Gack,Gabrysch,Gabardi,Fyksen,Futrelle,Furl,Furches,Furbeck,Funnye,Funicello,Fumagalli,Fullford,Fulginiti,Fulenwider,Fulena,Fugler,Fuerstenberge,Fuentas,Fucillo,Fuapau,Fryberger,Frusciante,Fruehling,Fromberg,Froeschle,Frock,Fritzgerald,Fritcher,Frisbey,Frihart,Frieling,Friedler,Frie,Fridell,Freuden,Freud,Frett,Frend,Freiling,Freije,Freie,Freidman,Freibert,Fregozo,Freehling,Fredo,Fredlund,Fredley,Frede,Freberg,Frayre,Fraunfelter,Frascella,Franssen,Frankowski,Francour,Francom,Francillon,Francey,Fraioli,Fracassa,Fostervold,Fossey,Foshay,Foscue,Forsell,Forrister,Forren,Fornicola,Fornes,Forgie,Forbs,Foppe,Foore,Fontecchio,Fongeallaz,Follick,Folio,Foder,Flyzik,Fluhman,Fluet,Flow,Floto,Floros,Floriano,Floren,Floran,Floerke,Flitcroft,Flipp,Flintroy,Fleschner,Flenner,Fleeting,Flamio,Flaggs,Flagge,Fjeseth,Fithen,Fissell,Fischman,Fire,Fioranelli,Finseth,Finocchiaro,Finerty,Fineman,Finchman,Filyaw,Filipovich,Filas,Figler,Figge,Fiers,Fiereck,Fidell,Ficorilli,Fico,Ficks,Fickle,Fialkowski,Feyen,Fetz,Fetsko,Ferullo,Fertitta,Ferriman,Ferrebee,Ferrand,Ferrales,Fernelius,Fernberg,Ferioli,Fergoson,Ferenc,Fereira,Fequiere,Fennema,Fenelus,Fenelon,Feneis,Femrite,Feltenberger,Felsenthal,Fels,Felmet,Felgenhauer,Felarca,Feiteira,Feirer,Feinen,Feigenbaum,Fehlinger,Federle,Fecko,Feavel,Featheringham,Fayer,Faxon,Faurrieta,Faull,Fatone,Fatigate,Fasy,Fasula,Fassio,Fass,Farwick,Farrill,Farquer,Farmwald,Fantozzi,Fanoele,Fannell,Fanizza,Fandrich,Fallo,Fallago,Faist,Faines,Faine,Fahrendorff,Faggard,Faessler,Fadale,Fabrizi,Eychaner,Exon,Exilus,Ewig,Evitts,Evinger,Everheart,Everhardt,Eveleth,Eveleigh,Eurbin,Esworthy,Estus,Estock,Esterbrook,Essler,Esque,Espina,Espalin,Eschenburg,Eschberger,Esbenshade,Ertley,Erstad,Erp,Eroman,Erno,Ermatinger,Erkkila,Erkela,Eriquez,Erin,Ericks,Erdahl,Ercolani,Equils,Eppinette,Eon,Enter,Enke,Engley,Englebrecht,Engleberg,Englar,Engelstad,Engelsman,Engellant,Ence,Emslie,Empie,Emoto,Emons,Emley,Emile,Embly,Embler,Emanuelson,Emal,Elzinga,Elwer,Elvis,Elvington,Elshere,Elmquist,Ellout,Ellifritz,Ellerd,Ellerbusch,Elizando,Elizabeth,Elick,Eliasen,Elgert,Elger,Elena,Elbers,Ekstein,Ekmark,Eiser,Einck,Eimers,Eilert,Eidinger,Eicke,Ehsan,Ehn,Egleton,Egel,Effner,Ednilao,Edner,Edmons,Edmister,Edmison,Edlow,Edholm,Edgeman,Edgcomb,Edell,Edelblute,Eclarinal,Eckroad,Echave,Ebesu,Eberwein,Ebeid,Ebe,Ebbing,Eastlund,Eary,Earps,Dzuro,Dziuban,Dysinger,Dyner,Dymek,Dyll,Dyl,Dydell,Dwelle,Dwan,Duvernois,Dutson,Dutro,Dutchover,Dusky,Duskey,Dusik,Dushkin,Dushane,Durrani,Duroseau,Durnford,Durk,Durepo,Duranceau,Duprat,Duplechin,Duperry,Dunscomb,Dunkleberger,Dung,Dunegan,Dundlow,Dumpson,Dumphy,Dumpert,Dumesnil,Dullum,Duldulao,Dular,Dukart,Duhan,Dugdale,Dugat,Duffney,Duesing,Duenow,Duce,Dubson,Drzewicki,Druetta,Drube,Drozdenko,Drop,Drohan,Drivers,Drinski,Driever,Drewer,Dressen,Drehmer,Drawe,Drapkin,Draney,Drahota,Dowers,Dowdall,Dovenbarger,Dousay,Douin,Doughan,Doucett,Douce,Dorshimer,Dorsaint,Dorries,Dorosky,Dorl,Dorich,Dorenfeld,Dorcelus,Dool,Donoso,Donnick,Donnely,Donart,Donalds,Donaghey,Donaghe,Dominges,Domebo,Dollings,Dolejsi,Doggette,Doell,Dockwiller,Dockal,Dobosh,Dobis,Dobiesz,Dluhy,Dixons,Divin,Diventura,Divenere,Divelbiss,Dittrick,Ditommaso,Dirosa,Dircks,Diogo,Diodonet,Dinning,Dininno,Dimodica,Dimitroff,Diminno,Dimassimo,Dillie,Dilan,Digsby,Digrande,Digmann,Digirolomo,Digian,Digiacinto,Dietzen,Dietlin,Dietert,Diersen,Dienst,Dieffenbach,Dicorcia,Dickhaut,Diberardino,Diab,Dhein,Dhar,Dhamer,Dezan,Dez,Dewispelaere,Dewhirst,Devonish,Devincenzo,Devillez,Devany,Devalcourt,Deubler,Dettori,Detone,Detommaso,Detoma,Desue,Destree,Destephen,Desso,Desselle,Desimoni,Desadier,Derham,Derfler,Dercole,Derasmo,Depugh,Deporter,Depolito,Depa,Deninno,Deni,Denenberg,Denaro,Denardis,Demry,Demro,Demmel,Demme,Demiel,Demeritte,Demarzio,Demaline,Demaine,Deluco,Delton,Delsordo,Delosa,Delongis,Delois,Deloff,Delmuro,Delmoro,Delmonaco,Delmage,Dellen,Dellaripa,Dellamore,Delhierro,Delfuente,Deleppo,Delemos,Delea,Delcarmen,Delaura,Delanuez,Delang,Delamarter,Delamare,Delage,Delacuesta,Dekorte,Dekenipp,Dekany,Deinhardt,Deily,Deierlein,Degravelle,Deglow,Degler,Degiulio,Defoore,Defonce,Deflorio,Defiore,Defilippi,Deed,Dedeke,Dedecker,Dedaj,Decost,Decillis,Dechellis,Dechaine,Decarr,Decaprio,Debutiaco,Debski,Debry,Debruhl,Debouse,Deblase,Debey,Debenedetti,Debacker,Deang,Deandrade,Deadmond,Deacy,Daykin,Dayhuff,Dayal,Davion,Davidsen,Dautremont,Daughrity,Daubs,Datwyler,Datko,Dasmann,Daruszka,Darugar,Darroch,Daro,Darkis,Daricek,Daras,Dar,Dapoz,Dapinto,Danuser,Danoff,Dankmeyer,Danesi,Danesh,Daneker,Dammen,Damien,Damberger,Dalmoro,Dallmier,Daller,Dalka,Daliva,Dahline,Dahlhauser,Daguerre,Dagrella,Dagraca,Dagesse,Dage,Daehn,Dado,Dabbraccio,Dabato,Czolba,Czepiel,Czelusniak,Czechowski,Czarny,Czar,Czapski,Cywinski,Cyran,Cypret,Cwiek,Cuzzort,Cuzzi,Cutty,Cutrone,Cuthrell,Cuthill,Cutbirth,Custeau,Cushingberry,Curvey,Curson,Currell,Curly,Curll,Curdy,Curcuru,Cupstid,Cuoco,Culverson,Culnane,Culliver,Cullivan,Culleton,Cuddeback,Cuckler,Cubillo,Cubias,Cua,Cryar,Crutsinger,Crusan,Crupe,Crummie,Cruice,Cruea,Crowthers,Crowers,Crowdis,Crovo,Croson,Crosno,Crosdale,Cronwell,Cronon,Crocetti,Crnich,Cristal,Crisson,Crismond,Crighton,Cridland,Crickard,Creten,Cretella,Crespino,Cremins,Cremers,Creehan,Creecy,Credell,Cranney,Cranker,Craker,Craffey,Cozzy,Coyazo,Coxum,Cowdin,Covino,Coven,Courtenay,Course,Courier,Courchene,Coup,Couley,Couchenour,Cotugno,Cottongim,Cotti,Cotillo,Costine,Costain,Cosmo,Coslan,Cose,Coryea,Cortwright,Corsoro,Corrente,Correl,Cornford,Corneluis,Cornelious,Corneau,Corne,Corkins,Corippo,Corgiat,Coreil,Cordwell,Cordovano,Cordill,Cordano,Corazza,Coran,Coppess,Coonrad,Coonfare,Coomber,Cooksley,Cookis,Coodey,Contrino,Contee,Consorti,Console,Conorich,Conole,Connoly,Connley,Connington,Connie,Conness,Conly,Conkright,Coner,Conchas,Comrie,Compston,Compagno,Comnick,Commiskey,Commer,Comiso,Comish,Comden,Colondres,Collica,Colleen,Colle,Collaer,Colinger,Colford,Colao,Colanero,Cohens,Cofresi,Coerver,Cockriel,Cockran,Cockerell,Cobham,Cobert,Cobern,Cobell,Clunie,Clubs,Clubbs,Cloutman,Clise,Clippinger,Clerkley,Cler,Clemmens,Clemen,Cleare,Cleamons,Claycamp,Clawges,Claverie,Clarkston,Clarity,Clantz,Clakley,Clain,Cizek,Ciuffreda,Citrone,Ciraco,Cinotto,Cini,Cinadr,Cilento,Cilano,Cihon,Ciganek,Cieslinski,Cicoria,Cicco,Cibula,Ciarrocchi,Ciak,Ciafardoni,Chubbs,Chrzan,Christophel,Christoph,Christoforou,Christel,Christan,Chreene,Chrabaszcz,Chrabasz,Chowhan,Choules,Chorney,Chorley,Cholico,Cholewinski,Cholakyan,Chojnowski,Chlebek,Chittam,Chiszar,Chisam,Chirafisi,Chiprean,Chinetti,Chimes,Chiera,Chicon,Chiarelli,Chiaravalle,Chiappetta,Chesner,Cheser,Chesbrough,Cherubino,Cherrette,Cherpak,Chelf,Cheesebrough,Cheeney,Cheely,Chean,Cheak,Chavana,Chauvette,Chatt,Chasser,Chaskey,Charriez,Chappie,Chappelear,Chapparo,Chapek,Chanoine,Chandley,Challenger,Challberg,Challacombe,Chaleun,Chainey,Chaffey,Cetta,Cerza,Cervenak,Certosimo,Cerruti,Cerqueira,Cernohous,Cereceres,Ceovantes,Ceo,Centrich,Centore,Cellucci,Ceglinski,Ceconi,Cecilio,Cecchinato,Cecchi,Cazorla,Cayne,Cayabyab,Cavill,Cavicchia,Cavez,Cavener,Cavasos,Cavaness,Cavalcante,Caulk,Caudel,Cattano,Catrett,Catlow,Catella,Cataquet,Catalino,Cataline,Catalanotto,Catalanatto,Cata,Castenanos,Castelo,Cassiday,Casparian,Casillo,Casewell,Casarrubias,Casalman,Casal,Carvalno,Carskadon,Carrus,Carrison,Carriker,Carrazco,Carratala,Carpanini,Carovski,Caroli,Carne,Carmella,Carlis,Carfagno,Carethers,Carella,Cardonia,Cardno,Carda,Carcieri,Carcano,Carcana,Carboneau,Carbon,Caravantes,Carattini,Caramanica,Capriola,Cappelluti,Capossela,Caponi,Caperon,Caper,Capati,Cantv,Cantore,Cantell,Cantatore,Cantarella,Cantadore,Canslor,Canonico,Cannonier,Cannone,Cannavo,Cannatella,Cangiano,Campoli,Campellone,Campean,Campanile,Camera,Camcam,Cambel,Calta,Callsen,Callarman,Calicott,Calhaun,Calegari,Calco,Calciano,Calabretta,Cake,Cairone,Cahela,Cagliostro,Caflisch,Cafferky,Caetano,Cadice,Caddle,Cadarette,Cackowski,Caccia,Cabrena,Cabotaje,Caborn,Caberto,Bystrom,Byndon,Buzek,Buysse,Bux,Buttrick,Buttaro,Butscher,Butsch,Butor,Butman,Buteux,Butchee,But,Bustard,Busta,Bussy,Busson,Bussing,Bussa,Busi,Buseman,Buschner,Buscaglia,Burttram,Burth,Bursch,Burnsworth,Burland,Burkowski,Burglin,Burgdorfer,Burdman,Burau,Buran,Burakowski,Buquet,Buonomo,Buntyn,Bungo,Bunche,Bunal,Bult,Bulliner,Bullaro,Bulkeley,Bulcao,Bula,Buisson,Buissereth,Bugni,Buetow,Buesgens,Budziszewski,Budinich,Buddington,Buchtel,Buchli,Buchert,Buchar,Buben,Brzuchalski,Brummell,Brull,Brudnicki,Brucz,Bruchman,Brubach,Brownwood,Browen,Browe,Brossett,Brosco,Brookshear,Brookfield,Bronstad,Bronsky,Bronaugh,Bron,Brohawn,Brogna,Brodzik,Brodsho,Brodowski,Brodnicki,Brodell,Brod,Brockney,Broas,Broadrick,Briz,Britschgi,Brint,Brinich,Bringard,Brindamour,Brincat,Brimfield,Brillant,Brilhante,Brihon,Brignoni,Brightful,Briggman,Bried,Brickle,Brickel,Brezeale,Brewen,Breutzman,Bretado,Brester,Bresko,Brennon,Brennaman,Breniser,Brendon,Brems,Breisch,Breidenstein,Brechtel,Brea,Brazington,Brazen,Brayer,Brawer,Bravata,Braune,Braunbeck,Braue,Braucht,Braseth,Brantly,Branter,Branski,Brandler,Bramham,Brahney,Bradac,Brackley,Brackey,Brackemyre,Brach,Boyarsky,Bowlan,Bowhall,Bowdre,Bovie,Bouyea,Boustead,Bourgeault,Bounthapanya,Boultinghouse,Bouillon,Boudrie,Boudinot,Bottgenbach,Bottari,Botos,Bothof,Botha,Bosten,Bostelmann,Bossley,Bossick,Bossen,Bosquet,Boscio,Bosche,Bosa,Borski,Borsh,Borowik,Borom,Borke,Borgerding,Borgatti,Bordwine,Booser,Bookbinder,Bookard,Boock,Bonte,Bonomi,Bonning,Bonito,Bonillas,Bondura,Bombich,Boltinghouse,Bollozos,Bolliger,Bollie,Bolka,Bolitho,Boldenow,Bolch,Bolay,Boissoneault,Boisjolie,Boisclair,Boie,Bohrman,Bohley,Boglioli,Boghosian,Boggus,Boggiano,Bogden,Boey,Boesenhofer,Boerst,Boerma,Boenisch,Boemig,Boebinger,Boday,Bodamer,Bocklage,Bocchini,Bobseine,Bobian,Boberg,Bobek,Blyler,Blumenstein,Bloyer,Blotter,Blore,Blomme,Blomdahl,Bliske,Blinston,Bliek,Blessman,Bleggi,Bleeker,Bledsaw,Blauch,Blaskovich,Blankley,Blankenberg,Blanken,Blakelock,Blaida,Bjorgen,Biven,Bitzel,Bittman,Bitonti,Bissen,Bisom,Bisher,Birman,Birky,Birkes,Bippus,Bintz,Bintner,Bintliff,Binnie,Binks,Binkiewicz,Binienda,Bingley,Bilotto,Billheimer,Billen,Billeck,Billeaudeau,Bilinski,Bilello,Bild,Bihari,Bigda,Biez,Bierwirth,Bierle,Bierbower,Bienenstock,Biemer,Bieler,Bielak,Bidle,Biddleman,Biddiscombe,Bicknese,Bickerton,Bickelhaupt,Bichsel,Bibles,Bibian,Biase,Biancuzzo,Biancaniello,Biamonte,Bia,Bhatnagar,Bhardwaj,Bhan,Beyett,Bewig,Beuchat,Better,Betsill,Bethey,Betenbaugh,Betance,Betacourt,Beske,Besendorfer,Besemer,Besco,Bery,Bertran,Bertling,Bertie,Bernson,Bernosky,Bernon,Berninger,Bernes,Bernecker,Bernasconi,Bernardin,Berlo,Berliew,Berky,Berhe,Berhalter,Bergsjo,Bergholm,Bergener,Bergeman,Beraun,Benward,Benusa,Bense,Bennage,Benischek,Benion,Beninato,Bengel,Benedek,Bene,Bendzus,Bendler,Bendit,Benderman,Benberry,Benallie,Bemrich,Belyea,Beltrain,Belter,Bellue,Bellocchio,Bellisle,Bellipanni,Bellion,Bellessa,Bellavia,Belay,Bejjani,Beisser,Beiriger,Beik,Beien,Behymer,Behrenwald,Behanna,Beed,Beechum,Beechner,Bednarik,Bednarek,Bedenbaugh,Becwar,Beckton,Beckom,Bech,Bebo,Beatie,Beat,Bearman,Beaner,Beakley,Beahan,Beachamp,Bazzi,Bayman,Bayardo,Bayala,Bawcum,Bavier,Bauswell,Baures,Baune,Baumgarter,Bault,Baughey,Baugatz,Bauernfeind,Bauerlein,Bau,Batun,Battistone,Batteen,Batko,Batistich,Bater,Batcheller,Batarse,Bastow,Bassuk,Bassolino,Bassel,Bason,Basilone,Basich,Bascle,Bascetta,Bartush,Bartrum,Bartlet,Barthelmes,Bartberger,Bartash,Barsoum,Barsanti,Barrott,Barrom,Barriner,Barnhurst,Barnell,Barkle,Barkes,Barillaro,Bargerstock,Barganier,Baremore,Bardney,Barda,Barbot,Barbie,Barayuga,Barager,Bantz,Bandulin,Banasiak,Balzarini,Balwin,Balton,Balsiger,Balmos,Balmir,Ballestero,Ballek,Balick,Balian,Balestra,Balensiefen,Balduf,Balckburn,Balasa,Balafoutas,Baksi,Bakowski,Baklund,Bakko,Bakey,Bakanauskas,Baj,Baio,Bainard,Baima,Baillet,Baich,Bahrmasel,Bahrke,Bahoora,Bagsby,Bagger,Badena,Badders,Backfisch,Bacik,Bachler,Bachleda,Bachhuber,Bachert,Babiracki,Baatz,Azzarito,Azzarella,Azulay,Azotea,Azeem,Ayoob,Ayola,Ayles,Ayersman,Ayaia,Axthelm,Ax,Awtry,Avrett,Avilar,Aveni,Avellino,Aurelia,Aumend,Auletta,Augustson,Augustave,Aughe,Auerswald,Aubrecht,Athalone,Atanacio,Atamian,Astrologo,Astrella,Aspinall,Asman,Ashlin,Ashenfelter,Aschenbrener,Ascheman,Ascenzo,Asante,Asa,Arvayo,Artmann,Artice,Art,Arslan,Arrott,Arrojo,Arrizola,Arriano,Arrendell,Arps,Aronstein,Aronow,Aronica,Arntz,Arnst,Arnio,Arne,Armengol,Armantrout,Arlt,Arkadie,Arjune,Arismendez,Arimas,Aries,Ariel,Argandona,Arflack,Areola,Arenales,Ardman,Arciga,Arciba,Archacki,Arcaro,Arcano,Arbogust,Arauz,Aranas,Aquil,Aquero,Apresa,Appiah,Appert,Apostal,Apodace,Apadoca,Antrobus,Antoniuk,Antione,Antinarelli,Antich,Anslow,Ansbro,Annicchiarico,Angleberger,Angelson,Angello,Andruzzi,Androsky,Androlewicz,Andrion,Andringa,Andracki,Andra,Ancelet,Anastas,Anast,Anagnost,Amsley,Amsdell,Amsberry,Amsbaugh,Amoruso,Amoa,Amici,Amesbury,Ambrosia,Ambrogi,Amack,Alvia,Alvaro,Alvanas,Altrogge,Altomare,Altmire,Altenbach,Alsheimer,Alquisira,Alouf,Aloisi,Aloe,Almiron,Allford,Allex,Allery,Allenbach,Allegrucci,Alig,Alicuben,Alfisi,Alferez,Alfandre,Alf,Alexion,Alevras,Alessandrini,Alesi,Alescio,Alegre,Alea,Aldecoa,Alcini,Albrittain,Albrashi,Alawdi,Ala,Aksamit,Akima,Akel,Akahi,Ajose,Ajayi,Aivao,Aiu,Ainge,Ailshire,Aidt,Aicklen,Ahuja,Ahr,Aholt,Agle,Agamao,Affeld,Aeschbacher,Aeling,Adriance,Adkin,Adhami,Adeyemo,Ades,Adelgren,Addicks,Adamitis,Ada,Acor,Acimovic,Accomando,Accola,Acampora,Abuaita,Abshear,Abrantes,Abramovich,Abrachinsky,Abilay,Abellera,Abeles,Abdula,Abdon,Abbed,Abati,Abascal,Aavang,Aadland,Zylka,Zwolak,Zwingman,Zwerschke,Zwack,Zurin,Zupp,Zumbrunnen,Zukoski,Zukor,Zukas,Zuanich,Zoumis,Zoulek,Zou,Zorra,Zorich,Zomorodi,Zolty,Zolondek,Zolnoske,Zoldesy,Zoldak,Zocklein,Zlotnik,Ziraldo,Zipf,Zinsli,Ziniewicz,Zindell,Zin,Zimmerebner,Zimmel,Zimm,Zills,Zilla,Zilka,Zietz,Zietlow,Ziemski,Zielesch,Zieler,Zieglen,Ziegenbein,Ziegelbauer,Ziegel,Ziech,Zicker,Zicherman,Zich,Ziccardi,Zgoda,Zeschke,Zerko,Zerhusen,Zepka,Zents,Zeni,Zeme,Zematis,Zema,Zella,Zelkin,Zelenski,Zeilinger,Zeidan,Zegarelli,Zeanah,Zdon,Zbikowski,Zazula,Zavesky,Zavasky,Zaruba,Zarrineh,Zarrillo,Zarraluqui,Zarling,Zaring,Zaretsky,Zarebski,Zanini,Zanin,Zangl,Zaner,Zand,Zampieri,Zaltz,Zaloudek,Zall,Zalk,Zalar,Zakowski,Zajc,Zahran,Zahnen,Zagroba,Zagel,Zagara,Zagami,Zaffuto,Zachmann,Zachariades,Zaccagnino,Zaccagnini,Zaborski,Zabloudil,Zabarkes,Yvon,Yusef,Yuricic,Yuill,Yuenger,Yuasa,Ysbrand,Yourshaw,Younkers,Youngdahl,Youngblut,Youkers,Youkanaa,Yorkey,Yoneyama,Yonamine,Yoeckel,Yodis,Yocius,Yocham,Yobst,Yeubanks,Yetto,Yerigan,Yerbic,Yentsch,Yennard,Yemchuk,Yax,Yaun,Yasurek,Yasui,Yaskiewicz,Yantzer,Yantz,Yanosky,Yanek,Yandle,Yance,Yanagi,Yambao,Yamakawa,Yagoda,Yaekel,Yackeren,Yacavone,Yacano,Ximines,Xaimoungkhoun,Wysock,Wyont,Wynott,Wynans,Wylde,Wyett,Wydner,Wurzbacher,Wulfing,Wruck,Wroe,Wrobliski,Wrobbel,Wrights,Wraspir,Wrape,Woytowicz,Woy,Worthan,Worstel,Worsfold,Worrel,Worbington,Wools,Woollen,Woolems,Woodmancy,Woodhull,Woodgate,Woodfield,Woodcox,Woock,Wonsik,Wolven,Wolslegel,Wolny,Wolma,Wollyung,Wollin,Wolley,Wollan,Wolkow,Wolke,Wolever,Woleslagle,Wolansky,Wojnicki,Wohner,Wohlfahrt,Wohler,Wloch,Wittlin,Wittkopp,Wittenborn,Wittels,Withiam,Withfield,Wisz,Wissel,Wisseh,Wislocki,Wiscombe,Wischmeyer,Wischman,Wirebaugh,Winzelberg,Winterstein,Wintersmith,Winterroth,Winrich,Winograd,Winlock,Winley,Winkley,Wings,Winfred,Winebaugh,Windover,Windly,Winarski,Wimbs,Wimber,Wiltgen,Willmschen,Williver,Willinghurst,Williamston,Willenbrock,Willars,Willamson,Wileman,Wileczek,Wildenberg,Wildeman,Wilcutt,Wilch,Wilby,Wilbers,Wikstrom,Wigman,Wigle,Wigelsworth,Wietzel,Wiesneski,Wienert,Wienecke,Wienandt,Wieloch,Wielgosz,Wiedmann,Wieckowski,Wiece,Wieand,Widmar,Widhalm,Widgeon,Widerski,Widdows,Widdop,Widdison,Widby,Wida,Whyne,Whyel,Whybrew,Whittman,Whittall,Whitler,Whitinger,Whitewater,Whitescarver,Whitemarsh,Whitecloud,Whit,Whistlehunt,Whinnery,Whillock,While,Whilby,Wheldon,Wheatcroft,Whapham,Whaite,Wettlaufer,Wetterer,Wettach,Wetsel,Wethern,Westrum,Westlie,Westgaard,Westerhof,Westerfeld,Westad,Wesly,Wesberry,Werring,Werre,Wernz,Wermter,Werkmeister,Werbelow,Wentzlaff,Weniger,Wengreen,Wendolski,Wendelberger,Wempa,Weltzin,Welti,Weltch,Wellnitz,Wellenstein,Wekenmann,Weitze,Weitman,Weisholz,Weishar,Weisbaum,Weinraub,Weinbauer,Weinbach,Weidig,Weiderhold,Wehrwein,Wehrs,Wehrly,Wehnes,Wehn,Wegge,Weerts,Weemhoff,Weekey,Wedman,Weder,Weckman,Weckhorst,Weaklend,Wauters,Wauer,Waud,Wattenberg,Watte,Watling,Waszkiewicz,Wasmus,Wasilko,Washor,Wartchow,Warshauer,Warsham,Warrender,Warnstaff,Warmuth,Warmington,Wardrup,Wardhaugh,Wardall,Warchal,Warboys,Wanty,Wanous,Wanlass,Wangstad,Waneka,Wandless,Wandel,Wanda,Wamser,Wamhoff,Walvatne,Waltemeyer,Walsingham,Walljasper,Wallet,Wallerich,Walkling,Walkers,Walezak,Waldroff,Waldhoff,Waldall,Walbright,Walat,Wakita,Waka,Waisner,Waiki,Waiden,Wagle,Wagenblast,Wadusky,Wadden,Waclawski,Wackenhut,Wackenheim,Wachal,Waananen,Waack,Vy,Vukcevic,Vreugdenhil,Vreeman,Vrazel,Vranes,Vranek,Voytek,Voves,Vormelker,Vorachek,Vontungeln,Vonniederhaus,Vonner,Vonhagen,Vondrak,Vondielingen,Vonasek,Vonallmen,Voltaire,Vollucci,Vollick,Vollenweider,Volante,Voitier,Vogts,Vocu,Voci,Voccia,Vliet,Vliem,Vizarro,Vizard,Vittorini,Vitro,Vitolas,Vititoe,Viteo,Visnic,Visher,Visel,Viscia,Viscera,Vis,Virrueta,Virola,Viren,Vinz,Vinke,Vinger,Vind,Vinagre,Viltz,Villwock,Villifana,Villiard,Villetas,Villasana,Villarin,Villante,Villacana,Vile,Vilcheck,Vilardi,Vigueras,Vigoren,Vignovich,Vignaux,Vignarath,Vigier,Vieweg,Vietti,Vietor,Viegas,Viebrock,Vidals,Victorin,Vicsik,Vicic,Vicens,Viapiano,Vetsch,Vetri,Vertiz,Versluis,Verrilli,Verrelli,Verrecchia,Verni,Vernetti,Vermeer,Verling,Verlato,Verkler,Verkamp,Verghese,Verducci,Verant,Venzeio,Venturella,Ventress,Venton,Venhorst,Venerable,Veneman,Ven,Velverton,Velunza,Velmontes,Vellutini,Vellekamp,Veleta,Veldkamp,Velazques,Veino,Veigel,Veeneman,Vavro,Vauters,Vattes,Vaszily,Vastakis,Vasiloff,Vasilauskas,Vasconcelos,Vars,Varos,Varnon,Varkey,Vares,Varenhorst,Vardy,Varcoe,Vanwye,Vanwoert,Vanwieren,Vanvickle,Vantreese,Vansyckle,Vanstrander,Vansteenburg,Vanstee,Vanslander,Vanproosdy,Vanpoucke,Vanpoppelen,Vanpatton,Vanosdel,Vannelli,Vanmiddleswor,Vanloh,Vanlith,Vankoten,Vanisouvong,Vanholland,Vanhekken,Vanharlingen,Vanhandel,Vangemert,Vaneyck,Vanert,Vaneps,Vanegdom,Vandesteene,Vanderschaege,Vanderkam,Vanderheiden,Vandergriend,Vanderark,Vandeputte,Vandenbergh,Vandegraaff,Vandebogart,Vandamme,Vandalsen,Vandagriff,Vanclief,Vanboven,Vanbecelaere,Vanartsdalen,Vanaller,Vanakin,Vanabel,Valrie,Valrey,Valotta,Vallangeon,Valladolid,Valaitis,Vala,Vair,Vaidya,Vaid,Vagt,Vagle,Uyeno,Uson,Us,Urwin,Urtado,Ursino,Urry,Urquiza,Urps,Urmeneta,Urlaub,Uribazo,Urhahn,Ure,Urch,Urbanic,Urata,Urankar,Ur,Uppinghouse,Unthank,Unland,Unikel,Ungvarsky,Ungerleider,Ungerecht,Underkoffler,Umlauf,Umbdenstock,Ulrick,Uliano,Uldrich,Ulch,Ulberg,Uknown,Ukena,Uk,Uhri,Uhde,Udley,Uboldi,Tzeremes,Tysor,Tyrus,Tyrol,Tyl,Tyksinski,Tycer,Tyberg,Twitt,Tweden,Tuy,Tuton,Tuter,Tustison,Tuschhoff,Turso,Turrigiano,Turowski,Turnbo,Turnball,Turlich,Turli,Turla,Turkin,Turke,Turi,Tuong,Tulk,Tulip,Tugman,Tuggles,Tufano,Tucknott,Tuccillo,Tubeszewski,Tuason,Tsuzuki,Tsunoda,Tschannen,Trytten,Trybala,Truskowski,Trueba,Trueax,Truden,Trucchi,Trotti,Trongone,Tromble,Tromblay,Trokey,Troiani,Troglin,Trodden,Troccoli,Tritz,Tritch,Trischitta,Trisch,Trippet,Triplette,Trinca,Trimmell,Trilling,Trieger,Treworgy,Trevorrow,Trevillion,Trevigne,Trevett,Tretter,Treston,Trepagnier,Trentinella,Trenkle,Trenh,Trenbeath,Tremelling,Treider,Treib,Treftz,Tredennick,Trecroci,Trebil,Traves,Traversa,Tratar,Traster,Trasport,Trank,Trampe,Trammer,Trame,Trachte,Toyoshima,Towley,Tovias,Touvell,Tout,Toussant,Tourikis,Toten,Tosten,Tosic,Tosches,Tortoriello,Tortorice,Torstrick,Torset,Torrijos,Torrie,Torress,Torred,Torra,Torma,Torkildsen,Toppi,Toporek,Topolosky,Topick,Topez,Toper,Toncrey,Tompsett,Tompkin,Tomory,Tommolino,Tomjack,Tombs,Tombrello,Tomaszycki,Tomaski,Tolzmann,Tolston,Tolosky,Toldness,Tokuoka,Tokihiro,Tokay,Tok,Tojo,Tointon,Tohill,Togni,Tognazzini,Todeschi,Tobola,Tobeck,Toala,Toadvine,Tllo,Tkacz,Titchener,Titch,Tissot,Tiso,Tirri,Tipka,Tintle,Tinneberg,Tinius,Tinelli,Tin,Timmreck,Timmerberg,Timinsky,Timi,Timchak,Tillberry,Tilgner,Tiff,Tieszen,Tiemeyer,Tiemens,Tiell,Tiehen,Tidey,Tick,Ticas,Tiboni,Tiberio,Tibbert,Thyne,Thurton,Thurau,Thune,Thrune,Threets,Thorngren,Thornbrugh,Thorin,Thongdy,Thommarson,Thoene,Thoben,Thoams,Thixton,Thistlethwait,Thingvold,Thiesfeld,Thierauf,Thielbar,Thiebeault,Thiara,Thews,Theophilus,Theodoratos,Thenhaus,Theam,Thay,Thalmann,Thake,Thady,Tevlin,Tevebaugh,Testen,Tesseneer,Tervort,Terri,Terrey,Terres,Terrasas,Terney,Termeer,Terlecki,Terheggen,Terhark,Terhar,Terepka,Terault,Terando,Teppo,Tepler,Teper,Tent,Tenpas,Tennill,Tennett,Tenley,Templer,Tempe,Temp,Teltschik,Telschow,Telle,Tekippe,Teitsort,Teitenberg,Tei,Tegarden,Teffeteller,Tefera,Teesdale,Teemer,Teekasingh,Teddick,Tebay,Tebar,Teats,Teano,Teagues,Teachman,Teabo,Tchakian,Tazzara,Tayor,Tavorn,Tavira,Taverna,Tave,Tautuiaki,Tatters,Tatevosian,Tassey,Taschereau,Tarzia,Tarring,Tarrien,Tarras,Tarkenton,Tariq,Tardio,Tarascio,Tara,Tappeiner,Tannen,Tankersly,Tanious,Tangren,Tangredi,Tangert,Tamulis,Tamburrino,Tambasco,Tamargo,Tamanaha,Talluto,Taki,Takeshita,Takemura,Takaoka,Tajiri,Taintor,Tahu,Tags,Taglieri,Tafel,Tadiello,Tacket,Taborda,Tabolt,Tabisola,Tabian,Taback,Szymansky,Szwejbka,Szweda,Szufat,Szubinski,Szerlong,Szekula,Szczygiel,Szczepanek,Szalay,Szafryk,Syrek,Syphard,Synan,Symmonds,Sydner,Swirsky,Swires,Swietoniowski,Swickheimer,Swets,Swetland,Swenk,Sweetin,Swavely,Swatt,Swatsworth,Swatski,Swartzmiller,Swartzbeck,Swartzbaugh,Swansen,Swalley,Swaisgood,Swails,Swaggert,Svrcek,Svinth,Svetz,Svetlik,Sutulovich,Suttell,Susswein,Sussex,Susor,Susoev,Susich,Susana,Surwillo,Suran,Sunn,Sunkel,Sundling,Sundholm,Sumsion,Sump,Summar,Sumlar,Suminski,Sumi,Sumas,Sulzman,Sultana,Sullinger,Suleski,Sulcer,Sul,Sukeforth,Suing,Suglia,Sugiki,Suggett,Sueltenfuss,Suders,Sudar,Suchecki,Sucharzewski,Suchanek,Subler,Suben,Subasic,Styborski,Stvil,Stumme,Stulick,Studyvin,Stubson,Stuble,Stubits,Stubenrauch,Strysko,Struggs,Strudwick,Strowd,Stroub,Stroth,Stropko,Stroinski,Strnad,Stritzke,Stritzinger,Strittmater,Strieker,Strickert,Strength,Stremlow,Stremel,Strejcek,Streitmatter,Streif,Streb,Streams,Straws,Strausberg,Strathy,Strathman,Strater,Straseskie,Strapp,Stranger,Strande,Stramiello,Strakbein,Strachn,Stoyer,Stoyanoff,Stowman,Stowbridge,Stove,Stoutt,Stoutenburg,Stouer,Stouder,Store,Stoppkotte,Stopa,Stolts,Stolinski,Stolecki,Stole,Stojanovic,Stofsky,Stoffregen,Stoffels,Stoffa,Stoesz,Stodolski,Stockett,Stittsworth,Stipek,Stinett,Stillion,Stillinger,Stiel,Stiehl,Stiegler,Stieg,Stickrod,Sticht,Stibbins,Stevener,Steudeman,Stetzel,Sterr,Sternal,Sterback,Stephco,Stenman,Stemmerman,Stemme,Stemarie,Stelting,Stellings,Steir,Steinlicht,Steiniger,Steinbrenner,Steidinger,Stehney,Stehly,Stefka,Steffel,Stefanovich,Steeno,Steeneck,Steenburgh,Steckline,Steckelberg,Stazenski,Stavis,Staum,Stauffacher,Stauder,Staude,Statzer,Stasinos,Starwalt,Starrs,Starnauld,Starek,Stapleford,Stapf,Stapels,Stansifer,Stanojevic,Stanick,Standring,Standrew,Standke,Standford,Stancle,Stanciel,Stamnos,Stamison,Stallons,Stallion,Stallbaumer,Stailey,Staie,Staiano,Stahnke,Stahle,Stageman,Stacken,Stachecki,Stableford,Stabb,Sramek,Squines,Spurzem,Sprock,Springate,Spreng,Spratte,Sprang,Sprake,Spotwood,Splain,Spiwak,Spitznogle,Spirito,Spirek,Spingola,Spincic,Spillett,Spika,Spigelman,Spielmann,Spetter,Sperl,Spenard,Speilman,Speigel,Speice,Speach,Spaugh,Spatafore,Spatafora,Spar,Spanski,Spannaus,Spanish,Spanfellner,Spalinger,Spagnolia,Spadea,Spadafore,Spadaccini,Spachtholz,Spach,Spacek,Sozzi,Sowels,Soulasinh,Souffront,Soucier,Sotolo,Soteros,Sotero,Soter,Sossaman,Soshnik,Sorrick,Soron,Soroa,Sornsen,Sorgente,Sordahl,Sonza,Sontheimer,Sonstroem,Sonoski,Sonnenfeld,Sonderup,Somani,Soman,Somalski,Solymani,Solton,Soloveichik,Solmonson,Sollberger,Solkowitz,Solimini,Soleman,Solders,Soldavini,Solanki,Sohm,Sodek,Sode,Socks,Sockalosky,Sochan,Sobilo,Soapes,Snyders,Snowman,Snowdy,Sniffin,Snetting,Snellman,Snellenberger,Snellen,Snellbaker,Sneathen,Sneath,Smyrl,Smull,Smolko,Smithheart,Smiht,Smestad,Sluter,Slupe,Slomkowski,Slomka,Slomba,Sliz,Slipp,Slim,Slightam,Sleper,Sledz,Slechta,Slaughterbeck,Slaughenhoupt,Slaight,Sladick,Slader,Skye,Skupski,Skroch,Skripko,Skrine,Skreen,Skradski,Skorski,Skornik,Skokowski,Skok,Skocilich,Skinnen,Skillington,Skemp,Skay,Skattebo,Skagerberg,Siwik,Sivik,Sitar,Sitaca,Sission,Sissac,Sisney,Siruta,Sirmon,Sirkoch,Siriano,Siracuse,Sipler,Sipho,Sinkovich,Sinkey,Sinistore,Singo,Sinclaire,Simunovich,Simuel,Simril,Simpton,Simpliciano,Simoson,Simonis,Simoncini,Simister,Simison,Simenez,Simco,Simcheck,Silvi,Silveri,Silvano,Silletto,Sillavan,Siles,Silbernagel,Sigwart,Sigona,Signs,Signaigo,Sigmond,Sigars,Siemek,Siem,Sieloff,Sieligowski,Siefke,Siebeneck,Siebenberg,Siderman,Siderine,Sidberry,Sicilia,Sichta,Sibrel,Sibell,Sibayan,Shyu,Shvey,Shuter,Shumski,Shulund,Shulte,Shuker,Shugars,Shufford,Shubrick,Shub,Shouldice,Shotton,Shotkoski,Shost,Shortsleeve,Shorette,Shopen,Shont,Shonerd,Shone,Shomin,Shomer,Sholl,Shoger,Shirts,Shirota,Shinholster,Shindle,Shinaberry,Shimura,Shimsky,Shimo,Shillinger,Shilleh,Shihadeh,Shierling,Shewbridge,Shevitz,Sheumaker,Shettle,Shers,Sherren,Shern,Sherling,Sherle,Sheridon,Sherdon,Shelter,Shelmon,Shelling,Shelko,Sheline,Shelhamer,Shekey,Shekarchi,Sheinberg,Shehata,Sheffo,Shebchuk,Shearing,Sheaks,Shazier,Shayne,Shawnee,Shawhan,Shaud,Shastri,Sharr,Sharlin,Shark,Sharits,Sharf,Share,Shapskinsky,Shape,Shankland,Shames,Shalhoup,Shaftic,Shadiack,Shackle,Shabala,Sevick,Sevedge,Seurer,Sette,Servan,Serva,Serrett,Serrand,Serisky,Sering,Serie,Serianni,Sereda,Sequin,Senti,Senosk,Senno,Senner,Senna,Senerchia,Sendro,Sencabaugh,Semonick,Semetara,Sembler,Selvaggio,Seltzen,Selser,Sellek,Sellberg,Selking,Seliba,Selfe,Seki,Seifarth,Seielstad,Sehorn,Sehl,Segur,Segrave,Sefcovic,Seeton,Seek,Seecharan,Seeberger,Sedman,Sedano,Secunda,Seburg,Sebold,Sebastion,Seate,Seashore,Seard,Seang,Seaney,Seace,Seabert,Sczygiel,Scurti,Scullen,Scroggy,Scripter,Scowden,Scorsone,Scoleri,Scocca,Scire,Sciotti,Sciera,Scibilia,Sciabica,Schwisow,Schwier,Schweinert,Schweinberg,Schweiker,Schweigart,Schweickert,Schwass,Schwarzenbach,Schwarts,Schwarm,Schwamberger,Schwalenberg,Schwabenbauer,Schwabauer,Schuttler,Schutjer,Schuring,Schure,Schuppert,Schuner,Schulthess,Schulteis,Schulle,Schuhmacher,Schuermann,Schuepfer,Schuele,Schrott,Schrope,Schrauder,Schrandt,Schouviller,Schonert,Schonack,Scholzen,Scholnick,Schoffstall,Schoenthal,Schoenstein,Schoenhut,Schoenhard,Schoeneman,Schoemer,Schoborg,Schnicke,Schneidtmille,Schneiders,Schmunk,Schmoyer,Schmeider,Schmale,Schlottman,Schlitzer,Schlipp,Schlink,Schliesser,Schlieper,Schlesselman,Schlensker,Schleis,Schlein,Schleck,Schlabaugh,Schiver,Schirpke,Schindel,Schimler,Schiltz,Schillings,Schiffelbein,Schiebel,Schiaffino,Schettig,Schetrompf,Schessler,Scherler,Scheppe,Schepens,Schellman,Schellhammer,Scheirman,Scheibelhut,Schei,Schech,Scheaffer,Schattner,Schatt,Scharte,Schappell,Schanding,Schanbacher,Schan,Schaming,Schamburek,Schaeffler,Schadle,Schadegg,Schabot,Schaberg,Schaadt,Scerra,Scercy,Scattergood,Scarset,Scarrow,Scarritt,Scarpaci,Scarles,Scarce,Scanlin,Scalice,Scali,Scahill,Sazama,Saysithideth,Sayres,Sayavong,Sawlivich,Sawczyszyn,Savo,Savina,Savilla,Savela,Savasta,Saurel,Saupe,Sauberan,Satunas,Sattley,Satterley,Satiago,Satchel,Saska,Sarvey,Saroukos,Sarnowski,Sarnoff,Sarli,Sarley,Sarelas,Sardi,Sarconi,Sarbacher,Saragusa,Saraceno,Sar,Sappenfield,Sanzotta,Santy,Santorella,Santopolo,Santin,Santiesteban,Santhuff,Santell,Sansburn,Sanpaolo,Sanocki,Sannon,Sannella,Sanlucas,Sanjabi,Sangrey,Sangi,Sanghvi,Sangh,Sanfiorenzo,Sandrowicz,Sandoual,Sandora,Sandlian,Sandi,Sandholm,Samuelsen,Samu,Sampedro,Samorano,Samok,Samide,Samber,Samain,Saltzgaber,Saltonstall,Saltern,Salte,Salonia,Salmond,Sallas,Saliva,Saler,Salek,Saldibar,Salabarria,Sakon,Sakelaris,Sake,Sajorda,Sajor,Sahni,Sagoes,Saglimbeni,Sagehorn,Sagayaga,Safdeye,Safa,Sadlon,Sadbury,Sadahiro,Sache,Sacavage,Sacarello,Sables,Sabean,Sabates,Sabataso,Saager,Saa,Rzucidlo,Rzeszutko,Ryther,Rylant,Ryks,Ryherd,Ryhal,Rygalski,Rybacki,Rviz,Ruys,Ruuska,Ruttman,Ruttinger,Ruts,Ruter,Rutana,Rusten,Russnak,Rusinko,Rusi,Rushiti,Rushia,Rushdan,Ruscetti,Rusboldt,Ruppenthal,Rupke,Rundahl,Rund,Rummer,Rummans,Rumler,Ruminski,Rumfola,Rull,Ruise,Ruggle,Ruescher,Ruegsegger,Ruegger,Rudzik,Rudney,Rudisail,Rudis,Rudduck,Rucky,Ruckdeschel,Rubins,Rubenzer,Rozo,Rox,Rowzee,Rownd,Rowey,Rowcliffe,Rovinsky,Roup,Rottner,Rothmiller,Rothgery,Rothbart,Rotenberg,Rotando,Roswick,Rosu,Rossum,Rossetto,Rosseter,Rosselli,Roskos,Roskopf,Rosenholm,Rosencranz,Rosenbrook,Rosella,Rosebaugh,Rosbough,Rosan,Roofe,Ronson,Ronhaar,Rones,Ronchetto,Romeno,Rombs,Romanoski,Romanini,Romanick,Roloson,Rollock,Rollheiser,Rollans,Rold,Rolark,Rokisky,Roja,Roik,Rohaley,Rognstad,Rofkahr,Roethel,Roessner,Roesser,Roehrman,Roehrenbeck,Roegge,Roefaro,Rody,Rodrigo,Rodricks,Rodino,Rodillas,Rodia,Rodenbaugh,Rodell,Rodeiguez,Rodarta,Rockenbach,Robley,Robes,Robertello,Robello,Robella,Robak,Roarx,Rivlin,Rivira,Rivena,Ritzert,Ritell,Ritcheson,Riska,Risberg,Ripke,Rinkel,Riniker,Ringman,Ringlein,Ringelheim,Ringbloom,Rinde,Rincones,Rimson,Rimar,Riliford,Rihn,Rihanek,Rigoni,Riggott,Riffon,Rievley,Rieve,Riesenweber,Rieg,Rieff,Riedell,Riechers,Rieber,Rieben,Riebeling,Ridpath,Ridler,Riddock,Rickson,Rickmon,Rickley,Rickie,Richrdson,Ribot,Riblet,Rhyme,Rhoney,Rhed,Rhead,Rezek,Reynvaan,Reynoza,Reye,Rexwinkle,Revord,Reven,Reveal,Reutlinger,Reuland,Reuer,Retzler,Rettke,Retterbush,Retort,Reth,Resureccion,Restifo,Resnikoff,Rerko,Repsher,Repress,Reppell,Repinski,Repenning,Renze,Rennix,Renning,Renney,Rennell,Renfer,Rener,Rendino,Renaker,Remmen,Rementer,Remenaric,Relkin,Reiterman,Reist,Reisser,Reisling,Reisert,Reise,Reio,Reinmiller,Reine,Reill,Reigner,Reifler,Reifel,Reidenbach,Rehnquist,Rehler,Rehfield,Rehfeldt,Rehberger,Regler,Regel,Regehr,Refsell,Reen,Reem,Reeher,Reech,Reeber,Redstone,Redo,Redish,Redhage,Redenz,Redell,Reddrick,Redder,Reckley,Reckleben,Recine,Rebusi,Rebuldela,Rebera,Rebell,Rebeles,Reavley,Reau,Reatherford,Reaney,Reaid,Reagans,Reado,Razinger,Razey,Raza,Rayside,Raymos,Raygosa,Rawding,Raw,Ravens,Ravenhorst,Rav,Rauzman,Rautenberg,Rausin,Rauner,Raudebaugh,Rattner,Ratleff,Rathmell,Rathgeb,Ratermann,Rataczak,Rasher,Rashdi,Rashada,Rasbery,Rarang,Rapose,Rapa,Ransick,Ranos,Rankhorn,Raniero,Rang,Randzin,Rancher,Rances,Rancatti,Ramoutar,Ramnarase,Ramlakhan,Ramiro,Ramiriz,Ramez,Rameriez,Rambus,Ramaswamy,Ramagos,Ramadanovic,Ramadan,Ralko,Ralat,Rakel,Raju,Rajtar,Raja,Rairdon,Raimo,Raif,Raiche,Raheja,Raheem,Rahall,Raguso,Rafanan,Rafalko,Raes,Radzavich,Radune,Radulescu,Raduenz,Radsek,Radom,Radell,Rackett,Racilis,Rachi,Rach,Racedo,Rabold,Rabner,Rabern,Rabenstein,Rabelo,Quintas,Quinlisk,Quine,Quincey,Quilantang,Quicksey,Quereto,Quelette,Quaresma,Quann,Quall,Quails,Quaas,Qadir,Pytlovany,Pybus,Putaski,Purwin,Purter,Purple,Purol,Purkiss,Pummel,Pults,Pultorak,Pullian,Puller,Pulham,Puletasi,Puidokas,Puhuyaoma,Puffinburger,Puesey,Puelo,Puddephatt,Pucillo,Puc,Przepiora,Prys,Pruzansky,Pruyn,Prust,Prusinski,Prus,Pruette,Provis,Provine,Proue,Protz,Prosonic,Prophett,Pronto,Pronovost,Proksch,Prok,Proietto,Proia,Proenza,Probus,Prizzi,Privalsky,Prisock,Printy,Primozich,Priefert,Pridham,Preus,Prettner,Prester,Pressel,Preskar,Premer,Premeaux,Preisinger,Preisendorf,Prehm,Pregeant,Preedom,Pralle,Prag,Pradel,Prabhakar,Poyser,Poupard,Potterson,Pottebaum,Potolsky,Poto,Potes,Postlethwaite,Postin,Pospishil,Poskus,Posik,Portsche,Portolese,Porrini,Poro,Porietis,Poppenhagen,Poppen,Poppel,Pontonio,Ponting,Pono,Pomposo,Pomponio,Pomplun,Pomo,Pomeranz,Pomella,Pomberg,Pomares,Polucha,Polselli,Polnau,Pollins,Pollara,Polisky,Polio,Policz,Policar,Polchinski,Polashek,Polakowski,Polaco,Poitevin,Poister,Pointon,Poinson,Poinsett,Pogar,Poetter,Podmore,Poczobut,Pockette,Pocasangre,Pobre,Plys,Plunket,Plumpton,Pluemer,Plover,Ploetz,Ploense,Plocek,Plikerd,Pleet,Pleasure,Plazza,Plaxico,Platko,Platania,Plassmann,Plantier,Plantenga,Plancarte,Plakke,Pladson,Pizzano,Pivin,Pittsinger,Pittmann,Pitsenbarger,Pitonyak,Pitmon,Pitfield,Pitek,Pitassi,Pistulka,Pistole,Piske,Pishko,Pisegna,Pirnie,Pirkey,Pippitt,Piorkowski,Pinna,Pinkton,Pinks,Pinkerman,Pinchbeck,Pimpare,Pilloud,Pillitteri,Pilakowski,Pikus,Pikula,Pikkarainen,Pijanowski,Pigao,Piette,Pietrzykowski,Pietryga,Pietropaolo,Pies,Piersaul,Pieri,Piepenbrink,Pieloch,Pieffer,Picucci,Pickl,Pickhardt,Picini,Picerni,Picaro,Piatak,Pianalto,Piacquadio,Phoun,Phonharath,Phomsoukha,Phommaseng,Phinazee,Phillippy,Phillians,Philavong,Phernetton,Pheonix,Phenes,Pfotenhauer,Pfleiderer,Pfleider,Pflanz,Pfieffer,Pfeiff,Pfautz,Pezzica,Pevez,Pevehouse,Petrunger,Petrullo,Petrucco,Petrson,Petrilla,Petrides,Petrauskas,Petkus,Petiet,Petgrave,Peterschick,Petaway,Pesner,Pesiri,Pesin,Pesa,Pervine,Pertubal,Perschall,Perrucci,Perow,Peroddy,Perocho,Perno,Perloff,Peria,Pergerson,Pereyda,Pereria,Pereiro,Perdzock,Perchinski,Peraro,Peques,Pepito,Pentek,Pentaris,Pennison,Pennewell,Pennacchio,Penington,Peninger,Pengelly,Penegar,Pencek,Penale,Penaherrera,Pembrook,Pelyo,Pelligra,Pele,Pekala,Peine,Peightal,Peers,Peerbolt,Pedaci,Ped,Pectol,Pecot,Pecos,Pecorelli,Pechart,Pebbles,Peatry,Pearle,Peard,Peakes,Peaches,Paywa,Paysinger,Payes,Pawelczyk,Pavoni,Pavlovic,Pavelec,Pavan,Paullus,Pauldo,Patuto,Patruno,Patoine,Patock,Patka,Pata,Pastiva,Pastick,Passwater,Passineau,Passi,Pasquino,Pasquel,Pasquarelli,Pason,Paskert,Pashley,Pashia,Partis,Partido,Parsi,Parrill,Parolari,Parisio,Pariser,Parents,Parduhn,Parden,Parcel,Parbo,Paray,Papson,Pappa,Papillion,Papik,Paparella,Papai,Paoletto,Pantone,Pannhoff,Pankowski,Pangelina,Pangallo,Panda,Panciera,Panchana,Panasci,Panarella,Paltanavage,Palsgrove,Palovick,Paloma,Palmiotto,Palmiero,Palmerton,Palmerin,Pallet,Pallesen,Pallazzo,Palitti,Palischak,Paliotta,Palifka,Palenik,Palecek,Palczewski,Palasik,Palacious,Pala,Pahnke,Pahls,Paguirigan,Pagnozzi,Pagliarini,Paduano,Paddison,Padavano,Pacubas,Packingham,Packebush,Pacius,Paci,Pacey,Pacas,Pac,Ozolins,Ozog,Ozminkowski,Oyuela,Owston,Ovsanik,Overlie,Overbo,Oven,Ovard,Ourso,Ouderkirk,Ottis,Otterholt,Otomo,Otley,Osuch,Ostling,Ostlie,Ostheimer,Osterstuck,Osterdyk,Ostenson,Osten,Ossowski,Osso,Osmon,Osle,Oskins,Osendorf,Osburne,Osawa,Ortic,Ortenzio,Orrantia,Orrala,Orouke,Orone,Orofino,Orkwis,Orizetti,Oris,Orines,Orgovan,Orgain,Orendorff,Orendain,Oree,Orea,Ordner,Ordas,Orbeck,Oravec,Opray,Ophus,Opela,Opatrny,Opara,Oosterhof,Onusko,Onstead,Onorata,Onitsuka,Onishea,Oneel,Ondrusek,Omundson,Omoyosi,Omdahl,Oltz,Olton,Olrich,Olquin,Olp,Olmscheid,Olm,Olivio,Oliverson,Oliven,Olis,Oline,Olexa,Olesnevich,Olesky,Oleksiak,Oldani,Olcus,Oksen,Okolo,Okojie,Okerblom,Okajima,Ohrenich,Ohms,Ohmann,Ohland,Oguinn,Ogiba,Ogeen,Oge,Oganyan,Offenbacker,Oesterreich,Oerther,Oelschlager,Odore,Odonal,Odonahue,Odiase,Odenwald,Odens,Odear,Octave,Ockey,Ochwat,Ochotorena,Ochiltree,Och,Ocejo,Ocano,Obstfeld,Obleness,Obiesie,Oberloh,Oberfell,Obannion,Oakleaf,Oak,Nyswonger,Nyseth,Ny,Nuvallie,Nusom,Nush,Nurnberger,Nunziata,Nunev,Nudelman,Nucklos,Nuce,Novik,Noury,Notik,Notari,Nosis,Nosel,Northcraft,Northcote,Norskog,Norrid,Norquest,Normann,Norma,Norlund,Norley,Norcott,Norbeck,Noonon,Nooney,Nonaka,Nollora,Nollman,Nolda,Nolau,Nol,Nogueras,Nogowski,Nogosek,Noftsger,Noeldner,Nocum,Nocket,Nocar,Noaks,Niverson,Nittinger,Nitterhouse,Nitkowski,Niten,Nitchals,Nissila,Nishiguchi,Nippert,Nippe,Ninos,Nine,Nimocks,Nimmer,Nilsby,Nill,Nikolas,Nikirk,Niimi,Nii,Niheu,Nihei,Nigg,Niforos,Niezgoda,Nieva,Niethamer,Niesman,Nienow,Niedermayer,Niedecken,Nied,Niebyl,Nie,Nicotera,Nicolet,Nicolaisen,Nickolls,Nickol,Nickleson,Nickelston,Nichois,Nicewarner,Niceswander,Nicarry,Nicar,Nhep,Ngueyn,Nguen,Ngov,Nghe,Newsted,Newnum,Newer,Newburg,Newall,Nevland,Neugin,Neuenfeldt,Neuby,Nestel,Nesseth,Nervis,Nerpio,Nenninger,Nemzek,Nemoede,Nemer,Nelmark,Nellem,Neithercutt,Neiswander,Neisius,Neish,Neihart,Neiderhiser,Nehmer,Negrisor,Negrette,Nefzger,Neeper,Neelon,Needels,Needam,Nealley,Nealen,Nealeigh,Nayee,Nawn,Navone,Navejas,Navedo,Navar,Naud,Natiello,Nathoo,Nasson,Naselli,Nase,Naschke,Narez,Nares,Nappier,Napoletano,Napihaa,Naone,Nannini,Nannie,Nania,Nanda,Nampel,Nalepka,Najjar,Nahass,Naeve,Naecker,Nadell,Myrum,Myint,Myhr,Myerscough,Muterspaw,Mutana,Muszar,Mustafaa,Must,Mussenden,Mussen,Mushett,Musetti,Musemeche,Musel,Muscaro,Murrock,Murrie,Murrain,Murilla,Murelli,Murayama,Murai,Munzell,Munteanu,Munt,Munshower,Munlin,Muni,Munding,Munda,Mulvehill,Mulry,Mulliner,Mullice,Mullaly,Muhr,Muhn,Mugica,Muether,Muehlberger,Muehlbach,Muccia,Mrowka,Mrotz,Mrochek,Mracek,Moznett,Moyse,Moxham,Mowris,Moutoux,Moussette,Mousley,Moun,Moulinos,Mostrom,Mostert,Mosses,Moskovitz,Mosinski,Mosgrove,Mosebach,Moschetto,Morway,Morthland,Morta,Morsbach,Morreau,Morowski,Moroles,Morlas,Morgenstein,Morasch,Moranda,Moralis,Moraitis,Moraites,Moote,Moorcroft,Montier,Montie,Montesa,Monteros,Montefusco,Montecalvo,Montazami,Montaya,Monsky,Monsegur,Monnet,Monjaras,Moniot,Monholland,Monet,Monestine,Monds,Mondry,Mondo,Mondino,Momsen,Momaya,Molski,Mollins,Molitoris,Mokbel,Moistner,Moilien,Mohring,Mohrbacher,Mogro,Moerman,Moellman,Modero,Moczo,Mocco,Mocarski,Mobus,Mizukami,Miyares,Miyahara,Miyagishima,Mittendorf,Mittelstadt,Mitsakos,Mith,Mita,Misura,Missler,Misrahi,Misnick,Misemer,Miscovich,Miscavage,Misasi,Mirich,Miravalle,Miras,Miramon,Mioduszewski,Mio,Minster,Minnier,Minneweather,Minnehan,Minkel,Miners,Mineah,Mincher,Minatra,Minato,Minari,Minardo,Milush,Miltner,Milster,Milovich,Milman,Millraney,Millot,Millisor,Milliren,Millimaki,Millich,Milland,Milkovich,Militano,Mileti,Milek,Mildren,Milder,Milch,Milbert,Milbauer,Milanowski,Milanese,Mikulecky,Mikulak,Mikita,Mikelsen,Mihlfeld,Mihatsch,Mihalkovic,Mihalko,Mignogna,Migl,Miessner,Mieras,Midcap,Mickleberry,Michocki,Michelman,Michales,Michalenko,Mias,Mhoon,Mezza,Mezquita,Mezera,Meyette,Meyerhoffer,Meyerhofer,Meury,Meuller,Mettle,Metter,Mettee,Metta,Metroka,Metevier,Metaxas,Mestrovich,Messa,Mesidor,Meschino,Meryman,Merrett,Merrbach,Merone,Merkling,Merickel,Mercante,Meo,Mensinger,Menist,Menino,Menhennett,Mengarelli,Menez,Menesez,Mendelowitz,Mencl,Men,Mellors,Mellom,Mellencamp,Mellekas,Melkonian,Melish,Meleski,Melero,Melchin,Melbert,Melandez,Melander,Meisels,Meighen,Mehtala,Mehserle,Meholick,Mehalic,Megna,Meginnis,Meggitt,Meggers,Meger,Meeter,Meeske,Meeder,Medows,Mednick,Medich,Mediate,Median,Medez,Medbery,Medak,Mebus,Meason,Meanor,Meager,Mcwethy,Mcvean,Mcthune,Mcsweeny,Mcspedon,Mcsharry,Mcravin,Mcraven,Mcquistion,Mcquilkin,Mcquaide,Mcquage,Mcpherren,Mcpeck,Mcnaney,Mcmindes,Mcmilliam,Mcmenomy,Mcmarlin,Mcmahill,Mcloy,Mcloone,Mclear,Mclaughlan,Mckoan,Mckerley,Mckerchie,Mckeone,Mckennie,Mckellan,Mckaig,Mcinally,Mchendry,Mcgwier,Mcguirt,Mcgugin,Mcgready,Mcgraff,Mcgrade,Mcgorry,Mcglothian,Mcglory,Mcgavisk,Mcgarrigle,Mcever,Mcelmurry,Mcelheny,Mcelhattan,Mcdaries,Mcdargh,Mccumiskey,Mccredie,Mccraven,Mccoyle,Mccoppin,Mccombie,Mccloughan,Mccleve,Mcclenty,Mcclennan,Mcclees,Mccleer,Mcclearen,Mccaskin,Mccartin,Mccamy,Mccammack,Mccaman,Mccalop,Mccaffity,Mcburrows,Mcburrough,Mcbrady,Mcalphin,Mcalhaney,Mcaboy,Mazikowski,Mazar,Mayzes,Maymon,Mayeski,Maycumber,Mayala,Maxin,Maute,Mauss,Mauritz,Maurey,Maulin,Matuszeski,Matusik,Matuseski,Mattu,Mattier,Matthys,Matteucci,Matsuhara,Matsen,Matrejek,Matlick,Mathewes,Mathal,Matey,Matesic,Materna,Matelic,Matarese,Matalavage,Mataalii,Mastrocovi,Mastrobuono,Mastoris,Mastera,Mastenbrook,Mastella,Massaglia,Maslyn,Masley,Masin,Masiclat,Mashiah,Mashek,Mascot,Maschke,Maschio,Masch,Marzinske,Marxen,Marville,Marushia,Marungo,Maruffo,Maruca,Martinz,Martinetto,Martinetti,Martinea,Martincic,Martig,Marske,Marshalsea,Marsette,Marroguin,Marreo,Marquena,Marona,Marola,Marmie,Markstrom,Marksbury,Markrof,Markovitz,Markevich,Markette,Marius,Maritt,Marionneaux,Marinos,Marinese,Maricich,Marhoefer,Margiotta,Maren,Marecki,Marcone,Marcoline,Marcolina,Marchuk,Marcelynas,Marcaida,Marbus,Marazzi,Marazas,Marashio,Maranville,Marani,Marandi,Marander,Marade,Mapalo,Manza,Manylath,Manvelyan,Manusyants,Mantuano,Mantsch,Mantell,Mantano,Mansmann,Manship,Manozca,Mannie,Mannes,Manliguis,Manigold,Maniatis,Mania,Mangon,Manginelli,Mangicavallo,Mangiaracina,Mangas,Mangaoang,Manford,Mandiola,Manchini,Mamoran,Mammucari,Mamer,Malys,Malvin,Malvaez,Malusky,Maltie,Maltbie,Malphurs,Malotte,Malloch,Malkasian,Malit,Malis,Malinski,Malinchalk,Malicote,Malich,Maletz,Malesky,Maler,Malekzadeh,Maleh,Malech,Malbaurn,Malara,Malakan,Malakai,Malafronte,Malady,Makley,Makekau,Majmundar,Majersky,Maiten,Mainiero,Mainello,Mailes,Maigret,Mahusay,Maharg,Mahany,Maguet,Magowan,Magone,Magnall,Magleby,Maglaya,Maginn,Magin,Magil,Maggs,Maggie,Magelssen,Magaw,Magario,Magallanez,Maeweather,Madura,Madrueno,Madinger,Madho,Maderas,Maddry,Madaris,Maczko,Macugay,Macrowski,Macomb,Macnab,Maclaurin,Maclauchlan,Mackynen,Macksoud,Macks,Mackney,Mackintosh,Mackinder,Maciej,Macie,Machowski,Machol,Machinsky,Machalek,Macchione,Macall,Macafee,Mabus,Mabins,Mabane,Maassen,Lysen,Lynaugh,Lykens,Luvian,Luttenegger,Lutkins,Lutchman,Lutao,Luskin,Luskey,Lungren,Lundburg,Lumm,Lulic,Lulewicz,Lukaszewicz,Luiso,Luhnow,Lugg,Lugardo,Lufsey,Luetmer,Luepke,Ludtke,Luczkowiak,Luckhardt,Luckenbaugh,Lucken,Luchenbill,Lubke,Lubell,Lube,Lubbock,Lozon,Loze,Lozaya,Loynd,Loxley,Lowthorp,Lowek,Loviska,Lovig,Lovgren,Loverink,Lovensheimer,Lounsbery,Loukota,Loughnan,Loughborough,Loudenslager,Lotson,Lothspeich,Lotan,Lossa,Losolla,Losier,Lorna,Lorimor,Lori,Lorett,Lorens,Loreg,Loreaux,Lorandeau,Loque,Lopus,Lopriore,Lootens,Lookadoo,Lonneman,Lonn,Longiotti,Longhini,Longendyke,Longbotham,Londre,Londagin,Lonabaugh,Lomu,Lominy,Lomboy,Lomartire,Lollie,Lokker,Loia,Loi,Logrono,Logosso,Loggains,Loflen,Lofink,Lofgreen,Loewenthal,Loeurm,Loerzel,Loeppke,Loepp,Loegering,Lodholz,Lockey,Lockbaum,Lochte,Lochan,Lobur,Loban,Llorca,Lloid,Llewlyn,Llanez,Liwanag,Livernoche,Litzenberg,Litano,Lissard,Lisko,Liscio,Lipskar,Lipscombe,Lipschutz,Lipphardt,Lipinsky,Lipani,Lions,Linnertz,Links,Linkowski,Linko,Lingafelter,Lingafelt,Lindzy,Lindman,Lindert,Lindersmith,Linders,Linderholm,Lindburg,Lindaman,Lincicome,Linberg,Linamen,Limke,Lilyquist,Liloia,Lillpop,Lillick,Lillich,Lilien,Lighter,Liggin,Lifton,Lifsey,Lifford,Lifer,Liest,Liem,Lidke,Liddiard,Lick,Lichtenwalner,Lichtenfeld,Lichak,Licerio,Licausi,Licause,Libman,Libera,Liaw,Leya,Lewitt,Lewandoski,Levoy,Levitin,Leviston,Leventer,Levenhagen,Leveillee,Leve,Lettre,Letsche,Lesiak,Leshinsky,Leriche,Leri,Lepri,Leppke,Lepping,Lepp,Lepo,Leonhard,Leonello,Leona,Leofsky,Lensing,Lenoci,Lennington,Lennihan,Lenn,Lenkiewicz,Lenis,Lenertz,Lenehan,Lenci,Lenarz,Lemucchi,Lemick,Lelah,Lelacheur,Lejenne,Leitman,Leithoff,Leistiko,Leipert,Leibert,Leibe,Lehnertz,Leheny,Lehar,Lehane,Legorreta,Legoff,Legleu,Legions,Leggat,Leggans,Legaard,Left,Leesmann,Leemaster,Leemans,Ledwig,Ledlie,Lederhos,Lecorchick,Leclear,Leclare,Leckman,Leckbee,Lebrecque,Lebahn,Leavenworth,Leatherberry,Leamer,Leady,Lazzeri,Lazarini,Lazarine,Laza,Layng,Lawshe,Lawman,Lawer,Laware,Lavista,Lavis,Laviola,Lavinder,Lavern,Lavene,Lavelett,Lavanway,Lavanchy,Lavalette,Lavala,Lavadie,Lava,Lautzenheiser,Lautt,Lauser,Laurimore,Lauridsen,Laurey,Laurenti,Laurente,Laurenitis,Laurelli,Laukitis,Laud,Lattrell,Lattner,Latterell,Latten,Lattari,Lattanzi,Latif,Lastufka,Lasswell,Lasseson,Lassa,Laslo,Laski,Lashute,Lashmet,Larrieu,Larrier,Larribeau,Laronda,Larney,Larita,Lariccia,Largin,Larez,Lardin,Larch,Lapusnak,Laprete,Lapre,Lapradd,Lapore,Lapinsky,Lapid,Laperriere,Laos,Lantto,Lantaff,Lanson,Lanois,Lanius,Lanini,Languirand,Languell,Langstraat,Langreck,Langkabel,Langill,Langeness,Langefels,Langarica,Langager,Lanfranco,Lanfear,Lanfair,Landvatter,Landolfi,Landborg,Lanagan,Lampson,Lampshire,Lamoreux,Lambrukos,Lambrakis,Lamborne,Lambing,Lamax,Lamarch,Lallave,Lalka,Lais,Lairy,Laiben,Lahren,Lahn,Lahmers,Lah,Lagory,Laforrest,Laflore,Lafkas,Lafield,Lafay,Laduc,Laderer,Ladell,Ladakakos,Lacoy,Lacki,Lacio,Lacinski,Lachowsky,Lacerda,Lace,Lacasa,Labruzzo,Labre,Labove,Laberpool,Labbadia,Labarba,Labady,Kytle,Kym,Ky,Kwasnicki,Kwapniewski,Kwang,Kuzminski,Kuzel,Kuwahara,Kut,Kusko,Kusick,Kuruvilla,Kurtulus,Kurtis,Kurtich,Kurkowski,Kurkeyerian,Kuritz,Kurelko,Kurcaba,Kuralt,Kuprewicz,Kupetz,Kuntzman,Kunishige,Kundtz,Kulwicki,Kulow,Kulis,Kuhlmey,Kufel,Kues,Kuehnel,Kudrick,Kudlacik,Kudej,Kuchel,Kuchan,Kucha,Kuboushek,Kubishta,Kubilus,Kubert,Kubeika,Kubasik,Kuakini,Krzyston,Krzeczkowski,Kryzak,Krygier,Kry,Krupski,Krupke,Krupansky,Krumvieda,Krumholz,Krumbholz,Krudop,Krstic,Krovious,Krommes,Kromm,Krolak,Kroes,Kroening,Kroener,Kritter,Kristy,Krisman,Kriege,Kridel,Kreul,Kretsinger,Kretlow,Kresal,Krejsa,Kreines,Kreig,Krefft,Krauskopf,Kratt,Krassow,Krasnecky,Krance,Krajcik,Krail,Kraham,Krack,Kozloff,Kozlak,Kozera,Kozee,Koyama,Kowalowski,Kowalchuk,Kovalovsky,Kovalcheck,Koutz,Kotts,Kostyk,Kosty,Kostohryz,Kostiuk,Kostis,Kostick,Kosofsky,Kosman,Kosin,Kosier,Kosen,Kosco,Koschnitzki,Kosbab,Kosack,Korzep,Korvin,Kortkamp,Kornrumpf,Korfhage,Kordus,Korchnak,Koppinger,Kopinski,Kopald,Kooyman,Koopmans,Koonz,Kooker,Kooch,Konzal,Konye,Kontogiannis,Konruff,Konowal,Konopnicki,Konopacky,Konopacki,Konig,Konicki,Konecni,Kondel,Konakowitz,Komlos,Kombe,Komatz,Kolm,Kollmeyer,Kollasch,Kolin,Kolden,Kolbo,Kolata,Kolaga,Kokocinski,Koko,Koinzan,Kohrman,Kohnz,Kogler,Koets,Koerwitz,Koep,Koenecke,Koehly,Kockler,Kocka,Kociolek,Kobie,Knudsuig,Knoten,Knotek,Knole,Knochel,Knobbe,Knightstep,Knigge,Knife,Kniess,Knickelbein,Kneisler,Kneedler,Knedler,Knall,Knable,Klym,Klussmann,Kluever,Kludt,Klouda,Klotzbach,Klosowski,Klockars,Klinker,Klingshirn,Klingelhoets,Klingelhoefer,Klena,Klempa,Klemisch,Klemens,Klemencic,Klemen,Kleinhenz,Klecha,Klebanow,Klebanoff,Klave,Klang,Klammer,Klamet,Klaers,Klacic,Kjar,Kivisto,Kivel,Kitzrow,Kitzerow,Kitz,Kiszka,Kistenmacher,Kisicki,Kisak,Kirylo,Kirson,Kirschke,Kirmer,Kirakosyan,Kinton,Kint,Kinsland,Kinlock,Kini,Kingsolver,Kingdon,Kindschuh,Kindlimann,Kindl,Kindberg,Kinas,Kinaj,Kimberl,Killoy,Killette,Killer,Killary,Kilgor,Kildoo,Kilborne,Kilbert,Kil,Kijek,Kiewiet,Kiever,Kiesz,Kiessling,Kielar,Kiehn,Khosravi,Kholodivker,Kho,Khatib,Khatcherian,Keyworth,Keylor,Kewanwytewa,Kettman,Kettlewell,Kettl,Kettelle,Kethcart,Ketay,Keslar,Kesby,Kerne,Kerk,Kercy,Kerchal,Kerbel,Kenrick,Kennis,Kennin,Kennemuth,Kennelty,Kenkel,Kemmerling,Kemfort,Kelstrom,Kellow,Kellom,Kelk,Keliiholokai,Kelcourse,Kekua,Keiger,Keglovic,Keesecker,Keehne,Keedah,Keding,Keavney,Keanu,Keagy,Keaffaber,Keadle,Kazemi,Kazanowski,Kazanjian,Kazan,Kawelo,Kavanah,Kautzer,Kaukola,Kaufusi,Kauffeld,Katowicz,Katos,Katheder,Kately,Kata,Kastor,Kastl,Kassouf,Kassler,Kassam,Kaskey,Kasimis,Kasdon,Kaschmitter,Kaschel,Karratti,Karpinen,Karpen,Karmann,Karlovich,Karlen,Karkut,Karin,Kariger,Karaffa,Kapsos,Kapps,Kapnick,Kanoa,Kanney,Kannas,Kanduth,Kampman,Kamimura,Kamens,Kamemoto,Kalvaitis,Kaltenhauser,Kalloch,Kaller,Kallenberg,Kaliszuk,Kalinoski,Kalinger,Kalich,Kalfus,Kalfayan,Kalert,Kalenkoski,Kalen,Kaleiwahea,Kaleel,Kaldas,Kalawe,Kalathas,Kakos,Kaiserman,Kais,Kailiponi,Kaighn,Kahuhu,Kahoun,Kahen,Kahaleua,Kah,Kagy,Kager,Kagarise,Kaffka,Kaempfer,Kaemmerer,Kaelker,Kady,Kadner,Kadlubowski,Kadakia,Kacynski,Kacic,Kach,Kabrick,Justman,Justine,Jurina,Jurik,Jurcik,Junius,Jumalon,Julca,Jui,Jugan,Juart,Jove,Journeay,Joung,Jou,Josilowsky,Josephsen,Josephpauline,Jorde,Joor,Jonte,Jolie,Johnke,Johanningmeie,Joerg,Jochems,Jilk,Ji,Jhonston,Jez,Jethva,Jethro,Jest,Jesko,Jerrel,Jerich,Jentsch,Jensvold,Jennrich,Jenious,Jenck,Jemenez,Jelle,Jelinski,Jeleniewski,Jelen,Jeffrie,Jefford,Jedik,Jebbett,Jayes,Javarone,Jauss,Jaus,Jaskolski,Jasionowski,Jasin,Jarzynka,Jarva,Jaruis,Jaross,Jaret,Jaquess,Janovich,Jannusch,Jann,Jankins,Janitz,Janicke,Jangula,Jamon,Jammer,Jamie,Jameel,Jakupcak,Jakubczak,Jakowich,Jakeman,Jagneaux,Jagher,Jaekel,Jadin,Jacobowitz,Jackstadt,Jackowiak,Jackiewicz,Jackels,Jabour,Izsak,Izarraras,Iwasa,Iwanyszyn,Iulo,Iuliucci,Iturbide,Itkin,Isby,Isam,Isales,Isackson,Irizarri,Iribarren,Irani,Iracheta,Iott,Ioli,Iodice,Ioannidis,Intriago,Interrante,Intermill,Insco,Inloes,Ingrim,Inglin,Inglese,Ingala,Infield,Inestroza,Ineson,Indest,Incorvaia,Inacio,Imparato,Imm,Imfeld,Imaizumi,Illescas,Ikuta,Iino,Ignasiak,Igler,Igel,Iffert,Idris,Idema,Ichinotsubo,Ichinose,Iburg,Iarossi,Iannaccone,Iams,Iacovissi,Hytros,Hyten,Hysinger,Hylle,Hylinski,Hvizdos,Huyghe,Huus,Hutsler,Hutchen,Hustus,Huso,Husni,Huslander,Huska,Hush,Huschle,Husayko,Husanini,Hurtis,Hurter,Hurrington,Hurrigan,Hurl,Hurban,Hunten,Hundemer,Humerickhouse,Humbel,Hulstine,Hulm,Huitzacua,Hughlett,Huger,Huewe,Huels,Hudrick,Hudek,Huckeby,Hubright,Hubric,Hubel,Hsi,Hryniewich,Hrovat,Hronick,Hribar,Hozempa,Hoxworth,Howryla,Howison,Howieson,Howdeshell,Hoving,Hovi,Hovelson,Hovell,Houten,Housten,Housekeeper,Houpe,Houp,Houman,Houghland,Hougas,Hothan,Hotchkin,Hoste,Hosie,Hosendove,Hoseman,Hoseck,Hoschouer,Horwood,Horuath,Hortillosa,Horth,Horsfield,Horniak,Hornby,Hormander,Horii,Hores,Horaney,Horal,Hopskins,Hoppesch,Hoopengardner,Hoomana,Hoolihan,Hoof,Honzel,Honse,Honohan,Hongo,Hongerholt,Homola,Homerding,Homchick,Holy,Holvey,Holsing,Holshue,Hollenberg,Hollemon,Holla,Holka,Holifeild,Holets,Holdt,Holdness,Holdiness,Holda,Holcey,Holbein,Hoium,Hoisl,Hohstadt,Hohowski,Hoh,Hogy,Hogsten,Hogsette,Hoggins,Hofler,Hoffstot,Hoffschneider,Hoffee,Hoevel,Hoernemann,Hoeper,Hoener,Hoene,Hoeke,Hoeg,Hoeflich,Hoeffner,Hoeffliger,Hoecker,Hoeck,Hoe,Hodgen,Hodan,Hockema,Hochschild,Hobkirk,Hnatow,Hledik,Hjalmarson,Hitzler,Hittman,Hisman,Hirstein,Hirschhorn,Hirsche,Hirkaler,Hiraoka,Hiraki,Hipwell,Hippo,Hinsey,Hinkey,Hinish,Hingst,Hingle,Hindin,Hinahon,Himelstein,Hillburg,Hillaire,Hilgert,Hildred,Hildahl,Hilcher,Higueros,Higle,Higinbotham,Hieserich,Hidvegi,Hidrogo,Hickton,Hickonbottom,Hickert,Hibl,Heyveld,Heydel,Hevner,Hevesy,Heverley,Heverin,Heusley,Heuberger,Hettwer,Hett,Heter,Hesters,Hessong,Hessing,Hessenthaler,Hessell,Hessee,Hesby,Herzberger,Herwood,Herting,Herscher,Herschel,Herrling,Herrig,Herriage,Herrel,Herre,Herpolsheimer,Hernanders,Hermosura,Hermie,Hermens,Herklotz,Herkert,Herby,Herbster,Herbison,Herbers,Herbein,Heppeard,Henrick,Henrey,Henretta,Henneberg,Hennagin,Henington,Henifin,Heney,Henesey,Henehan,Hendy,Henderosn,Hender,Hendee,Henby,Henaire,Hemrich,Hemmie,Hemmes,Hemlepp,Heminover,Hemauer,Helvy,Helsing,Helmy,Helmstetler,Helmink,Helmcamp,Hellar,Hellams,Helker,Helgesen,Helfritz,Helena,Hele,Hektner,Hejl,Heitschmidt,Heitger,Heinzmann,Heinzen,Heininger,Heineken,Heimrich,Heimbaugh,Heiermann,Hehr,Hegre,Hegmann,Hefler,Hefflinger,Heese,Heeney,Heemstra,Hedrich,Hedgespeth,Hedemann,Hedegore,Heddlesten,Heckenberg,Hebig,Hebden,Hebda,Heatly,Heathershaw,Hearson,Heally,Healan,Heads,Hazleton,Hazarika,Hayhoe,Haydal,Hayburn,Hawthrone,Hawman,Hawkey,Hawf,Havice,Havercroft,Hautamaki,Hauskins,Haulter,Haugrud,Hauan,Hatzenbuhler,Hatzenbuehler,Hattub,Hattier,Hatteyer,Hatstat,Hathway,Hataway,Hassick,Hassian,Hasselman,Hasselbarth,Hasper,Haspel,Haske,Hasgill,Hasen,Harviston,Harvilla,Harvilicz,Harver,Hartzer,Hartup,Hartsough,Hartsch,Hartly,Hartlep,Hartlein,Hartkopf,Harthun,Hartfiel,Hartery,Hartert,Hartage,Harsey,Harrey,Harrett,Harral,Haroutunian,Harmeyer,Harlowe,Harloff,Hardyman,Hards,Hardrict,Hardmon,Hardigree,Hardenburg,Hardell,Hardebeck,Hardaman,Hardaker,Harcey,Harbick,Harajli,Happer,Hapgood,Hanstein,Hansbury,Hanold,Hanohano,Hano,Hanns,Hannifan,Hannes,Hanko,Hanis,Hanenkrat,Hanemann,Hanek,Handzel,Handwerker,Handwerk,Handsaker,Handrick,Handelsman,Handal,Hancin,Hanbury,Hanaway,Hanahan,Hams,Hammerly,Hammeren,Hammatt,Hammarlund,Hamling,Hamiss,Hamiel,Hamelinck,Hambrecht,Halo,Hallinger,Hallick,Halifax,Halgrimson,Halfmann,Halder,Hald,Halburnt,Halberstam,Halaby,Haker,Haken,Haine,Hagos,Hagmaier,Hagenson,Hagene,Hagenbrok,Hagenbaugh,Hafter,Haffling,Haeger,Haegele,Hade,Hadder,Hadcock,Haczynski,Hackle,Hachigian,Hachez,Habrock,Habowski,Habina,Haberkamp,Habben,Habash,Haaby,Gyatso,Gwalthney,Guziec,Guziak,Guys,Guynup,Gutzwiller,Guttmann,Gutting,Gutteridge,Guterrez,Guszak,Gusky,Gusciora,Gurry,Gurrieri,Guritz,Gunst,Gundry,Gundert,Gulsvig,Gulisano,Gulinson,Guittar,Guitard,Guisti,Guiski,Guinto,Guinther,Guinnip,Guilliam,Guillerault,Guilfoil,Guijarro,Guidetti,Guiberteau,Guger,Guevera,Guetersloh,Guerini,Guella,Guedea,Guecho,Gudis,Guckin,Guberman,Guardipee,Guanio,Guagliardo,Grzegorek,Grybel,Grunst,Grunlien,Grundmeier,Grundhoefer,Grun,Grumer,Grum,Gruhn,Gruger,Grudt,Growney,Grotts,Groton,Grotelueschen,Grotberg,Grosswiler,Gronowski,Gronosky,Gronewald,Gronert,Groholski,Groetken,Groeschel,Groene,Grodecki,Groceman,Griswell,Griseta,Grinkley,Grinie,Grinberg,Grimmius,Grieme,Greytak,Grett,Grenke,Grenda,Greinke,Greeves,Greever,Greet,Greenlun,Greenler,Greenham,Grebin,Grboyan,Grawburg,Grattelo,Grassham,Granvold,Granthan,Gransky,Grandolfo,Grandmaison,Grandchild,Granbois,Gramolini,Grammatica,Gramc,Grajek,Grahe,Gragson,Gragert,Grage,Grafenstein,Graetz,Gracely,Graceffo,Grabarczyk,Gouzalez,Gouse,Gourdin,Goudelock,Goud,Gottlob,Gottke,Gotthelf,Gotthard,Gotter,Gotsche,Gotschall,Gosz,Goston,Gossack,Gosdin,Gorz,Gorrill,Gornto,Gornie,Gorenberg,Gorelli,Gordinier,Gora,Gopin,Gopie,Goolman,Goolden,Goodsite,Goodmanson,Goodly,Goodkin,Goodiel,Gonzolas,Gonsior,Gonseth,Gonez,Gonchoff,Gonales,Gomzales,Gomora,Golly,Gollihar,Gollhofer,Golka,Golinski,Golen,Golembeski,Golemba,Goldwater,Goldstock,Goldklang,Goldbeck,Golda,Gojmerac,Goich,Gohlke,Goger,Gogel,Goga,Gofton,Goffe,Goetting,Goeser,Goerner,Goerke,Goerdel,Goeppner,Godsman,Godert,Godel,Gobeli,Gnas,Glucksman,Glotzbecker,Gloeckner,Glockner,Glish,Glickson,Glicken,Glew,Glessing,Gleichman,Glazener,Glave,Glausier,Glatzel,Glassett,Glasbrenner,Gladu,Glab,Glaab,Giza,Gittler,Gittleman,Gittinger,Gitting,Gitthens,Gissel,Gischer,Girst,Girsch,Girona,Girillo,Gire,Gira,Giovanetti,Gionest,Gingles,Gingery,Ging,Gillstrap,Gillson,Gillotti,Gillmor,Gilliss,Gillig,Gillert,Gillcrest,Gilgour,Gilgore,Gilding,Gilderman,Gilcreast,Gieseman,Gieselman,Gieringer,Gick,Giangrosso,Giangregorio,Giambra,Giambattista,Ghibaudy,Ghianni,Ghelfi,Ghaziani,Ghantt,Ghant,Ghaemmaghami,Gey,Getler,Getchius,Gesualdo,Gesmondi,Gerweck,Gerwe,Gerula,Gertsen,Gershey,Gershen,Gers,Gerritsen,Gerdsen,Gerczak,Gerbatz,Gerba,Gerache,Georgl,Georgiadis,Georgelis,Georgalas,Genualdo,Gentery,Gennock,Gennett,Genett,Gendernalik,Genas,Gena,Gemmen,Gelston,Gellman,Gelfo,Gelen,Gelbowitz,Geibig,Gehlhausen,Geffre,Geesaman,Geel,Gedman,Geckles,Gebbie,Gearwar,Gearlds,Gayne,Gayfield,Gawlas,Gauwain,Gaufin,Gauani,Gastley,Gastello,Gassoway,Gasparino,Gaskey,Gaser,Gascot,Garuti,Garrington,Garreh,Garnand,Garlits,Garity,Garitty,Gariety,Garia,Gari,Garetson,Garelik,Garding,Garb,Garasha,Ganzer,Gantert,Ganotisi,Ganner,Ganison,Ganie,Gangell,Gangel,Ganesh,Gandrud,Ganas,Gamby,Gambles,Galyan,Galuski,Galper,Gallwas,Galluzzi,Gallups,Gallosa,Gallipeau,Gallet,Gallerani,Gallegly,Gallaty,Gallaspy,Gallander,Galioto,Galicinao,Galer,Galdon,Galardi,Galamay,Galabeas,Gala,Gaitor,Gagg,Gagan,Gaerlan,Gadley,Gacke,Gacia,Gach,Gabrelcik,Gabay,Gabard,Fylnn,Fydenkevez,Futter,Fuse,Fuscaldo,Furstenberg,Furmanik,Furlone,Furia,Furer,Furci,Furbish,Funt,Fulker,Fukano,Fujino,Fuhrmeister,Fugo,Fuerman,Frymyer,Fryling,Frontz,Froncek,Fronce,Frolich,Froio,Froid,Froehle,Frischman,Friou,Friot,Frieze,Friesz,Friemering,Frieman,Friedrick,Friedle,Frickson,Frickel,Frichette,Fricano,Fribley,Frewing,Frever,Freudenstein,Frerking,Frenger,Freisner,Fregeau,Freedle,Frease,Frazey,Frascone,Franzmann,Franzetti,Frankforter,Francy,Franckowiak,Francies,Franchette,Fralin,Fraleigh,Fraint,Fragozo,Fracchia,Frabizzio,Fousek,Fouraker,Foucault,Fosson,Fossati,Fosnough,Forts,Forthman,Forsting,Forstedt,Forshay,Forshaw,Forsha,Forro,Forno,Forlivio,Forkosh,Forkan,Forcello,Foradori,Fontane,Fonger,Foney,Fondy,Fondow,Folta,Follin,Folliard,Folley,Folken,Foiles,Fohn,Foggs,Foesch,Foertsch,Foecking,Fodness,Foat,Flot,Flosi,Florenz,Florens,Florencio,Florea,Florczak,Flodin,Flocke,Flo,Flentroy,Flenard,Fleisner,Flecther,Flaks,Flagstad,Flagel,Fjetland,Fixico,Fiume,Fitterer,Fisette,Firlit,Firestein,Fiotodimitrak,Fioto,Finner,Finnefrock,Fingado,Finely,Fincel,Finau,Fimbrez,Filoteo,Fillpot,Fillare,Filipski,Filippo,Filipovic,Filipelli,Filimaua,Filhiol,Filgo,Fileds,Filbert,Figuera,Figliola,Figart,Fietsam,Fieselman,Fiene,Fieldhouse,Fiebig,Fidel,Fida,Fickert,Fiato,Fevold,Feuerborn,Fetchko,Fesh,Feser,Ferruso,Ferriolo,Ferriola,Ferrence,Ferrar,Ferran,Ferraiz,Feroz,Ferone,Fernstrom,Fernstaedt,Fernow,Ferkovich,Fergen,Ferdolage,Ferdinandsen,Ferbrache,Fennewald,Fenk,Fenix,Fendler,Fenchel,Felske,Fellinger,Felicetti,Feldpausch,Feighan,Feichter,Fehrle,Fehringer,Fegaro,Feener,Feeler,Fedorchak,Federowicz,Fedd,Feauto,Feagen,Feaganes,Fazzina,Fazzi,Faykosh,Fayard,Favuzza,Favolise,Fausset,Fauske,Fausel,Fauscett,Faulknen,Faulkenburg,Fatica,Fastlaben,Fastic,Farzan,Farstvedt,Farin,Farguharson,Fargnoli,Farfalla,Farese,Farer,Faraldo,Faraj,Fara,Fanzo,Fanton,Fanney,Fanizzi,Fanion,Fanelle,Falterman,Falsetti,Fallone,Falkiewicz,Falconio,Fake,Fairleigh,Fahringer,Fahrenkrug,Faerber,Fadley,Fadeley,Facundo,Fack,Face,Faby,Fabrizius,Fabozzi,Fabiszewski,Fabin,Ezpeleta,Ezparza,Eyrich,Eyerman,Ewoldt,Ewards,Evasco,Evanich,Evangelo,Eustace,Eugley,Euertz,Etulain,Etchells,Esson,Esskew,Essery,Esselink,Espinol,Espenoza,Espelien,Espeland,Espadas,Esler,Eske,Eska,Escuriex,Escovar,Escort,Eschrich,Eschette,Eschen,Eschbaugh,Escalon,Escalero,Esbrandt,Esary,Ertman,Eroh,Ernesto,Erlenbusch,Erle,Erke,Erichsen,Eric,Erholm,Erbstein,Erbst,Eppolito,Eppihimer,Eppich,Entin,Enslinger,Enslen,Enockson,Ennenga,Enman,Englett,Engleson,Englerth,Engl,Engholm,Engelken,Engelkemier,Engelhaupt,Engelbach,Endries,Endow,Endito,Enderby,Encallado,Emziah,Embt,Embs,Embelton,Emard,Elwonger,Elvsaas,Elumbaugh,Elstner,Elsmore,Elskamp,Elshant,Elmblad,Ellson,Ellias,Elletson,Ellestad,Ellert,Ellermann,Ellerbrock,Elleman,Ellars,Elland,Eliezrie,Eldib,Eldert,Elbe,Ekwall,Ekholm,Eken,Eitnier,Eitniear,Eisenzimmer,Eisenstadt,Eisensmith,Eiselman,Eisbach,Eisaman,Eiken,Eibell,Ehrke,Ehrismann,Ehrenfeld,Ehlman,Egizi,Egitto,Eggeman,Effron,Ednie,Edelbrock,Edde,Edd,Economos,Eckols,Eckloff,Echegoyen,Ebia,Eberlin,Ebbers,Easterbrook,Earney,Earleywine,Eanni,Eadens,Dyron,Dykhoff,Dyers,Dyda,Dybala,Dwane,Dwaileebe,Duverne,Duve,Dusen,Dusatko,Dusablon,Durrette,Durphey,Durnin,Durkes,Durette,Durdy,Durch,Duracher,Dupray,Dupoux,Duponte,Duperclay,Dupass,Dupar,Dunwiddie,Dunsing,Dunnaville,Duncomb,Duncklee,Dunay,Dunakin,Dumpe,Dumes,Dumdei,Dumay,Dulkis,Dukich,Dukas,Duin,Dugo,Duewall,Duemmel,Duelm,Dueber,Dudman,Dudak,Duckhorn,Duchscherer,Ducat,Ducas,Dubyk,Dubill,Dubiansky,Dubaldi,Dua,Dspain,Drzazgowski,Drymon,Drylie,Druvenga,Druschel,Drungo,Droze,Drouse,Drott,Drosick,Droneburg,Droessler,Droesch,Drobny,Drizin,Dripps,Drinkley,Drillock,Driesbach,Dretzka,Dresner,Drentlaw,Drenon,Drehs,Drehobl,Drda,Draxler,Drath,Drapeaux,Dragula,Drafts,Draft,Dozer,Doxtater,Doxie,Dowst,Dowson,Downton,Dowlen,Dowey,Dowery,Douty,Doughtry,Doughtery,Dotzler,Dotterer,Dothard,Dosher,Dosal,Dorso,Dorsette,Doro,Dornfeld,Dorkin,Dorka,Dorge,Dorchy,Dorame,Dopler,Dopico,Doore,Dooms,Donnie,Donnelley,Donnel,Donayre,Donatello,Donachie,Dominiguez,Domingos,Dominga,Dominey,Domenget,Dolores,Dollyhigh,Dollen,Dollak,Doleac,Dolch,Dolbeare,Dokka,Dokes,Doire,Doing,Dohring,Dohogne,Dohnal,Dohan,Doerle,Doerhoff,Doemelt,Doehring,Doegg,Dodsworth,Dodoo,Dodier,Dockendorf,Docken,Dobrowski,Dobrin,Dobine,Doberstein,Dizer,Dixey,Divita,Diven,Divalerio,Dituri,Ditton,Disspain,Disparte,Dismore,Disilvestro,Dishong,Dishian,Diseth,Discenza,Dirkson,Dirkse,Dirker,Dirk,Dipippo,Dipinto,Dipierro,Dinnocenzo,Dinizio,Dinis,Dingivan,Dingfelder,Dincher,Dimucci,Dimpson,Dimpfl,Dimitrov,Dimarzo,Dils,Dilisio,Diliberto,Diliberti,Diles,Dileonardo,Dilena,Dijulio,Diiulio,Digiuseppe,Diga,Difillippo,Difebbo,Dieng,Diekman,Didyk,Didriksen,Dickus,Dickow,Dickeson,Dicastro,Dibenedetti,Dhaliwal,Dezenzo,Dewyse,Dewinter,Dewaters,Dewaele,Devoto,Devor,Devoogd,Deviva,Devitis,Devit,Deveyra,Devericks,Devenuto,Deveja,Devaughan,Deutschendorf,Deuink,Deubner,Detzler,Detullio,Detore,Dethlefsen,Dethlefs,Detamble,Desrevisseau,Desotel,Deso,Desmeules,Desmaris,Desilvio,Deshpande,Deschambault,Descamps,Desatnik,Desamito,Desalle,Desak,Derwin,Derting,Derrah,Deroven,Derosso,Deromer,Dermott,Deringer,Derico,Derga,Derflinger,Derezinski,Derck,Derbacher,Deranick,Depuydt,Depung,Depree,Deppert,Depierre,Dephillips,Deojay,Denzin,Denten,Dentel,Dennies,Denina,Denger,Deneke,Denegre,Denboer,Denapoli,Demsky,Demsey,Demotta,Demmons,Demman,Demendonca,Demeester,Dembowski,Demarce,Deman,Demallie,Demaire,Delwiche,Delphia,Delore,Dellenbaugh,Dellbringge,Dellaratta,Dellaporta,Dellapenna,Dellacioppa,Deliberto,Delibertis,Delgenio,Delcueto,Delaurie,Delauder,Delatrinidad,Delash,Delaet,Del,Dekrey,Dejoie,Deiters,Deimund,Degrenier,Degre,Degrand,Degon,Degeston,Degelbeck,Degaust,Degasparre,Defreece,Defenderfer,Defee,Deeken,Dedon,Dedinas,Dedicke,Dedic,Decristofaro,Decoud,Decos,Deconti,Deckers,Decio,Decenzo,Debroux,Debrot,Debray,Deboef,Debiasio,Debettignies,Debenedittis,Debbins,Debaecke,Dearson,Dearo,Deardon,Deaquino,Deacetis,Dayne,Dayem,Dax,Dawoud,Davitt,Davito,Davidoff,Dauterman,Daughterty,Daugaard,Daudelin,Daubendiek,Dattilio,Datcher,Dasovich,Daso,Dasilua,Dashem,Darou,Darke,Dargin,Darga,Darco,Darcey,Dapas,Dantos,Danson,Danny,Danielian,Danchetz,Danby,Damrow,Damours,Damboise,Dambakly,Dambach,Damasco,Damann,Dallmeyer,Dallesandro,Dalfonso,Dakins,Dakes,Daire,Dahill,Daguio,Dagis,Dabdoub,Czerkies,Czarnota,Czachor,Czach,Cypress,Cynthia,Cylkowski,Cyfers,Cwiakala,Cvetkovic,Cuzman,Cuzick,Cuttler,Cutt,Cuti,Cutforth,Cutchins,Cutchall,Cushwa,Curo,Curbeam,Cunnick,Cuneio,Cundick,Cumbaa,Cultice,Cullity,Cullip,Cullifer,Cucvas,Cuculich,Cucino,Cubeta,Cser,Crupper,Crunkilton,Cruden,Crover,Crouter,Crough,Crouchet,Crosthwaite,Croon,Cronshaw,Cronenberg,Crome,Croman,Crognale,Crogan,Croasmun,Cristofori,Cristiano,Crisan,Cringle,Crincoli,Crill,Crieghton,Cridge,Criblez,Crellin,Cregeen,Creeks,Creath,Creacy,Crazier,Crawmer,Crawhorn,Cratin,Crapser,Crapse,Cranmore,Cramm,Cramblit,Cramblet,Cragin,Cracas,Cozzone,Coyco,Coxey,Cowper,Cowett,Covone,Covill,Coverton,Councilman,Coultrap,Coulas,Coughenour,Cough,Cotty,Cotherman,Cother,Costantini,Cossell,Cossano,Cosley,Coslett,Coskey,Cosgray,Corza,Corvi,Corvan,Corsetti,Corscadden,Corsa,Corrow,Corrice,Correro,Correale,Corre,Corna,Corke,Corid,Corelli,Cordonnier,Cordona,Corak,Coppler,Copelan,Coore,Coonradt,Coones,Cookus,Conveniencia,Contrerras,Contrenas,Contorno,Constantini,Constantineau,Consolver,Conrath,Connet,Connerly,Conliffe,Conforto,Conda,Conca,Conales,Compono,Compau,Commendatore,Comings,Comboy,Combass,Coltrin,Colpetzer,Colonel,Colombini,Cologie,Colla,Colbeth,Colbaugh,Colasuonno,Colapinto,Colamarino,Colaluca,Colaianni,Colafrancesco,Colace,Colabella,Coggsdale,Coffill,Codispoti,Codell,Cocoros,Cocopoti,Cocola,Cockley,Cockey,Cochron,Coch,Cobden,Coatsworth,Coarsey,Coar,Clymore,Clumpner,Clougher,Clolinger,Clinkingbeard,Clineman,Clewes,Clemments,Claypole,Clayburg,Claybron,Claybon,Claughton,Clase,Clarenbach,Clankscales,Clampett,Claessens,Claburn,Citrin,Cisney,Cirri,Cipro,Cipkowski,Cione,Cinquanti,Cink,Cimiano,Ciervo,Ciers,Cicora,Ciciora,Cicione,Cicerelli,Ciccolini,Ciccarone,Cicarella,Ciarletta,Ciaccio,Chuta,Chustz,Churan,Chumbler,Chuba,Chruch,Christler,Christinsen,Christinat,Christello,Chrispin,Chrismer,Chrislip,Chrisjohn,Chrestman,Choute,Chough,Chorlton,Chomka,Chmelicek,Chiulli,Chislom,Chiras,Chinzi,Chinnery,Chinick,Chim,Chilvers,Chilo,Chiarmonte,Chiarenza,Chiapetti,Chhuon,Chhour,Chheang,Chetram,Chessher,Cherrier,Cherepy,Cherenfant,Chenot,Cheli,Checa,Cheathan,Chears,Chauvaux,Chaudoin,Chauarria,Chatters,Chatlos,Chatley,Chasey,Charves,Charsky,Charania,Chaplen,Chaple,Channer,Chander,Champey,Champeau,Challen,Chall,Chalkley,Chalet,Chalcraft,Chaix,Chadick,Chadbourn,Chaban,Cesari,Cervoni,Cervin,Certalich,Cerni,Cerney,Cereo,Cerce,Ceravolo,Ceparano,Centrella,Centner,Centano,Cenat,Celmer,Celenza,Celadon,Cefaratti,Cefalo,Cedillos,Cecilia,Cechini,Cecala,Cease,Cearns,Cazeau,Cayson,Cayanan,Cavallario,Cauthron,Cattrell,Catterson,Catrone,Catone,Catoggio,Caterino,Catching,Catalani,Castrataro,Castoe,Castles,Castillanos,Castellonese,Castelhano,Cassman,Cassius,Cassisse,Cassem,Cassani,Cassandra,Casola,Caselli,Cascone,Casburn,Casbeer,Casbarro,Carrin,Carreker,Carrea,Carre,Carrauza,Carranzo,Carpinello,Carolin,Carmolli,Carmena,Carmell,Carmain,Carlye,Carlsten,Carlough,Carlone,Caringi,Carine,Carin,Carela,Cardono,Cardle,Cardinali,Cardi,Cardera,Carback,Capuzzi,Capracotta,Cappo,Cappleman,Capparelli,Caponera,Caplener,Capanna,Caoili,Caoile,Canzio,Cantoran,Cantillo,Canta,Canonica,Cannington,Canniff,Cangas,Canevazzi,Canes,Caneles,Candido,Canders,Cance,Canaway,Canarte,Canario,Canan,Camren,Campusano,Campman,Camm,Caminos,Camferdam,Camerena,Camell,Camak,Camaj,Calway,Calvino,Calvetti,Calvani,Caltabiano,Calnimptewa,Calnick,Calnen,Calmese,Callander,Callabrass,Caliz,Calija,Calger,Calendine,Calderara,Calcara,Calamity,Cailler,Caho,Caguimbal,Cadoff,Caddick,Cadavieco,Cabos,Cabiltes,Cabibbo,Cabellero,Cabasso,Caballes,Cabading,Caal,Byra,Byod,Bynon,Byner,Bynam,Byker,Buzzi,Buzzeo,Butzen,Buttz,Butteris,Butkiewicz,Buteaux,Bustad,Bussone,Busman,Bushmaker,Busche,Burwinkel,Burum,Burtless,Bursi,Burrup,Burross,Burries,Burrichter,Burrelli,Buron,Buro,Burnstein,Burnaugh,Burnap,Burkdoll,Buris,Burington,Burgun,Burgie,Burghard,Burgh,Burgas,Burgardt,Burga,Burdess,Burcin,Burchfiel,Burchess,Burandt,Buonanno,Buonamici,Buntjer,Bungert,Bundschuh,Bumps,Buman,Bulosan,Bullocks,Bullie,Bularz,Buland,Bujarski,Buhmann,Buhman,Bugna,Buglisi,Buggy,Buemi,Budke,Buder,Budds,Buddie,Buczak,Buckwald,Buckovitch,Buckholtz,Buckhanan,Buchetto,Buchauer,Bucciarelli,Buccheri,Bucaram,Bubis,Bubash,Bubak,Brzostek,Brzezowski,Bryton,Brusuelas,Brussell,Bruschi,Brundrett,Brundin,Brumet,Bruley,Bruk,Brug,Bruestle,Brudner,Bruccoleri,Brozie,Broxterman,Brox,Browy,Brownle,Browm,Broward,Brouwers,Brousard,Brought,Brotherson,Brotemarkle,Brossoit,Broscious,Brooms,Broomhall,Brookshaw,Brookhouse,Bronchetti,Broks,Broida,Brohl,Broglie,Brofft,Broermann,Broenneke,Brodnex,Brodka,Brodish,Brockelmeyer,Brockberg,Broch,Broccoli,Brobeck,Broadstone,Brittman,Brislan,Brisk,Brisentine,Bringhurst,Brindel,Brinda,Brincks,Brimeyer,Brihm,Brignolo,Briglia,Brighi,Brient,Bridenbaker,Briddell,Briante,Brians,Briagas,Brevo,Breu,Bretto,Bretthauer,Breslauer,Bresemann,Brentari,Brenning,Brenhaug,Brengettey,Brenek,Brendal,Brenagh,Breiling,Breidenbaugh,Brehant,Bregel,Bredeweg,Bredehoft,Breceda,Braylock,Brause,Brauning,Braulio,Braukus,Braucher,Bratchett,Brasseur,Brasser,Branstutter,Branstad,Branscombe,Brannick,Brandolini,Brandly,Brandenberg,Brandeis,Brandal,Branciforte,Brancheau,Brancati,Bramlette,Bramlet,Brakhage,Braitman,Braisted,Bradfute,Bracks,Bracket,Braccia,Braam,Bozzone,Bozenski,Bozard,Boyson,Boylston,Boxwell,Bowlen,Bowdle,Bowdich,Boward,Bovia,Bovey,Boven,Bouza,Bouwman,Bouwkamp,Boutiette,Boursaw,Bourret,Bourgoyne,Bounleut,Bound,Bouma,Bouleris,Bouler,Boughman,Boughamer,Boudoin,Boudewyns,Botwinick,Bottone,Bottino,Botticello,Botten,Bottaro,Bottalico,Bostel,Boshes,Boshard,Bosell,Boscarello,Bory,Borsari,Borok,Borodec,Bornmann,Bormuth,Bormet,Borling,Borlace,Borkin,Borkenhagen,Boreen,Bordin,Borcherding,Boote,Booras,Boody,Bonton,Bontemps,Bonomini,Bonina,Bonifer,Bongartz,Boness,Bonefont,Bonefield,Bonder,Bonde,Bondanza,Bonavia,Bonamo,Bonadurer,Bomkamp,Bolognia,Bollich,Bollacker,Bolinsky,Boldosser,Boldon,Bolda,Bolado,Boken,Bok,Boisselle,Boisen,Bois,Bohs,Bohnenblust,Bohlig,Bohinc,Bogumil,Bogie,Boggioni,Boggi,Bogenschneide,Bogema,Boge,Bogdanski,Bogdanovich,Boettner,Boesiger,Boesel,Boensch,Boele,Boeken,Boehning,Boehlar,Bodwell,Bodreau,Bodovsky,Boda,Boczar,Boclair,Bockemehl,Bochenski,Bochat,Boch,Boccio,Bocchicchio,Boccanfuso,Bobzien,Bobson,Bobino,Bobier,Bobeck,Bobak,Boarts,Boardwine,Boaldin,Boakye,Boady,Blunden,Blumenstock,Blovin,Blouir,Bloschichak,Bloome,Bloodough,Blonder,Blommer,Blok,Bloeser,Blinks,Blinka,Bline,Blickem,Bleyl,Blews,Bless,Blenner,Bleimehl,Blecker,Bleasdale,Bleakney,Blatnick,Blaski,Blare,Blanzy,Blankumsee,Blancett,Blaich,Blada,Blackbum,Bjorseth,Bjorlin,Bizzaro,Bivin,Bitetto,Bisso,Biskup,Biskach,Bisio,Bisi,Bishard,Bisesi,Bisaccia,Birtcher,Birrittella,Birkhimer,Birkey,Biringer,Biren,Birdette,Birak,Bio,Binker,Bink,Bingler,Bingert,Bingamon,Bindas,Bilson,Billow,Billon,Billo,Bille,Bilis,Bilich,Biler,Bilek,Bilden,Bilazzo,Bila,Bigus,Biggart,Biggar,Bigaud,Biesheuvel,Biernacki,Bierley,Bierlein,Bielefeldt,Biedermann,Biedenbender,Biddulph,Bicksler,Bickes,Bicek,Bica,Bibiano,Biangone,Bi,Bezzo,Bezdicek,Beyt,Beydler,Bevelacqua,Beuther,Beucke,Betzold,Bettman,Bettino,Betterley,Betancourth,Bessel,Beska,Beschorner,Berwald,Berum,Bertotti,Bertorelli,Bertoldo,Bertolami,Bertley,Berteotti,Bertaina,Berstler,Berniard,Berndsen,Bernadette,Berlinski,Berkstresser,Berks,Berkovich,Berkoff,Berkhimer,Berkery,Bergmark,Berga,Berfield,Bereznak,Beresky,Berenger,Berendzen,Berendt,Berczel,Berch,Berbes,Berardinelli,Beppu,Benziger,Benzie,Benzango,Benthall,Bentancourt,Bensberg,Benno,Bennin,Bennes,Benken,Benike,Benigni,Benestad,Bendtsen,Bendis,Bendig,Bendetti,Bendele,Benasher,Benack,Bemben,Belts,Belrose,Belnas,Bellusci,Belloso,Bellizzi,Bellinghausen,Belliard,Belletto,Bellettiere,Belko,Belitz,Belfanti,Beldon,Bekis,Bejcek,Beitler,Beiser,Beine,Beiley,Beierschmitt,Behrle,Behran,Behlmer,Behlke,Beguelin,Beghtol,Beger,Begeal,Beezley,Beesmer,Beerer,Beere,Beerbohm,Beenel,Beelby,Beecken,Bedor,Bede,Beddows,Beddow,Beddia,Becky,Beckius,Beckfield,Beckem,Becena,Beavis,Beaumonte,Beauman,Beauharnois,Beaudine,Beasly,Beales,Be,Bazylewicz,Bazner,Bazel,Baytos,Bayton,Bayt,Baylock,Bayird,Baygents,Baxa,Bawner,Bawden,Bavelas,Bauske,Baumberger,Baul,Battuello,Battig,Batterman,Battani,Battaglino,Batimon,Bathke,Baters,Batch,Batas,Batara,Batala,Bastine,Bassani,Bassali,Baskind,Baseman,Basehore,Basara,Barze,Barwell,Barut,Baruffa,Bartlome,Bartin,Barthol,Barthell,Barters,Barswell,Barshaw,Barrigan,Barria,Barrasa,Barraco,Barnthouse,Barnt,Barmes,Barkhimer,Barios,Bario,Barino,Barie,Barick,Barfuss,Barfknecht,Barer,Bareford,Bardis,Barcley,Barchick,Barcena,Barbur,Barbor,Barbin,Barben,Barbella,Barbaglia,Baransky,Baragan,Baquiran,Banzhaf,Banter,Bankowski,Banet,Bandt,Banaszek,Banana,Balque,Balowski,Ballog,Ballina,Ballensky,Ballato,Baliga,Baldomero,Balden,Balde,Baldassare,Balbontin,Balbas,Balassi,Balandran,Bakkala,Bakhshian,Bakerville,Bakaler,Bajaj,Baites,Baisten,Bairam,Bailard,Baierl,Baichan,Bai,Bahrs,Bagozzi,Bagni,Bagnato,Baglione,Baggio,Baggesen,Baggenstoss,Bagan,Baessler,Baerman,Baerlocher,Badgero,Baddour,Badami,Baculpo,Bacio,Bacigalupo,Bachta,Bachar,Bacchi,Babrow,Babonis,Babish,Babicke,Babeu,Baab,Azzopardi,Azore,Azen,Aykroid,Axon,Axelrad,Awkard,Awender,Avon,Avirett,Averitte,Averbeck,Avellano,Avary,Auwaerter,Autrano,Auteri,Austgen,Ausdemore,Aurich,Aumen,Auler,Augustyniak,Augliano,Aughtman,Aue,Auduong,Aucter,Attianese,Atiles,Athas,Asturias,Astrup,Astley,Assante,Aspden,Aspacio,Asley,Asleson,Askvig,Askegren,Askam,Ashmen,Ashauer,Asfour,Aschoff,Aschim,Aschan,Asal,Arzo,Arvesen,Arrow,Arrocha,Arris,Arribas,Arquitt,Arone,Aroche,Arnt,Arnoux,Arnoldi,Arning,Arnholt,Arndorfer,Armson,Arment,Arlotta,Arlinghaus,Arlia,Arkema,Arizaga,Arisumi,Aristide,Aris,Arif,Ariano,Arguilez,Argudo,Argrow,Argiro,Argetsinger,Arfman,Arenburg,Aredondo,Area,Ardry,Ardner,Ardizone,Arcudi,Arcizo,Arcila,Archilla,Archangel,Arcega,Arbucci,Arato,Arano,Aran,Aragan,Apostol,Apolito,Apland,Apkin,Aperges,Apalategui,Apaez,Anzora,Antonsen,Antolos,Antolini,Antman,Anter,Anspaugh,Anselm,Annonio,Annichiarico,Annibale,Annarumo,Anliker,Ankrapp,Ankenman,Anhorn,Angton,Angrisano,Angon,Angolo,Angleton,Anglebrandt,Anglea,Anglade,Angilletta,Angeron,Angelotti,Angelbeck,Angela,Anez,Andueza,Andrulis,Andronis,Andreu,Andreoni,Andert,Anderlik,Anauo,Anastasiades,Ananias,Anand,Amuso,Amrich,Amr,Amour,Amoss,Amorosi,Amoako,Amoah,Ammirato,Ammar,Amirian,Amiot,Amidi,Ameduri,Amderson,Ambuehl,Amass,Amanza,Amadio,Alwang,Alwan,Alvine,Alvarran,Alvarracin,Alvanez,Aluqdah,Altshuler,Altonen,Altmiller,Altken,Altiery,Althiser,Altaras,Alstrom,Alstad,Alsbury,Alsberry,Alquijay,Alpha,Alonza,Aloia,Alnas,Almerico,Almenar,Almen,Allwood,Allstott,Allridge,Alleva,Allenson,Allenbaugh,Allegretta,Allegra,Allbritten,Allara,Allamon,Alken,Alizadeh,Alirez,Alires,Aline,Alim,Algire,Algier,Algien,Alfonsi,Alexy,Alexnder,Alessandroni,Alert,Alemany,Aleksey,Alderton,Alderfer,Aldava,Aldapa,Alconcel,Albornoz,Albini,Albergotti,Alben,Albea,Albang,Alario,Alamilla,Alalem,Akoni,Akles,Akande,Akamine,Ajasin,Aiyer,Aihara,Ahrendes,Aherns,Aharoni,Agunos,Aguliar,Aguillar,Agudo,Agoras,Agnor,Agni,Agers,Agel,Aery,Aerts,Adon,Adessa,Aderson,Aderman,Adema,Adelsberg,Adelblue,Adel,Addiego,Adas,Adamcik,Acquilla,Ackmann,Achterhof,Achane,Abuhl,Abrial,Abreau,Aboulahoud,Aboudi,Ablao,Abilez,Abete,Aberson,Abelman,Abelardo,Abedelah,Abdulmateen,Abato,Aas,Aarestad,Aanenson,Zymowski,Zyla,Zybia,Zwolski,Zwigart,Zuwkowski,Zurovec,Zurkuhlen,Zuppa,Zunich,Zumpfe,Zumalt,Zulkowski,Zulfer,Zugg,Zuerlein,Zuehls,Zuckerberg,Zuchelkowski,Zucchetto,Zucca,Zubrowski,Zubizarreta,Zsadanyi,Zrake,Zotti,Zosel,Zoltek,Zolla,Zogopoulos,Zogby,Zmek,Zitzmann,Zitzelberger,Zirker,Zinzow,Zimick,Zimerman,Zilk,Zigomalas,Ziesman,Ziernicki,Zierke,Zierk,Zierenberg,Zierden,Ziems,Zieger,Ziebert,Zicafoose,Zic,Zibell,Ziada,Ziad,Zhen,Zetzer,Zetino,Zerphey,Zercher,Zeran,Zephyr,Zelonis,Zellinger,Zelko,Zeliff,Zeleznik,Zekria,Zeidman,Zehrer,Zehrbach,Zeherquist,Zehender,Zegar,Zega,Zechiel,Zeccardi,Zebracki,Zeavala,Zbierski,Zaza,Zayicek,Zawistowski,Zawasky,Zavitz,Zaverl,Zavcedo,Zavattieri,Zavacky,Zausch,Zatorski,Zarrabi,Zarlingo,Zarin,Zarillo,Zaren,Zapel,Zapatero,Zantow,Zant,Zannini,Zangger,Zanfardino,Zanardi,Zan,Zampella,Zamoro,Zamborano,Zambelli,Zalamea,Zajdel,Zais,Zahourek,Zaharek,Zagulski,Zagacki,Zadina,Zaczek,Zachter,Zachariah,Zacchini,Zabenko,Zabbo,Yuska,Yuscak,Yurovic,Yurek,Yunes,Yumas,Yuk,Yudell,Ysaguirre,Yray,Yozzo,Yovan,Youssefi,Yousko,Younghans,Youmon,Youla,Yotter,Yoshi,Yoseph,Yorck,Yono,Yoneoka,Yonashiro,Yomes,Yokel,Yoest,Ynocencio,Yewell,Yetzer,Yetsko,Yerty,Yeropoli,Yerka,Yergin,Yenor,Yem,Yeley,Yearego,Yeakel,Yazzle,Yazzi,Yazdani,Yaws,Yasika,Yarwood,Yarris,Yaroch,Yarmitsky,Yara,Yantzi,Yannucci,Yannayon,Yannantuono,Yankovski,Yankovitch,Yandow,Yanchik,Yanagihara,Yanagida,Yanacek,Yamanoha,Yamaki,Yalon,Yaklin,Yake,Yaiva,Yaish,Yahne,Yafuso,Yafaie,Yacullo,Yacovone,Yacoub,Xyong,Xayasith,Wyze,Wyrostek,Wynes,Wyker,Wygal,Wybenga,Wurz,Wung,Wueste,Wubnig,Wubbena,Wubben,Wrzesien,Wrynn,Wrightington,Wride,Wreyford,Woytowich,Woytek,Wosick,Workowski,Worell,Wordlow,Worchester,Wooward,Woolhiser,Woodlin,Woodka,Woodbeck,Woodal,Wondoloski,Wonderling,Wolsdorf,Wolper,Wollert,Wollenburg,Woline,Wolfing,Wolfensperger,Wolbrecht,Wojnowski,Wojewoda,Wojdak,Wohlfeil,Wohlert,Woge,Woelfl,Wodicka,Wobser,Wobbe,Wnukowski,Wnorowski,Wmith,Wlodarek,Wiza,Witucki,Wittrup,Wittnebel,Witthoeft,Wittenbrink,Wittbrodt,Witkowsky,Wisnowski,Wisely,Wirtzfeld,Wirfs,Wipfli,Winterberg,Winslette,Winscott,Winnicki,Winnen,Winik,Wingeier,Windsheimer,Windrow,Windhorst,Windfield,Windauer,Wincapaw,Win,Wimbrow,Wimble,Wilund,Wilshusen,Wilsen,Willock,Willmert,Willies,Williemae,Williamis,Willia,Willi,Willeto,Willborn,Wilkus,Wilkson,Wilkoff,Wildridge,Wilczak,Wilcut,Wiklund,Wiggan,Wigand,Wig,Wiesemann,Wieseman,Wiersteiner,Wienberg,Wielock,Wielgasz,Wiegard,Wiedrich,Wiederholt,Wieben,Widjaja,Widera,Wide,Wicklin,Wickersheim,Wiborg,Wiatrowski,Why,Whittum,Whittinghill,Whittenbeck,Whitiker,Whitey,Whiter,Whitelightnin,Whitcome,Whisted,Whirlow,Whiles,Whilden,Whetzell,Whelihan,Wheeldon,Wheater,Whaltey,Weynand,Weyker,Weydert,Weuve,Wetzstein,Wetzell,Westler,Westermeier,Westermark,Westermann,Westerhoff,Westbrooke,Weske,Weser,Werst,Werremeyer,Wernsman,Wernex,Wern,Werme,Werline,Werk,Wergin,Werdlow,Werderman,Went,Wensman,Wenske,Wendorff,Welzel,Weltha,Wellinghoff,Welding,Weit,Weissenbach,Weispfenning,Weismantle,Weisbecker,Weirauch,Weinzierl,Weinrib,Weinland,Weinfurter,Weinburg,Weiher,Weig,Weidower,Weicht,Weibe,Wehking,Weglage,Wegiel,Wedige,Weckwerth,Weatherington,Weasel,Weant,Wealer,Weagraff,Weader,Wayts,Wayson,Waymon,Waygood,Wayford,Waychowsky,Waverly,Wattigny,Watsky,Watry,Wates,Watah,Wasurick,Wassam,Waskom,Waskin,Washum,Washpun,Washler,Waser,Warzybok,Warstler,Warrilow,Warran,Waroway,Warntz,Warnberg,Warmka,Warmbrod,Warlow,Warlock,Warde,War,Wapp,Wantuck,Wannlund,Wannarka,Wanko,Wandell,Walund,Waltos,Waltho,Walstrum,Walrod,Walper,Waln,Wallwork,Wallo,Wallman,Walliser,Wallie,Wallenbrock,Wallau,Walka,Walizer,Walgren,Waley,Walen,Waldroop,Walderon,Wal,Wakeford,Waitz,Waiss,Waisanen,Wais,Wainkrantz,Wahn,Wahdan,Wahba,Wagnor,Waggy,Wagemann,Wagatsuma,Waffenschmidt,Waegner,Waddups,Waddles,Wadas,Wacht,Waas,Waaga,Vuoso,Vukelj,Vriens,Vredeveld,Vrbas,Vranicar,Vovak,Votsmier,Vostal,Vorsburgh,Vornes,Vopava,Vonseeger,Vonschriltz,Vonholt,Vongsamphanh,Vongkhamphanh,Vongkhamchanh,Vonfelden,Voner,Vondrasek,Vondracek,Vonderhaar,Vonderahe,Vonbank,Volpone,Volmar,Vollmers,Vollette,Volinsky,Volek,Volbert,Vojna,Voigtlander,Vogelzang,Voeltz,Voelkerding,Vocelka,Vljeric,Vleming,Vlchek,Vizzi,Vixayack,Vixay,Vivyan,Vivion,Vitrano,Vitez,Vitellaro,Visounnaraj,Visick,Viscosi,Virostko,Virgile,Virgadamo,Virant,Vintila,Vinti,Vint,Vilven,Vilt,Villnave,Villescaz,Ville,Villasis,Villaplana,Villao,Villanveua,Villanvera,Villandry,Villamayor,Villamarin,Villaluz,Villaluazo,Villaire,Villacrusis,Vilegas,Vildosola,Viker,Vijil,Vijayan,Vigneau,Vigilo,Vigiano,Vieu,Vietzke,Vierk,Viengxay,Vieau,Vidas,Vidaca,Vicuna,Vicueroa,Vicenteno,Vias,Viard,Viano,Viale,Viafara,Vezza,Vevea,Vetterkind,Vetterick,Veto,Vessar,Vesperas,Vesley,Verwers,Verunza,Verso,Versage,Verrue,Verrone,Verrastro,Verplanck,Verone,Vernazza,Verlinden,Verlin,Verkuilen,Verfaillie,Venzor,Venturelli,Venskoske,Venning,Venneman,Veneri,Vendig,Vence,Veltkamp,Velthuis,Velovic,Veller,Velky,Velega,Velardes,Veksler,Veitinger,Vehrenkamp,Vegerano,Vedovelli,Veasman,Vbiles,Vautier,Vaulet,Vatterott,Vasudevan,Vasos,Vasek,Vasallo,Varquez,Varquera,Varoz,Varone,Varisco,Varieur,Varanda,Vanzie,Vanwyck,Vanwhy,Vanweerd,Vanwechel,Vanvuren,Vanvorst,Vanveldhuize,Vanuden,Vantuyle,Vantull,Vansteenhuyse,Vansteenberg,Vanson,Vansise,Vanschoor,Vanschoiack,Vanrossum,Vanosdol,Vanos,Vanorsouw,Vanoni,Vannuck,Vanlinden,Vanlier,Vanlaere,Vaninetti,Vanhove,Vanhoutte,Vanhoecke,Vanheusen,Vanhamme,Vanham,Vangordon,Vaneekelen,Vandonsel,Vandevanter,Vandesande,Vandernoot,Vanderjagt,Vanderiet,Vanderhurst,Vanderbie,Vandawalker,Vandaele,Vanblaricum,Vanbeveren,Vanamerongen,Vanamburgh,Vanalstin,Valtas,Valme,Vallow,Vallotton,Valliant,Vallegos,Vallar,Valladores,Valerino,Valeriani,Valela,Valdo,Valant,Valado,Vajnar,Vais,Vagnier,Vadlamudi,Vactor,Vaccarello,Vacarro,Uzzo,Uutela,Utzig,Useted,Urtz,Urtiz,Urtiaga,Urteaga,Urquides,Urmston,Urmos,Urbany,Urbaez,Uptmor,Upole,Uphold,Uoy,Unverzagt,Unvarsky,Unterseher,Unterman,Unglesbee,Underdue,Uncapher,Umeh,Ulven,Ulvan,Ulshafer,Ulsamer,Uljevic,Ulbricht,Ulabarro,Ujano,Uimari,Uihlein,Ugolini,Uglum,Ufford,Ueckert,Udani,Uchiyama,Ubl,Ubaldo,Tyrie,Tyndal,Tyms,Tylwalk,Tyeryar,Twilligear,Twidwell,Twardy,Tuzzio,Tutterow,Tutaj,Turziano,Turzak,Turtura,Turtle,Turrietta,Turns,Turnell,Turneer,Turnbill,Turello,Turbacuski,Tupaj,Tupacyupanqui,Tuomi,Tuomala,Tuohey,Tuning,Tumolo,Tuman,Tullar,Tulino,Tuggerson,Tuckerson,Tucke,Tuchy,Tucek,Tucciarone,Tuamoheloa,Tuai,Tua,Tsu,Tsironis,Tsing,Tsiatsos,Tsemetzis,Tscrious,Tsau,Tsasie,Tsakonas,Trypaluk,Trygg,Truxell,Truver,Trusso,Trush,Trusello,Truocchio,Truncellito,Trumps,Trumper,Trumbley,Trulli,Truhe,Truglia,Trufin,Trudnowski,Trudics,Trudgeon,Trucks,Trucker,Troyano,Troyani,Trouser,Trotty,Tronaas,Tromley,Tromburg,Troller,Trojecki,Trojahn,Troike,Troidl,Troge,Trofholz,Trochesset,Trish,Trio,Trinkley,Trinkl,Tringham,Trindle,Trimnell,Trilli,Trill,Triguro,Trigueros,Triece,Trider,Trexel,Trewin,Trewhitt,Treuter,Treutel,Trettin,Trett,Treso,Trenton,Trentini,Trenholme,Tremel,Trell,Tregan,Trecarichi,Trbovich,Traverse,Traunfeld,Trapanese,Tramp,Tramm,Trajillo,Trahin,Traher,Tradup,Toyne,Toyama,Townzen,Towber,Toussiant,Tousom,Tourtelotte,Touma,Toulmin,Touhy,Tottingham,Totter,Tott,Totosz,Toti,Tota,Tostanoski,Toso,Tory,Torreson,Torreon,Torrell,Torralva,Torno,Torngren,Tornese,Tordsen,Torbit,Torbeck,Toppins,Toppen,Toppah,Topolinski,Toplk,Topliss,Toplin,Topinka,Topi,Toomsen,Tools,Toof,Too,Tonic,Toniatti,Toni,Tongren,Tonche,Tonas,Tomsick,Tomsche,Tomopoulos,Tomkowicz,Tomasko,Toliongco,Toleston,Tokunaga,Tokita,Tohonnie,Tognetti,Toevs,Todora,Todahl,Tod,Tocher,Tocchio,Tobosa,Tobiason,Tjepkema,Tizon,Tixier,Tiwald,Tittl,Tisue,Tisinger,Tisa,Tirona,Tiro,Tirk,Tirino,Tiotuico,Tinnea,Tinin,Timone,Timber,Tilleman,Tille,Tiley,Tijing,Tigg,Tiffner,Tietjens,Tieger,Tidrington,Tidrick,Tibwell,Tibolla,Tibbit,Tiangco,Tian,Thyfault,Thurstonson,Thundercloud,Thuman,Thrun,Thrill,Thorsten,Thornquist,Thorner,Thormina,Thormer,Thoran,Thomspon,Thoeny,Thoennes,Thoele,Thoby,Thillet,Thiesse,Thibedeau,Theuner,Thessing,Therurer,Thero,Theo,Themot,Them,Thein,Theim,Theiling,Theesfeld,Theaker,Thaniel,Thamphia,Thammorongsa,Thalheimer,Thain,Thaemert,Thackxton,Thackrey,Thackery,Teyler,Tewmey,Tevada,Tetz,Tetteh,Tetro,Tetreau,Testman,Tessner,Tesoriero,Tesnow,Tesauro,Tersteeg,Terrett,Terrero,Terrence,Terrall,Terr,Terkelsen,Terbush,Teranishi,Tepperberg,Tentler,Tenor,Tenharmsel,Tengwall,Tenerowicz,Tenebruso,Tendick,Tencer,Ten,Temoshenka,Telman,Tellinghuisen,Telega,Telchik,Tejeiro,Teitel,Teichrow,Teichmiller,Tegtmeier,Tegenkamp,Teet,Teeples,Teepe,Tebow,Tebbetts,Tebbe,Tease,Teach,Tayo,Taymon,Taylan,Taydus,Tavolario,Taves,Tauteoli,Tatu,Tatsak,Tatnall,Tates,Tasto,Tasse,Tashman,Tartar,Tarsis,Tarris,Tarricone,Tarran,Tarner,Tarbor,Tarbet,Tarasuik,Taraschke,Taps,Tappis,Tapio,Tapat,Tapales,Tapaha,Taomoto,Tanzosch,Tanzman,Tanweer,Tanoue,Tanori,Tanon,Tannazzo,Tanker,Tanke,Tango,Tanen,Tandon,Tandetzke,Tancer,Tamminen,Tamiya,Tameron,Talladino,Taliulu,Talburt,Talboti,Talat,Talamas,Takiguchi,Takenaka,Tak,Tahir,Tagliente,Taglialatela,Tagge,Tagami,Tafuri,Tafreshi,Tacderen,Taccariello,Tacata,Tacadina,Tablada,Tabet,Taberski,Tabbaa,Taake,Szypowski,Szynkowicz,Szymula,Szychowski,Szwarc,Szuszkiewicz,Szumny,Szumilas,Szumiesz,Szuch,Szuba,Sznejkowski,Szmidt,Szlosek,Szigethy,Szenasi,Szczurek,Szczesniak,Szalankiewicz,Szalai,Szal,Szaflarski,Syrstad,Syrop,Synowiec,Synakowski,Symore,Symon,Syddall,Sybounheuan,Swonke,Swisshelm,Swiller,Swenton,Swell,Sweley,Sweger,Swefford,Sweere,Swee,Swedeen,Sweazey,Swearngen,Swaynos,Swatloski,Swatek,Swary,Swartley,Swarr,Swarn,Swarb,Swarat,Swanzy,Swantner,Swantko,Swanteck,Swanick,Swaine,Swadling,Svob,Svensen,Sutt,Suto,Sutherburg,Susmilch,Susla,Susko,Susan,Surridge,Surran,Surkamer,Suon,Suominen,Suneson,Sundman,Sumstad,Sumruld,Sumey,Sumbera,Sumaran,Sultaire,Sully,Sulloway,Sulkowski,Sulc,Sukut,Sukup,Sukovich,Suihkonen,Suga,Suffern,Sueyoshi,Suet,Suennen,Suellentrop,Sueda,Suddath,Succop,Sub,Sualevai,Styler,Stvictor,Stuzman,Stusse,Sturwold,Sturino,Sturiale,Sturdnant,Stupke,Stumm,Stumb,Stukel,Stufflebean,Stuever,Stuessy,Stuedemann,Stueckrath,Stueck,Studwell,Stubler,Stubbert,Strzyzewski,Strzelczyk,Strutynski,Struckmann,Struber,Strow,Stropus,Strople,Stroot,Strohecker,String,Strimel,Stright,Striffler,Stridiron,Stricklan,Strem,Streller,Strekas,Strek,Streitz,Streitenberge,Strech,Streat,Strazzullo,Strawberry,Stratter,Strathmann,Strassell,Strassberg,Strangstalien,Stoyanov,Stouten,Stoutamyer,Stotelmyer,Stoskopf,Storton,Storbeck,Stoppenbach,Stoot,Stoor,Stonewall,Stonefield,Stolzenberg,Stollsteimer,Stokel,Stohs,Stohrer,Stofferahn,Stoermer,Stoen,Stoecklin,Stockhoff,Stockburger,Stoakley,Stoa,Stlucien,Stitz,Stittgen,Stitch,Stires,Stippich,Stinser,Stinemetz,Stinde,Stinar,Stimus,Stiliner,Stilgenbauer,Stifflemire,Stickfort,Sticher,Stibb,Stewardson,Stevison,Steube,Sternod,Sterger,Steptore,Steppig,Stepleton,Stephanski,Stephano,Stepchinski,Stepanik,Stepaniak,Stenslien,Stenslie,Stengle,Stengele,Stendal,Stempert,Steman,Stelmach,Steitzer,Steinworth,Steinway,Steins,Steinour,Steinmiller,Steinhouse,Steinhour,Steinger,Steindorf,Steinau,Steinacker,Stegmann,Steff,Stefansky,Steensland,Steenrod,Steenland,Steeby,Stech,Stealy,Steagell,Steadings,Steach,Stawasz,Stavsvick,Stavrides,Stavish,Stathes,State,Stassinos,Stasser,Stasio,Stasa,Starzynski,Starritt,Starring,Starnold,Starchman,Starch,Starace,Stapelton,Stanuszek,Stanovich,Stankovic,Stankey,Stanislaw,Staniforth,Stanier,Stangarone,Stanganelli,Standlee,Standerwick,Standback,Stancombe,Stancer,Stancato,Stammel,Stambough,Stallones,Stakelin,Stagnitto,Stafiej,Staffon,Staffieri,Staffen,Stade,Stachniw,Stachnik,Stacer,Staber,Stabell,Staback,Staadt,Spunt,Spueler,Spruit,Spruel,Spriggins,Spratlen,Sprain,Sprafka,Sportsman,Sports,Sporle,Spoerl,Spoerer,Splonskowski,Splinter,Splane,Spizzirri,Spinoso,Spinka,Spiney,Spine,Spindola,Spindle,Spinas,Spilski,Spielmaker,Spiegle,Spevacek,Sperrey,Sperger,Sperduti,Speranza,Sperandeo,Spender,Spena,Spella,Speith,Speis,Speiden,Speidell,Speese,Specter,Speake,Speagle,Spaun,Spara,Spanton,Spanswick,Spannbauer,Spana,Spaide,Spadlin,Sowash,Sovey,Sovak,Souvannavong,Souvannarith,Souvannakhiry,Souser,Soulek,Soukkhavong,Soucek,Sottosanti,Sotlar,Sotak,Sossong,Sosso,Sosinsky,Soscia,Sorotzkin,Sorokin,Sorman,Sorgatz,Soren,Soravilla,Sor,Soprych,Sopata,Soorus,Sookoo,Sonnenburg,Sonkens,Sondrini,Sondelski,Somsana,Sommerdorf,Sommella,Solverson,Soltren,Soltes,Solonika,Solomons,Sollock,Sollman,Solle,Solimeno,Soliece,Solgovic,Soldow,Solas,Solarz,Sokorai,Sokolik,Soisson,Sohrabi,Soho,Sogol,Soga,Sofka,Sodomka,Sodachanh,Sochocki,Socci,Sobrowski,Sobrino,Soboleski,Soberano,Sobba,Sobania,Soans,Snuffer,Snowdon,Snowdeal,Snoderly,Snock,Snitker,Snith,Sniff,Snedeger,Snearly,Snachez,Smurthwaite,Smolski,Smithmyer,Smithen,Smithberger,Smisek,Smily,Smiglewski,Smietana,Smialowski,Smeltz,Smelko,Smeenk,Smedsrud,Smayda,Smaw,Smarsh,Smalt,Smalarz,Slutzky,Sluis,Sloup,Slotkin,Slosek,Sloon,Slomski,Slocombe,Slockbower,Slisz,Slinsky,Slicer,Sleek,Slayman,Slavis,Slatin,Slanina,Slagel,Sladky,Sladek,Skyberg,Skwara,Skursky,Skurski,Skura,Skrobacki,Skretowicz,Skorepa,Skomo,Sknerski,Skinsacos,Skillom,Skillen,Skibosh,Skibisky,Skewis,Skene,Skender,Skalecki,Skafec,Sixon,Sivia,Sivert,Sitto,Sita,Sissman,Sisneroz,Siskey,Sischo,Sirwet,Sirucek,Sirrine,Sirnio,Siriani,Sirek,Sippial,Sionesini,Sioma,Sinkiewicz,Sininger,Singuefield,Sings,Singhisen,Singeltary,Singco,Siner,Sindt,Sindorf,Sindoni,Sindel,Simzer,Simunek,Simplot,Simpelo,Simonetta,Simonett,Simoneavd,Simmelink,Simlick,Simkowitz,Simino,Simers,Simer,Simcic,Simank,Silverwood,Silverhorn,Silquero,Sillitti,Sillery,Silla,Silker,Silerio,Silagy,Silago,Sikorra,Sikkila,Sikel,Sikat,Sikander,Sigworth,Signorino,Sigafoos,Siewers,Sievel,Sierzenga,Sierer,Siepker,Siena,Sien,Siegfreid,Siegers,Siefkes,Siefferman,Siebel,Sidles,Side,Siddiq,Sida,Sickmeir,Sickendick,Sichler,Sicheneder,Sichel,Siangco,Siad,Shymske,Shutte,Shutes,Shurkus,Shumay,Shukert,Shuhi,Shuga,Shuckhart,Shryer,Shroeder,Shrimplin,Shrier,Shrefler,Shrake,Shoyer,Showden,Shouts,Shoto,Shonts,Shoeman,Shoddie,Shirilla,Shird,Shirai,Shipwash,Shiplet,Shipler,Shintani,Shinney,Shinko,Shindorf,Shimonishi,Shimanuki,Shiller,Shiiba,Shigemitsu,Shigematsu,Shifley,Shifflette,Shiever,Shido,Shidemantle,Shidel,Shibahara,Shey,Shevenell,Shetz,Sheskey,Sherratt,Sherif,Sherfy,Sherbo,Shepp,Shenberger,Shenassa,Shemper,Sheltrown,Shellum,Shellnut,Shellhorn,Shellgren,Shelenberger,Sheive,Sheasby,Shearier,Shearhart,Shawler,Shawaiki,Shaull,Shau,Shatt,Sharratt,Sharrai,Sharpsteen,Sharpey,Sharley,Shariff,Shariat,Sharar,Shapin,Shansky,Shannonhouse,Shangraw,Shammaa,Shamapande,Shalam,Shaker,Shahinian,Shaginaw,Shaggy,Shafto,Shafi,Shaer,Shae,Shadix,Shadburn,Sfera,Sfatcu,Seymoure,Sey,Sewester,Severyn,Seutter,Seuss,Seufer,Settecase,Sespinosa,Servey,Servano,Serum,Sertuche,Sert,Serro,Serret,Serre,Sermon,Sermania,Sergovia,Seremet,Serabia,Ser,Sephton,Sep,Senta,Sensenbach,Senneker,Senk,Senion,Senemounnarat,Seneker,Semo,Semenick,Seltrecht,Sellar,Seliski,Selis,Seligmann,Selia,Selestewa,Selem,Sele,Selca,Selbert,Selbe,Sekerak,Sejkora,Seiz,Seiver,Seirer,Seilhymer,Seiley,Seiger,Seigart,Seifts,Seiffert,Seidle,Seide,Seiberlich,Segota,Segobia,Seewald,Seepersaud,Seen,Sedy,Sedtal,Sedotal,Sedler,Sedlachek,Secreto,Secora,Secky,Seckington,Sebestyen,Sebers,Searchwell,Searchfield,Searcey,Seanor,Sean,Seamen,Sealander,Seaford,Scullion,Scrudato,Scronce,Scrobola,Scribellito,Scozzari,Scoresby,Scolnik,Scoh,Scoble,Sclavi,Sciuto,Scisco,Scigliano,Scieszka,Scierka,Scibetta,Sciavillo,Sciarini,Sciancalepore,Schwuchow,Schwoyer,Schwoerer,Schwien,Schwetz,Schwertfager,Schwentker,Schwent,Schwendinger,Schwemm,Schweiner,Schwarzenberg,Schwartzer,Schwarten,Schwanebeck,Schwanbeck,Schwallie,Schwald,Schuyleman,Schustrich,Schurer,Schuppenhauer,Schumucker,Schumans,Schuiling,Schueth,Schuckert,Schuchmann,Schuble,Schub,Schroy,Schromen,Schroeppel,Schroedel,Schreur,Schreimann,Schrecker,Schouweiler,Schou,Schornick,Schoreplum,Schooling,School,Schoo,Schontz,Schoninger,Schoneck,Schone,Schonaerts,Schomberg,Schollmeier,Schoepflin,Schoenegge,Schoeneck,Schoeller,Schoebel,Schnitman,Schnetter,Schnelzer,Schneidmiller,Schnair,Schnabl,Schmuff,Schmoldt,Schmider,Schmeer,Schlussel,Schlissel,Schlett,Schlesner,Schlesener,Schlepphorst,Schlepp,Schlechten,Schlaack,Schiveley,Schirm,Schimanski,Schilmoeller,Schille,Schilawski,Schiffner,Schiffert,Schiedler,Schickler,Schiappa,Scheuring,Scheule,Schepker,Schenz,Schenkelberg,Schembri,Schembra,Schellhorn,Schellenberge,Schelle,Scheitlin,Scheidecker,Scheibner,Scheiblich,Schehl,Schefers,Schee,Schearer,Schaubert,Schattschneid,Scharich,Schares,Scharber,Schappach,Schaneman,Schamberger,Schak,Schaetzle,Schaecher,Scerbo,Scelba,Scavona,Scatton,Scarsdale,Scarr,Scarpone,Scarlata,Scariano,Scandurra,Scandura,Scandalis,Scammahorn,Scafuto,Scaffe,Scachette,Sayyed,Sayko,Sayco,Sayasane,Sayaphon,Sawney,Sawdo,Sawatzke,Sawallich,Savko,Savka,Savitts,Saviola,Savio,Savine,Savich,Savells,Saulpaugh,Saulino,Sauler,Saugis,Sauber,Sau,Saturnio,Sattel,Satomba,Saterfield,Satava,Sasseville,Sasahara,Sarzynski,Sartorius,Sartore,Sartell,Sarsour,Sarson,Sarp,Sarnosky,Sarni,Sarlinas,Sarka,Sarinsky,Sarin,Sardo,Sarden,Sarchett,Sarault,Sarate,Sarao,Sarantakis,Saralegui,Sapper,Sappah,Sapinski,Sapardanis,Sapara,Sanyaro,Santwire,Santrmire,Santoriella,Santor,Santomassimo,Santisteban,Santillanez,Santamarina,Sansotta,Sanpson,Sannutti,Sankoh,Sangasy,Sanfelix,Sandvill,Sandus,Sandstede,Sandling,Sandland,Sandhop,Sandeen,Sandblom,Sanday,Sandager,Sancrant,Sancken,Sanchirico,Sancher,Sances,Sanberg,Sanacore,Samyn,Samul,Samrov,Samrah,Sampere,Sampang,Samland,Samii,Samiento,Sames,Sambrook,Samborski,Samberg,Samaroo,Salzl,Salvio,Salvati,Salvadge,Saluan,Saltzberg,Saltus,Saltman,Salstrom,Salotti,Salmonsen,Sallmen,Salle,Sallach,Salines,Salesky,Saleme,Saleha,Saldano,Salb,Salazak,Salasar,Salado,Salach,Sakumoto,Sakamaki,Sajovic,Sajous,Sainte,Sainliere,Sainato,Sails,Saik,Saieva,Saice,Sahe,Sahady,Sago,Saft,Safier,Saffo,Safer,Saether,Saens,Saeler,Saelens,Sadvary,Sadoski,Sadorra,Sadolsky,Sadin,Sadik,Sadeghi,Sadat,Sacramed,Sachetti,Sacchi,Sacca,Saberi,Saarela,Saadat,Saabatmand,Rzeczycki,Rysz,Rynkowski,Rynerson,Ryneer,Rymut,Rymes,Rymasz,Rylaarsdam,Rykaczewski,Ryen,Ryea,Rydin,Rydelek,Rydel,Rydeen,Rybinski,Ruvalcava,Rutski,Rutske,Rutman,Rutkin,Ruths,Ruthman,Ruthers,Rutheford,Rutgers,Rutenberg,Rutar,Russwurm,Russomano,Russomanno,Russer,Russello,Rushanan,Rusen,Ruschmeyer,Rusaw,Rupnick,Rupley,Rupinski,Ruopoli,Rumps,Rumbach,Rulapaugh,Ruivo,Ruiter,Ruhoff,Ruhn,Ruhman,Ruggirello,Ruffell,Ruffel,Ruezga,Ruesga,Ruelar,Ruehter,Ruehling,Ruehlen,Ruedas,Rued,Rueck,Rudoy,Rudio,Rudh,Rudell,Rudat,Rudack,Ruckey,Ruckel,Ruckdaschel,Rubsam,Rubie,Rubick,Ruberti,Rubeo,Rubenfield,Rubenfeld,Rubash,Rubalcave,Rozzelle,Rozon,Royle,Roxbury,Rowlison,Rowels,Rowbotham,Rovell,Rouw,Routzen,Routzahn,Routte,Rousso,Rousell,Rous,Rounsville,Rouly,Roulhac,Roulette,Roule,Rouhoff,Roughen,Rouch,Rottinghous,Rottier,Rotruck,Rotkowski,Rotkovecz,Rothfeld,Rotherham,Rotch,Rotanelli,Rosul,Rossie,Rossen,Rosseel,Rosky,Rosian,Rosher,Rosewall,Roseum,Roseth,Rosenwinkel,Rosentrater,Rosenlof,Rosenhagen,Rosengren,Rosendorf,Rosendale,Rosenbush,Rosemore,Rosek,Rosebur,Roscup,Rosca,Rosboril,Rosazza,Rosane,Rorabacher,Ropka,Roofner,Ronsini,Ronnie,Ronnfeldt,Ronn,Ronero,Roner,Ronayne,Rona,Ron,Romprey,Rommelfanger,Romkema,Romiro,Romay,Romanowicz,Romanov,Romanoff,Romaniszyn,Romanek,Romane,Rollf,Rollag,Rolfson,Rolack,Rokicki,Rohrdanz,Rohdenburg,Rohal,Rogowicz,Rogish,Rogian,Rogens,Rogado,Roesslein,Roesing,Roerig,Roenigk,Roelle,Roehler,Rodvold,Rodrigres,Rodregues,Rodolph,Rodkin,Rodiquez,Rodina,Rodero,Roderman,Roderiquez,Rodenizer,Rodenbough,Rodebush,Rodde,Rocle,Rochlitz,Rochkes,Rocheford,Robyn,Robusto,Roberston,Robbie,Robbert,Robberson,Robair,Roam,Roadruck,Roades,Roaden,Roadarmel,Rizzardi,Rivinius,Riveras,Rivello,Rivelli,Rivadulla,Rittinger,Rittie,Rittichier,Ritthaler,Ritmiller,Riskin,Risien,Rishor,Risatti,Ripson,Ringold,Ringen,Rinfret,Rineheart,Rindal,Rincan,Rinauro,Rinaldis,Rina,Rimkus,Rimi,Rimel,Rimbach,Rily,Rillie,Riller,Rihner,Riherd,Rigley,Rightmyer,Righthouse,Riggert,Riggers,Rigerman,Rigas,Rifai,Riesner,Rienzo,Riemersma,Riefer,Ridgebear,Rides,Ridell,Ridall,Ricucci,Ricley,Rickerl,Richemond,Richelieu,Richel,Richardville,Riccitelli,Ricciardelli,Ricardez,Riblett,Ribar,Riase,Rian,Rhym,Rhule,Rhude,Rhondes,Rhodehamel,Rhim,Rheingold,Rheaves,Reznick,Reynero,Revolorio,Revette,Revelo,Reuven,Reusswig,Reusser,Reuhl,Reuber,Rettele,Retka,Retersdorf,Resseguie,Resper,Resner,Resides,Reshard,Resek,Reseigh,Repaci,Renzullo,Renuart,Rentfrow,Rennemeyer,Renneker,Renkes,Renier,Rendle,Renburg,Remsburg,Remos,Remmie,Remmick,Remlin,Remkus,Remfert,Remey,Remerez,Remedies,Remaly,Relph,Rellihan,Relles,Relaford,Reksten,Rekas,Reitzes,Reiten,Reitema,Reisin,Reinmann,Reinicke,Reinholdt,Reinheimer,Reinfeld,Reineman,Reineking,Reinartz,Reimel,Reik,Reihe,Reidling,Reidler,Reichenberg,Reichenback,Reho,Rehnborg,Rehnberg,Rehart,Regusters,Regulus,Reglin,Reginal,Reges,Regensburg,Regen,Regas,Reevers,Reever,Reeter,Reedholm,Redle,Redic,Redfear,Reddekopp,Rechel,Rebick,Rebholz,Reazer,Reauish,Reath,Reasinger,Reas,Reary,Realmuto,Reager,Readenour,Razze,Rawicki,Rawhoof,Ravi,Ravetti,Ravenscraft,Rava,Rauf,Rauelo,Rattee,Rattay,Rattanachane,Rattana,Rathmanner,Rathgeber,Rathe,Rathbum,Rasul,Rastogi,Rastelli,Rassman,Rasmuson,Rasely,Raschko,Raschilla,Rasche,Rasanen,Rary,Raring,Raridon,Rarey,Raquel,Rappenecker,Rapelyea,Ransier,Ransberger,Rannalli,Ranjel,Ranford,Randoll,Randklev,Ramy,Ramundo,Ramu,Ramsuer,Ramstad,Ramsbottom,Ramphal,Ramnarine,Rammer,Ramiscal,Ramgel,Ramesar,Ramento,Rambeau,Ramales,Ralon,Rallison,Rakich,Raith,Raiola,Rainwaters,Rainbott,Raimundo,Raimer,Raimann,Railing,Rahl,Rahama,Ragusano,Rafla,Rafiq,Rafi,Raffone,Raffo,Rafail,Raelson,Raehl,Raebel,Radway,Radue,Radona,Radisovich,Radics,Rademan,Radeke,Radder,Radden,Rackow,Racitano,Racina,Rachar,Racanello,Rabuck,Rabkin,Rabidoux,Rabello,Rabel,Rabara,Qunnarath,Quirindongo,Quintel,Quintano,Quinlin,Quinchia,Quincel,Quilling,Quillian,Quilliam,Quillens,Quihuiz,Quiett,Quicksall,Quest,Querta,Querido,Quent,Quealy,Quaye,Quante,Quamme,Qualia,Quaker,Quagliano,Quader,Pytlewski,Pyo,Pylvainen,Pyland,Pych,Py,Puyear,Puulei,Puthiyamadam,Putalavage,Purzycki,Purkerson,Purcella,Purce,Puppe,Pupa,Pullon,Pullie,Pulgarin,Pulford,Pujals,Puiatti,Pugeda,Puffett,Puffenbarger,Puertas,Puddy,Pucio,Pucella,Ptaszynski,Psomiades,Psencik,Przybysz,Przybycien,Przedwiecki,Pryzgoda,Prvitt,Pruskowski,Prugh,Prudent,Prudden,Provazek,Protasewich,Protain,Proo,Prondzinski,Prokes,Prohonic,Progacz,Proescher,Prodan,Privatsky,Privateer,Priore,Prinzing,Prinzi,Printers,Prigmore,Priewe,Prier,Pribbeno,Prezzia,Preyor,Prewer,Prevett,Preuitt,Prepotente,Prence,Prekker,Preisach,Precythe,Prebish,Preato,Prchlik,Prazeres,Prazak,Prauner,Prattella,Prati,Prat,Prasser,Prasomsack,Praml,Prabhakaran,Prabel,Poyneer,Powroznik,Powal,Poux,Poullion,Pouliotte,Pottier,Potthast,Potocnik,Poties,Poths,Postuci,Postal,Posso,Poser,Portwine,Portune,Portaro,Porrello,Porreca,Porrazzo,Poremski,Pore,Porcello,Popple,Poppert,Popowski,Popovec,Popke,Popik,Popielarczyk,Popick,Popi,Poper,Popelka,Popec,Poortinga,Poorte,Pooni,Ponyah,Pontin,Pomerance,Pomar,Polynice,Polyak,Polverari,Poltorak,Polovoy,Pollmann,Pollio,Pollinger,Pollacco,Polivka,Polian,Poleyestewa,Polera,Poldrack,Polcovich,Polakoff,Polakis,Poladian,Pokorski,Poiter,Poffenroth,Poetzsch,Poeschl,Poeschel,Poepplein,Poepping,Poeling,Podvin,Podsiad,Podrasky,Podlas,Pode,Podbielski,Podany,Pochiba,Pocchia,Poalino,Poaipuni,Plymire,Plyer,Pluvoise,Plungy,Pluid,Ploude,Plosker,Plomma,Plohr,Plocica,Pliler,Plevin,Plessis,Plesnarski,Plesha,Plenskofski,Plecker,Platenburg,Platas,Plansinis,Plana,Plamer,Placencio,Pizzolato,Pizur,Pius,Piurkowski,Pituch,Pittillo,Pitel,Pitcak,Piszczatowski,Pisula,Pishner,Pirner,Pirillo,Pippert,Pipe,Pinyan,Pinsonnault,Pinnt,Pinkelton,Pinena,Pinela,Pineault,Pinault,Pilotti,Pillips,Pilbin,Pilati,Pikey,Pih,Piguet,Pigna,Pigler,Pigat,Pietzsch,Pietrafesa,Pieters,Pierzchala,Pierrie,Pierfax,Piercefield,Piedmont,Piedigrossi,Piede,Piechoski,Piearcy,Pidcock,Picolet,Pickren,Pickings,Picht,Picco,Pi,Phomphithak,Phommatheth,Phlieger,Phippen,Philpotts,Phillipi,Philippon,Philipose,Philben,Pherson,Pherguson,Phatdouang,Phanthauong,Phanord,Pfirsch,Pfendler,Pfannenstein,Pfahlert,Pfahler,Pezzuto,Pezzimenti,Pexton,Pexsa,Pewo,Pevsner,Petzel,Petts,Pettner,Pettinella,Petticrew,Pettibon,Pettes,Petrov,Petrosyan,Petron,Petrocelli,Petrocco,Petrizzo,Petris,Petrino,Petricone,Petralba,Petrakis,Petrain,Petkoff,Petitjean,Petges,Peteuil,Petet,Petersdorf,Petchulis,Pestronk,Peskind,Pesenti,Pertsovsky,Personette,Persia,Persampieri,Persall,Pers,Perre,Perper,Perolta,Perng,Perler,Perkoski,Perish,Perilloux,Perey,Peressini,Percontino,Perciballi,Peral,Peppas,Pepitone,Penzero,Pentico,Pent,Penski,Pense,Penrice,Penoyer,Penovich,Pennimpede,Pennigton,Pennig,Penisson,Pendl,Pendill,Penceal,Penatac,Penasa,Penanegra,Pelman,Pelligrini,Pelliccia,Pellant,Pelkowski,Pelak,Pein,Peightell,Pegler,Pegelow,Peffers,Peetz,Peelman,Pee,Pedrin,Pedlow,Pedelty,Pede,Peddy,Peckinpaugh,Peckens,Pecht,Pechin,Peche,Peccia,Peca,Peaker,Pazik,Pazderski,Pazan,Payno,Payenda,Pawluk,Pawlosky,Pawell,Pavlikowski,Pavlides,Pavish,Paviol,Paulick,Paukert,Pattum,Patrylak,Patronella,Patrich,Patriarco,Patraw,Patierno,Patient,Patience,Paten,Pastorin,Pasternack,Pastano,Passaro,Pasqualino,Paskoff,Paskin,Paskiewicz,Pashel,Pasey,Pascher,Pasaye,Pasanen,Parvis,Partmann,Parthemore,Parshotam,Parsens,Parraga,Paronto,Paroda,Parobek,Parmann,Parmalee,Parlet,Parle,Parkers,Pariente,Paree,Pardey,Parde,Pardall,Parbs,Parbol,Paranada,Parah,Parado,Pappy,Pappenheim,Paplow,Papka,Papich,Papi,Papallo,Paolicelli,Panzarella,Panyik,Pantle,Pantera,Pantalone,Pansullo,Panone,Pano,Panny,Pannenbacker,Pankiewicz,Pankhurst,Panke,Pankau,Pangan,Panessa,Pandolfi,Pandiani,Panchik,Panchak,Panakos,Panak,Panagakos,Palubiak,Palso,Palowoda,Palmucci,Palmour,Palmino,Palmerino,Palme,Pallino,Pallerino,Palisi,Palisano,Palis,Palazzola,Palay,Palaspas,Palamara,Paladini,Paladin,Paire,Paillet,Pailet,Paider,Paguin,Pagoda,Paglione,Paglialunga,Pageau,Pagdanganan,Pafundi,Padiong,Padberg,Padarebones,Padalecki,Pacol,Pacilio,Pachter,Pachew,Pabelick,Paaske,Ozzella,Owoc,Owca,Ovitz,Overmann,Overlee,Overhulser,Overholtzer,Ovens,Ovall,Outhier,Ouren,Ouinones,Ottum,Ottomaniello,Otteman,Otsman,Otinger,Oszust,Ostorga,Ostolaza,Osterhouse,Osterberger,Ostberg,Ososki,Osmers,Osmera,Oshey,Osequera,Osenkowski,Oschmann,Osbment,Osbey,Osazuwa,Osayande,Osako,Orzell,Orvin,Ortwine,Ortmeyer,Ortelt,Ortelli,Orsten,Orson,Orrill,Orphey,Orndorf,Orloski,Orlich,Orlander,Orland,Ork,Orji,Orison,Orielly,Orielley,Ori,Organek,Orey,Orender,Ordona,Ordon,Ordman,Orazine,Oravetz,Orandello,Orabone,Ora,Or,Oquenda,Opyd,Opteyndt,Opoka,Opiola,Opielski,Opell,Opeka,Onyeagu,Onezne,Ondeck,Ona,Oms,Ommen,Ominelli,Omernik,Omelia,Olynger,Olwin,Olvey,Olufson,Olubunmi,Olten,Olshefski,Olsby,Olores,Olma,Olli,Ollech,Ollar,Oliviera,Olivarri,Oligschlaeger,Olheiser,Olgin,Olevera,Olerud,Olenski,Olenius,Oldow,Oldershaw,Oldenburger,Olausen,Olaes,Okutsu,Okken,Okitsu,Okie,Okeson,Okelberry,Okel,Ojito,Ojano,Ohyama,Ohr,Ohnstad,Ohmen,Ohlhauser,Ohlensehlen,Ohle,Ohashi,Ohanley,Ogzewalla,Ogutu,Ogston,Ogrodowicz,Oginski,Ogiamien,Oger,Ogarro,Ofsak,Oflynn,Off,Ofer,Oelze,Oehm,Oehlschlager,Oehl,Odome,Odo,Odmark,Odil,Odgen,Odermott,Odair,Oczon,Ockman,Ockleberry,Ocken,Ochal,Ochakovsky,Ocenasek,Occhuizzo,Ocanaz,Obrein,Obray,Oborne,Oblinski,Obin,Obierne,Obholz,Obhof,Oberski,Obermier,Oberlies,Obergfell,Obenauer,Obeid,Obbink,Obaker,Oatney,Oatfield,Nyulassy,Nwagbara,Nutley,Nuth,Nurthen,Nuntaray,Nunno,Nunlee,Nuner,Numkena,Nuhfer,Nugal,Nuessen,Nuding,Nuchols,Noye,Noya,Nowosielski,Novickis,Novi,Novencido,Novel,Novad,Noujaim,Notoma,Notice,Noth,Notch,Notarnicola,Nosworthy,Nosacka,Norum,Northouse,Nortesano,Norstrand,Norsingle,Norrie,Norr,Norn,Normoyle,Norise,Nordstrand,Nordmark,Nordes,Norales,Nopachai,Noorda,Nooman,Nonroe,Nonemaker,Nonamaker,Nommay,Noman,Nollet,Nolle,Noli,Noice,Noerr,Nodland,Nocon,Nocks,Nockels,Nocella,Nocek,Njie,Nizo,Nitchman,Nistendirk,Nissan,Nisly,Nishitani,Nishio,Nishina,Nirschl,Niro,Nirenberg,Niquette,Nip,Nindorf,Nincehelsor,Nimz,Nimura,Nilmeier,Nikula,Nikach,Nik,Nightwine,Night,Nighman,Nighbor,Niffenegger,Niez,Niesporek,Nier,Nieminen,Niemie,Niedermeier,Niederberger,Nido,Nicome,Nicolozakes,Nicolia,Nicoles,Nicolau,Nickodem,Nicklous,Nickisch,Nicka,Nici,Nibler,Nibbe,Nhatsavang,Ngoun,Neyer,Newmyer,Newitt,Newgard,Newenle,Newbraugh,Newbound,Newand,Nevue,Nevison,Nevis,Nev,Neujahr,Neufer,Nette,Netkowicz,Nethkin,Nesvig,Nestico,Nessner,Nesslein,Nesset,Nessel,Neshem,Nesbeth,Neris,Nerenberg,Neren,Nepomuceno,Nemith,Nelder,Neitzke,Neita,Neiner,Neimeyer,Neigenfind,Neiford,Neidenbach,Nehlsen,Negreta,Negrana,Neenan,Neddenriep,Nech,Neborak,Nebesny,Nazar,Nawfel,Navo,Navarete,Nauss,Naumes,Naugler,Nauer,Natvig,Natalizio,Natalie,Natalia,Nastasia,Nasaire,Naruaez,Narrow,Narkevicius,Nardozzi,Nardino,Narain,Napue,Napenas,Nap,Naomi,Nao,Nanz,Nantwi,Nannen,Nang,Nanfito,Nanes,Nan,Namsaly,Namey,Namer,Namauu,Namanworth,Nalevanko,Nalder,Nakaoka,Nakamatsu,Nakajima,Nakada,Nakaahiki,Naimoli,Nahmias,Nahhas,Nagtalon,Nagelkirk,Nagasawa,Naftel,Nadine,Naderman,Nachbar,Nacci,Nabzdyk,Nabor,Nabavian,Nabarowsky,Naasz,Myslim,Myree,Mylar,Myall,Muzii,Muyres,Muwwakkil,Mutters,Mutschelknaus,Musulin,Mustaro,Mustache,Musslewhite,Mussell,Mussa,Musni,Muslim,Muskrat,Muskopf,Muskett,Musitano,Musilli,Musielak,Musguire,Musgraves,Muscott,Muschik,Muschaweck,Mursch,Murril,Murra,Muros,Muri,Murel,Murcko,Murak,Muphy,Muntean,Mundz,Mundinger,Munder,Mumaugh,Mulville,Mulrenin,Mulnix,Mullenaux,Mullahy,Mulkern,Mulkerin,Mulchrone,Mulato,Muinos,Muhlstein,Mugnolo,Muggeo,Mugge,Muffett,Muenzenberger,Muellerleile,Mudie,Muckelroy,Muccio,Mrvan,Mrkvicka,Mraw,Mozick,Mozga,Mozak,Moxness,Moxey,Mounkes,Mound,Motonaga,Mothershead,Motayne,Motayen,Mosty,Mostad,Mossbarger,Moskwa,Moskop,Mosena,Mosen,Moscoffian,Moryl,Morvillo,Mortin,Mortier,Morsberger,Morrey,Morrales,Morral,Morphy,Morock,Morlino,Morkert,Morken,Morisseau,Morishito,Morinville,Morici,Morgano,Morgana,Moreschi,Morenco,Morence,Morella,Mordeci,Moratto,Morath,Morario,Morando,Moradian,Morada,Mootry,Moomey,Monville,Montoto,Montore,Montoney,Montfort,Montey,Montesi,Monterrubio,Montembeau,Montayes,Montalban,Montaivo,Monsay,Monot,Monopoli,Monnerjahn,Monkowski,Monka,Monjure,Monios,Monington,Monges,Monfils,Moneyhun,Moneaux,Mondt,Mondoza,Mondloch,Mondelli,Mondale,Monclova,Moncher,Monath,Monagas,Mominee,Moma,Molz,Molstad,Molsan,Molnau,Mollura,Molleur,Molla,Molands,Moitoza,Moisa,Moine,Mohrlock,Mohre,Mohomed,Mohmed,Mohair,Mogus,Moeuy,Moeser,Moehr,Moehle,Modique,Modgling,Modglin,Moderski,Moczulski,Moccasin,Moayyad,Moatz,Mlodzianowski,Mleczynski,Mizwicki,Mizutani,Mizia,Mizenko,Miyataki,Miyanaga,Miville,Mitsdarffer,Mitrani,Mitman,Mitkowski,Misuraca,Miskinis,Miskiewicz,Miska,Misik,Mishulovin,Mishulouin,Mishkin,Mishar,Misenti,Mischo,Mischnick,Mirisola,Miricle,Mirick,Miramontez,Mirafuentes,Miraflores,Miquel,Mione,Minzy,Minzenmayer,Minzenberger,Mintken,Minten,Minot,Minors,Minn,Minkowitz,Minkins,Minister,Minic,Minhas,Mingioni,Mingee,Minert,Minchow,Mincer,Minalga,Mimozo,Milward,Milson,Milosch,Millings,Millick,Millare,Milke,Milinazzo,Milin,Milich,Milette,Mile,Mildrum,Mildon,Milcher,Milberger,Mikuszewski,Miklitz,Mikko,Mihalios,Mihalick,Mieth,Mierzwiak,Mierzwa,Mierow,Mierez,Mierau,Mielcarek,Miecznikowski,Miears,Middlekauff,Micucci,Mickelberry,Michno,Michlich,Michieli,Michelstein,Michelini,Michalicek,Michal,Micciche,Micalizzi,Mguyen,Mezzina,Mezzenga,Meydid,Meusel,Meusa,Metty,Mettig,Mettenburg,Metier,Meth,Metelko,Mestemacher,Messamore,Mesplay,Mespelt,Mesiti,Mesina,Meshyock,Mesenbring,Meschke,Merzlak,Merrih,Merner,Merkwan,Merklein,Merkey,Meringolo,Merine,Mergist,Merganthaler,Merckling,Menzer,Mensalvas,Mennecke,Menne,Menjiva,Mengwasser,Menger,Menedez,Meneal,Menck,Mencia,Menchen,Menchavez,Melzer,Melve,Melso,Meloan,Melman,Mellison,Mellerson,Mellendorf,Mellberg,Melikian,Melian,Melgaard,Meleo,Melbye,Melber,Meja,Meixelberger,Meitz,Meitner,Meiss,Meisch,Meinen,Meinberg,Meigel,Meierhofer,Mehringer,Mehrer,Mehle,Mehall,Megahan,Mega,Mefferd,Meenan,Meecham,Medvec,Medinger,Meddock,Medawar,Medaries,Mecias,Mecannic,Meazell,Measom,Meaden,Meach,Mcwhinnie,Mcwhinney,Mcwells,Mcvinney,Mcvenes,Mcthige,Mcthay,Mcshaw,Mcroyal,Mcrenolds,Mcratt,Mcquilliams,Mcquesten,Mcphetridge,Mconnell,Mcnolty,Mcneish,Mcnany,Mcnamar,Mcmullins,Mcmulen,Mcmenimen,Mcmellen,Mcmanuis,Mcmanemy,Mclernon,Mclauren,Mclamore,Mckusick,Mckosky,Mckirryher,Mckindra,Mckin,Mckever,Mckernin,Mckerlie,Mckennzie,Mckelvin,Mckelphin,Mckeague,Mckaughan,Mciwraith,Mcilhinney,Mchardy,Mcgurie,Mcgrevey,Mcgreen,Mcgohan,Mcglocklin,Mcglew,Mcglaun,Mcgibney,Mcghinnis,Mcgaughan,Mcgathy,Mcferran,Mcfeely,Mcfatten,Mcewin,Mcendarfer,Mcenany,Mcelvy,Mcelmarry,Mceathron,Mceaddy,Mcdugle,Mcdoulett,Mcdaneld,Mcculloh,Mccullin,Mccullan,Mccullagh,Mccubrey,Mccrobie,Mccrain,Mccraight,Mccracker,Mccrabb,Mccowin,Mccoubrey,Mccoon,Mcconomy,Mcconnico,Mcconahay,Mccomish,Mccoid,Mccloude,Mcclinsey,Mcclenic,Mcclee,Mccier,Mccathran,Mccash,Mccarvy,Mccarrol,Mccarraher,Mccalpane,Mccalebb,Mccalanahan,Mccade,Mccadams,Mcbroome,Mcaskill,Mcartor,Mcaree,Mbonu,Mazzillo,Mazzetti,Mazuera,Mazowieski,Mazierski,Mazella,Mayze,Maywalt,Mayher,Mawk,Mavris,Maushardt,Mauras,Mauracher,Maupins,Matysiak,Matye,Matusz,Matuska,Matusiewicz,Matulewicz,Mattock,Mattingley,Mattina,Mattick,Mattan,Matskin,Matros,Matrisciano,Matone,Matonak,Matlow,Matkovic,Matison,Mathelier,Matelski,Mateiro,Masunaga,Masterton,Mastalski,Massini,Massena,Massed,Massarelli,Massanelli,Maso,Maslen,Maslakowski,Masincup,Masilko,Masher,Mashall,Masello,Masell,Maschmeyer,Mascheck,Maschak,Mascari,Masar,Masak,Masaitis,Marxsen,Maruschak,Maruscak,Marus,Marumoto,Martyr,Martsolf,Martorelli,Martling,Martischnig,Martirano,Martinsons,Martinov,Martinon,Martinolli,Martinet,Martinell,Martinel,Martinat,Martich,Martey,Martelles,Martelle,Marsolais,Marsili,Marshbanks,Marshak,Marseilles,Marsaw,Marrier,Marrett,Marrapodi,Marrapese,Marquitz,Marousek,Maronge,Maro,Marmerchant,Marlene,Markworth,Markwardt,Markuson,Markou,Markakis,Marjenhoff,Maritato,Mariska,Mariacher,Margot,Margis,Marflak,Marfil,Marer,Mardirossian,Marcusen,Marconis,Marcisak,Marcille,Marchionni,Marchesi,Marchaland,Marcet,Marcelli,Marca,Marbley,Marash,Marascalco,Marante,Marangoni,Marando,Mapua,Mapstone,Mapa,Maohu,Manzur,Manweiler,Manuia,Manto,Mantifel,Mantia,Manteuffel,Mantella,Manteca,Manspeaker,Mansbach,Manous,Manoso,Manolis,Manocchia,Mannheim,Mannello,Manlangit,Manino,Manieri,Manicchio,Maniar,Maniaci,Maniace,Manglona,Mangis,Mangiafico,Manghane,Manero,Manely,Maneafaiga,Mandril,Mandolfo,Mander,Mandelberg,Mandala,Manco,Mancill,Mancher,Manche,Manaugh,Manassa,Manasares,Manansala,Manalili,Mamudoski,Mammo,Mammenga,Mamaril,Mamaclay,Malueg,Malter,Maltbia,Maltas,Malool,Mallas,Mallalieu,Mallacara,Malkiewicz,Malinovsky,Malewski,Malett,Maldomado,Malcomson,Malcik,Malavet,Malaver,Malasky,Malas,Malango,Malanaphy,Malach,Makofsky,Mako,Makler,Maka,Majuste,Majied,Majeske,Majerowski,Majera,Maixner,Maisto,Maiocco,Mailo,Maile,Maikoksoong,Mahunik,Mahrer,Mahraun,Maholmes,Mahlke,Mahli,Mahfouz,Maheia,Mahalko,Magwire,Magpuri,Magoun,Magnone,Magnetti,Magliulo,Magliolo,Magliocco,Magitt,Magginson,Maggert,Magera,Maged,Mage,Magbitang,Magalong,Magaha,Maffitt,Maffey,Maestri,Maenpaa,Maenhout,Maendel,Mady,Maduro,Madu,Madray,Madras,Madock,Madlung,Madler,Madenford,Madeau,Maddaleno,Macvean,Macura,Macrum,Macrostie,Macnaught,Macnamee,Macmurray,Macmillen,Maclay,Mackle,Mackimmie,Mackedanz,Maciejko,Maciasz,Maciak,Machtley,Machens,Macentee,Maceda,Macdougald,Maccauley,Maccartney,Macareno,Macaraig,Macapagal,Macahilas,Macadamia,Mabone,Mabary,Maatta,Maalouf,Lysak,Lynge,Lynady,Lykam,Lyerla,Lychwala,Luzuriaga,Luzinski,Luxon,Luvene,Lutzi,Luthe,Luss,Lushbaugh,Luscavage,Lurey,Luquin,Lupul,Lupu,Lupkin,Lupfer,Luoto,Lundman,Lundie,Lundi,Lundemo,Luncsford,Lumukanda,Lumpp,Lummis,Lumantas,Luloff,Lukavsky,Luitjens,Luhring,Luga,Luffy,Luelf,Luehring,Luedi,Lueckenotte,Luecht,Luebano,Ludvik,Ludovici,Ludkowski,Luderman,Luddy,Lucksom,Luckritz,Luckadoo,Lucion,Luci,Luchessa,Luchesi,Lucear,Lucario,Luben,Luangsingotha,Lozzi,Lozo,Loyst,Loyed,Lowin,Lowber,Lovich,Lovenbury,Loveh,Lovec,Louser,Louris,Lourence,Loureiro,Louras,Lounds,Loukidis,Loukas,Louissant,Louer,Louch,Lotze,Lotthammer,Lotter,Loterbauer,Lotempio,Lostracco,Loston,Lossman,Loson,Loskill,Loske,Loshe,Lorz,Lorion,Lopuzzo,Lopilato,Lopera,Loosey,Looi,Loock,Lonsway,Lons,Longueville,Longton,Longknife,Longin,Longfield,Longcor,Londner,Lompa,Lommel,Lomg,Lolling,Lolli,Loli,Lolar,Lokuta,Lokke,Lokhmator,Lojek,Lois,Loil,Lohmeier,Logero,Loewe,Loessberg,Loeschner,Loesche,Loehlein,Loeckle,Loebs,Loduca,Lodense,Lodeiro,Locsin,Locorriere,Locklier,Lockette,Lochotzki,Loche,Locantore,Locante,Lobosco,Lobingier,Loats,Loarca,Llyod,Llopis,Llarenas,Ljungquist,Lizer,Lizarda,Livi,Livezey,Liverani,Livas,Liuzza,Litzsinger,Litza,Littlehale,Litter,Litehiser,Litecky,Liskovec,Liskiewicz,Liskai,Lisius,Lisiecki,Lisherness,Lisanti,Lipstone,Lipsitz,Lippi,Lipovsky,Lipkind,Lipke,Lipitz,Lipa,Liontos,Linzie,Linstrom,Linssen,Linsner,Linsay,Linnecke,Linnan,Linkkila,Linginfelter,Lingberg,Lingardo,Lingao,Linea,Lindwall,Lindskog,Lindline,Lindesmith,Lincicum,Linahan,Limthong,Limesand,Limauro,Limardo,Lilleberg,Liljedahl,Liljeberg,Lilja,Likio,Ligons,Lifshitz,Liesch,Lierle,Lienke,Lienemann,Liekhus,Liederbach,Lieder,Liechti,Liebskind,Liebhardt,Liebelt,Lie,Liddie,Lidbom,Licor,Lico,Lickness,Lickiss,Lickey,Lichtig,Lichtenwalter,Lichte,Lichstein,Lichorat,Lichlyter,Liccione,Licalzi,Librizzi,Libre,Librandi,Libke,Libert,Liano,Lianes,Lezon,Lezer,Lezak,Leynes,Lewton,Lewry,Lewandowsky,Levo,Levites,Levitch,Levitas,Levister,Levinsky,Leverentz,Levendosky,Leuty,Leuters,Leusink,Leupold,Leuchs,Letteney,Letteer,Letrent,Letourneaux,Letofsky,Letman,Letko,Letang,Letalien,Lestelle,Lessin,Lessenberry,Lessen,Lessa,Lespier,Lesky,Leshure,Leshko,Lescavage,Lermond,Lerew,Leonti,Leonaggeo,Lenza,Lenters,Lenord,Lenny,Lennert,Lenix,Lening,Lengle,Lengacher,Lener,Leneave,Lencioni,Lempe,Lemone,Lemin,Lemich,Lemert,Lelis,Lele,Lekwa,Lejune,Leitze,Leitem,Leistner,Leipheimer,Leimkuehler,Leiding,Leidel,Leidall,Leichty,Leichtman,Leibenstein,Leiba,Lehrian,Lehrfeld,Legrow,Legrant,Legore,Leghorn,Legel,Legallo,Lefew,Leemow,Leebrick,Ledy,Leduke,Ledon,Ledley,Ledec,Ledebuhr,Lecoultre,Leconey,Leckington,Lechlak,Lechel,Lebovic,Lebourgeois,Leberman,Lebario,Leavelle,Leasy,Leah,Leagjeld,Leafe,Leabow,Lazzar,Lazer,Lazenson,Lazenberry,Layher,Lawe,Lavon,Lavina,Lavette,Laverne,Laverette,Lavee,Lavear,Lavatch,Lauwers,Lauw,Lauture,Lautman,Lauters,Laurion,Laurens,Laurenceau,Launt,Launelez,Laughbaum,Lauerman,Laudat,Laubacher,Latzka,Latzig,Latortue,Lathon,Lathim,Latessa,Latella,Lataille,Lasyone,Lastovica,Lasselle,Lask,Lashutva,Laserna,Lascody,Lasaint,Larve,Laruffa,Larsh,Larreta,Larko,Largay,Larey,Lardydell,Larde,Laravie,Larate,Laquay,Lapuz,Laprairie,Lapora,Lapiana,Lanzoni,Lanzillotti,Lanzillo,Lanzer,Lanzalotti,Lanton,Lantey,Lansdowne,Lansden,Lansang,Lanquist,Lanosga,Lanosa,Laninga,Langsdale,Langoni,Langlands,Langhout,Langhorst,Langenheim,Langehennig,Laneve,Landucci,Landsberry,Landrey,Landolfo,Landkamer,Landham,Landgrebe,Landefeld,Lampp,Lamparski,Lamorgese,Lamorella,Lammie,Lamielle,Lamela,Lambourne,Lambino,Lamberto,Lamber,Lambeck,Lamascolo,Lamarsh,Lamantagne,Lamaitre,Lalumiere,Lallo,Laliberty,Lalata,Lalanne,Laland,Lakner,Laity,Lahrman,Lahmann,Lahip,Lagroon,Lagoa,Laginess,Lagge,Lagatella,Lagassie,Laganga,Lafranca,Lafosse,Laffredo,Laferty,Lafera,Lafaver,Lafauci,Laesser,Ladyman,Ladtkow,Laditka,Ladeau,Ladas,Lacouette,Lacosta,Lacock,Lacks,Lackman,Lackie,Lachley,Lacassagne,Labrune,Labrode,Labreque,Labrec,Labog,Labkovsky,Labita,Labbie,Lababit,Laaker,Kylish,Kyhn,Kwiat,Kwasny,Kwack,Kvilhaug,Kuznicki,Kuzmish,Kuzmanic,Kuzemchak,Kuttler,Kutella,Kutchin,Kuszlyk,Kusumoto,Kusuma,Kustes,Kusinski,Kushlan,Kushiner,Kushin,Kusak,Kurzyniec,Kury,Kurter,Kurrie,Kurpiel,Kurkjian,Kurk,Kurisu,Kupres,Kuokkanen,Kunzie,Kunzel,Kunis,Kuning,Kundrick,Kundla,Kundinger,Kully,Kullas,Kulkarni,Kulcona,Kulak,Kulacz,Kuks,Kuklis,Kuka,Kuja,Kuizinas,Kuhtz,Kuhnle,Kuhnen,Kuhnemund,Kuhnel,Kuhens,Kuharik,Kufner,Kufeldt,Kuenstler,Kuehnert,Kudzma,Kudasik,Kuczkowski,Kucinskas,Kuchto,Kuch,Kucel,Kucek,Kubica,Kubecka,Kuban,Kszaszcz,Krzywicki,Krzynowek,Krzal,Krystal,Krysiak,Krys,Krutsch,Kruss,Krusen,Krusemark,Krupiak,Krumsiek,Kruml,Krulish,Krulik,Krulicki,Krueth,Kruer,Kruel,Krows,Krossen,Krolikowski,Krolczyk,Kroetch,Kriticos,Krites,Krisher,Krinke,Krienke,Kriegh,Krichbaum,Kribbs,Kretchmar,Kreitzbender,Kreitler,Kreinbring,Kreb,Kreamalmeyer,Kreager,Krawiecz,Krawetz,Krasley,Krapfl,Kranze,Kranendonk,Kramper,Krampe,Kramm,Kralicek,Krajnovich,Krajcer,Krain,Kracker,Kozinski,Kownacki,Kown,Kowing,Kowallis,Kowall,Kowalcyk,Kowalchick,Kovacic,Kourt,Kourkoumellis,Kounter,Kounlavong,Kounce,Koulabout,Koualeski,Kotzur,Kottsick,Kottre,Kotte,Kotrys,Kotow,Kothenbeutel,Kotara,Kostyla,Kostich,Kostenko,Kossmann,Kossin,Kossakowski,Kossack,Kosoff,Kosmatka,Koshiol,Koscielak,Koscho,Korzenski,Kortz,Kortum,Korthauer,Korshak,Korsen,Korol,Korns,Kornprobst,Kornman,Kormann,Korineck,Korf,Koretsky,Korenic,Korbal,Koralewski,Koppelmann,Kopis,Kopiak,Kopera,Kopchick,Kooken,Kontogianis,Konon,Konn,Konieczko,Konick,Konicek,Koneval,Kondratowicz,Koncan,Konat,Komsthoeft,Komosinski,Kommer,Kominek,Koman,Kolthoff,Kology,Kolnik,Kolmetz,Kolling,Kolkowski,Kolkemeyer,Kolias,Kolen,Kolehmainen,Kolby,Kolberg,Kolat,Kokoska,Koistinen,Kohnert,Kohlmyer,Kofutua,Kofoid,Kofler,Kofa,Koetz,Koetje,Koerper,Koeppl,Koenning,Koenigstein,Koenigsfeld,Koelle,Koegel,Koebley,Koczera,Kochmanski,Kocaj,Koc,Koblick,Kobis,Kobialka,Kobernick,Kobak,Knost,Knori,Knopinski,Knoepfler,Knoche,Knipping,Knipfel,Knighter,Kniefel,Knie,Knickman,Knezevic,Knewtson,Knestrick,Knesel,Kneifel,Knavel,Knappe,Knackstedt,Klusmeyer,Klus,Klund,Klun,Kloos,Kloock,Kloiber,Klohr,Kloepper,Klocek,Klis,Klingerman,Klingen,Klines,Klimkowicz,Kliever,Kliem,Kleypas,Klevene,Kleppinger,Kleparek,Klepacz,Klemenc,Klemanski,Kleinwolterin,Kleinsmith,Kleinke,Kleinberger,Kleidon,Kleespies,Kleese,Kleekamp,Kleban,Klayman,Klay,Klaver,Klarman,Klarberg,Klapperich,Kjetland,Kizewski,Kiyabu,Kivioja,Kittner,Kittelberger,Kissik,Kisser,Kishaba,Kisch,Kirner,Kirkpatric,Kirchhofer,Kirchgessner,Kirchausen,Kirbie,Kiral,Kippes,Kipper,Kippel,Kintsel,Kintop,Kinseth,Kinroth,Kinnion,Kinningham,Kinnier,Kinnie,Kinkin,Kinkella,Kingshott,Kingore,Kingen,Kinerson,Kindermann,Kinart,Kinan,Kinabrew,Kimbral,Killean,Kilcrest,Kilb,Kilarjian,Kiffe,Kientz,Kiening,Kielich,Kieger,Kieft,Kieff,Kiefel,Kie,Khum,Khu,Khov,Khounborine,Khoun,Khoo,Khensovan,Khela,Khay,Khansari,Khanponaphan,Khano,Khammixay,Khalife,Khalifah,Khachatoorian,Keyna,Kexel,Kewish,Kettmann,Ketring,Ketler,Ketcheside,Ket,Kestle,Kessner,Kerzer,Kerss,Kerska,Kershbaumer,Keros,Kerntke,Kerkel,Keri,Kerger,Kereluk,Kerechanko,Kercado,Keppers,Keohane,Kennet,Kennealy,Kenely,Keneally,Kendrew,Kenderdine,Kenagy,Kenady,Kemner,Kemmler,Kemme,Kemerer,Kelzer,Kellon,Kello,Kellin,Kellebrew,Kellaway,Keliipio,Kelder,Kelash,Keitzer,Keigley,Keicher,Kegerries,Keens,Keemer,Keckler,Keaveny,Keath,Keasley,Kears,Keany,Keanum,Keamo,Kealohanui,Kazmi,Kazmer,Kazin,Kazeck,Kazakos,Kayrouz,Kaylo,Kawata,Kaveny,Kavadias,Kauphusman,Kaune,Kaull,Kaub,Katzberg,Katynski,Katula,Katten,Katsbulas,Katnik,Katechis,Katcsmorak,Katan,Kastning,Kastman,Kassell,Kassabaum,Kasprak,Kasica,Kasack,Karvonen,Karvis,Karpowich,Karpiak,Karnish,Karma,Karell,Kareem,Kardashian,Karczewski,Karayan,Karatz,Karadimas,Kapusniak,Kapraun,Kappe,Kappa,Kapitula,Kapfer,Kapelke,Kapa,Kaopua,Kantarian,Kanta,Kanoza,Kannard,Kanish,Kaniecki,Kanevsky,Kaner,Kandra,Kanda,Kanatzar,Kanable,Kamph,Kamnik,Kammes,Kammerdiener,Kamerad,Kamelamela,Kamealoha,Kame,Kamb,Kaluzny,Kalupa,Kaluna,Kaltved,Kalter,Kalscheuer,Kalmus,Kalmer,Kalland,Kalima,Kalichman,Kalfa,Kalbaugh,Kakudji,Kaitz,Kainoa,Kailey,Kaiama,Kahrer,Kahola,Kahana,Kagay,Kafel,Kaetzel,Kaesemeyer,Kaer,Kaea,Kaduk,Kadis,Kaderlik,Kade,Kacik,Kachikian,Kacerski,Kaboos,Kabba,Kaaz,Kaauamo,Juza,Justino,Justason,Jurs,Jurisch,Jurgensmeier,Jurden,Jura,Jungling,Julye,Juluke,Julock,Julias,Julen,Jufer,Juedes,Jubic,Juariqui,Juaire,Jozsa,Joulwan,Jostes,Josten,Josich,Josias,Joshlin,Josefy,Josef,Jorski,Jorn,Jorinscay,Jorda,Jons,Jongeling,Jongebloed,Jondle,Jolls,Johnshoy,Johnico,Johanek,Jirjis,Jiran,Jimmison,Jill,Jewels,Jevtic,Jetty,Jesmer,Jes,Jerone,Jerko,Jenschke,Jenquin,Jennins,Jennelle,Jenison,Jendrick,Jeminez,Jellis,Jekot,Jekel,Jehl,Jebb,Jeavons,Jeanneret,Jeane,Jeancharles,Jeanbaptise,Jaworowicz,Javellana,Jaurigui,Jauch,Jastrzebski,Jass,Jasmine,Jarzembowski,Jarver,Jarosh,Jaroscak,Jarnesky,Jares,Jarell,Jaradat,Jarad,Jaquins,Janulewicz,Jansing,Janrhett,Janowicz,Janosek,Jannetti,Jannell,Janeczko,Jandron,Janczunski,Jancik,Janacek,Jamwant,Jamili,Jakovac,Jagoe,Jaffy,Jaeschke,Jaenke,Jacque,Jacobos,Jackovitz,Jackola,Jackley,Jacka,Jacckson,Jablonsky,Jabiro,Jabaay,Jaap,Iyengar,Iwanowski,Iwanejko,Ivon,Iverslie,Ivanov,Ivancich,Iturralde,Ittner,Israelsen,Israels,Ismay,Isleib,Isita,Isiordia,Ising,Isidore,Isbill,Isagawa,Isacs,Isaacsen,Irzyk,Irizzary,Irineo,Irimata,Ireton,Irestone,Iozzo,Iozzi,Iopa,Intrabartolo,Intihar,Insko,Insana,Inocente,Ink,Inhulsen,Ingole,Inches,Inafuku,Imperatore,Imgrund,Imbimbo,Imbier,Imaino,Ilse,Illuzzi,Illian,Ilic,Ilasin,Ilagan,Iker,Ihnat,Ihm,Igwe,Igtanloc,Ifversen,Iese,Ieng,Ienco,Idemoto,Icard,Iborra,Ible,Iberg,Ibbetson,Ibale,Iavarone,Iatarola,Iacovino,Iacopino,Iacobellis,Iachetta,Hysom,Hymowitz,Hymon,Hymen,Hylands,Hych,Huy,Huval,Hutmacher,Huszar,Hustace,Hussien,Huskinson,Husfelt,Husenaj,Husch,Hurtig,Hurtgen,Huro,Hurne,Hurlston,Hupman,Huor,Hunzelman,Hunsperger,Hunneyman,Hunckler,Humphrys,Humphers,Humetewa,Humeniuk,Humenik,Hulstrand,Hullings,Hulitt,Hulick,Huland,Huiting,Hugron,Hufstedler,Huffner,Huezo,Huettman,Huereca,Huenink,Huelse,Hueckman,Hudgeons,Hudach,Huckstadt,Huckle,Huckabey,Hubschmitt,Hubin,Hubertus,Hubby,Hubbel,Huban,Huaman,Hsun,Hsiang,Hrapski,Hoznour,Hoyman,Howkins,Howick,Howatt,Hovorka,Hovick,Hovanesian,Hounchell,Houf,Hotton,Hottes,Hotrum,Hotelling,Hotaki,Hostoffer,Hosterman,Hosteller,Hospkins,Hospelhorn,Hoscheit,Hoschander,Horstead,Horris,Hornoff,Hornberg,Hornandez,Hornack,Hormell,Horikoshi,Horigan,Horger,Hoppins,Hopperstad,Hopko,Hootsell,Hoopingarner,Hookano,Hooghkirk,Hoofard,Hoock,Honsinger,Honour,Honnette,Honnerlaw,Honma,Honkanen,Hongach,Honeycott,Hondorp,Honchell,Honas,Honanie,Homsher,Homestead,Holze,Holtorf,Holthus,Holster,Holsonback,Holom,Hollinrake,Hollidge,Hollerman,Hollendonner,Hollberg,Holk,Holian,Holes,Holecz,Holec,Holdvogt,Hokutan,Hok,Hoiness,Hoilman,Hohiudden,Hohensee,Hohaia,Hogelin,Hogatt,Hogarty,Hoftiezer,Hoffstatter,Hoffnagle,Hoffeditz,Hoffart,Hoerl,Hoefel,Hodos,Hodnefield,Hockins,Hockenbrock,Hocke,Hochard,Hocate,Hobler,Hober,Hoben,Hobell,Hobden,Hoagberg,Hnyda,Hlavka,Hladik,Hladek,Hitchen,Hislope,Hirschberg,Hirneise,Hirn,Hirliman,Hirleman,Hirao,Hippenstiel,Hintson,Hint,Hinley,Hinh,Hinebaugh,Hindson,Hinderberger,Himmelmann,Himanga,Him,Hilston,Hilstad,Hilser,Hilsendager,Hilsenbeck,Hilscher,Hilsabeck,Hilpert,Hilman,Hillerud,Hillebrano,Hillebrandt,Hilland,Hilgers,Hilgeman,Hilfiker,Hildago,Hilda,Hilbrand,Hikel,Highbaugh,Higgons,Higgenbottom,Hiersche,Hierholcer,Hiedeman,Hiday,Hickethier,Hichens,Hibbitt,Heyduck,Hewko,Hevron,Heuwinkel,Heuvelmann,Heusner,Heung,Heuett,Heuck,Hettinga,Hessey,Hespen,Hescock,Heschke,Hervig,Hertzel,Herston,Herstad,Hershkop,Hershelman,Herschelman,Herriges,Herres,Herrarte,Herpich,Hernanez,Hernanadez,Hernan,Hermenau,Hermanowicz,Herkstroeter,Herkenratt,Herera,Herendeen,Herauf,Henstrom,Hense,Henrity,Hennigh,Hennies,Henneberry,Henkey,Henjes,Hengl,Hengen,Henfling,Henerson,Henein,Hendrik,Hendricksen,Hendeson,Henderso,Henderlite,Hemon,Hemmann,Hemker,Hemesath,Hemani,Helweg,Helverson,Helseth,Helquist,Helom,Helmstetter,Helmsing,Hellweg,Hellmich,Helgager,Helgaas,Helfenbein,Helems,Helem,Helde,Heiting,Heither,Heisdorffer,Heiro,Heirendt,Heinzig,Heiniger,Heingartner,Heimlicher,Heimburger,Heiken,Heidtman,Heidrich,Heidi,Heidelberger,Heidebrecht,Heick,Heibult,Heholt,Heggood,Heeth,Heers,Heern,Heerkes,Hedtke,Hedspeth,Hedon,Hedinger,Hecke,Hechinger,Hebeisen,Heatherton,Heartsill,Heagney,Heafey,Headly,Headland,Headlam,Headington,Heade,Hazy,Hazim,Haza,Haynam,Hayertz,Haydt,Haxby,Hawse,Hawkinberry,Hawe,Havlin,Havir,Havelka,Hauxwell,Hautan,Hausrath,Hauptmann,Haughn,Hauersperger,Hatzenbihler,Hattley,Hatta,Hatori,Hathorne,Hatchitt,Hatchet,Hatada,Hastin,Hastedt,Hassing,Hassenger,Hassanein,Hasker,Haskel,Hashaway,Hasenfuss,Hasenfratz,Hascup,Hasas,Hartwigsen,Hartrum,Hartquist,Hartory,Hartlen,Hartleben,Hartinger,Harsin,Harritt,Harriage,Harpham,Harnos,Harnist,Harleman,Harlee,Harke,Hargers,Hardter,Hardsock,Hardnette,Hardine,Hardi,Hardges,Harderman,Harde,Hardan,Harcar,Harbater,Harapat,Harang,Haq,Hanzl,Hansome,Hansman,Hansis,Hansing,Hanoa,Hanninen,Hannaway,Hannawalt,Hanmer,Hankison,Hanible,Hanenberger,Haneke,Hanebutt,Handzlik,Handsom,Handkins,Handke,Handin,Hanback,Hanawalt,Hanavan,Hamsik,Hamonds,Hammette,Hammerman,Hammacher,Hamlette,Hamiltan,Hamidi,Hamff,Hamett,Hamersly,Hamers,Hamdn,Hamden,Hamberry,Hamara,Hamacher,Halyk,Haltiwanger,Halstrom,Halse,Halpert,Halnon,Hallo,Halliman,Hallemeyer,Hallack,Halima,Halick,Haldi,Halcott,Halbershtam,Halajian,Halaas,Hakey,Haitz,Hairell,Haims,Haifa,Hahnert,Haggin,Haggerton,Haggermaker,Hagey,Hafferkamp,Haferkamp,Haeuser,Haessly,Haese,Haerter,Haering,Haeder,Hadvab,Hadsall,Hadler,Hadesty,Haddenham,Hadaller,Hacopian,Hackl,Hackerott,Hacken,Hachting,Haboush,Hable,Habig,Habibi,Haberstroh,Habenicht,Haaz,Haakenstad,Haage,Gyllensten,Gwilt,Gwillim,Guzon,Guzewicz,Guye,Gutzler,Guttormson,Gutsche,Gutjahr,Gutgesell,Gutenberg,Gustitus,Gussow,Gusmar,Gushi,Gushard,Gurwell,Gurske,Gurrero,Gurin,Gurecki,Guoan,Gunzelman,Gunyon,Guntharp,Gunstream,Gungor,Gundelach,Gunawan,Gumprecht,Gumaer,Gulston,Gulnac,Gulizio,Gulbrandsen,Guitano,Guimares,Guillebeau,Guillary,Guillama,Guilfoos,Guiggey,Guiga,Guieb,Guidrey,Guiab,Guffanti,Guerrini,Guerrazzi,Guerera,Guenthur,Guell,Guedjian,Gudmundsson,Gucker,Gubin,Gubala,Guba,Guasp,Guarriello,Guarno,Guarini,Guanche,Guagenti,Gstohl,Grzesik,Grzebien,Gryszowka,Grymes,Gruz,Grustas,Gruse,Gruntz,Grunert,Grune,Grunberg,Grumney,Grumbling,Gruman,Grulkey,Gruiger,Gruening,Gruenewald,Gruby,Gruben,Grubel,Grubba,Grriffin,Groys,Growell,Grothaus,Grosskreutz,Groskreutz,Grosclaude,Groot,Gronstal,Gronquist,Gronlund,Gronitz,Gronberg,Grona,Gromoll,Grohowski,Grohman,Groetsch,Groder,Grobmyer,Groberg,Grivno,Grivetti,Grippen,Grine,Grimme,Grills,Grigoreas,Griglen,Griffitt,Griffan,Grieshop,Grieshaber,Griep,Grieff,Griebling,Griblin,Grev,Greubel,Gressmire,Gresco,Grenway,Grensky,Grennay,Grenko,Grenet,Gremo,Gremmels,Gregware,Gregus,Greggory,Gregan,Greep,Greenweig,Greensfelder,Greenhalge,Greengo,Greenbacker,Greem,Greder,Greczkowski,Grebner,Greber,Greason,Gream,Gravat,Grauman,Grauel,Grassle,Grasmick,Grapp,Granzella,Granto,Gransberry,Granquist,Granneman,Granieri,Granes,Grandon,Grandner,Granai,Grammont,Gramble,Graleski,Grainey,Grain,Graichen,Grahovac,Grageda,Gragas,Graffney,Graffagnino,Grafals,Gradley,Gradias,Gradford,Grabowsky,Grabonski,Grabler,Grabhorn,Graap,Gozman,Goyen,Goyda,Gowey,Gowda,Govostes,Govia,Gour,Gouldman,Gouldie,Gougis,Gotts,Gottemoeller,Gottdenger,Gotta,Gotshall,Gosvener,Gostlin,Gossow,Gosson,Gossling,Gosset,Gosey,Gorrindo,Gormanous,Gormally,Gorius,Gorena,Gorell,Gordley,Gordey,Gorbea,Goonen,Goodmon,Gonzelas,Gonzalis,Gonyou,Gonsiewski,Gonsar,Goney,Gomoran,Gomoll,Gollop,Gollob,Gollier,Golik,Golida,Golias,Golian,Golia,Golec,Goldthorpe,Goldhorn,Goldhirsh,Goldfuss,Goldfeld,Golderer,Goldenstein,Goldenman,Golde,Golbin,Golackson,Goicoechea,Goffigan,Goerlich,Goepfarth,Goepel,Goeing,Goehringer,Godboldt,Gochett,Gochal,Gocek,Goblirsch,Gnoza,Gnegy,Gnabah,Gmernicki,Glyn,Glueckert,Glowacky,Glovinsky,Gloston,Gloshen,Glos,Glogowski,Gloeckler,Glimpse,Glidwell,Glesener,Gleitz,Gleckler,Glebocki,Gleber,Glazner,Glazebrook,Glaves,Glavan,Glasby,Gladysiewski,Gladle,Gladhart,Gjeltema,Givant,Gius,Giulioli,Gitt,Girres,Girbach,Girand,Gip,Giottonini,Giorno,Gionta,Giombetti,Gioffre,Gioe,Ginzel,Ginsel,Ginocchio,Ginnis,Ginard,Gimse,Gilzow,Gilton,Gilstad,Gilomen,Gilner,Gilly,Gillming,Gillion,Gillich,Gillice,Gille,Giliberto,Gilhuly,Gilgan,Gildemeister,Gilcris,Gigger,Giffith,Giffee,Giff,Gietz,Giesel,Giera,Gibeaut,Gibala,Giasson,Giarusso,Giarrano,Giaquinta,Giannavola,Giandomenico,Gianandrea,Giallorenzo,Giacherio,Giachelli,Giacchi,Ghebremicael,Gezalyan,Getzschman,Getzlaff,Gettens,Gettelman,Gestether,Gesing,Gesamondo,Gerz,Gerwin,Gerveler,Gertsema,Gerthung,Gerten,Gertel,Gerteisen,Gerstenberger,Gershkovich,Gerney,Germy,Germana,Gerich,Gerdiman,Gerckens,Gerbig,Georghiou,Geoly,Gentleman,Gentges,Gentelia,Gensel,Geniesse,Genia,Generalao,Gemmiti,Geml,Gelner,Gellings,Gellinger,Gelino,Gelhar,Gelfond,Gelerter,Gelder,Gelbart,Geisinsky,Gehrki,Gehm,Geen,Gederman,Gede,Gearn,Geant,Gazzara,Gazitano,Gazdik,Gayanilo,Gawthorp,Gavit,Gaviglia,Gavett,Gavan,Gavagan,Gausman,Gaukroger,Gaufusi,Gaudier,Gaudett,Gauci,Gatzow,Gatta,Gatheright,Gatesy,Gatesman,Gastelo,Gaschke,Garwin,Garter,Gartenmayer,Gartenhaus,Garsjo,Garroutte,Garrettson,Garrean,Garre,Garnham,Garnache,Garmire,Garmen,Garlett,Garkow,Garito,Garinger,Gargan,Garcon,Gapp,Gantzler,Gantvoort,Gansert,Gansen,Ganns,Gannetti,Ganin,Ganigan,Gamotan,Gammond,Gamer,Gamello,Gambrill,Gambold,Gambee,Gambardella,Galven,Galvani,Galuszka,Galuppo,Galmore,Gallusser,Gallodoro,Gallington,Galleta,Gallegoz,Gallaugher,Gallargo,Galkin,Galipo,Galinis,Galimberti,Galic,Galbiso,Galathe,Galassini,Galanti,Galano,Galagher,Gajeski,Gajardo,Gaiters,Gails,Gailliard,Gaffer,Gafanha,Gaer,Gadewoltz,Gaden,Gackle,Gabrial,Gabrenas,Gabossi,Gables,Gabl,Gabhart,Gabeline,Gabbamonte,Fyler,Fykes,Fusner,Fusillo,Fushimi,Fus,Furtak,Furblur,Fundora,Funderberg,Fumero,Fuls,Fulham,Fulco,Fujimura,Fujikake,Fugueroa,Fuger,Fugatt,Fuerstenau,Fuerbringer,Frymoyer,Frymier,Frymark,Frutiger,Frushour,Fruman,Fruin,Frugoli,Fruehauf,Froyd,Frosto,Frontis,Frontiero,Fronick,Froneberger,Frohberg,Froebe,Frobish,Frittz,Fritchley,Fritchey,Frisinger,Frisell,Frija,Friehauf,Friedenthal,Friebel,Freundlich,Fret,Frerich,Frens,Freker,Freiseis,Freimark,Freilino,Freiheit,Freiermuth,Freidin,Freemantle,Freeh,Freedlander,Freeders,Freeburger,Fredregill,Frederique,Freckleton,Frecker,Frazzano,Frauenfelder,Frattali,Fratta,Fratrick,Fratercangelo,Frasso,Frashure,Fraschilla,Franzman,Franzini,Franza,Franty,Fransisco,Franpton,Frankson,Frankland,Frankiewicz,Frankart,Frangione,Franchini,Francescone,Fralic,Fraklin,Frair,Fragosa,Fradkin,Fracasso,Foyer,Foxhoven,Fowlie,Fowley,Fowlar,Fower,Foute,Foussell,Fouquette,Founds,Fougner,Fosmire,Fosher,Fosbrook,Fortun,Forss,Forsmann,Forslin,Forsee,Forpahl,Fornili,Fornier,Fornaro,Formichelli,Formaggioni,Forkum,Forkell,Foriest,Forgrave,Foresta,Forejt,Foreback,Forcum,Forcht,Forchione,Forch,Forberg,Forbach,Fonua,Fonteno,Fonteneau,Fongvongsa,Fondriest,Fondaw,Fonck,Fohl,Foglio,Foersterling,Foddrell,Focke,Flugum,Flucas,Fluaitt,Floss,Florendo,Floras,Floer,Flockhart,Flockerzi,Floan,Flin,Fliger,Flieller,Fleurilus,Flenord,Fleniken,Flenaugh,Flemmon,Flemm,Fleites,Fleischner,Fleckles,Flechas,Flauding,Flatter,Flato,Flanner,Flanegan,Flammang,Flakne,Flaker,Flagiello,Fladung,Flachs,Flaa,Fiwck,Fitzrandolph,Fitzherbert,Fitzgerrel,Fitsgerald,Fisser,Fishell,Fischl,Fischhaber,Fischel,Fiscella,Fiscel,Firpi,Firenze,Fiorilli,Fiorica,Finwall,Finklestein,Fingerson,Fingerman,Fineout,Finello,Finell,Findlen,Finco,Filthaut,Filpus,Filo,Filla,Fili,Fil,Figiel,Figgeurs,Figert,Fietek,Fiest,Fieser,Fiesel,Fickbohm,Ficht,Ficchi,Fialho,Fial,Feyh,Feyereisen,Feuss,Feusier,Fette,Festini,Fest,Fesko,Fertik,Ferrusi,Ferrone,Ferrio,Ferringo,Ferries,Ferrie,Ferrett,Ferrato,Ferrario,Ferraraccio,Ferranto,Ferr,Ferouz,Fernette,Fernanders,Ferkel,Feret,Ferer,Ferenz,Fenrich,Fenniman,Fennig,Fenison,Fendrick,Fendlason,Fend,Fenbert,Felver,Feltham,Felonia,Felling,Fellezs,Felizardo,Felio,Felicien,Felicia,Felicano,Feliberty,Feistner,Feister,Feintuch,Feilds,Feighner,Feierman,Fehrs,Fegueroa,Fegles,Fegette,Feerick,Feela,Feehly,Feehery,Fedorko,Fedie,Fedezko,Fedewa,Federkeil,Fecto,Fechtig,Fecher,Featheroff,Feagans,Fazzari,Faycurry,Fawson,Fawler,Favuzzi,Favro,Favian,Favazza,Fausey,Faus,Faupel,Fattore,Fatora,Fathy,Fathree,Fatheree,Fassinger,Faske,Farug,Fars,Farnese,Farkus,Farinha,Faren,Faraimo,Farahkhan,Faragher,Fanti,Fanter,Fantazia,Fantauzzo,Fansher,Fandino,Fanatia,Famageltto,Falzon,Fallow,Fallenstein,Falencki,Falcioni,Falci,Failey,Failde,Faigley,Faidley,Fahrni,Fahrlander,Fahrenthold,Fahning,Fago,Fagle,Fagerquist,Fagerlund,Fageraes,Facello,Ezzelle,Eyton,Eyestone,Exton,Exantus,Evjen,Evilsizor,Evertt,Evertsen,Eversmeyer,Everroad,Everline,Everet,Evartt,Evansky,Evancho,Eull,Ettman,Ettienne,Ettel,Etringer,Eth,Estronza,Estrem,Estrade,Estok,Estle,Estimable,Estess,Estella,Estanislau,Essix,Essency,Esquinaldo,Espiridion,Espinel,Esperon,Espenlaub,Espejel,Esparsen,Esmont,Esmon,Esmay,Esmaili,Eskins,Eskind,Eshmon,Esfahani,Escober,Escanlar,Erz,Ersery,Eros,Ernster,Erlebach,Eriks,Erichson,Erger,Eredia,Erdos,Ercole,Ercolano,Erazmus,Eraso,Epel,Eovaldi,Ensz,Ensel,Enock,Ennes,Enis,Engnath,Engfer,Engelmeyer,Engelberg,Engard,Endris,Endreson,Endorf,Endersbe,Ende,Encino,Emshwiller,Empasis,Emore,Emmond,Emiliano,Emerling,Emenaha,Emde,Emberling,Emano,Elway,Elvey,Eltringham,Elter,Elsken,Elsheimer,Elsaesser,Elrick,Elreda,Elpert,Elnicki,Elmes,Ellsmore,Ellrod,Ello,Ellinghuysen,Ellingham,Ellingburg,Elles,Ellenbogen,Elleby,Ellcessor,Ellamar,Elke,Elijah,Eligio,Elieff,Elicker,Elian,Eliades,Elhadi,Elfenbein,Elenbaas,Eldringhoff,Eld,Elbie,Eke,Ekas,Eisnaugle,Eisiminger,Eisenhaver,Eisenhardt,Eisenberger,Eiselein,Einwalter,Eighmey,Eidemiller,Eickmeyer,Eichstedt,Eichenberg,Eichberg,Eibel,Ehrisman,Ehrenzeller,Ehman,Ehli,Ehl,Eheler,Egwuohua,Eglin,Egler,Egersdorf,Egelston,Efthimiou,Eelkema,Edu,Edridge,Edland,Edenholm,Edem,Economou,Eckmann,Eckblad,Eckardt,Echternach,Echter,Ebrahimi,Eberst,Ebershoff,Eberheart,Ebbett,Eayrs,Eavey,Eatough,Eastling,Eastern,Easterlin,Earthly,Earing,Eakles,Eagleman,Eacho,Eaby,Dzwonkowski,Dzurnak,Dzurilla,Dziuba,Dzinski,Dziewanowski,Dziekan,Dyrstad,Dydo,Dvorsky,Duyer,Duttinger,Dutchess,Duston,Dush,Durward,Dursteler,Durpee,Durough,Durniok,Durnan,Durisseau,Duris,Duriga,Durda,Durboraw,Dura,Duquaine,Duplessy,Duplanti,Dupes,Duperre,Dupaski,Duos,Dunshie,Dunphe,Dunnell,Dunkinson,Dunkerley,Dunkan,Dunemann,Dunderman,Duncans,Dunahoe,Dumouchel,Dummett,Dumeny,Dumbar,Dumar,Dulan,Dukett,Duk,Duis,Duguette,Dugre,Dufrain,Dufauchard,Duesterhaus,Duesterback,Duerst,Duenwald,Dudzik,Dudycha,Dudenbostel,Dudden,Ducklow,Duckey,Duchnowski,Duchane,Duceman,Dubovsky,Dubler,Duber,Dubel,Dubbert,Drutman,Drummey,Drumbore,Droy,Drow,Droubay,Drorbaugh,Dropinski,Dronko,Dronick,Droggitis,Drissel,Driscol,Drinen,Driessen,Driedric,Dreuitt,Drenning,Drelick,Drejka,Dreiss,Drebes,Dratch,Drakulic,Drakos,Draime,Dragovich,Dragich,Draggett,Dragg,Drabicki,Doyscher,Doxbeck,Downy,Downhour,Dowland,Dowker,Dowds,Dowda,Douyette,Douthett,Doughman,Dougharty,Douga,Doudna,Dotolo,Dossman,Dosh,Dorsinville,Dorsay,Dorrill,Dorosh,Dornbrook,Dorlando,Dorio,Dorie,Dorcas,Doporto,Dopita,Doorley,Dooner,Donton,Dono,Donnerberg,Donnalley,Donlyuk,Donkle,Donilon,Doniger,Donigan,Doniel,Doncaster,Donatich,Donaher,Donah,Donaghue,Donaby,Domowicz,Domitrovich,Dominowski,Dominiak,Domenice,Dombek,Domagalski,Domagall,Dolsen,Dolmajian,Dolley,Dolinski,Dolhun,Dolfi,Dolecek,Dokovic,Dok,Dohrn,Doerksen,Doelger,Doeberling,Dody,Dodimead,Dodgion,Dockum,Dockerty,Dochterman,Dobrzykowski,Dobrynski,Dobrushin,Dobrosky,Dobrinin,Dobison,Dobbyn,Dobbe,Dlugos,Ditucci,Dittus,Dittmann,Dito,Ditmars,Disotell,Disorda,Disharoon,Dischner,Discala,Disalvi,Dirth,Dirr,Dirienzo,Dipolito,Dipilato,Dipietrantoni,Dipanfilo,Dioneff,Diomede,Dinuzzo,Dintino,Dinsmoor,Dinsdale,Dinos,Dinora,Dinnendahl,Dinkle,Dininger,Dingillo,Dingie,Dingell,Dimitry,Dimicco,Dimezza,Dimarzio,Dimario,Dimariano,Dimanche,Dilucca,Dillis,Dilliner,Dillin,Dillashaw,Dilillo,Dilg,Dilella,Diker,Digiouanni,Digeorgio,Difronzo,Difrancisco,Dietterick,Diestler,Dies,Dierkes,Diekema,Diederichs,Dieball,Didway,Didonatis,Didomizio,Didio,Didato,Dicosmo,Dicorpo,Dicocco,Diclaudio,Dichiaro,Dible,Diblase,Dibiasi,Dibbern,Diano,Diani,Diangelis,Diamantopoulo,Diaco,Dhruva,Dheel,Dharas,Dezalia,Deyak,Deya,Dewolff,Dewick,Dewese,Dewater,Devot,Devost,Devis,Devilliers,Devery,Deveny,Devenny,Develice,Devasier,Devarona,Devanski,Devai,Deus,Dettorre,Dettor,Detrolio,Detrich,Detillion,Deteso,Determann,Deterline,Deterding,Detchon,Detaeye,Destina,Destefani,Desruisseaux,Desormeau,Desonia,Desmore,Desko,Desimas,Desher,Deshayes,Deschene,Desantos,Desando,Desamparo,Desalvatore,Derx,Deruiter,Derosie,Derogatis,Derman,Derkas,Derivan,Derington,Derienzo,Derian,Dereus,Derenzi,Derentis,Derderian,Derastel,Deraps,Dequinzio,Deprato,Depont,Depiro,Depierro,Depeyster,Deonarine,Deocampo,Denzine,Denwood,Denos,Denooyer,Denomme,Denoia,Dennig,Denjen,Denisco,Denick,Denholm,Denfip,Deneui,Denetclaw,Denet,Denery,Demuzio,Demske,Dempewolf,Demorrett,Demorizi,Demny,Demiter,Demilt,Demik,Demien,Demianczyk,Demetrakos,Demer,Dembek,Demauro,Demase,Demart,Demarino,Deluzio,Delullo,Delucian,Deltufo,Deltora,Delsoin,Delsavio,Delross,Delperdang,Delpaggio,Delosier,Delonge,Delonais,Deloge,Delmendo,Dellwo,Dellum,Dellosso,Delliveneri,Dellefave,Dellarose,Dellapenta,Dellamonica,Delgoda,Delekta,Delegado,Deldonno,Delco,Delce,Delbene,Delavergne,Delashmutt,Delapuente,Delaporte,Delana,Delallo,Delahay,Delagol,Delagado,Delabarre,Dekruif,Dekoning,Dekeyzer,Dejoseph,Dejardin,Dejarden,Deister,Deigado,Deichmann,Deichman,Dehm,Dehlinger,Dehl,Dehetre,Dehaney,Dehaas,Degrood,Degrass,Degrande,Degooyer,Degnim,Deglandon,Degenfelder,Degenaro,Degear,Degagne,Defrang,Defrain,Defosset,Defosse,Defont,Defir,Defayette,Deerdoff,Deely,Dedrickson,Dednam,Dederich,Decurtis,Decourt,Decourcey,Decock,Declerk,Decius,Dechavez,Dech,December,Decarvalho,Decarmine,Decaire,Decaen,Debrosse,Debreto,Debrecht,Debrae,Debore,Debien,Debenedictis,Debarge,Debardelaben,Debaets,Deasis,Dears,Dearruda,Dearring,Dearinger,Dearin,Dearcos,Deanes,Deakyne,Dazzi,Dazi,Dayao,Dawkin,Davolt,Davise,Davine,Davidsmeyer,Davidowicz,Davaz,Davari,Davance,Dauster,Dause,Daulerio,Daughters,Daugereau,Daubney,Datamphay,Dasouza,Daskal,Dashno,Dashne,Dasen,Daschofsky,Dasch,Darwich,Darvish,Darveau,Darting,Darthard,Darron,Daron,Darnstaedt,Darmody,Darmiento,Darington,Dariano,Daria,Dardenne,Darakjian,Danyow,Dannis,Danniels,Danni,Dannelly,Dannelley,Dannatt,Daniely,Dangelis,Danese,Daner,Dandoy,Danco,Danca,Danas,Damrell,Damone,Damms,Damme,Dalporto,Daloisio,Dalmata,Dallison,Dallam,Dallago,Dalegowski,Dalecki,Daku,Daking,Daken,Dajer,Dajani,Daidone,Dahlka,Dagres,Dago,Dager,Dafonte,Dada,Daczewitz,Dach,Czysz,Czubakowski,Czartoryski,Czapiewski,Cyrnek,Cyree,Cygrymus,Cwikla,Cwalinski,Cutrera,Cuther,Cutchember,Cushner,Cusenza,Curreri,Curlis,Curio,Curimao,Curia,Curey,Cunio,Cumoletti,Cumberlander,Culpit,Culloton,Cuffy,Cuffman,Cuddington,Cucuta,Cucufate,Cubine,Cubano,Cuadras,Csuhta,Crutison,Cruther,Crusinberry,Crummell,Crumly,Cruff,Crozat,Crossmon,Crosiar,Crookshank,Crookes,Cronoble,Croner,Cromeans,Crolley,Crofutt,Crockette,Crivelli,Crivaro,Cristino,Criste,Crissey,Crisalli,Criley,Cribari,Crewe,Creselious,Crescenti,Crepps,Crenwelge,Creitz,Cregin,Cregger,Creekbaum,Credi,Crebs,Crayford,Cravy,Cravalho,Crauswell,Crathers,Crask,Crapp,Crape,Crapanzano,Cranson,Crans,Crannell,Crandal,Craigwell,Craigmyle,Crafter,Cradler,Coxwell,Coxen,Cowlin,Covitz,Coventon,Coutre,Coutinho,Coutermarsh,Courton,Courseault,Courrege,Courey,Coulon,Coulibaly,Couden,Coton,Coste,Cossett,Cosman,Cosma,Coslow,Cosico,Coshow,Corwell,Corvo,Corujo,Cortopassi,Cortinez,Cortijo,Corrio,Corrington,Corriher,Corridan,Corrga,Correla,Corping,Corpe,Coroniti,Cornn,Cornmesser,Cornella,Corneille,Corkron,Corf,Coreen,Cordiero,Cordew,Cordenas,Corcuera,Corbley,Coray,Coraham,Copstead,Copsey,Copping,Coppes,Copney,Coopper,Cooperider,Coopage,Coonse,Cookerly,Conwright,Contreraz,Continenza,Contes,Consuelo,Constine,Constanzo,Constantin,Constancio,Consentino,Conradt,Conour,Conoley,Conney,Connerat,Conlogue,Conforme,Confalone,Coneway,Condroski,Condina,Condiff,Condi,Conchado,Conch,Concatelli,Conaughty,Commerford,Comissiong,Cominski,Cominotti,Comar,Colschen,Colpi,Colpa,Colony,Collons,Collon,Collicott,Collea,Collari,Colker,Colier,Colesar,Colemen,Colecchi,Colcher,Colchado,Coklow,Cokel,Cohick,Cofone,Coffinberger,Coffell,Coffel,Codispot,Codilla,Cocroft,Cockerhan,Cochren,Cochenour,Cobetto,Cobar,Coalter,Clyman,Cluver,Clusky,Clunes,Clukies,Clowerd,Clouatre,Clossin,Cloos,Clokey,Clinkinbeard,Cliffton,Clibon,Clevland,Cleverley,Clesca,Clerc,Clemenza,Cleath,Cleasby,Cleal,Clavijo,Clater,Claros,Claghorn,Clacher,Clabo,Civil,Cittadini,Citroni,Cissel,Cisar,Cirella,Circelli,Ciprian,Cipcic,Ciotta,Cinnamond,Cinkan,Cinco,Cinar,Cimorelli,Ciminera,Cilenti,Cihak,Cieloszyk,Cidre,Cicen,Cicali,Cibik,Ciavardini,Cianfrani,Cianciola,Ciallella,Ciaffone,Chyle,Chy,Churchfield,Churape,Chuma,Chulla,Chueng,Chubicks,Chrystal,Chrosniak,Chriswell,Christopoulos,Christi,Christerson,Christenbury,Chowenhill,Chowansky,Choudhary,Chor,Chopton,Cholula,Chollett,Choinski,Chocron,Chockley,Chochrek,Choates,Chlebus,Chiz,Chitrik,Chisman,Chiphe,Chiola,Chiodi,Chinault,Chime,Chimal,Chilsom,Chillo,Chicles,Chicharello,Chicalace,Chiariello,Chiappari,Chhan,Chham,Chez,Chevis,Cheverton,Cheverez,Cheu,Chessman,Cherubini,Cherrin,Cheroki,Cherny,Chernich,Chernesky,Cheranichit,Cheeseboro,Chech,Cheam,Chavoustie,Chavies,Chaumont,Chaulklin,Chatampaya,Chasson,Chassaniol,Chary,Charvet,Charry,Chari,Chararria,Chappo,Chappa,Chapmond,Chaplik,Chapen,Chanthasene,Chanler,Chanco,Chamul,Champaco,Chalupa,Challinor,Challa,Chalender,Chaknis,Chakkalakal,Chaisty,Chaddick,Chaboya,Chaberek,Chabbez,Cevera,Cerverizzo,Cerventez,Cervantsz,Cerva,Cerroni,Cerri,Cerrello,Cerone,Cernuto,Cernota,Cerminaro,Cerf,Ceretti,Cerceo,Cerasuolo,Ceraso,Cerasi,Cerar,Ceraos,Cepin,Cepas,Centi,Cendana,Cendan,Cellar,Celeya,Ceder,Cecot,Cazel,Cazaree,Cawon,Cawein,Cavrak,Caveness,Cavalaris,Cavaiani,Cauterucci,Caughorn,Caughell,Cauazos,Catts,Cattanach,Catrini,Catozzi,Catignani,Catholic,Catherson,Catherine,Cathell,Catello,Catchpole,Catanzano,Casuscelli,Castros,Castrey,Castongvay,Castillion,Castelum,Castells,Castellion,Cassler,Cassino,Cassilano,Cassiano,Cassetty,Cassens,Cassells,Cassavaugh,Cassagne,Cassa,Casolary,Casmore,Casley,Caska,Casis,Casini,Cashour,Cashmer,Cashett,Casement,Casciato,Casavez,Casasola,Casarz,Casar,Casana,Casales,Carvill,Carvallo,Cartner,Carrousal,Carrizo,Carretta,Carrethers,Carrao,Carran,Carpen,Caroselli,Carolla,Carnillo,Carnegia,Carmin,Carmickel,Carlini,Carland,Carknard,Carioscia,Carina,Carideo,Carfrey,Cardinalli,Cardiff,Cardazone,Carbonella,Carbery,Carbee,Caravetta,Caravati,Caramelo,Caramella,Caraig,Carabine,Cara,Capristo,Capri,Cappellini,Caporiccio,Capicotto,Capestro,Capener,Capek,Capas,Capaccino,Caoagdan,Canwell,Cantella,Cantakis,Canson,Cansino,Cansibog,Cannistraro,Canner,Caneza,Caney,Caneva,Canetta,Canestraro,Candozo,Candlish,Candell,Canant,Canalez,Can,Camus,Campora,Campobasso,Campble,Campau,Campain,Camlin,Camisa,Camerino,Camerano,Camenisch,Camelin,Cameli,Cambia,Camareno,Camancho,Camack,Calvan,Calumag,Caltagirone,Calowell,Callnan,Callington,Calliham,Calligaro,Caller,Callar,Callam,Callagy,Callagher,Callado,Caliman,Caldron,Caldoron,Caldarera,Calcao,Calaf,Cakmak,Cajulus,Cajka,Caivano,Caires,Caire,Caiozzo,Cains,Cainne,Caimi,Cagnon,Cagno,Cagan,Caffentzis,Cafasso,Caez,Caddigan,Caddel,Cacatian,Cabugos,Cabon,Cabarcas,Cabanillas,Cabanela,Cabam,Bywaters,Bystron,Byse,Byous,Bynun,Byczek,Bybel,Byal,Buzza,Buzo,Buzis,Buvinghausen,Butzke,Buttross,Buttray,Buttke,Buttitta,Butenhoff,Busscher,Busk,Busitzky,Bushweller,Bushrod,Bushfield,Buschur,Busacca,Burzlaff,Burvine,Burtts,Burtschi,Burtell,Bursik,Burrs,Burras,Burows,Burnie,Burnash,Burmside,Burm,Burly,Burlson,Burlile,Burlaza,Burlage,Burkstrand,Burkly,Burklow,Burkin,Burian,Burgs,Burgoa,Burgey,Burgees,Burfeind,Burdzel,Burchinal,Burbine,Buratti,Buonassisi,Buonaiuto,Buntz,Bunts,Buntenbach,Bunson,Bunda,Bumpaus,Bumbalo,Bumbaca,Bullivant,Bullin,Bulisco,Bulik,Buley,Bulat,Bukowiecki,Builes,Buhrke,Buhlig,Bugh,Buffone,Buenviaje,Bueler,Buehlman,Budzik,Budy,Budrovich,Budish,Budiao,Budhu,Buden,Buddy,Bud,Buczko,Bucknor,Buckmeon,Buckless,Buckett,Buckaloo,Buchwalter,Buchmiller,Buchmeier,Buchite,Buchinsky,Bucheli,Buchann,Buchal,Bucaro,Bubolz,Buboltz,Bubert,Brzezicki,Brzenk,Brys,Bryngelson,Bryla,Bryington,Bruzewski,Bruzek,Brustmann,Brusser,Bruscato,Brunzel,Brunkhardt,Brunick,Brunetta,Brunecz,Bruna,Brumaghim,Bruker,Bruin,Brugliera,Bruffee,Brueske,Bruegger,Bruechert,Bruckmeier,Brroks,Brozeski,Broyle,Brownlie,Browman,Broudy,Brothen,Broski,Brosi,Brookskennedy,Brookie,Bronston,Broncheau,Brommer,Brola,Broitzman,Brohn,Broglio,Brogley,Broers,Broering,Brodtmann,Brodis,Brodine,Brodfuehrer,Brodess,Brodes,Brockus,Brockenberry,Brociner,Brochet,Broadnay,Brizeno,Britts,Brinley,Brinkhaus,Brinius,Brininger,Bringer,Brindza,Brindger,Brinar,Brilowski,Brigner,Brightharp,Brighter,Brienza,Brienen,Bridenbecker,Brickson,Breznay,Brezinka,Breyers,Brevell,Brettmann,Bretos,Bresser,Brentz,Brennick,Brening,Brendeland,Brem,Breiter,Breihan,Breidigan,Bredlow,Bredin,Breckley,Breckenstein,Brebes,Breaz,Breaud,Breath,Bready,Brazie,Braunwarth,Braunberger,Brauman,Braucks,Brath,Brasure,Brasswell,Brasseux,Braskett,Brasby,Brantingham,Bransfield,Branseum,Brano,Brangers,Brang,Branes,Brandstrom,Brandorff,Brandom,Brandenburger,Branck,Brancaccio,Bramuchi,Bramlitt,Bramel,Bramasco,Bram,Brakke,Brak,Braget,Bragado,Brafman,Bradmon,Bradick,Bradey,Bradd,Bracklin,Brackbill,Brabazon,Braband,Bozych,Bozic,Boyl,Boyens,Boyde,Boyas,Bowlick,Bowle,Bowcock,Bouy,Bouvia,Bousum,Bourraine,Bourgon,Bourbois,Bouquin,Boumthavee,Boulger,Boulch,Boulais,Boughn,Bouges,Boudle,Boudjouk,Boucouvalas,Boucaud,Bottrell,Bottoni,Bottella,Bothner,Botellio,Boswink,Bostow,Bostain,Bosson,Bossier,Bossey,Bosold,Boslet,Boshnack,Boshell,Bosheers,Bosefski,Borza,Boryszewski,Borysewicz,Borson,Borseth,Borroto,Borrigo,Borriello,Borrello,Borowicz,Borovetz,Borovec,Borgelt,Bordinger,Bordas,Bord,Borcuk,Borcher,Borbridge,Boothman,Bookhardt,Boocock,Bonwell,Bonsal,Bonnoitt,Bonnifield,Bonnick,Bonnel,Bonker,Bonita,Boning,Bonifield,Boniface,Bongle,Bongivengo,Bongio,Bonge,Bonett,Bonebright,Bondroff,Bondoc,Bonda,Boncella,Bonaventure,Bonalumi,Bonadona,Bonaccorso,Bonaccorsi,Bompiani,Bommer,Bolvin,Boluda,Bolorin,Bolon,Bollom,Bollettino,Bolk,Boliver,Boline,Bolieu,Boliek,Boleyn,Boldul,Boldery,Bolante,Bokor,Boklund,Bojanowski,Boisuert,Boislard,Bohren,Bohmann,Bohlinger,Bohart,Boham,Bogust,Bogh,Bogatay,Bogany,Boeving,Boeshore,Boesenberg,Boerstler,Boers,Boenig,Boelsche,Boelke,Boekhout,Boekelman,Boehner,Boeckmann,Bodwin,Bodrey,Bodman,Bodiroga,Bodford,Bodensteiner,Bodenheimer,Boddorf,Boddeker,Bockskopf,Bocchi,Bocage,Bobola,Bobko,Boben,Boardway,Boards,Blyzes,Blumenkranz,Bloomgren,Blong,Blondeau,Blommel,Blois,Bloem,Blocklinger,Blisset,Blimka,Bliler,Bliese,Blice,Bleyer,Blette,Blesh,Blender,Blemel,Bleifus,Blechinger,Bleattler,Blazosky,Blatti,Blatteau,Blatnik,Blatchford,Blankship,Blankschan,Blandy,Blandino,Blakeway,Blakeborough,Blaho,Blackstar,Blackgoat,Blachly,Blacher,Blach,Bizcassa,Bizarro,Bivings,Bitsuie,Bitsui,Bitsko,Bistodeau,Bister,Bisonette,Bishel,Bisconer,Biscocho,Biscahall,Bisby,Bisagna,Birts,Birnell,Birkline,Birkenhead,Birenbaum,Birckett,Birckbichler,Birchwood,Biorkman,Bimler,Bilous,Billinghurst,Billey,Billeter,Billegas,Billard,Bilkiss,Bile,Bilcik,Bigos,Bignall,Bigio,Biggio,Bigas,Biffer,Biffar,Biesinger,Bieschke,Bierbrauer,Bienfang,Biehn,Biederwolf,Bieberle,Biebel,Bidon,Bidner,Bidgood,Bidez,Biderman,Bickleman,Bicklein,Bicket,Bicker,Bickart,Bichel,Biard,Bialik,Bialczyk,Bezner,Beyrer,Beylotte,Beyerl,Bevly,Beulah,Beul,Betzel,Betterman,Betsinger,Betschman,Betita,Bethurum,Bethoney,Beth,Beston,Besso,Bessick,Besio,Beshear,Besarra,Bervig,Bertus,Bertrano,Bertovich,Bertolasio,Bertog,Bertinetti,Bertelle,Bertel,Bertch,Bertagnoli,Berschauer,Bersamin,Bers,Berri,Berretti,Berretta,Berret,Bernucho,Bernt,Bernstrom,Berno,Bernick,Bernice,Bernhagen,Bernardoni,Bernabo,Bermers,Berlove,Berlinghof,Berkhalter,Berisha,Bergseng,Bergreen,Bergholz,Bergert,Berez,Beresnyak,Berdes,Beras,Benzschawel,Benzi,Benya,Benwell,Benty,Bentrup,Bentele,Benser,Bennison,Bennink,Bennerson,Bennerman,Benitone,Beniquez,Benik,Bengelsdorf,Benell,Beneduce,Benecke,Benear,Bendzans,Bendy,Bendt,Bendorf,Bendolph,Bendlage,Benders,Bendavid,Benck,Benassi,Benari,Benage,Benadom,Benabides,Bembury,Bemboom,Bemberry,Belyoussian,Belveal,Belsey,Belongie,Belone,Belon,Beloff,Belluomini,Belloma,Bellmay,Bellish,Bellisario,Bellingham,Bellflower,Bellfleur,Bellerdine,Bellemy,Bellazer,Belkowski,Belich,Belfiglio,Beley,Beldin,Belback,Belarde,Belangia,Bel,Bekerman,Beker,Bek,Beiswanger,Beirise,Behun,Behning,Behmer,Behlen,Begor,Begg,Beetley,Bees,Beermudez,Beerling,Beeck,Bedsaul,Bedoka,Bednorz,Becklund,Beckerdite,Beckendorf,Beckenbach,Bechthold,Bechman,Becherer,Beavin,Beauprez,Beaumier,Beauliev,Beaugard,Beaufait,Beaudrie,Beathe,Beasmore,Bearup,Bearfield,Beahn,Beadnell,Beadell,Bazzel,Bazzanella,Bazelais,Bazata,Bazarte,Baza,Bayle,Bayete,Bawa,Bavzee,Bavard,Bausley,Baunleuang,Baumgard,Baumbusch,Bauknight,Baugham,Bauers,Bauermeister,Baublitz,Battistini,Battiato,Battiata,Batters,Battaglini,Bathurst,Bathrick,Batel,Batalona,Basua,Bastura,Bastress,Bastilla,Bastidos,Bastic,Basten,Bastedo,Bastain,Bassil,Basset,Bashinelli,Basbas,Baruth,Barufaldi,Bartylla,Barts,Bartrop,Bartosz,Bartosiak,Bartolotto,Bartolet,Bartoldus,Bartnett,Bartlone,Barthen,Barthelman,Bartenfield,Bartczak,Barsotti,Barrocas,Barrile,Barrieau,Barrer,Barreira,Barranger,Barranca,Barquera,Barnscater,Barnfield,Barncastle,Barnathan,Barnar,Barlip,Barkins,Barkenhagen,Barkalow,Barimah,Baridon,Barhydt,Bargar,Barff,Bardeen,Barcelona,Barby,Barbini,Barbiere,Barbetta,Barberis,Barberian,Barban,Barasch,Baranow,Baranovic,Barajos,Baraby,Bapties,Banyas,Bantug,Bantin,Bantillan,Bantay,Bansbach,Bankemper,Banis,Banick,Banecker,Bandin,Bandemer,Bandanza,Bance,Banales,Bammon,Bamfield,Bambacigno,Bambaci,Balyeat,Balvanz,Balsano,Balmores,Ballreich,Balloon,Ballmer,Ballintyn,Balley,Balletta,Balhorn,Balford,Balezentis,Baldrey,Baldiviez,Balder,Baldassarre,Baldacchino,Balchunas,Balceiro,Balbin,Balaz,Balaski,Balancia,Balagtas,Bakst,Bakkum,Bakios,Bakeley,Bajorek,Bajdas,Baizer,Baitg,Baise,Bailony,Baillio,Baille,Baiera,Bahun,Bah,Bagne,Bagi,Baghdasarian,Bageant,Bagdonas,Baetz,Baeringer,Badget,Badeau,Baddeley,Bacy,Backey,Backenstose,Backen,Backe,Backbone,Baccouche,Bacco,Bacarella,Babitsch,Babena,Babbin,Babbel,Babat,Bab,Azzaro,Azoulay,Azimi,Azer,Aylsworth,Ayarza,Axline,Axelsen,Awtrey,Avola,Avie,Avetisyan,Averyt,Aveado,Avanzato,Avala,Auyer,Auxilien,Auwarter,Aurges,Aures,Auprey,Aupperle,Aunkst,Aumich,Aument,Aumavae,Aulbach,Aukes,Augspurger,Auffrey,Attridge,Attkisson,Attinger,Atta,Aton,Atoe,Atiyeh,Athmann,Athay,Atchity,Atallah,Atala,Astwood,Astolfi,Astol,Asters,Aspegren,Asma,Ashpole,Ashfield,Ashely,Asevedo,Aschmann,Asar,Asaeli,Arzilli,Arundel,Arujo,Aruiso,Arturo,Artry,Artison,Artinian,Arrizaga,Arriazola,Arpino,Arons,Aronhalt,Arntt,Arniotes,Arnholtz,Arneberg,Armillei,Armijos,Arm,Arleth,Arlen,Arlan,Arkins,Arjes,Arizzi,Arizola,Ariyoshi,Aring,Arimoto,Arigo,Arietta,Arie,Aridas,Aricas,Arhelger,Arhart,Arguillo,Arguellez,Argote,Argenal,Arenos,Arenivas,Arenivar,Arendz,Arendsee,Arebela,Ardizzone,Ardion,Ardery,Ardd,Ardan,Arcino,Arcilla,Arcea,Arcaute,Arcangel,Arcadipane,Arbry,Araque,Aramini,Arambuia,Aragus,Aragundi,Aragoni,Aragaki,Aradanas,Arabie,Arabia,Ar,Apyuan,Apuzzi,Apruzzese,Applewhaite,Applebury,Appeling,Appelgate,Apling,Apking,Apela,Aparo,Apa,Aoay,Anyan,Antrican,Antonopoulos,Antonis,Antonich,Antonaccio,Antona,Antolik,Antinore,Anteby,Anslinger,Ansbacher,Ansara,Annette,Ankersen,Anis,Aniol,Aningalan,Aniello,Anichini,Anibal,Angviano,Anglum,Angley,Angerer,Angeloro,Angeloff,Angelocci,Anestos,Anerton,Anelli,Andzulis,Andruss,Andrian,Andreatta,Andonian,Andon,Anderon,Andebe,Andary,Ancy,Ancell,Anasagasti,Anakalea,Anagnostou,Amyotte,Amtower,Amstein,Amsinger,Amsili,Amphy,Amonette,Amolsch,Amistoso,Amisano,Amidei,Amesquieto,Amert,Amento,Ameling,Amelang,Ambroz,Ambrosone,Ambres,Amble,Amberson,Ambeau,Amati,Amargo,Amancio,Amailla,Amadi,Alzugaray,Alvorez,Alverest,Alven,Alvarengo,Alvalle,Alvacado,Alummoottil,Alukonis,Alu,Altwies,Altum,Altringer,Altop,Altheimer,Altew,Alterio,Alsman,Alsdon,Alsbrooks,Alsandor,Alrich,Alrais,Almario,Allor,Allocca,Allnutt,Allmand,Allhands,Allgaeuer,Allessi,Allenbrand,Allemond,Allegre,Allcorn,Allbones,Allamong,Allaband,Algeo,Alge,Alfreds,Alfera,Alexzander,Alexiou,Alexaki,Alexader,Alevedo,Alerte,Alekna,Aleizar,Alegi,Alegar,Aleff,Alecca,Aldrege,Aldi,Aldarondo,Alcosiba,Alcombright,Alce,Alcaoa,Alcaide,Albriton,Albrekht,Albracht,Alberthal,Alberro,Alberda,Alattar,Alar,Alampi,Alamos,Alaibilla,Alacano,Akuchie,Akram,Akinyooye,Akiereisen,Aimbez,Ailstock,Ahyou,Ahrenholtz,Ahonen,Ahmau,Ahlstedt,Ahle,Ahlborn,Aharonof,Aharon,Ahal,Aguino,Aguillera,Aguiler,Agueda,Aguallo,Agrios,Agriesti,Agricola,Agreste,Agrela,Agre,Agney,Agne,Agliam,Agerton,Afoa,Aflalo,Affelt,Affagato,Afan,Aemmer,Adzhabakyan,Ady,Adside,Adrovel,Adrid,Adonis,Adleman,Adle,Adjutant,Adesso,Adels,Addo,Adamiak,Acron,Ackins,Ackies,Achziger,Achzet,Achekian,Ache,Acfalle,Accetturo,Abubakr,Abson,Abramowski,Aboytes,Aboulissan,Abling,Ablin,Ablang,Abke,Abetrani,Abernatha,Abela,Abeb,Abdin,Abdelwahed,Abdella,Abdeldayen,Abdel,Abbinanti,Abbay,Abbadessa,Abaya,Abaunza,Abatti,Aasby,Aaland,Aaby,Zysett,Zwinger,Zweier,Zuziak,Zusman,Zuro,Zurkus,Zurheide,Zurawik,Zuniega,Zumot,Zullig,Zukowsky,Zukof,Zukerman,Zuclich,Zuchara,Zubrzycki,Zuberbuhler,Zuazo,Zsohar,Zschoche,Zrimsek,Zoutte,Zotos,Zorzi,Zoroiwchak,Zorens,Zoquier,Zonia,Zone,Zondlo,Zomora,Zombro,Zombory,Zombo,Zomberg,Zolman,Zollar,Zolinski,Zolinas,Zoellick,Zoelle,Zoebisch,Zodrow,Zoda,Zobell,Zmiejko,Zlotnick,Zlatkin,Ziyad,Ziter,Zita,Zissler,Zisser,Zirin,Zircher,Zipse,Zipkin,Zipay,Zinni,Zinkl,Zimit,Zimba,Ziman,Ziler,Zilahi,Ziko,Zihal,Zieske,Zieser,Zientara,Ziencina,Zielonko,Ziek,Ziehm,Ziego,Ziegenhagen,Ziedan,Ziebold,Zidzik,Zickuhr,Zicari,Zibert,Zibelli,Ziak,Ziadie,Zezima,Zeyadeh,Zeto,Zetes,Zerzan,Zerring,Zerom,Zerck,Zerbel,Zentgraf,Zenker,Zener,Zenbaver,Zena,Zemon,Zemjanis,Zeminski,Zelmar,Zellous,Zellefrow,Zelkind,Zeleny,Zelenko,Zeis,Zeimetz,Zeimantz,Zeilman,Zehnpfennig,Zehe,Zeegers,Zeckzer,Zebell,Zebel,Zeals,Zdrojkowski,Zazozdor,Zaxas,Zawadzki,Zavatson,Zavadoski,Zatko,Zastawny,Zaspel,Zarzuela,Zarycki,Zarucki,Zart,Zarriello,Zarozinski,Zarnick,Zarkin,Zaritsky,Zarella,Zappolo,Zappile,Zappavigna,Zapoticky,Zapico,Zapato,Zapatas,Zanueta,Zanter,Zanola,Zanis,Zaneski,Zanco,Zamzam,Zamperini,Zamparini,Zampaglione,Zamostny,Zammiello,Zammetti,Zambotti,Zamborsky,Zam,Zalwsky,Zakarian,Zaituna,Zaitlin,Zaidel,Zaic,Zaibel,Zahri,Zahradka,Zahra,Zahorchak,Zaharchuk,Zagorac,Zagen,Zaffina,Zaffalon,Zadra,Zadow,Zador,Zadd,Zacharia,Zacharewicz,Zablonski,Zabka,Zabik,Zabielski,Zabek,Yuzn,Yuste,Yusi,Yurkanin,Yurich,Yurchiak,Yungclas,Yungbluth,Yunan,Yuki,Yueh,Yucha,Yslava,Yrigollen,Yragui,Ypina,Yozamp,Yovino,Yovanovich,Yournet,Younkins,Younglove,Younglas,Youket,Yosko,Yoshimori,Yorton,Yorn,Yorkman,Yorio,Yorgey,Yoquelet,Yonkoske,Yongue,Yonge,Yoney,Yonemori,Yonek,Yokiel,Yokely,Yoders,Yo,Yngsdal,Ylonen,Yilma,Yidiaris,Yezek,Yestramski,Yessios,Yeskey,Yerry,Yerly,Yerbich,Yenz,Yenney,Yenner,Yenglin,Yengich,Yendell,Yeldon,Yekel,Yeisley,Yeilding,Yegge,Yeend,Yeeloy,Yearicks,Yeamans,Yeakle,Ydara,Ybos,Yballe,Yavorsky,Yater,Yasutomi,Yasinski,Yarzabal,Yarrell,Yarish,Yanoff,Yannotti,Yankovitz,Yanity,Yanetta,Yandura,Yancik,Yanan,Yanai,Yamnitz,Yammine,Yamkosumpa,Yakulis,Yaklich,Yakel,Yahraus,Yahna,Yahl,Yagoudaef,Yagin,Yagecic,Yaftali,Yafei,Yafai,Yablonsky,Xander,Wzorek,Wykes,Wydryck,Wydo,Wydler,Wycuff,Wyborny,Wurts,Wurgler,Wuolle,Wunderly,Wun,Wulkan,Wuitschick,Wuestenberg,Wuerz,Wuellenweber,Wucherer,Wublin,Wubbel,Wrotten,Wrinkles,Wriedt,Wrenne,Wreede,Wraggs,Woyahn,Woulard,Woudenberg,Woskobojnik,Wosher,Wortinger,Worstell,Worst,Worner,Worn,Wormely,Worlow,Workings,Workinger,Wootan,Woolhouse,Wooleyhan,Woolcott,Woodliff,Woodert,Woodend,Woodburg,Woodand,Women,Wombolt,Wolzen,Wolthuis,Wolsted,Wolsky,Woloszczak,Woller,Wolkowski,Wolkowiecki,Woliver,Wolhok,Wolfsberger,Wolfred,Wolffe,Wolfertz,Wolbeck,Wokwicz,Wojtowich,Wojtecki,Wojnaroski,Wojeik,Woiwode,Wohlwendi,Wohlschlegel,Wohlrab,Wohld,Woester,Woernle,Woelzlein,Woelfle,Wodskow,Wlosinski,Wlodyka,Wlazlowski,Wlach,Wizar,Wiuff,Witvoet,Wittstruck,Wittry,Wittliff,Witterstauter,Witsell,Witosky,Withy,Witherbee,Withenshaw,Witczak,Wisterman,Wisnosky,Wisniowski,Wiskowski,Wisk,Wisinger,Wisenor,Wischner,Wisbey,Wirtjes,Wirght,Wirf,Wipprecht,Winzler,Winzenried,Wintringham,Winterton,Winterfeldt,Winterbottom,Winsted,Wins,Winninger,Winning,Winney,Winnewisser,Winners,Winnegan,Winklepleck,Winkleblack,Winkelpleck,Winkeljohn,Winkelbauer,Winingear,Winikoff,Wingstrom,Winett,Winesickle,Winesberry,Winek,Windmeyer,Windhurst,Windam,Wimpey,Wiman,Wilts,Wiltjer,Wilterdink,Willrett,Willour,Willmes,Willmann,Willinsky,Willington,Willigar,Williama,Willegal,Willcoxon,Willand,Willame,Willaby,Wilkowitz,Wilkers,Wilison,Wilis,Wilgocki,Wilging,Wilfinger,Wilebski,Wildin,Wildfong,Wilderson,Wildenthaler,Wildeisen,Wildauer,Wilcinski,Wilansky,Wilabay,Wikins,Wikert,Wik,Wiinikainen,Wiggains,Wigen,Wieto,Wiess,Wiesman,Wierzba,Wierschen,Wierschem,Wiehe,Wieger,Wiederwax,Wiederin,Wiede,Wieciech,Wiechert,Wiechec,Widrig,Widowski,Widmaier,Widlak,Widdoes,Wickus,Wicketts,Wickemeyer,Wicka,Wicinsky,Wibeto,Wibberley,Wibbenmeyer,Wiatrak,Wiatr,Wiand,Whyman,Wholly,Whittley,Whittiker,Whitteker,Whitset,Whitmyre,Whitmeyer,Whitheld,Whitesinger,Whitemore,Whitacker,Whistle,Whisker,Whisenton,Whippie,Whipp,Whildin,Whigum,Whiby,Whelton,Wheeington,Whan,Whaler,Whal,Weyhrauch,Wewerka,Wetterauer,Wetselline,Wetklow,Westwater,Westrom,Westre,Westhouse,Westervoorde,Westergaard,Westerbeck,Westcote,Westaway,Wesselink,Wesselhoft,Weslowski,Weslow,Wescovich,Werthman,Wershey,Werries,Wernli,Werning,Werma,Werking,Wenzell,Wentzloff,Wentcell,Wenstrand,Wensky,Wennersten,Wenman,Wengren,Wener,Weneck,Wendy,Wendte,Wenderoth,Wend,Wenclawiak,Wence,Wemark,Weltmer,Welms,Welman,Wellendorf,Welfel,Weitkamp,Weith,Weiszbrod,Weissmann,Weissert,Weisse,Weissbrodt,Weismiller,Weisiger,Weisenhorn,Weisenfluh,Weisend,Weisenberg,Weisdorfer,Weisberger,Weirather,Weinzinger,Weinzimer,Weinzetl,Weintz,Weinand,Weiker,Weikal,Weik,Weigman,Weigleb,Weigart,Weidenheimer,Weiden,Weickum,Wehring,Wehausen,Weglin,Weghorst,Weeth,Weeter,Weenum,Weelborg,Weegar,Weeber,Wedwick,Wedner,Wedlow,Wedlock,Wedi,Wedgworth,Weckenborg,Wechselblatt,Webbs,Webbink,Weavil,Weatherley,Weatherill,Wearrien,Wearly,Weagel,Weadon,Waymer,Wayde,Waybill,Wavra,Waughtel,Waughtal,Wauch,Watzke,Wattson,Watrs,Watral,Watne,Waterston,Waszmer,Wasylow,Wasyliszyn,Wassermann,Wassenberg,Wassenaar,Waskow,Waskey,Waska,Washurn,Washup,Washuk,Washnock,Washman,Washinski,Wasem,Wartman,Warsme,Warsing,Warschaw,Warsager,Warpool,Warneka,Warnasch,Warmbier,Warley,Warick,Warholic,Warhola,Warhol,Warens,Wareheim,Wardrop,Wardon,Wardman,Wardinsky,Wardian,Wappel,Wanvig,Wanser,Wanschek,Wanland,Waninger,Wanders,Wampol,Walzier,Walvoord,Walto,Waltenbaugh,Waltemath,Waloven,Walman,Wally,Wallravin,Wallor,Wallinga,Walles,Wallentine,Wallenda,Walleck,Wallbrown,Wallberg,Wallbank,Walland,Wallaker,Wallaert,Wallack,Walkinshaw,Walking,Walicki,Waldrope,Waldmann,Waldenberg,Walczynski,Walchli,Walbrecht,Wakula,Wakham,Wakenight,Wakeling,Waitkus,Waisman,Waisath,Wainman,Wahoske,Wahner,Wahlenmaier,Wahid,Wagon,Waggaman,Wagenheim,Waganer,Wafula,Waeyaert,Waetzig,Waelti,Waeckerlin,Waddouds,Wackman,Wackerbarth,Wachsmuth,Wabasha,Vyhnal,Vuturo,Vulgamott,Vukich,Vrias,Vranich,Vrablic,Votraw,Voter,Votaua,Voskowsky,Vorwaller,Vorholt,Voracek,Voong,Vonwagoner,Vonstaden,Vonsoosten,Vonkrosigk,Vongxay,Vongvivath,Vongunten,Vongsakda,Vongal,Vonfeldt,Vondohlen,Vonderkell,Vonbraunsberg,Vonarx,Volpert,Volper,Volpa,Volmink,Vollmering,Volking,Volkers,Volkens,Volin,Volesky,Volckmann,Vojta,Voita,Voights,Vogtman,Vogtlin,Voglund,Vogland,Vogenthaler,Vogelpohl,Vogds,Voetmann,Voedisch,Vodder,Voce,Vlk,Vlasaty,Vlasak,Vlahovich,Vizza,Vizuete,Vivolo,Vittum,Vittek,Vitorino,Vitkus,Vititow,Vitera,Vitantonio,Vitaniemi,Visvardis,Vissman,Visovsky,Visosky,Visocsky,Visnosky,Visnocky,Viscarro,Visaya,Virts,Virkler,Virgili,Virgie,Virgel,Virelli,Viramontas,Viorel,Vintinner,Vintimilla,Vinsel,Viniegra,Vinck,Villot,Villenas,Villemarette,Villecus,Villaquiran,Villane,Villalouos,Villaescusa,Vilkoski,Vilkama,Vilca,Vilaro,Vilardo,Vilandre,Viken,Vigus,Viguerie,Vigorito,Vigario,Viessman,Viesselman,Viesca,Vierthaler,Vierps,Vientos,Vienneau,Vidler,Victorica,Vickey,Vicioso,Vichidvongsa,Viccica,Veysey,Vespia,Veselic,Verzi,Versele,Veroba,Vernet,Verlotte,Verigan,Verhaag,Vergamini,Verga,Verfaille,Verela,Vere,Verdine,Verdiguel,Verd,Verbridge,Verble,Verbit,Verbilla,Verbasco,Ventur,Ventrice,Ventre,Ventors,Venth,Venosh,Vennari,Venkus,Veninga,Venible,Venghaus,Venetos,Venere,Veneable,Vendelin,Vemura,Velzeboer,Veltre,Veltin,Veloso,Veles,Vele,Veld,Veitz,Veitenheimer,Vein,Veillette,Vegher,Vegetabile,Vegar,Veerkamp,Veen,Vecino,Vebel,Veater,Veader,Ve,Vayon,Vayner,Vavricek,Vauter,Vaulx,Vaughner,Vaudreuil,Vaubel,Vattikuti,Vathroder,Vatch,Vastola,Vastardis,Vassure,Vassil,Vassie,Vasseur,Vassen,Vasquiz,Vasaure,Varvil,Vartanyan,Varron,Varro,Vargis,Varesko,Varda,Varanese,Varakuta,Varagona,Vanzante,Vanyo,Vanwyngaarden,Vanwassenhove,Vanvolkenburg,Vanvalen,Vantuyl,Vantil,Vanta,Vanstrom,Vanslooten,Vansicklin,Vanscoik,Vanschaick,Vanruiten,Vanostberg,Vanorsdol,Vanolinda,Vanoflen,Vannuland,Vannover,Vannorsdell,Vanniello,Vanni,Vanner,Vanmarter,Vanleuvan,Vanlaar,Vankilsdonk,Vankammen,Vanhevel,Vanheukelem,Vanhee,Vanhauen,Vanhamlin,Vanhamersveld,Vangyi,Vangompel,Vangoff,Vangerbig,Vangelos,Vanfossan,Vanez,Vaneffen,Vandygriff,Vandy,Vanduynhoven,Vandunk,Vandorien,Vandon,Vandiest,Vandeweert,Vandevort,Vandevere,Vandeveble,Vandestreek,Vandesteeg,Vanderwyk,Vanderwood,Vanderwilt,Vanderwege,Vanderweerd,Vanderweel,Vandertuig,Vanderstappen,Vanderschoot,Vandermoon,Vanderkaaden,Vanderhoot,Vanderboom,Vanderau,Vandenacre,Vandemortel,Vandeman,Vandelaare,Vandebrake,Vanconant,Vancleaf,Vanbogelen,Vanbenthuyse,Vanbeck,Vanasselt,Vanaprasert,Vanandel,Vampa,Valseca,Valree,Valot,Valorie,Vallimont,Vallie,Vallentine,Vallelonga,Vallario,Vall,Valgren,Valer,Valenzvela,Valentyn,Valenstein,Valenciana,Valderamo,Valcin,Valcho,Valakas,Vaksman,Vakil,Vaka,Vajgrt,Vaissiere,Vainio,Vaiko,Vaghy,Vaghn,Vafiadis,Vafiades,Vaeza,Vaeth,Vadasy,Vaclavik,Vacio,Vaci,Vache,Vaccarino,Vacante,Uzun,Uxa,Uvalles,Utvik,Uttley,Ustico,Usman,Usina,Ushioda,Ushijima,Uscio,Usack,Urse,Urrey,Urreta,Urraca,Urness,Urlanza,Uriostejue,Urik,Urenio,Urdiano,Urbieta,Uptegraft,Uppencamp,Unterkofler,Unnold,Unnewehr,Unkn,Uniacke,Unglaub,Unck,Umnus,Umezawa,Umbel,Ultseh,Ultreras,Ulses,Ullum,Ulisch,Ulicnik,Ulich,Uleman,Ukich,Uken,Uhrin,Uhrhammer,Uhles,Uhlenhopp,Ugaz,Ugaitafa,Ueki,Uebersax,Udinsky,Udicious,Ucha,Uccio,Uc,Ubry,Ubiles,Ubertini,Ubence,Tyssens,Tysseling,Tyrance,Tynio,Tylman,Tydings,Tydeman,Twohatchet,Twito,Twillie,Twiet,Twiest,Tweet,Tweddell,Twait,Tvedt,Tuxbury,Tuukanen,Tutuska,Tutoni,Tutela,Tushoski,Turvaville,Turturo,Turrill,Turrie,Turpiano,Turomsha,Turocy,Turnpaugh,Turnow,Turnmyre,Turnier,Turkmay,Turkasz,Turinetti,Tureson,Turdo,Turcio,Turbiner,Turbide,Turber,Turbe,Turansky,Tupy,Tuppen,Tuplano,Tuorto,Tunon,Tunget,Tunby,Tun,Tumolillo,Tumminia,Tumbleston,Tullison,Tulis,Tuliau,Tukuafa,Tukis,Tujague,Tuia,Tugade,Tuffin,Tuesburg,Tuerk,Tuer,Tuenge,Tudruj,Tudman,Tudisco,Tuccio,Tucay,Tuberman,Tsuruda,Tsuchiura,Tsuchida,Tsistinas,Tshudy,Tschirhart,Tschache,Tsantakis,Trzaska,Trythall,Tryninewski,Truont,Trumpp,Truka,Truiolo,Truglio,Trueluck,Trudo,Truchon,Trucchio,Trube,Truan,Troxil,Trowel,Trovinger,Trotz,Trotto,Trosen,Troost,Tronzo,Tront,Trometter,Trombino,Tromba,Trollope,Troke,Trojanovich,Trojak,Trohanov,Trogstad,Troe,Trocchio,Trobridge,Trobough,Trnong,Trivane,Trippel,Trimnal,Trimis,Trimino,Trilt,Trillas,Trillana,Triglia,Trigillo,Trifone,Triffo,Trifero,Tridenti,Tricoli,Tricamo,Tribue,Triblett,Trevithick,Trevisone,Trevis,Trevillian,Trevethan,Treves,Treusdell,Tretola,Tretina,Tretera,Tressel,Treola,Trentz,Trento,Trentman,Trenor,Trennell,Trend,Trenchard,Tremore,Tremillo,Trembinski,Trelles,Treister,Treine,Treible,Treff,Tredinnick,Treder,Trebon,Trebesch,Trear,Traviss,Traux,Trautner,Trausch,Traum,Trattner,Trass,Traphagen,Trapeni,Trapalis,Traner,Tramonti,Trainham,Traicoff,Trahern,Traffanstedt,Trachsel,Tracewell,Trabold,Trabazo,Tozloski,Toyota,Toyn,Towse,Townsand,Towels,Touton,Toussand,Toupe,Touney,Toudle,Touchard,Touby,Touart,Totzke,Tototzintle,Totino,Toting,Tossie,Tosco,Tosch,Tortu,Tortolano,Tortelli,Torruellas,Torros,Torrion,Torrillo,Torrico,Torreblanca,Torrano,Torongeau,Toromanides,Tornincasa,Torey,Toren,Torbus,Toquinto,Topolewski,Topoian,Topness,Toplistky,Topliffe,Topal,Topacio,Toothacre,Tooms,Toolsiram,Toolan,Tookmanian,Tonzi,Tonti,Tonschock,Tonsall,Tonrey,Tonnesen,Tonnar,Tongate,Tonetti,Tonelson,Tonder,Tonai,Tomspon,Tomski,Tomshack,Tomkus,Tomka,Tomidy,Tomichek,Tomeldan,Tomehak,Tombleson,Tomasson,Tomasic,Tomash,Tomanek,Tolontino,Tollin,Tollerud,Tollefsen,Toline,Tokley,Tokkesdal,Tohen,Togashi,Tofolla,Toepperwein,Toeller,Toelke,Toedebusch,Todt,Todoroff,Todor,Todesco,Toboz,Tobolski,Toaston,Toa,Tlumacki,Tlatenchi,Tlatelpa,Tlamka,Tjandra,Tix,Tivis,Tivar,Titterness,Titone,Titler,Tith,Tisi,Tish,Tisdel,Tisdal,Tischner,Tipre,Tippey,Tipold,Tinucci,Tintinger,Tinnerello,Tinn,Tinlin,Tinger,Timus,Timothe,Timons,Timonere,Timon,Timenez,Timchula,Timbrell,Timas,Timar,Tilzer,Tilus,Tilt,Tilow,Tillou,Tietge,Tieng,Tichnell,Tichi,Tibor,Thy,Thury,Thurness,Thurlby,Thurby,Thuney,Thuma,Thull,Thruthley,Throssell,Thress,Threlfall,Thrapp,Thrams,Thraen,Thouvenel,Thorstenson,Thorsness,Thoroughgood,Thornborough,Thormaehlen,Thorade,Thonney,Thompon,Thometz,Thomeczek,Thomases,Thomae,Thoburn,Thobbs,Thivener,Thim,Thilmony,Thiengtham,Thielges,Thieklin,Thidphy,Thibaut,Thibadeau,Thew,Theule,Theuenin,Thepbanthao,Theos,Thell,Thelin,Thelemaque,Theinert,Theeman,Theden,Thebo,Thansamai,Thanos,Thangavelu,Thanem,Thanasouk,Thanas,Thamann,Thaman,Thalls,Thaller,Thall,Thadison,Tewolde,Tewa,Teuteberg,Teteak,Testolin,Tessendorf,Tess,Tesmar,Teschler,Terwey,Tertinek,Terstage,Terrone,Terrible,Terrian,Terrezza,Terracciano,Terp,Teroganesyan,Termilus,Terinoni,Teri,Terhorst,Terherst,Terazes,Teravainen,Teque,Teoh,Teodoro,Tention,Tenore,Tenofsky,Tenn,Tenhoff,Tenhaeff,Tengben,Tenerovich,Tener,Tenda,Tenario,Tempelton,Temoney,Teman,Tellefsen,Telkamp,Telgen,Teles,Telch,Telander,Teklu,Teixeria,Teissedre,Teisberg,Tehney,Tegner,Tegan,Teehee,Teder,Teddy,Tecuanhuey,Techau,Tecchio,Teakell,Teager,Taylar,Tayan,Tawwab,Tavolieri,Taverab,Tavaris,Tavana,Tauzin,Tautolo,Tausch,Taula,Taualii,Tattrie,Tatsuhara,Taton,Tatge,Tatel,Tastet,Tassa,Tasma,Taskey,Tashiro,Taruer,Taruc,Tartsah,Tarski,Tarrenis,Tarnoff,Tarmey,Tarman,Tarling,Tarella,Tarduno,Tarboro,Tarbert,Taray,Taras,Taque,Tapian,Taphous,Tapaoan,Tanzi,Tantum,Tannous,Tankxley,Tankesly,Tanh,Tangney,Tangerman,Tangaro,Tangari,Tangabekyan,Tandus,Tande,Tamkin,Tami,Tamburrelli,Tamburino,Tamborlane,Tamai,Talvy,Talsky,Talleut,Tallacksen,Taliferro,Talicska,Talentino,Talaro,Talamentez,Talaga,Tako,Taker,Takara,Takai,Tajudeen,Tajima,Taitague,Taillefer,Tail,Tahon,Tagupa,Taglauer,Tagalog,Tagaloe,Tagala,Tagaca,Tag,Tafiti,Tafelski,Taetzsch,Taegel,Tadt,Tadgerson,Taddio,Tadd,Tacopino,Tacneau,Tackette,Tackes,Tacke,Tachauer,Tacason,Tabuena,Tabion,Tabatt,Szysh,Szymonik,Szwede,Szulimowski,Szpak,Szoka,Szocki,Szklarski,Szitar,Szewc,Szesterniak,Szermer,Szerbin,Szczepkowski,Szczeblewski,Szachewicz,Szabat,Syzdek,Syrrakos,Syria,Sypult,Sypolt,Synovic,Syner,Symkowick,Symeon,Sylney,Sylla,Syktich,Syer,Swopshire,Swolley,Swithenbank,Swiss,Swirczek,Swingler,Swingen,Swinerton,Swinea,Swille,Swierenga,Swierczynski,Swieca,Swicord,Swerdloff,Swenceski,Swelt,Swelgart,Swehla,Sweets,Sweem,Swed,Sweatmon,Sweatfield,Swatman,Swartzman,Swartzell,Swantak,Swanston,Swancutt,Swanay,Swamm,Swam,Swait,Swainey,Swaggart,Swabe,Swabb,Svobodny,Svetlak,Svennungsen,Svedine,Svatos,Svare,Svancara,Suydan,Suwannakintho,Suvada,Suttin,Suttee,Sutkus,Sutic,Suthers,Sutcliff,Suszynski,Sustar,Sustaire,Suskay,Susany,Susanin,Suryanarayana,Survis,Surpris,Suro,Surminec,Surguy,Surgoine,Sures,Suren,Surbella,Suomela,Sunyich,Sunniga,Sunier,Sumrow,Sumption,Summerlot,Sumerix,Sumeriski,Sultani,Sulley,Sullenberger,Sulipizio,Sulin,Sulima,Sulikowski,Sulentic,Sulejmanovski,Sugabo,Suffield,Suentenfuss,Suehs,Sudekum,Sudbrock,Sucre,Suchocki,Suchla,Sucgang,Succar,Subijano,Subich,Subert,Subera,Suaava,Stuttgen,Sturner,Sturk,Sturgul,Sturghill,Stukowski,Stuesse,Stuermer,Stuer,Stuebe,Studyvance,Studnicki,Studniarz,Studmire,Studdiford,Stucke,Stublaski,Stubby,Stubbendeck,Strzalkowski,Struzzi,Struzik,Strubel,Strozewski,Strowe,Strous,Strotz,Strombeck,Stroker,Strohmayer,Strogen,Strizich,Strini,Stringari,Strimling,Strimback,Strife,Strid,Stricklind,Stribley,Strevels,Strevell,Streva,Stretz,Strenge,Stremi,Strelecki,Strejan,Streitnatter,Streff,Strefeler,Streeton,Stred,Strazisar,Strayhand,Strayham,Stravinski,Strausz,Strausner,Strauhal,Straugh,Strasters,Stranford,Strandburg,Stranahan,Strahin,Stradtner,Stracquatanio,Strachman,Straathof,Stpierrie,Stoviak,Stovell,Stoutenger,Stoudymire,Stoud,Stouch,Stouall,Stottlar,Stotko,Stothard,Stotesbury,Stotesberry,Storto,Stores,Storage,Stoos,Stonich,Stolzenburg,Stolly,Stolebarger,Stolcals,Stolar,Stoklasa,Stogden,Stoffey,Stofferan,Stoey,Stoett,Stoeltzing,Stoel,Stoeke,Stoeffler,Stoeckert,Stoebner,Stoeberl,Stodomingo,Stodder,Stockwin,Stockon,Stocki,Stockebrand,Stocco,Stobie,Stlouise,Stives,Stirn,Stire,Stipanuk,Stingle,Stinespring,Stinehour,Stinebuck,Stindt,Stimple,Stimler,Stilwagen,Stiltz,Stilner,Stillie,Stigsell,Stiern,Stiens,Stiehm,Stiegman,Stiegemeier,Stieb,Stidstone,Sticklin,Sticklen,Stickford,Sthole,Stford,Stflorant,Steury,Stetzenbach,Stetke,Sterpka,Sterker,Sterkenburg,Sterkel,Stephensen,Stepan,Step,Stenz,Stenn,Stendeback,Stenbeck,Stenback,Sten,Stemmler,Stelzl,Steltzer,Stellpflug,Stellfox,Stelk,Stele,Steinruck,Steinmeiz,Steinkuehler,Steinkirchner,Steinkellner,Steinerkert,Steine,Steinbrink,Steinbauer,Steik,Steighner,Steiert,Steich,Steibel,Stehno,Steggeman,Stefl,Stefford,Steffa,Stefanatos,Steep,Steenwyk,Steenhoven,Steelmon,Steeg,Steeb,Stedronsky,Steczo,Stecklair,Stechuchak,Stechlinski,Steber,Stebe,Stearnes,Stearne,Stea,Stdenny,Stchur,Stayter,Stawicki,Stavrositu,Staudenmeier,Stattelman,Statires,Station,Stathos,Stathas,Stasulis,Stassen,Stasny,Staser,Staschke,Starweather,Stars,Starnaud,Starley,Starkman,Starken,Starich,Starghill,Starcevic,Staplins,Stapelman,Stanzak,Stanway,Stanowski,Stankowitz,Stankaitis,Staniec,Stania,Stangroom,Stanesic,Stanert,Staneart,Stands,Standors,Standifur,Standeven,Standaert,Stancoven,Stanclift,Stancey,Stanbaugh,Stana,Stammler,Stamenov,Stambach,Stamatopoulos,Stamas,Stalberger,Stakoe,Stakley,Stakkeland,Stakemann,Stainbach,Stagowski,Stagno,Stagman,Stagles,Stagers,Staffeld,Staenglen,Staehler,Stadther,Stadt,Stadnik,Stadick,Stachurski,Stace,Stabs,Stabley,Stable,Srygley,Srinvasan,Squarciafico,Squair,Spyrakos,Spyies,Spycher,Spurger,Spulick,Spudis,Spuck,Sprygada,Spruiell,Spruance,Sprowls,Sprouls,Sprong,Sprole,Springe,Sprewell,Sprengelmeyer,Sprawls,Sprauve,Spragley,Spotorno,Sporysz,Sporman,Sporich,Spoonemore,Spoleti,Spohnholz,Splitt,Splett,Splatt,Spiter,Spirounias,Spirk,Spire,Spinoza,Spinn,Spinetti,Spinello,Spinar,Spilis,Spiliakos,Spigutz,Spielvogel,Spicknall,Spicker,Sperier,Speraw,Spennicchia,Spene,Spellane,Spegal,Spee,Specken,Spearow,Spearmon,Spayd,Spartin,Spartichino,Spart,Sparacina,Spannuth,Spanner,Spanicek,Spanger,Spane,Spakes,Spadard,Spacht,Spacagna,Sozio,Soyke,Sowl,Sowden,Sowada,Sovel,Souvannakhily,Souto,Southand,Sourlis,Soulliere,Souhrada,Sou,Sotos,Sothen,Sosbe,Sorzano,Sorvig,Sortland,Sorokata,Soro,Sorlie,Sorhaindo,Sorell,Sordia,Sorace,Soptick,Soppeland,Sophy,Sopczak,Sooy,Soop,Soomaroo,Soolua,Sonterre,Sonsteng,Sonnefeld,Sonnee,Sonka,Songy,Sondrup,Sondles,Sondheimer,Sonderman,Sonderegger,Somvang,Somsy,Somrak,Somoza,Somogye,Somo,Sommons,Sommar,Somji,Somilleda,Somerfield,Somdah,Somayor,Solwold,Solverud,Soltow,Soltmann,Solow,Solorsano,Solonar,Solomen,Sollors,Sollitto,Solliday,Solito,Solinas,Solima,Solies,Solien,Solich,Solian,Solhjem,Solera,Soldeo,Solazar,Solarski,Solaita,Soladine,Sokul,Sokotowski,Sokolski,Sokolowich,Sojo,Soito,Soiro,Soifer,Softich,Sofer,Soechting,Sodini,Sodervick,Soders,Sodawasser,Sockey,Sobrio,Sobieraj,Sobeski,Sobery,Soberanes,Sobenes,Sobe,Sobanski,Soape,Snowder,Snorden,Snode,Snetsinger,Snaples,Snaer,Snaders,Smyrski,Smyntek,Smykowski,Smutzler,Smutny,Smulik,Smugala,Smuck,Smolnicky,Smolinsky,Smitty,Smithe,Smiling,Smiler,Smigiel,Smerdon,Smeja,Smedes,Smeathers,Smarra,Smar,Smallmon,Smallin,Smallidge,Slyton,Slutsky,Sluski,Slovinski,Sloter,Slonecker,Slomer,Slogeris,Slobodnik,Sloanes,Slipper,Slingluff,Slingland,Sliney,Slimko,Sliman,Slimak,Slessman,Slepski,Sleppy,Sleiman,Sleaford,Slaugenhaupt,Slark,Slackman,Slaboda,Skyes,Skweres,Skwarek,Skubik,Skrzypinski,Skrebes,Skrabanek,Skovlund,Skotnicki,Skone,Skonczewski,Skold,Skoien,Skoczen,Skobiak,Skimehorn,Skillpa,Skillett,Skillan,Skildum,Skibski,Skibo,Skevofilakas,Skepple,Skarzynski,Skartvedt,Skar,Skapura,Skaflen,Skaer,Skabo,Sjulstad,Sjerven,Sizar,Sixt,Sixsmith,Siwicki,Sivills,Sivilay,Sivie,Sivick,Sivay,Sivalia,Sival,Siurek,Siuda,Sittre,Sittner,Sittman,Sitterding,Sitosky,Sitkiewicz,Sistek,Sista,Sisomphou,Sisofo,Sisley,Siskin,Sisavath,Sirpilla,Sirosky,Sirolli,Siroka,Sirna,Sirico,Sirhan,Siravo,Sipriano,Sippy,Siphan,Siona,Siok,Sinrich,Sington,Singharath,Singewald,Singerman,Sinarath,Simple,Simper,Simor,Simoniello,Simonetty,Simonet,Simokat,Simoens,Simmond,Simmes,Simitian,Simich,Simerson,Simensky,Simcock,Silvestrini,Silvaggio,Siluis,Siltman,Silovich,Sillitoe,Silkenson,Siliezar,Silevinac,Silence,Silbiger,Silao,Sil,Sikarskie,Siglow,Siglar,Sifre,Sifontes,Sifers,Sievertsen,Sieverson,Sieve,Sietz,Siert,Sieradski,Sier,Sielaff,Sieja,Siedner,Siedel,Siebenthal,Sidorowicz,Sidley,Sidi,Sideman,Sicks,Sickel,Sickafoose,Sicinski,Sibounma,Sibgert,Sibeto,Sibel,Sibal,Siar,Siaperas,Siami,Sialana,Shyne,Shybut,Shwab,Shutty,Shutters,Shusterman,Shurr,Shurak,Shuptrine,Shupert,Shummon,Shulthess,Shult,Shulse,Shullick,Shulick,Shulenberger,Shuffleburg,Shubov,Shry,Shrigley,Shren,Shrawder,Showen,Shoulder,Shorthair,Shopbell,Shoobridge,Shongo,Shoman,Shollenbarger,Shoji,Shofestall,Shodunke,Shober,Shivy,Shisila,Shirvanian,Shirakawa,Shippen,Ship,Shinsky,Shinnick,Shinkel,Shingleur,Shingledecker,Shindel,Shimon,Shimaoka,Shilo,Shillito,Shillingsford,Shilkuski,Shiliata,Shildneck,Shikuma,Shike,Shigeta,Shigemi,Shifferd,Shider,Shibi,Shettleroe,Shetterly,Sherville,Sherrock,Sherrange,Sherraden,Sherles,Sherief,Sherbon,Shepperdson,Shenker,Sheneman,Shene,Shempert,Sheman,Shelvy,Shelsy,Shelkoff,Shekels,Sheirich,Sheingold,Sheidler,Shehee,Shefte,Sheftall,Sheerer,Sheer,Sheakley,Shbi,Shawber,Shatek,Shasky,Shary,Sharplin,Sharperson,Sharabi,Shappen,Shapouri,Shapleigh,Shapino,Shaper,Shanno,Shandro,Shanberg,Shamsi,Shammah,Shamir,Shamily,Shalwani,Shalla,Shaline,Shalhoub,Shakoor,Shakin,Shahinfar,Shahin,Shahim,Shahbaz,Shaffren,Shaffen,Shadfar,Shadding,Shadazz,Shaben,Shabel,Sgueglia,Sgrignoli,Sgammato,Seykoski,Seyb,Sewyerd,Seweall,Sewade,Severi,Seveney,Sevadjian,Settlemyre,Settlemires,Settino,Settimo,Setterland,Seton,Setler,Setias,Seti,Setchell,Setaro,Sestoso,Sessin,Sesser,Serville,Servi,Servedio,Serve,Serravalli,Sermersheim,Serfoss,Serfling,Serey,Seres,Serens,Serene,Sercovich,Serban,Seratti,Seratt,Serasio,Serandos,Seraiva,Seraille,Sepvlieda,Sepulbeda,Septelka,Seppelt,Seppanen,Seppa,Senz,Senst,Sensor,Sensmeier,Sensing,Senseney,Sensenbrenner,Senseman,Seniff,Sengvilay,Sengun,Senethavilouk,Senesenes,Senderling,Sender,Senavanh,Semsem,Semonis,Seminario,Sember,Selzler,Selvester,Selusi,Selnes,Sellin,Sellards,Selkey,Selic,Selgrade,Selesnick,Selakovic,Seiters,Seit,Seisler,Seil,Seikaly,Seidenbecker,Seibt,Seibers,Seiavitch,Segreto,Segonia,Seggerman,Segerman,Segelhorst,Seferovic,Sefcheck,Seering,Seemer,Seekford,Seekamp,Seegar,Seedorff,Seedborg,Seebaum,Sedanos,Secundo,Second,Seckletstewa,Sechang,Sebranek,Sebion,Sebero,Sebeniecher,Sebasovich,Searer,Seara,Seanger,Seajack,Seaholtz,Seagers,Seaforth,Seacrest,Seacat,Seaburn,Sdoia,Sczbecki,Scurci,Scullin,Scuito,Scudero,Scucchi,Scsarpisnato,Scro,Scrivener,Scriuner,Scripps,Scrimsher,Scrichfield,Screnci,Scrape,Scouller,Scotts,Scotting,Scorgie,Scollan,Sciullo,Scites,Scicutella,Scialpi,Sciacchitano,Schy,Schworm,Schwizer,Schwister,Schwipps,Schwertfeger,Schwerdt,Schwerd,Schwenzer,Schwenneker,Schwendeman,Schwemmer,Schweitz,Schwarzlose,Schwart,Schwantd,Schwadron,Schutze,Schute,Schusted,Schurk,Schumachor,Schulter,Schultens,Schulkin,Schulist,Schuit,Schuering,Schueren,Schueneman,Schuemann,Schuchat,Schuber,Schubach,Schrumpf,Schroot,Schroen,Schroedter,Schreuder,Schreacke,Schrayter,Schrawder,Schrauger,Schraub,Schrameck,Schraff,Schradle,Schrab,Schowengerdt,Schossow,Schopmeyer,Schopflin,Schop,Schomin,Schomas,Schomacker,Scholtens,Scholin,Schoggen,Schoessow,Schoepfer,Schoenmaker,Schoenig,Schoelman,Schoellkopf,Schoell,Schoeben,Schoderbek,Schockley,Schnure,Schnorbus,Schnopp,Schnobrich,Schnitz,Schnickel,Schnibbe,Schnepf,Schnelder,Schneidman,Schneeberger,Schnackel,Schmollinger,Schmoak,Schmittou,Schmiot,Schmille,Schmier,Schmiel,Schmiedeskamp,Schmidtka,Schmidlin,Schmertz,Schmerge,Schmerer,Schmelmer,Schmeidler,Schmautz,Schmauder,Schmatz,Schmand,Schmaling,Schlund,Schlumaker,Schlotthauer,Schlotte,Schlotfeldt,Schlote,Schlossman,Schloemann,Schlindwein,Schlimmer,Schlieter,Schlichenmaye,Schleppy,Schlenger,Schleker,Schleibaum,Schleh,Schlecter,Schlaefli,Schladweiler,Schlabs,Schirrmacher,Schiralli,Schinnell,Schinker,Schingeck,Schindewolf,Schimel,Schilsky,Schilk,Schilder,Schifko,Schiffmann,Schierenbeck,Schierbrock,Schielke,Schieferstein,Schiefen,Schickedanz,Schey,Scheuren,Scheuers,Scherschligt,Scherma,Scherbring,Scherbel,Scheno,Schenfeld,Schells,Schellin,Schellermann,Scheiern,Scheiderer,Schegetz,Scheffrahn,Scheffert,Schechinger,Schavone,Schaunt,Schaumann,Schauble,Schaubhut,Schatzle,Scharmann,Scharler,Scharbrough,Schap,Schanzenbach,Schantini,Schange,Schandel,Schammel,Schallig,Schaffter,Schaffeld,Schaffel,Schafersman,Schaen,Schachterle,Schachsieck,Schabbing,Scelzo,Scelsi,Scavo,Scavetta,Scaturro,Scatenato,Scarpitto,Scarpitta,Scarpato,Scarpati,Scarp,Scarlato,Scargall,Scarfi,Scantlen,Scanneu,Scannapieco,Scanio,Scandrett,Scandalios,Scancarello,Scamehorn,Scalzi,Scallorn,Scallion,Scalet,Scaiano,Scaia,Scagliotti,Scace,Sboro,Sbarra,Saysongkham,Saysana,Sayloe,Saxinger,Saxfield,Sawtell,Sawransky,Sawhill,Sawatzki,Sawaia,Savitch,Savinar,Savi,Saven,Savas,Savaria,Savakis,Sava,Sauveur,Sausser,Saurey,Sauredo,Saunas,Saulsbery,Sauger,Sauerhage,Sauerbry,Sauce,Sauby,Satz,Sattlefield,Satmary,Sathiraboot,Satchwell,Sat,Sasuille,Sashington,Sasengbong,Sasao,Sarwar,Sarrell,Sarraga,Saroop,Sarnes,Sarnacki,Sarlo,Sarks,Sarkodie,Sark,Sargis,Sargetakis,Saretto,Sarette,Sarensen,Sarcinelli,Sarcinella,Sarcia,Saras,Saranzak,Saraniti,Sarani,Sarafian,Saraf,Sarac,Sarabando,Saporita,Sapnu,Sapko,Saous,Sanzenbacher,Santti,Santrizos,Santoscoy,Santomauro,Santolucito,Santis,Santio,Santilukka,Santaloci,Santagata,Santaella,Sanseda,Sanquenetti,Sanots,Sanosyan,Sann,Sanmarco,Sanlatte,Sankovich,Sanke,Sankary,Sankaran,Sanislo,Sanipasi,Saniger,Sangren,Sanghez,Saneaux,Sandstedt,Sandry,Sandovar,Sandos,Sandone,Sandness,Sandlan,Sandison,Sandersen,Sandborg,Sanchz,Sanchec,Sancen,Sanasith,Samway,Samuell,Sampselle,Sampieri,Sampair,Samoyoa,Samowitz,Sammut,Samiec,Samick,Samele,Sambucetti,Samara,Samantha,Samanlego,Salverson,Salvature,Saluto,Saluja,Saltourides,Saltmarsh,Salta,Salsberg,Saloum,Salos,Saloom,Sallings,Sallies,Sallah,Salisberry,Salimas,Salfelder,Salesses,Salen,Saleado,Saldvir,Saldi,Saldeen,Salceda,Salazan,Salaza,Salay,Salandy,Sakshaug,Sakovitch,Sakkinen,Sakkas,Sakiestewa,Sakic,Sakakeeny,Saison,Saisa,Saintfleur,Saide,Saicedo,Sahsman,Sahli,Sahler,Sahlberg,Sahagian,Saggione,Sages,Sagendorf,Safron,Safar,Saetteurn,Saenphimmacha,Sadhu,Sadhra,Saden,Sadee,Saddat,Sackos,Sachleben,Saches,Sachar,Saccucci,Sacane,Sablone,Sablock,Sablea,Sabiston,Sabini,Sabi,Sabha,Sabellico,Sabaj,Saadd,Ryun,Rysavy,Rysanek,Rylowicz,Ryll,Ryken,Rygiewicz,Rydalch,Rychlicki,Rybowiak,Ryal,Ruzycki,Ruyz,Ruwet,Rutley,Ruthenberg,Ruszala,Rusteika,Rusteberg,Russotto,Russotti,Russman,Russek,Russe,Rusley,Rusich,Rushworth,Rushman,Rushforth,Ruscitti,Ruscio,Ruschmann,Ruschel,Rusak,Rupertus,Ruoho,Runzler,Runyons,Runswick,Runfola,Rumney,Rummler,Rumford,Rumburd,Rumbold,Ruman,Rulnick,Rujawitz,Ruhstorfer,Ruhmann,Ruhling,Ruhlin,Ruggiere,Ruggero,Rugga,Rugama,Ruffolo,Ruether,Ruesswick,Ruell,Rudnitski,Rudnicky,Rudish,Rudicil,Rudes,Rudeen,Rubow,Rubloff,Rubison,Rubinow,Ruberte,Rubenacker,Rubarts,Ruballos,Rubal,Rozgonyi,Rozga,Rozenberg,Rozas,Rozance,Roytek,Rowsell,Rowray,Rowold,Rowntree,Rowlins,Rowling,Rowback,Rovelto,Rovella,Rovack,Rouzzo,Rout,Roussos,Rounkles,Roundabush,Rouisse,Rougier,Rouff,Roudybush,Roucoulet,Roubekas,Rotstein,Rothmann,Rothhaupt,Rothfus,Rothenburger,Rothbauer,Rothacher,Rotering,Roszales,Rossnagel,Rossingnol,Rossing,Rosselle,Roskovensky,Roskop,Rositano,Rosine,Rosich,Rosettie,Rosentrance,Rosenthall,Rosenkoetter,Rosenheim,Rosenbarger,Rosekrans,Rosebure,Roseboom,Roscow,Roscorla,Rosbozom,Rosavio,Rosacker,Ropiski,Ronzoni,Rons,Rondell,Ronde,Roncskevitz,Romulus,Rompf,Romjue,Romenesko,Rombult,Rombardo,Romaniak,Romandia,Romanchuk,Romag,Rolseth,Rollind,Rollend,Rolfsen,Rolff,Rolek,Rokusek,Rohs,Rohowetz,Rohlack,Rohla,Rogugbakaa,Roguemore,Rogosky,Roginson,Roggero,Roggensack,Roggenbaum,Roggeman,Roever,Roetzler,Roettgen,Roessing,Roerish,Roemhild,Roehling,Roede,Roeber,Rodriuez,Rodrigeuz,Rodnguez,Rodis,Rodinson,Rodine,Rodemoyer,Rodeigues,Rodea,Roddick,Rodar,Rodamis,Rodal,Rockymore,Rockelman,Rockafellow,Rocho,Rochlin,Rochenstire,Rocasah,Roblow,Roblodowski,Robinzine,Robinsons,Robinso,Robinault,Robilotto,Robichard,Robeza,Robertos,Roberrtson,Robblee,Robante,Roats,Roatch,Roaoo,Roanhorse,Roal,Roacho,Rizas,Rivord,Riveroll,Riverman,Rivel,Ritzke,Ritzie,Ritums,Ritson,Ritchlin,Ritari,Ristaino,Rissell,Rissanen,Risler,Riskalla,Risius,Rishell,Risha,Risewick,Risden,Rische,Riscen,Risbeck,Riquelme,Ripoll,Rioz,Riofrio,Riobe,Rinnert,Rinkus,Rininger,Ringland,Ringhouse,Ringelspaugh,Rinebold,Rindler,Rinderle,Rimm,Rillera,Riise,Riippi,Rightnour,Rightley,Riggings,Rigger,Riffee,Rifenbery,Riexinger,Riesland,Rieske,Riesinger,Rieley,Riekert,Rief,Riedlinger,Ridgnal,Ridgle,Ridgill,Ridep,Ridel,Riddleberger,Ridders,Riculfy,Rickford,Richters,Richmann,Richlin,Richiusa,Richerds,Richan,Ricenberg,Ricaud,Ricardi,Ribsamen,Ribron,Ribiero,Ribero,Ribbink,Rhump,Rhum,Rhorer,Rhoe,Rhoan,Rhoad,Rhinerson,Rhen,Reznicek,Reyner,Reyne,Reynaldo,Reyelts,Rewerts,Rewakowski,Revira,Revils,Revering,Revera,Revelli,Revay,Reuteler,Reust,Reuschel,Reudink,Retzloff,Rethmeier,Retek,Retchless,Retamar,Ressel,Respicio,Respes,Respers,Resos,Resetar,Resenz,Resecker,Res,Rerucha,Requarth,Reprogle,Repoff,Replin,Repetowski,Repasky,Reola,Renzoni,Renzo,Renyer,Rentoulis,Rentie,Renouf,Renosky,Renigar,Renert,Rendler,Rend,Remondet,Remis,Remian,Remele,Remeder,Rellama,Rekus,Rekemeyer,Reives,Reitter,Reistetter,Reinsvold,Reinsfelder,Reinowski,Reinier,Reing,Reinen,Reineccius,Reindeau,Reinbolt,Reimnitz,Reimmer,Reihl,Reihing,Reigleman,Reighley,Reidherd,Reidhaar,Reichow,Reibman,Reial,Rehse,Rehmert,Rehlander,Reher,Rehbock,Regulski,Regueira,Regn,Reginaldo,Regelman,Regar,Refsal,Refazo,Reemer,Reefer,Redlon,Redkey,Redinbo,Rediker,Redig,Redemer,Redcross,Redal,Recuparo,Recksiek,Reckers,Recidivi,Rechichi,Reburn,Rebold,Rebik,Rebar,Reavish,Reaver,Reavely,Reash,Reaollano,Reagey,Readinger,Readdy,Razon,Rayyan,Rayshell,Rayow,Rayome,Rayhel,Raychard,Rayam,Rawi,Rawhouser,Rawat,Ravizee,Raviele,Ravago,Rautenstrauch,Raulino,Raul,Rauhecker,Rauhe,Raught,Rauco,Raucci,Ratzloff,Rattu,Rattell,Rattanasinh,Ratsep,Ratkovich,Rathrock,Rathel,Rathai,Ratana,Rasual,Rastetter,Rastegar,Rasset,Raspotnik,Raspa,Rasool,Rasole,Rasley,Raskey,Rasico,Rasavong,Ras,Rarogal,Rarden,Raptis,Rappl,Rapkowicz,Rapisura,Rapanot,Rapalo,Rapacki,Ranweiler,Ransonet,Ransler,Ranni,Ranmar,Ranks,Ranildi,Randgaard,Randahl,Ranch,Ranaudo,Ranah,Ramsy,Ramsour,Ramshur,Ramsby,Ramrirez,Rampy,Rampulla,Rampadarat,Rampa,Ramonez,Ramler,Ramlall,Ramjhon,Ramjan,Ramirel,Rametta,Ramelli,Ramelize,Ramelb,Ramdeo,Ramcharran,Ramaudar,Ramal,Ramagano,Ramach,Rakyta,Rakus,Rakestrow,Rakers,Rajk,Rajas,Rajaphoumy,Raisley,Raisler,Raisin,Rais,Railes,Raike,Raigosa,Rahoche,Rahmes,Rahib,Rahaman,Ragus,Ragula,Raguay,Raglow,Rafus,Rafey,Rafel,Rafala,Raethke,Raemer,Raef,Raeder,Radziwon,Radwick,Radwanski,Radoslovich,Radon,Radmall,Radlinski,Radie,Raderstorf,Radej,Raddle,Raczak,Racko,Raciti,Racioppo,Racer,Rabuse,Rabsatt,Rabjohn,Rabito,Rabey,Rabeneck,Rabehl,Rabeck,Rabbe,Rabal,Quivoz,Quiver,Quituqua,Quitugua,Quittner,Quitter,Quitero,Quitedo,Quirke,Quiram,Quiralte,Quintard,Quintania,Quinnan,Quinlivan,Quilter,Quillman,Quillan,Quilindrino,Quiel,Quidas,Quicho,Quibodeaux,Quezergue,Quezad,Quettant,Queros,Querio,Quercioli,Quenzel,Quencer,Queller,Quebral,Quatrevingt,Quashnock,Quasdorf,Quartuccio,Quartiero,Quartieri,Quartaro,Quarrell,Quanstrum,Quammen,Qualheim,Quagliato,Quadnau,Qua,Qasba,Qare,Qadeer,Pywell,Pysher,Pyros,Pyfrom,Pyfer,Pyette,Pychardo,Puzon,Putzer,Putton,Putcha,Puskarich,Push,Purkhiser,Purfeerst,Puraty,Puotinen,Puntillo,Punihaole,Pundsack,Puna,Pulwer,Pullus,Pullara,Puita,Puhrman,Puhr,Puhl,Puffenberger,Puerto,Puent,Pudenz,Pucket,Pucker,Public,Ptaschinski,Psuty,Psuik,Psilovikos,Przybyl,Przeniczny,Prye,Prybylski,Prukop,Pruessner,Provosty,Provorse,Provins,Provino,Provenzo,Provent,Protich,Protas,Pross,Prosienski,Prosenick,Proscia,Prosak,Propheter,Promisco,Promer,Prokup,Prokos,Progl,Profeta,Profera,Profancik,Procsal,Prociuk,Prochak,Proch,Procaccino,Prizio,Privado,Pritzker,Pritzel,Pritcher,Pritchell,Prisoc,Priolean,Prinn,Prindiville,Princevalle,Primos,Prima,Prigg,Priego,Priegnitz,Prible,Pribish,Pribbenow,Prevot,Prevet,Pretzer,Pretzel,Prety,Presume,Prestley,Prestipino,Presnal,Preslipsky,Presiado,Prendes,Prejsnar,Preist,Preissner,Preisner,Preheim,Prefontaine,Predom,Precissi,Prechtel,Precht,Prause,Pratten,Prately,Prante,Prang,Pramuk,Praley,Prakoth,Prach,Pozar,Poynton,Powskey,Powsey,Powlen,Powells,Pourvase,Pourner,Pourier,Pourchot,Pouncil,Poulisse,Poulet,Pouk,Pouche,Potulski,Pottkotter,Pottichen,Potteiger,Potsander,Pothoven,Potanovic,Potaczala,Posusta,Posto,Postles,Postiglione,Postemski,Possinger,Possick,Possehl,Pospicil,Poskitt,Poska,Posis,Portnoff,Portello,Porris,Porres,Porep,Porell,Porat,Popularis,Poppo,Popadiuk,Pooyouma,Pooschke,Poort,Poolheco,Ponsler,Poniatowski,Pomykala,Pompi,Pomilla,Pomiecko,Pomfret,Polzer,Polvino,Poltrock,Polton,Polter,Polski,Poloskey,Pollot,Pollnow,Polivick,Polisoto,Polintan,Poliks,Polikoff,Policicchio,Policastri,Policare,Poletski,Polee,Poledore,Polacco,Pokrzywa,Pokallas,Pointe,Poinelli,Pohorilla,Pohlson,Pogozelski,Pogorelc,Poellinetz,Podwoski,Podeszwa,Pod,Pocklington,Pociengel,Pochatko,Pocekay,Pocai,Poague,Pniewski,Plutt,Plumbar,Pluma,Plotzker,Plotrowski,Ploskunak,Ploennigs,Plimpton,Plienis,Plewinski,Plett,Pleskac,Pleshe,Plesant,Pleppo,Plegge,Playl,Plavnik,Plateroti,Plateros,Plastow,Plassmeyer,Plassman,Planer,Plance,Planagan,Plan,Plamondin,Plainy,Plackett,Placino,Plachecki,Placeres,Plaas,Pjetrovic,Pizzulo,Pizzini,Pizzico,Pivec,Pitpitan,Pitorak,Pitocco,Pitka,Pitch,Pitcairn,Pitarresi,Piszczek,Pistelli,Piskel,Pisicchio,Piserchio,Piscitello,Pirrotta,Pirrello,Pirre,Pirozhkov,Pirollo,Pirieda,Pipper,Pipia,Pioske,Piombino,Pinzino,Pintello,Pinsonneault,Pinsoneault,Pinn,Pinkenburg,Pinke,Pindell,Pinchock,Pince,Pimple,Pim,Piluso,Pillon,Pillarella,Pillado,Pilkey,Pilette,Pilchowski,Piirto,Pihlaja,Piggie,Piganelli,Piety,Pietrowicz,Pietrok,Pietrini,Piesco,Piertraccini,Piersiak,Pierrot,Pierdon,Pierannunzio,Pientka,Pielow,Piela,Piek,Piegaro,Piefer,Piecuch,Pidro,Picotte,Pickman,Picketts,Picketpin,Pickerell,Pickenpaugh,Pichoff,Picher,Piccuillo,Piccirilli,Piccinone,Piccinich,Piccillo,Picchetti,Piatz,Piao,Piacitelli,Piacenza,Phyfe,Phurrough,Phuong,Phuma,Phuaphes,Phramany,Phoubandith,Phommajack,Phom,Pho,Phimsoutham,Phimpradapsy,Philmore,Phillies,Philliber,Philio,Phildor,Philabaum,Phi,Phetsanghane,Phetphongsy,Phelp,Phaymany,Pharmer,Pharao,Phanthavongsa,Pfrommer,Pfoutz,Pforr,Pfnister,Pflugradt,Pflugrad,Pfleuger,Pfingsten,Pfifer,Pfeiffenberge,Pfefferkorn,Pfanstiel,Pfander,Pfalmer,Pfaffinger,Pezley,Pezina,Pezez,Peyser,Pevahouse,Petula,Petton,Pettipas,Pettijohn,Pettigrove,Pettay,Petrouits,Petropulos,Petronzio,Petronella,Petrilli,Petriccione,Petric,Petrecca,Petralia,Petr,Petka,Petigny,Petesic,Petersik,Petek,Petanick,Petalcu,Peszynski,Pessolano,Pesses,Pesicka,Peschong,Pesarchick,Pesantes,Perza,Pertea,Persyn,Persten,Persch,Perrota,Perrot,Perriott,Perring,Perrilloux,Perrette,Perrelli,Perrell,Pernod,Pernin,Perniciaro,Pernesky,Permann,Perlson,Perkiss,Perina,Perie,Perencevich,Peredz,Percey,Peraha,Peplau,Pepka,Pepion,Penzien,Penzel,Penya,Penwarden,Penticoff,Pensky,Pensick,Pensa,Pennelle,Penird,Penhallurick,Penha,Pengra,Penderel,Pendegraft,Pencak,Pemelton,Peluse,Pelnar,Pellom,Pellitteri,Pelligrino,Pellietier,Pellicone,Pelletiu,Pellet,Pellam,Peleg,Pekas,Pekara,Pehowich,Peha,Pegeron,Peffly,Pefferkorn,Peetoom,Peerzada,Peecha,Peduzzi,Pedralba,Pedez,Pedeare,Pecinousky,Pechaira,Pecatoste,Pecarina,Pecararo,Pearyer,Peacy,Peachay,Payseur,Payor,Payna,Payant,Payamps,Pax,Pawluch,Pavliska,Pavis,Pavelski,Pavella,Pav,Pauza,Pausch,Paulshock,Paulseth,Paulmino,Paulic,Paulauskis,Paulauskas,Paulas,Pauker,Paugsch,Patzner,Patzke,Patwell,Patuel,Pattyre,Pattinson,Pattengale,Patriquin,Patrin,Patrias,Patria,Patolot,Patik,Paterniti,Patellis,Patches,Patcher,Patanella,Pataki,Patajo,Pasvizaca,Pastures,Pasto,Pastian,Passerino,Passer,Paskow,Pasket,Pasinski,Pasho,Pashea,Pashal,Pascorell,Pascoal,Pascanik,Pascall,Pasaya,Pasana,Paruta,Party,Partman,Partipilo,Partenope,Partelow,Part,Parsygnat,Parsh,Parsells,Parrotta,Parron,Parrington,Parrin,Parriera,Parreno,Parquette,Parpan,Parone,Parnin,Parms,Parmantier,Parkos,Parkhouse,Parizek,Paripovich,Parinas,Parihar,Parhan,Pargman,Pardoe,Parayuelos,Paravano,Paratore,Parara,Papranec,Pappajohn,Paponetti,Papitto,Papike,Papiernik,Papciak,Papantonio,Papanikolas,Papania,Papan,Papale,Pap,Paongo,Paola,Panzica,Panzella,Panyko,Panuccio,Pantosa,Pantoliano,Pantelakis,Panrell,Panowicz,Panora,Pankiw,Pankake,Panitz,Panila,Panias,Paneque,Panela,Paneczko,Pandola,Panahon,Panah,Panagoulias,Panagis,Paluszynski,Paluk,Paluck,Palu,Paloukos,Palombit,Palmios,Palley,Pallant,Pallansch,Pallafor,Palisbo,Palchetti,Palazola,Palas,Palacois,Pakonen,Pajerski,Paillant,Pahk,Pagni,Pagnello,Paglio,Paga,Pafel,Padol,Padgette,Padeken,Paddio,Paddilla,Paddack,Padavich,Pacquin,Packineau,Pacior,Pacholec,Pachlin,Pachla,Pach,Pacenta,Pacek,Pacapac,Pacana,Paben,Paarmann,Paalan,Ozer,Ozane,Ozaine,Ozaeta,Oz,Oyston,Oyellette,Oxton,Oxnam,Oxenrider,Oxborough,Owers,Ow,Ovit,Ovesen,Overstrom,Overshiner,Overmire,Overley,Overkamp,Overdick,Overbough,Ovdenk,Ovadilla,Ouye,Outzen,Ousdahl,Oury,Ourth,Ounsy,Ouellete,Oudker,Otutaha,Otuafi,Ottrix,Ottogary,Ottino,Ottilige,Ottenwess,Otiz,Othoudt,Otex,Otega,Osvaldo,Ostwald,Ostrzyeki,Ostrum,Ostroot,Osterhaut,Ostendorff,Ostenberg,Ostasiewicz,Osswald,Ossola,Osowicz,Osorno,Osollo,Osol,Osnoe,Osmus,Osmanski,Osias,Oshman,Osentowski,Osden,Osche,Osbeck,Orttenburger,Ortolf,Orto,Ortga,Orrego,Orpin,Orozeo,Orochena,Orobona,Oroark,Ornelos,Ornedo,Orne,Orm,Orlove,Orlosky,Orlof,Orlinsky,Orlinski,Orlin,Orizabal,Oriti,Orion,Origer,Orie,Orhenkowski,Orford,Orff,Oreskovich,Orellama,Oreily,Orehek,Oreb,Ordazzo,Ordahl,Orcholski,Orce,Oras,Opula,Opstein,Oppliger,Oppegard,Opichka,Opher,Opet,Opalicki,Opaka,Ooton,Onyeanus,Onwunli,Onukogu,Onisick,Onifade,Oneale,Ondik,Ondic,Ondersma,Omullan,Omoto,Omo,Omlin,Omli,Omersa,Olverson,Olveira,Olvedo,Olowe,Olona,Olnes,Olloqui,Olliver,Ollhoff,Ollendick,Olkowski,Olivid,Olivers,Oliveres,Olivarra,Olinghouse,Oligee,Olgvin,Olfers,Olewinski,Olewine,Oleveda,Oleskiewicz,Olejarski,Olecki,Olde,Olckhart,Olbrish,Olay,Olarte,Okwuona,Okuley,Okula,Okorududu,Okoren,Okoli,Okihara,Okerson,Oken,Ojard,Ojanen,Oines,Oilvares,Oieda,Ohrnstein,Ohren,Ohmit,Ohmie,Ohlmacher,Ohlenbusch,Ohlen,Ohaver,Oharroll,Ogwynn,Ogunyemi,Ogram,Ogilive,Ogen,Ogbonnaya,Ogasawara,Ogans,Ogami,Oflahrity,Offret,Oen,Oeler,Oehrlein,Oehrle,Oehmke,Oehmig,Oeftger,Oeder,Odougherty,Odorizzi,Odomes,Odin,Odien,Odhner,Odess,Odenheimer,Ocus,Ochsenbein,Ochinang,Ochiai,Ochalek,Occhino,Ocacio,Obnegon,Oblow,Oblinger,Obiano,Obery,Oberson,Oberpriller,Obermuller,Obermoeller,Oberholzer,Oberhaus,Oberdier,Oberdick,Oaxaca,Oar,Nysether,Nykiel,Nygaro,Nycum,Nyahay,Nwankwo,Nwakanma,Nwadiora,Nwabeke,Nuzenski,Nusz,Nunnelee,Nunmaker,Nuniz,Nunery,Nulisch,Nuetzman,Nuessle,Nuesca,Nuckoles,Nuccitelli,Nucci,Nozum,Nozick,Nowzari,Nowosadko,Nowley,Nowitzke,Novitsky,Novitski,Novitske,Novikoff,Novida,Novetsky,Novelly,Novellino,Novara,Nouth,Noullet,Noud,Notwick,Notowitz,Notley,Notis,Nothem,Nothacker,Nostro,Noseff,Norwell,Northwood,Northcut,Norstrud,Norseth,Norse,Norsaganay,Norko,Norkaitis,Noriego,Norg,Noreiga,Nordwall,Nordsiek,Nordlinger,Nordick,Nordenstrom,Norbo,Noorigian,Noordam,Nonu,Nones,Noneman,Nondorf,Noltensmeier,Nollette,Nolfe,Nolazco,Nokken,Noke,Noiseux,Noia,Nohe,Nogueda,Noguchi,Nogoda,Noggles,Noggler,Noftsier,Noey,Noerenberg,Noegel,Nodurft,Nodarse,Nockai,Nobregas,Nobis,Nkuku,Nkomo,Njango,Niziol,Nixion,Nixa,Nivar,Nivala,Nitzschke,Nitzsche,Nitzkowski,Nitcher,Niswender,Nisley,Nishimori,Nirmaier,Nipps,Nipple,Ninke,Nini,Ninh,Nimrod,Nimox,Nimick,Nila,Niksich,Nikodem,Nikocevic,Nikaido,Nightlinger,Niggemann,Nietfeldt,Niess,Niesent,Niesborella,Nierer,Niemitzio,Niemiel,Niemants,Niedzwiedzki,Niedzwiedz,Niedens,Niedbalec,Niebaum,Nicoson,Nicoli,Nicolaus,Nickoley,Nicklos,Nicklien,Nickenberry,Nickas,Nicholason,Nichell,Nichalson,Nicewonger,Niau,Nian,Nham,Nguyan,Ngin,Nezich,Nezat,Neyaci,Newstead,Newness,Newhook,Newes,Newens,Newbell,Newball,Nevinger,Nevilles,Nevil,Never,Nevarrez,Neuse,Neundorfer,Neuenswander,Neudeck,Neubig,Neubaum,Neubacher,Nettleingham,Netrosio,Netolicky,Netley,Nesti,Nessmith,Neslusan,Nesline,Nesland,Nesin,Nerlich,Nepa,Neonakis,Nenni,Nemzin,Nemunaitis,Nemets,Nemard,Nemani,Nelmes,Nellums,Nellenback,Nelisse,Nejaime,Neja,Neither,Neiswoger,Neiper,Neild,Neidiger,Nehrt,Nehme,Neglio,Negbenebor,Needy,Nedman,Nedina,Nederostek,Nedelman,Neddo,Nedbalek,Nebred,Neblock,Nebesnik,Nebarez,Neall,Nealious,Nealer,Neahr,Ncneal,Nazzise,Nazzal,Nazir,Nazelrod,Naz,Naysmith,Nayman,Nawwar,Nawda,Naveed,Navarrate,Navaretta,Navappo,Navanjo,Natwick,Nattiah,Natsis,Nati,Nathans,Natewa,Natani,Natalello,Nasti,Nassie,Nasr,Nasers,Nasalroad,Narr,Nargi,Nardy,Napieralski,Nanthanong,Nantanapibul,Nanna,Nanik,Nanasy,Nanas,Namur,Namihira,Namaka,Nalty,Nalbach,Naki,Nakatsu,Nakamori,Najarian,Nailer,Naifeh,Naidu,Nahrwold,Nahl,Nahari,Nagode,Nagindas,Nagengast,Nagelhout,Nagase,Naftzinger,Naftali,Naeher,Nadoff,Naderi,Nadelbach,Naddeo,Nacy,Nacisse,Nacion,Nachtrieb,Nachmias,Nachazel,Nacar,Naborg,Nabity,Nabhan,Mytych,Myslinski,Myslin,Mysak,Myrtle,Myrman,Myrck,Myntti,Mynnerlyn,Mylott,Myking,Myes,Mycroft,Mway,Muzyka,Muzacz,Muyskens,Muysenberg,Mutone,Mutner,Mutherspaw,Muthart,Muthana,Mutart,Musty,Muston,Mussmann,Musshorn,Musse,Muss,Musquiz,Musolf,Muskthel,Muska,Musinski,Musigdilok,Muschick,Muschett,Musch,Murwin,Murty,Mursko,Murnock,Mure,Murasso,Muraro,Muran,Murallies,Muraco,Munyer,Munshi,Munning,Munl,Munir,Muninger,Munhall,Muney,Munet,Mundziak,Mundschau,Mundhenk,Munderville,Muncil,Munchmeyer,Munaz,Muna,Mulzer,Mulvahill,Mulryan,Mulroney,Mulready,Mulneix,Mullowney,Mullner,Mullison,Mullany,Mulich,Mula,Muhtaseb,Muhlenkamp,Muhlbach,Muggley,Mueske,Muenkel,Muell,Muehleisen,Mudrick,Muddaththir,Muczynski,Mucklow,Muckley,Muckelvaney,Muchortow,Mthimunye,Mrazik,Mozzone,Mozo,Mozley,Mozie,Mozgala,Mozelak,Moyerman,Mowder,Mowan,Movlin,Mouzas,Mourino,Moulhem,Mottillo,Motteshard,Mottershead,Motamed,Mosz,Mostoller,Mostiller,Mostero,Mostella,Mosson,Mossing,Mossien,Mossel,Mosmeyer,Moskau,Moshos,Mosho,Moscovic,Moscaritolo,Moscariello,Moscardelli,Morosow,Morono,Morneault,Morna,Morn,Morkve,Moriwaki,Morise,Moriera,Moricle,Moribayed,Morgret,Morgner,Morgas,Morgans,Morgandi,Morfee,Morelen,Moreida,Moreci,Moreb,Mordino,Mordini,Mordehay,Morda,Mootz,Mootispaw,Moosbrugger,Moosa,Moonsommy,Moonshower,Moodispaugh,Mooberry,Monz,Montuoro,Montrella,Montijano,Montgonery,Montelle,Montell,Montcalm,Montalgo,Monske,Monrroy,Monrow,Monnot,Moniak,Mongue,Mongolo,Mongiovi,Monfore,Mondoux,Mondone,Mondell,Mondaine,Moncrieffe,Moncrieff,Moncier,Monasterio,Monarque,Monaham,Monagle,Momper,Momeni,Moltrie,Molone,Molly,Mollohan,Molliere,Mollere,Molleker,Mollberg,Molinini,Moling,Molineaux,Molett,Moldan,Molavi,Molaison,Mokriski,Mokiao,Mojzisik,Mojardin,Moisey,Mohorovich,Mohinani,Mohaupt,Mohabeer,Mogollon,Moghadam,Mofle,Mofford,Moevao,Moelter,Moede,Modrak,Moddejonge,Mockler,Mocha,Mobilio,Mlenar,Mizzi,Mizner,Mizee,Miyasaka,Miyao,Mixdorf,Mitter,Mittchell,Mittag,Mithani,Mitchler,Misove,Mismit,Misluk,Miskovich,Mishou,Miserendino,Misek,Miscoe,Mirmow,Mirman,Mirkovich,Mirao,Miran,Miquelon,Minucci,Mintreas,Mintos,Mintor,Minotti,Minock,Minnatee,Miniuk,Minissale,Minihan,Minicozzi,Mini,Minford,Minette,Minery,Minehan,Mineconzo,Mindingall,Minchella,Minarcik,Minacci,Mimaki,Milz,Milwee,Miltz,Milsaps,Milosevich,Millstead,Millott,Millora,Millian,Millhiser,Millerr,Millbrand,Millbern,Millberg,Milkent,Milius,Milite,Milelr,Mildred,Milderberger,Mildenstein,Milbrodt,Milare,Mikulec,Mikovec,Mikota,Mikolon,Mikhaiel,Mikez,Miker,Mikasa,Mihovk,Mihor,Mihaliak,Mihalco,Mihalak,Miggo,Miessler,Miernik,Miernicki,Miene,Mieloszyk,Mielkie,Mielczarek,Mielcarz,Miehe,Midget,Middough,Middents,Microni,Mickulskis,Micks,Mickonis,Mickenheim,Michello,Michealson,Michavd,Michalczik,Mezzinni,Mezzanotte,Meysembourg,Meyerowitz,Meyerott,Meyerman,Meyerhoefer,Mevis,Mevers,Meuler,Meulemans,Meua,Metzga,Metzel,Mettlen,Mettille,Metott,Metos,Metil,Metia,Metherell,Metevelis,Metenosky,Meteer,Metchikoff,Mestler,Mestanza,Messman,Messey,Messervy,Messel,Messan,Mesoloras,Mesmer,Mesiona,Mesias,Meshew,Meshanko,Meservy,Mesecar,Mesdaq,Merzig,Mervine,Mertine,Merrills,Merren,Merlette,Merles,Merlain,Merl,Merksamer,Merithew,Merisier,Mering,Merilos,Merical,Merhar,Merette,Mereno,Merdian,Merceir,Mercando,Merante,Merana,Merales,Menucci,Mentkowski,Mentgen,Menso,Mensen,Menkin,Menjes,Menjares,Menitz,Menietto,Menier,Meneus,Menefield,Menees,Mendrin,Mendrala,Mendler,Mendiaz,Mendesa,Mencke,Menchu,Menches,Menas,Mems,Memo,Memmo,Meltzner,Melter,Melstrom,Melsheimer,Melser,Melodia,Mellos,Mellis,Melliere,Mellie,Mellecker,Mellage,Mellady,Melikyan,Melford,Meley,Melencamp,Meleen,Melear,Melchert,Melaun,Melaro,Melady,Mekonis,Meisenburg,Meireles,Meinsen,Meinershagen,Meil,Meihofer,Mehrotra,Mehlhaff,Mehis,Mehelich,Mehdizadeh,Mehdi,Meharry,Mehalko,Megraw,Megown,Mego,Megill,Megia,Meggison,Meggett,Meggerson,Meetze,Meeroff,Meemken,Meehleder,Meeds,Medure,Medosch,Medora,Mednis,Medling,Medland,Medious,Medino,Medin,Medill,Medieros,Medi,Medhus,Medearis,Medanich,Medalion,Meckel,Meccia,Mecardo,Measheaw,Measeck,Mearing,Meara,Meakin,Mcwilson,Mcward,Mcwalters,Mcwade,Mcvoy,Mctush,Mctiernan,Mctarnaghan,Mcswiggan,Mcstay,Mcritchie,Mcrill,Mcquiddy,Mcqueeny,Mcpharlane,Mcphan,Mcpartlin,Mcnutty,Mcnuh,Mcnicoll,Mcnicol,Mcnevin,Mcnespey,Mcneme,Mcnellie,Mcnayr,Mcmina,Mcmenamy,Mcmanigal,Mcluckie,Mclilly,Mcleskey,Mclearan,Mclauchlen,Mclatchy,Mclaen,Mckray,Mckouen,Mckoon,Mckisson,Mckinna,Mckines,Mckimmy,Mckimley,Mckewen,Mckerrow,Mckenzy,Mckentie,Mckemie,Mckaskle,Mckanic,Mcintyde,Mcinroy,Mcinnish,Mcilwaine,Mciltrot,Mchalffey,Mcgurren,Mcgurr,Mcgunnis,Mcgunnigle,Mcgunagle,Mcguinnes,Mcguin,Mcgrotha,Mcgrogan,Mcgraph,Mcgoon,Mcglothern,Mcgloster,Mcglohon,Mcglockton,Mcglawn,Mcginnity,Mcginister,Mcgilberry,Mcgiboney,Mcghin,Mcghaney,Mcgeeney,Mcgeady,Mcgartland,Mcgarraugh,Mcgaffey,Mcgafferty,Mcgaffee,Mcfeeley,Mcfan,Mceneny,Mcelwine,Mcelreavy,Mcelpraug,Mcelmeel,Mceirath,Mceady,Mcdunn,Mcdonnall,Mcdewitt,Mcdermett,Mcdeavitt,Mcdearmont,Mccurine,Mccunn,Mccumbers,Mccumbee,Mccullors,Mccullon,Mccullogh,Mccullock,Mccuan,Mccrate,Mccra,Mccoulskey,Mccornack,Mccormik,Mccorkindale,Mccorison,Mcconnal,Mccomack,Mccole,Mccoil,Mccoard,Mcclurken,Mcclodden,Mcclod,Mcclimens,Mccleveland,Mcclenningham,Mcclellon,Mcclaugherty,Mcclatcher,Mcclarty,Mcclamma,Mcclaim,Mcchain,Mccelland,Mccastle,Mccarvill,Mccarther,Mccarr,Mccarns,Mccarn,Mccard,Mccandrew,Mccandliss,Mccalvin,Mccalpin,Mccalment,Mccallun,Mccallough,Mccahan,Mccaffree,Mcbratney,Mcaveney,Mcausland,Mcauly,Mcarthun,Mcanaw,Mcall,Mbamalu,Mazzera,Mazze,Mazzawi,Mazzaferro,Mazzacano,Mazuo,Mazion,Mazey,Maywood,Mayshack,Mayrose,Mayou,Mayorca,Mayoka,Maynerich,Maylone,Mayhood,Mayeshiba,Maydew,Maxi,Maxell,Mawhinney,Mavropoulos,Mavle,Mavai,Mautte,Mauson,Mausey,Mauseth,Mausbach,Maurus,Maurizio,Maura,Maupredi,Maung,Maultasch,Mauleon,Maud,Matyi,Matuszak,Matushevsky,Matusek,Matuck,Mattys,Mattsey,Mattione,Mattias,Matteis,Matsu,Matsoukas,Matrey,Matot,Matlin,Matkowsky,Matise,Mathwich,Mathus,Mathony,Mathery,Matherson,Mathen,Maten,Matelich,Matejek,Matczak,Matchen,Matarrita,Matakonis,Mataka,Matacale,Masuyama,Masure,Masupha,Masudi,Masturzo,Mastrocola,Mastriano,Mastrianni,Mastrianna,Mastrelli,Massicotte,Massetti,Massella,Massei,Massee,Massaquoi,Masood,Masom,Maslowsky,Masloski,Maslonka,Maski,Maskaly,Masiejczyk,Masgalas,Masero,Masenten,Masciantonio,Masaya,Masaracchia,Marzocchi,Marzili,Marzigliano,Marye,Marusiak,Marullo,Marturano,Martos,Martorello,Martineze,Martillo,Martignago,Martiarena,Marsters,Marshalek,Marsell,Marsek,Marseglia,Marriot,Marrion,Marrington,Marrietta,Marrello,Marreel,Marrable,Marquina,Marque,Marozzi,Marovic,Marotti,Marose,Marnett,Marmolejos,Markt,Markson,Marklund,Markewich,Marinoni,Marinko,Marinas,Maril,Mariello,Marguardt,Margreiter,Margraf,Margel,Margaryan,Margarita,Margan,Marevka,Maresco,Marero,Marentez,Maree,Mardini,Marcotrigiano,Marcoguisepp,Marcks,Marcinka,Marchizano,Marchitto,Marchiony,Marchionese,Marchesseault,Marcheski,Marchesano,Marchall,Marceaux,Marbray,Maratre,Maratos,Marashi,Marasciulo,Maras,Marantz,Marallo,Maragni,Maragh,Marabella,Maquis,Maontesano,Maobi,Manzie,Manzay,Manvelito,Manvel,Manuell,Mantik,Mantele,Mantegna,Mansbridge,Mansanares,Manora,Manolakis,Manokey,Mannine,Mannheimer,Mannebach,Mannchen,Manlito,Mankoski,Manivong,Manheim,Mangubat,Manfra,Manemann,Manecke,Mandry,Mandler,Mandi,Mandap,Mandahl,Mancos,Manciel,Mancherian,Manchel,Manca,Manby,Manatt,Manaker,Mamone,Mammano,Malvern,Malton,Malsch,Malovich,Malouff,Malory,Maloff,Malocha,Malmanger,Mallinger,Mallinak,Mallegni,Mallat,Malkoski,Malinky,Malinak,Malichi,Malgieri,Maleszka,Males,Maleonado,Malenke,Malekan,Malehorn,Maleck,Malcome,Malay,Malawy,Malarkey,Malanado,Malama,Malabey,Makua,Makhija,Makel,Makarem,Majorga,Majocka,Majica,Majic,Majeau,Maizes,Mairot,Maione,Mainz,Mainland,Mainetti,Mainero,Maimone,Maifeld,Maiers,Maiello,Maidonado,Maicus,Mahung,Mahula,Mahrenholz,Mahran,Mahomly,Mahin,Mahe,Mahall,Mahal,Magsby,Magsayo,Magrone,Magraw,Magrann,Magpali,Magouliotis,Magorina,Magobet,Magnini,Magnifico,Magnie,Magnett,Maglioli,Maggit,Magg,Magette,Magdefrau,Magdalena,Magaziner,Magathan,Magalski,Magaldi,Magadan,Mafua,Maeno,Maenaga,Maedke,Madziar,Madre,Madine,Madin,Madhavan,Madge,Madeja,Maddoy,Maddison,Maddin,Maddern,Mad,Macvicar,Macurdy,Macreno,Macpartland,Macoreno,Macola,Macnutt,Macnevin,Macmullan,Maclain,Mackstutis,Macknair,Macklem,Mackillop,Mackenthun,Mackechnie,Mackaman,Macione,Maciolek,Maciarello,Machover,Machle,Machi,Machel,Machak,Macduffee,Maccutcheon,Macculloch,Maccord,Macconaghy,Maccoll,Macclellan,Macclairty,Maccini,Macchiarella,Maccheyne,Maccarter,Maccarino,Maccarini,Macandog,Macanas,Macalma,Macabeo,Maasen,Maarx,Lytell,Lyson,Lysher,Lyngholm,Lynchj,Lynah,Lyme,Lyken,Lyew,Lydecker,Lybert,Lyberger,Lybecker,Lyau,Lweis,Luzi,Luzell,Luvianos,Luvera,Lutze,Lutkus,Luten,Lusty,Lustberg,Lurye,Lury,Lurtz,Luquette,Lupiani,Lupacchino,Lunter,Lunstrum,Lungwitz,Lungsford,Lunemann,Lunderman,Lunch,Luminati,Lumbley,Lumba,Lumadue,Lulas,Lukow,Lukianov,Lukesh,Lukander,Luka,Luing,Luikart,Lugabihl,Lufborough,Luette,Luescher,Lueschen,Luersen,Luensmann,Luening,Lueker,Luedecke,Lueckenbach,Luebbering,Ludovico,Ludera,Ludeker,Ludecke,Luczki,Luco,Luckinbill,Lucis,Lucik,Lucie,Lucic,Luchterhand,Luccous,Lucash,Luberger,Lubbert,Lubben,Lubawy,Lubahn,Luangxay,Luangrath,Luangamath,Luague,Lozey,Loyborg,Loyack,Loxton,Loxtercamp,Lownsbery,Lowler,Lowcks,Lowa,Lovstad,Lovisone,Lovfald,Lovetinsky,Lovet,Lovero,Loverdi,Lovellette,Loveberry,Louwagie,Lournes,Louria,Lourentzos,Lourdes,Louka,Louil,Loudermelt,Louchen,Loubier,Lotto,Lotridge,Lothringer,Lothridge,Lota,Lot,Loszynski,Lossius,Losneck,Loseth,Losavio,Losardo,Losano,Losado,Losacco,Losa,Lorr,Loron,Lorincz,Loria,Loretz,Lorentine,Lordi,Loraine,Lopze,Lopiccalo,Lopey,Loperfido,Lope,Lopata,Lopas,Loparco,Loofbourrow,Longwith,Longhi,Longenberger,Longbine,Longaker,Longabaugh,Lomonte,Lomino,Lominack,Lomen,Lombel,Lombardino,Lomago,Loma,Lokan,Loiacona,Lohry,Lohrke,Lohre,Logoleo,Loggens,Logarbo,Lofwall,Lofty,Lofts,Lofthus,Lofte,Lofstrom,Loforte,Lofman,Lofing,Lofguist,Loffier,Loffelbein,Loerwald,Loeppky,Loehrer,Loehner,Loecken,Lockshaw,Locknane,Lockington,Lockery,Lockemer,Lochrico,Lobregat,Lobley,Lobello,Lobell,Lobalbo,Lobach,Llaneza,Llanet,Llams,Livley,Livinton,Living,Liversedge,Livernois,Livermon,Liverance,Liveoak,Livecchi,Livasy,Liukkonen,Litzenberger,Litvak,Littfin,Litmanowicz,Litchard,Listi,Listen,Lisker,Lisitano,Lisena,Lisbey,Lipsie,Lips,Lippoldt,Lippitt,Lipper,Lipoma,Lipkovitch,Lipira,Lipan,Linzan,Linza,Linsin,Linsenmayer,Linsdau,Linnert,Linman,Linkon,Lingner,Lingley,Lingerfelter,Lingbeek,Linero,Lindorf,Lindmeyer,Lindinha,Linderleaf,Lindau,Lindabury,Linburg,Linak,Limmel,Limle,Limbert,Limardi,Lilyblade,Lillehaug,Likar,Liiv,Ligonis,Ligler,Lighthart,Ligget,Liftin,Lifschitz,Liewald,Lievsay,Lievens,Lietzow,Lierz,Liegler,Liedberg,Lied,Liebrecht,Liebherr,Lieberg,Liebenthal,Liebenow,Liebeck,Lidstone,Lidie,Lidge,Lidder,Licursi,Licklider,Lickfelt,Lichota,Lichenstein,Liceaga,Liccketto,Libertini,Libberton,Leyton,Leyh,Leydecker,Leyda,Lexer,Lewi,Lewars,Levreau,Levra,Levielle,Levian,Leveto,Leversee,Levers,Leverone,Leverance,Levendoski,Levee,Levatino,Levans,Levandofsky,Leuze,Leutwiler,Leuthe,Leuhring,Leuga,Leuckel,Leuasseur,Lettsome,Lettiere,Letscher,Letender,Letchaw,Leta,Lestrange,Lestourgeon,Lestor,Leston,Lessner,Lessmann,Lessly,Lespedes,Leso,Lesneski,Leskovar,Leskovac,Lese,Lesco,Lesches,Lesa,Lerra,Lerper,Lerow,Lero,Lermon,Lepretre,Lepre,Leppink,Lepke,Lepez,Lepetich,Leopardi,Leonpacher,Leonick,Leonberger,Leomiti,Leny,Lenski,Lenorud,Lenort,Lennis,Lennart,Lennan,Lenling,Lenke,Lenigan,Lenhoff,Lenharr,Leners,Lendt,Lendor,Lendo,Lenczyk,Lench,Lenberg,Lemoyne,Lemmonds,Lemmings,Lemish,Lemear,Lembcke,Lemansky,Lemans,Lellig,Lekey,Lekberg,Lekan,Lek,Lejman,Leitzinger,Leithiser,Leiper,Leinwand,Leimkuhler,Leimberger,Leilich,Leigland,Leichtenberge,Leiberton,Leho,Lehning,Lehneis,Lehmer,Lehenbauer,Lehberger,Legrotte,Legro,Legra,Legat,Legall,Lefurgy,Leflores,Leffers,Leffelman,Lefeld,Lefaver,Leetham,Leesman,Leeker,Leehan,Leeber,Ledsinger,Ledermann,Ledenbach,Ledee,Led,Lecznar,Leckband,Lechleidner,Lechelt,Lecato,Lecaros,Lecain,Lebroke,Lebold,Leblane,Lebitski,Lebish,Leberte,Lebedeff,Lebby,Lebaugh,Lebarge,Leavigne,Leaven,Leasor,Leasher,Leash,Leanza,Leanen,Leaird,Leahman,Leadford,Lazusky,Lazurek,Lazott,Lazio,Lazier,Lazich,Lazewski,Lazares,Layva,Layell,Laycox,Lawsky,Lawrentz,Lawis,Lawford,Lawcewicz,Lawbaugh,Lawary,Lawal,Lavongsar,Lavgle,Lavezzo,Lavelli,Lave,Lavani,Lavander,Lavagnino,Lavadera,Lautieri,Lautaret,Lausell,Lauschus,Laurole,Lauretta,Laureno,Laureles,Laurance,Launiere,Laundree,Lauigne,Laughon,Laugen,Laudeman,Laudadio,Lauckner,Lauchaire,Lauby,Laubersheimer,Latus,Latourrette,Latos,Laton,Lathrum,Lather,Lathe,Latendresse,Late,Latassa,Latam,Lat,Lastella,Lassetter,Laskosky,Laskoskie,Lasin,Lasik,Lashlee,Lashier,Laselle,Laschinger,Lascaro,Lasane,Lasagna,Lasage,Larusch,Larrosa,Larriviere,Larralde,Larr,Larowe,Larousse,Larotta,Laroia,Laroe,Larmett,Larman,Larkan,Largena,Laregina,Lardone,Larcom,Larche,Larbie,Larbi,Larason,Laranjo,Laragy,Laraby,Larabell,Larabel,Lapuerta,Lappinga,Lappi,Laport,Lapinta,Lapila,Laperuta,Lapere,Laper,Lapek,Lapari,Lapalme,Laorange,Lanze,Lanzarotta,Lantry,Lantgen,Lantelme,Lanteigne,Lansey,Lansberg,Lannier,Lannen,Lanna,Lankster,Lanie,Langrum,Langness,Langmo,Langlitz,Langi,Langholdt,Langhans,Langgood,Langanke,Lanfor,Lanen,Laneaux,Landu,Landruth,Landrie,Landreville,Landres,Landquist,Landolf,Landmark,Landini,Landevos,Landenberger,Landan,Lancz,Lamudio,Lampsas,Lampl,Lampinen,Lamphiear,Lampel,Lamoree,Lamoreau,Lamoore,Lamontagna,Lammy,Lammel,Lamison,Laming,Lamie,Lamia,Lameda,Lambuth,Lambertus,Lambermont,Lamartina,Lamango,Lamaack,Lalinde,Lalich,Lale,Lakowski,Lakhan,Lajoye,Lajoy,Laios,Lahne,Laham,Laguire,Lagrenade,Lagore,Lagoo,Lagonia,Lagoni,Laglie,Laggan,Lagesse,Lagerstedt,Lagergren,Lagatta,Lagard,Lagant,Lagamba,Lagadinos,Lafuze,Lafrate,Laforey,Lafoon,Lafontain,Laflam,Laffer,Lafevre,Lafemina,Lafantano,Laface,Laessig,Laehn,Ladt,Ladouce,Ladonne,Lado,Ladika,Ladick,Ladebauche,Lacz,Lacusky,Lacovara,Lackett,Lackage,Lachino,Lachiatto,Lacharite,Lacerenza,Lacek,Lacau,Lacatena,Lacaille,Labovitch,Labounta,Labombar,Laboissonnier,Labo,Labitan,Labier,Labeots,Labarriere,Labaro,Labarbara,Laatsch,Laasaga,Laake,Kyseth,Kypuros,Kyper,Kyner,Kwilosz,Kvzian,Kvoeschen,Kveton,Kvek,Kveen,Kvaternik,Kuziel,Kuypers,Kuykendoll,Kuwana,Kuwada,Kutzer,Kuty,Kutlu,Kuti,Kutchie,Kuszynski,Kussmaul,Kussel,Kusnic,Kusner,Kusky,Kushaney,Kurzinski,Kurtti,Kurshuk,Kurr,Kurokawa,Kurns,Kuretich,Kurasz,Kurant,Kura,Kur,Kupihea,Kupferberg,Kupersmith,Kupchinsky,Kunter,Kunkleman,Kuniyoshi,Kunimitsu,Kunich,Kundanani,Kunau,Kummerow,Kumlander,Kumfer,Kuman,Kumalaa,Kum,Kulseth,Kulbeth,Kulbacki,Kulback,Kukura,Kukler,Kuklenski,Kukauskas,Kukahiko,Kujat,Kuiz,Kuitu,Kuick,Kuhry,Kuhlenschmidt,Kuffa,Kuepfer,Kuehnhold,Kuechler,Kudro,Kudrle,Kuczma,Kuckens,Kuciemba,Kuchinski,Kuchem,Kubley,Kubler,Kubesh,Kubeck,Kubasch,Kub,Kuanoni,Krzewinski,Krzesinski,Krzan,Kryston,Krystek,Krynicki,Krylo,Kruzel,Kruyt,Kruszewski,Krusor,Kruskie,Krushansky,Krush,Kruppenbacher,Krupinsky,Krumroy,Krumbein,Krumbach,Krukiel,Kruizenga,Kruis,Kruiboesch,Kruebbe,Krucke,Krotine,Krostag,Kropff,Kropfelder,Kroninger,Kronau,Krome,Krolick,Krokus,Krog,Krofta,Krofft,Kroesing,Krochmal,Krobath,Krnach,Krivanec,Kristofferson,Kristof,Kristan,Krissie,Kriskovich,Kriske,Krishun,Krishnamurthy,Krishman,Krinov,Kriek,Kriegshauser,Krewer,Kreutzbender,Kreusch,Kretzinger,Kressler,Kressin,Kressierer,Kresky,Krepp,Krenzke,Krenning,Krenik,Kremple,Kremmel,Kremen,Krejcik,Kreissler,Kreinhagen,Krehel,Kreese,Krawitz,Kravetsky,Kravets,Kravec,Krausse,Krausmann,Krauel,Kratowicz,Kratchman,Krasnici,Krasnansky,Kraskouskas,Krasinski,Kranwinkle,Kranock,Kramarczyk,Krallman,Krallis,Krakowiak,Krakauer,Krainbucher,Kraig,Kraichely,Krahulec,Krahe,Krah,Kragt,Kraetsch,Krabel,Krabbenhoft,Kraasch,Kraack,Kozlovsky,Kozlik,Koziak,Kozeyah,Kozan,Kowitz,Kowalke,Kowalec,Koves,Kovalaske,Kovacik,Koutras,Koussa,Kousonsavath,Kounthong,Kounthapanya,Kounovsky,Kounkel,Kounick,Koulavongsa,Koulalis,Kotyk,Kotur,Kottraba,Kottlowski,Kotterna,Kotschevar,Kotonski,Kotlar,Kotheimer,Kotey,Koterba,Koteras,Kotarski,Kotaki,Kosuta,Kostrzewa,Kostiv,Kosters,Kossey,Kossen,Kossak,Kososky,Kosorog,Koso,Koslan,Kosiorek,Koshi,Koscielniak,Kosareff,Korzyniowski,Korzybski,Korynta,Korwin,Korwatch,Kortemeier,Korst,Korsmeyer,Korslund,Koroch,Kornn,Kornfield,Kornblatt,Korkmas,Koritko,Korinta,Koria,Korewdit,Kores,Korenek,Kordys,Kordowski,Kordiak,Korbin,Kopsho,Koppy,Kopke,Kopin,Kopicko,Kopiasz,Koperski,Kopay,Kopatz,Kopan,Koosman,Koong,Koolman,Kool,Konty,Konow,Konopski,Konma,Konishi,Konger,Konetchy,Kone,Konderla,Konczewski,Konarik,Komula,Kominski,Komada,Koma,Kolwyck,Kolupke,Koltz,Kolts,Kolppa,Koloc,Kollross,Kollos,Kolkman,Kolkhorst,Kolikas,Kolic,Kolbusz,Kolassa,Kol,Kokubun,Kokoszka,Kokko,Kokenge,Koitzsch,Koiner,Kohus,Kohles,Kohel,Koguchi,Kofoot,Koers,Koenitzer,Koeninger,Koenigsberg,Koener,Koenemund,Koelbel,Koehring,Koeck,Kody,Kodera,Koczwara,Kocieda,Kochkodin,Kochen,Kochanek,Kobylski,Kobylarz,Kobylarczyk,Kobold,Knyzewski,Knupke,Knudsvig,Knowiton,Knowell,Knous,Knotowicz,Knorp,Knoflicek,Knoeppel,Knoepke,Knoell,Knoechel,Knodel,Knockaert,Knobler,Kniola,Knill,Knilands,Kniesel,Kniceley,Kneuper,Knetsch,Kneser,Knerien,Knellinger,Kneefe,Knazs,Knatt,Knapko,Knapick,Knape,Knap,Knake,Kmiotek,Kment,Kmatz,Kman,Klyn,Klute,Kluse,Klumph,Klukken,Klukan,Kluemper,Kluber,Klosky,Kloppenburg,Klonowski,Klomp,Klohs,Klohe,Kloeppel,Kloeker,Kloefkorn,Kloeck,Klobucar,Kljucaric,Klitzner,Klitsch,Kliskey,Klinski,Klinnert,Klinich,Klingner,Klingenberger,Klingberg,Klingaman,Klimo,Klimavicius,Klickman,Klicka,Klez,Klevjer,Klette,Kletschka,Kless,Kleppen,Klenovich,Kleintop,Kleinsasser,Kleinfeld,Kleifgen,Kleid,Kleftogiannis,Kleefisch,Kleck,Klebes,Klear,Klawuhn,Klawinski,Klavon,Klavetter,Klarin,Klappholz,Klande,Klancnik,Klan,Klamn,Klamert,Klaja,Klaich,Klafehn,Klabunde,Kjolseth,Kjergaard,Kjellsen,Kjellman,Kjeldgaard,Kizzia,Kizior,Kivela,Kitty,Kitthikoune,Kittelman,Kitelinger,Kitcher,Kitchenman,Kitanik,Kisro,Kisielewski,Kiryakoza,Kirsopp,Kirshman,Kirlin,Kirkness,Kirkling,Kirkconnell,Kirgan,Kirchmann,Kirchherr,Kirchberg,Kirchbaum,Kirberger,Kiracofe,Kipple,Kip,Kious,Kintopp,Kintigh,Kinsolving,Kinsky,Kinlin,Kinlecheeny,Kingwood,Kingson,Kinds,Kindregan,Kinderman,Kinde,Kimminau,Kimbal,Kilver,Kiltie,Kilstofte,Kilogan,Kilness,Kilner,Kilmister,Killoren,Killius,Kilimnik,Kilichowski,Kildare,Kiko,Kijak,Kiili,Kihlstrom,Kietzer,Kiesser,Kierzewski,Kienbaum,Kienast,Kieke,Kieck,Kiebala,Kiddle,Kickel,Kichline,Kibbler,Kiani,Khubba,Khora,Khokher,Khn,Khlok,Khilling,Khensamphanh,Khemmanivong,Khazdozian,Khazaleh,Khauv,Khairallah,Kezele,Keyon,Keyl,Kew,Kevwitch,Kevorkian,Keveth,Kevelin,Kevan,Keuper,Ketzler,Kettinger,Ketterl,Ketteringham,Kettenring,Ketchersid,Kessans,Kesey,Kesek,Kertzman,Kertels,Kerst,Kerper,Kernodle,Kernighan,Kernagis,Kermes,Kerens,Kercheff,Kerce,Kerans,Keppner,Kepke,Kepani,Keovongxay,Keoghan,Keodalah,Keobaunleuang,Kenzie,Kenson,Kenoyer,Kenouo,Kennie,Kenngott,Kennaugh,Kenik,Keney,Kenekham,Kenealy,Kendziora,Kendal,Kenaga,Kempster,Kemps,Kempon,Kempkens,Kemmeries,Kemerly,Keltt,Kellywood,Kellish,Kellem,Keliipaakaua,Kelau,Keks,Keisacker,Keis,Keinonen,Keilholz,Keilholtz,Keihl,Kehres,Keetch,Keetan,Keet,Keeser,Keenom,Keeman,Keehner,Keehan,Kedra,Kedia,Kecskes,Kecker,Kebede,Kebe,Keba,Keaty,Keaten,Keaser,Kearsey,Kearn,Kazunas,Kazimi,Kazar,Kazabi,Kaza,Kayat,Kayastha,Kawski,Kawell,Kawczynski,Kawaiaea,Kave,Kavaney,Kaut,Kaushal,Kausch,Kauo,Kaumans,Kaui,Kauder,Kaucher,Kaua,Katzmann,Katzaman,Katterjohn,Kattaura,Katsaounis,Katoh,Katke,Katis,Katin,Katie,Kathleen,Kathel,Kataoka,Kaszton,Kaszinski,Kasula,Kasuba,Kastens,Kaspari,Kasmarek,Kasky,Kashner,Kasen,Kasemeier,Kasee,Kasal,Karz,Karwowski,Karstensen,Karroach,Karro,Karrels,Karpstein,Karpe,Karoly,Karnath,Karnas,Karlinsky,Karlgaard,Kardux,Karangelen,Karamchandani,Karagiannes,Karageorge,Karabin,Kar,Kapsner,Kapperman,Kappelmann,Kapler,Kapiloff,Kapetanos,Kanzenbach,Kanwar,Kantis,Kantah,Kanosh,Kanoon,Kanniard,Kannan,Kanjirathinga,Kangleon,Kaneta,Kanekuni,Kanealii,Kand,Kanakares,Kamstra,Kamradt,Kampner,Kamna,Kammerzell,Kamman,Kamiya,Kaminska,Kamensky,Kamber,Kallhoff,Kallfelz,Kalley,Kallestad,Kallal,Kalista,Kalhorn,Kalenak,Kaldahl,Kalberg,Kalandek,Kalan,Kalamaras,Kalafarski,Kalaf,Kakowski,Kakeh,Kakani,Kajder,Kaja,Kaines,Kaiktsian,Kaid,Kahookele,Kahoohalphala,Kahley,Kahao,Kahalehoe,Kahal,Kahae,Kagimoto,Kaewprasert,Kaemingk,Kadow,Kadelak,Kaczka,Kacvinsky,Kacprowski,Kachmarsky,Kabzinski,Kabus,Kabir,Kabigting,Kabala,Kabacinski,Kababik,Kaarlela,Kaanana,Kaan,Kaak,Kaai,Ka,Juvenal,Justian,Juste,Justak,Jurries,Jurney,Jurkovich,Jurist,Jurin,Jurgen,Juray,Junod,Junkersfeld,Junick,Jumbo,Julsrud,Julitz,Juliana,Jukich,Juengling,Juen,Juelich,Judie,Jubyna,Jubran,Jubeh,Juback,Juba,Juanico,Joynson,Joyne,Jover,Journot,Joto,Jotblad,Josic,Jorrisch,Jordt,Jording,Jondrow,Jonah,Jome,Jollimore,Joline,Jolina,Joler,Joki,Johnting,Johnstonbaugh,Johnikins,Johniken,Johe,Johansing,Johal,Joganic,Joerger,Joelson,Joehnck,Jody,Jodha,Joanis,Jirsa,Jirak,Jira,Jingst,Jhingree,Jhanson,Jews,Jestis,Jessica,Jeskie,Jesiolowski,Jesenovec,Jeschon,Jermeland,Jerkin,Jericho,Jerger,Jergen,Jerding,Jepko,Jens,Jenovese,Jennkie,Jenderer,Jenab,Jempty,Jemmings,Jelome,Jellings,Jelden,Jelarde,Jeffryes,Jeffirs,Jedan,Jecmenek,Jecklin,Jeck,Jeanquart,Jeanphilippe,Jeannoel,Jeanette,Jeancy,Jaysura,Javis,Javers,Javed,Jave,Jaussen,Jauhar,Jastremski,Jastrebski,Jasmann,Jaskolka,Jasko,Jaskiewicz,Jasica,Jasch,Jarriett,Jaroski,Jarnutowski,Jarmin,Jaremka,Jarema,Jarels,Jarecke,Jarding,Jardel,Japak,Janysek,Janway,Janowiec,Janow,Janofsky,Janoff,Jannise,Jannett,Jankoff,Janeiro,Jana,Jaminet,Jami,Jamgochian,Jamesson,Jamer,Jamel,Jamason,Jalovel,Jalkut,Jakubov,Jaksic,Jaksch,Jakiela,Jaji,Jaiyesimi,Jahosky,Jahoda,Jahaly,Jagiello,Jaggie,Jafek,Jafari,Jae,Jadoo,Jaculina,Jacquin,Jacquelin,Jacobsohn,Jacobovits,Jackso,Jacksits,Jackosn,Jackett,Jacinthe,Jabbie,Jabaut,Jabali,Jaarda,Izak,Izaguine,Iwasko,Iwashita,Ivrin,Ivener,Iveans,Ivancic,Iuchs,Itnyre,Istorico,Isiminger,Isgur,Isgro,Isenbarger,Iseman,Isebrand,Isaksen,Isagba,Isacson,Isaack,Irr,Ironhorse,Irigoyen,Ireson,Ipsen,Iossa,Inzano,Introini,Insognia,Inserra,Inostraza,Innerst,Innella,Innarelli,Innamorato,Inkavesvanitc,Ingvolostad,Inguardsen,Ingran,Ingrahm,Ingraffea,Ingleton,Inghem,Ingersol,Ingargiolo,Inferrera,Iner,Induddi,Indermuehle,Indeck,Indal,Incomstanti,Incera,Incarnato,Inbody,Inabnit,Imming,Immerman,Immediato,Imholte,Imeson,Imbruglia,Imbrock,Imbriale,Imbrenda,Imam,Imada,Iltzsch,Illovsky,Illich,Illas,Illar,Iliffe,Ilg,Ilarraza,Ilaria,Ilalio,Ikzda,Ikkela,Ikenberry,Ikemoto,Ikemire,Ikeard,Ihnen,Ihenyen,Iheme,Igus,Iguina,Ignoria,Igles,Igbinosun,Ifie,Ifft,Ifeanyi,Ifantides,Iennaco,Idrovo,Idriss,Idiart,Ickert,Icardo,Ibric,Ibdah,Ibbotson,Ibasitas,Iarussi,Iara,Iannalo,Iamiceli,Iacuzio,Iacobucci,Iacobelli,Hysquierdo,Hyske,Hydzik,Hyberger,Hyatte,Huysman,Huyna,Hutyra,Huttman,Huttar,Huter,Husul,Hustedt,Hussy,Hussong,Hussian,Huski,Hushon,Husein,Husaini,Hurtubise,Hurta,Hurni,Hurme,Hupy,Huppenbauer,Hunze,Hunson,Huner,Hundertmark,Hunderlach,Humston,Hummert,Huminski,Humerick,Humbard,Hulzing,Hulshoff,Hulmes,Hukle,Hujer,Huitink,Huirgs,Hugus,Huguet,Hugghis,Huffstutter,Huerto,Huertes,Huenergardt,Huemmer,Huelle,Huehn,Huebsch,Hudok,Hudnut,Hudlow,Hudlin,Hudes,Huddy,Huckabone,Huckabaa,Hubsch,Hubl,Hubertz,Htwe,Hsy,Hrycko,Hrna,Hric,Hribal,Hrcka,Hrbacek,Hranchak,Hradecky,Hoysock,Hoyne,Hoylton,Hoyal,Hoxsie,Howlingwolf,Howett,Howarter,Hovnanian,Hovard,Hovantzi,Hovanes,Houzah,Houtkooper,Housner,Housemate,Hourihan,Houltberg,Houghtelling,Houey,Houchard,Houben,Hotter,Hotten,Hottell,Hotek,Hosoi,Hosner,Hosle,Hoskyns,Hoskey,Hoshino,Hosfield,Hortein,Horseford,Horse,Horridge,Hornshaw,Horns,Hornlein,Hornig,Horneff,Hormuth,Horimoto,Horesco,Horenstein,Horelick,Hore,Horbert,Horabik,Hoppenrath,Hoppa,Hopfauf,Hoosock,Hool,Hoogheem,Hoogendoorn,Hoo,Honus,Honold,Honokaupu,Honigsberg,Hongisto,Hongeva,Hones,Honegger,Hondros,Hondel,Honchul,Honch,Homza,Homsey,Homrighaus,Hommer,Homiak,Homby,Homans,Holznecht,Holzmiller,Holzhueter,Holzboog,Holtmeier,Holtmann,Holthouse,Holthoff,Holtham,Holtgrefe,Holstad,Holshovser,Holquist,Holmers,Hollyday,Hollo,Hollner,Hollinghurst,Holleyman,Hollett,Hollerud,Hollering,Hollembaek,Hollarn,Hollamon,Hollack,Holihan,Holibaugh,Holgersen,Holdy,Holdgrafer,Holdcraft,Holdbrook,Holcroft,Holch,Hokula,Hokett,Hojeij,Hojczyk,Hoivik,Hoiseth,Hoinacki,Hohnson,Hohney,Hohmeier,Hohm,Hohlstein,Hogstrum,Hogon,Hoglan,Hogenmiller,Hogains,Hoga,Hofstra,Hofstadter,Hofhine,Hoffpavir,Hoeser,Hoerig,Hoerger,Hoelzel,Hoelter,Hoeller,Hoek,Hoehl,Hoefflin,Hoeffer,Hodosy,Hodnicki,Hodermarsky,Hodd,Hockley,Hochstine,Hochfelder,Hobstetter,Hoblit,Hobin,Hoberek,Hobb,Hnot,Hlywa,Hlastala,Hjermstad,Hizkiya,Hitzfelder,Hiteman,Hitchko,Hitchingham,Hissom,Hismith,Hiske,Hirte,Hirschmann,Hirose,Hirezi,Hipsley,Hippley,Hipol,Hintergardt,Hinokawa,Hinely,Hindsman,Hindmarsh,Hinderaker,Hindall,Hinckson,Hinajosa,Himmelsbach,Himmelright,Hilyar,Hilvers,Hilu,Hiltunen,Hiltebeitel,Hilsgen,Hilovsky,Hilo,Hilmer,Hillseth,Hillered,Hilleman,Hillbrant,Hillabush,Hilla,Hilkert,Hilk,Hildman,Hilbner,Hilbig,Hilb,Hila,Hija,Higy,Hightshoe,Higashida,Hiens,Hielscher,Hidde,Hidaka,Hickley,Hickingbotham,Hickie,Hiciano,Hibble,Hibbits,Heziak,Heynen,Heykoop,Heydenreich,Heybrock,Hevrin,Hevessy,Heugel,Heuangvilay,Hettes,Hettenhausen,Hetling,Hetjonk,Hethcox,Hethcote,Hetchman,Hetcher,Hesterly,Hessman,Hesselrode,Hesselman,Hesselbein,Hesselbach,Herzbrun,Heryford,Herwehe,Hervol,Hertle,Herta,Herskovic,Hershnowitz,Hershfield,Herschaft,Hersberger,Herrud,Herrnandez,Herrlich,Herritt,Herrion,Herrand,Herran,Herout,Heroth,Heronemus,Hero,Herny,Hermus,Herline,Herley,Hergenroeder,Hergenreter,Herena,Herem,Herek,Hercman,Heral,Hequembourg,Heppert,Hepperly,Heppel,Heppding,Henzler,Hentrich,Henter,Hensle,Hensdill,Henschke,Hennighausen,Hennard,Henkin,Henges,Henedia,Hendson,Hendsbee,Hendrics,Hendrickx,Hencken,Henchel,Hencheck,Hemsworth,Hemry,Hemperley,Hemmig,Hemmeter,Hemmert,Hemmelgarn,Hemmeke,Hemley,Hemeyer,Hemerly,Hembre,Hemans,Hemanes,Helwick,Helvik,Helphinstine,Helphenstine,Helowicz,Helmert,Helmen,Helmbright,Helliwell,Helley,Hellerman,Hellenbrand,Helferty,Helfert,Hekman,Heitmuller,Heitbrink,Heisse,Heisner,Heir,Heinzle,Heinzerling,Heino,Heinig,Heindl,Heimerl,Heimbuch,Heilbrun,Heilbron,Heidtke,Heidmann,Heglund,Heggins,Heggestad,Hegener,Hegdahl,Hefter,Heffernen,Heery,Heebsh,Hedrix,Hedler,Hedeiros,Hedegaard,Heddleson,Heddins,Hect,Heckle,Heckers,Hebsch,Hebrard,Heberer,Hebblethwaite,Heaviland,Heartley,Hearston,Heang,Hean,Heam,Heagany,Headlon,Heading,Hazouri,Hazinski,Hazekamp,Hayword,Haysbert,Hayn,Hayball,Hawkings,Havier,Havermann,Havekost,Hauswald,Haustein,Hausteen,Hauslein,Hausher,Haurin,Hauptly,Haulbrook,Haukaas,Haugaard,Hauffe,Hauben,Hatzell,Hatto,Hattenbach,Hatridge,Hatlee,Hathcox,Hatchette,Hatcherson,Hatake,Hassig,Hasselvander,Hasselkus,Haslinger,Haskamp,Hashbarger,Hasha,Hasfjord,Hasencamp,Haseloff,Haschke,Hasbni,Hasbell,Hasak,Harwin,Harvley,Harvilchuck,Harvick,Harutunian,Hartzo,Hartzheim,Hartjen,Hartgraves,Hartgrave,Hartgerink,Hartenstein,Harsy,Harrisow,Harrigton,Harrellson,Harralson,Harrald,Harradine,Harraden,Haroun,Harnly,Harnes,Harnar,Harnan,Harnack,Harlston,Harlor,Harleston,Harkenreader,Harkcom,Harjochee,Hargest,Harges,Harfert,Harens,Hardung,Hardney,Hardinson,Hardigan,Harby,Harbus,Harbough,Harbottle,Harbold,Harary,Haramoto,Harader,Harabedian,Har,Happney,Happe,Haper,Hape,Hanville,Hanusey,Hantzarides,Hantula,Hanstine,Hansteen,Hansson,Hansrote,Hansil,Hanoharo,Hanock,Hannula,Hanno,Hannem,Hanneken,Hannegan,Hanmore,Hanisko,Hanisco,Hanify,Hanhan,Hanegan,Handt,Handshaw,Handschumaker,Handren,Handlin,Handing,Handeland,Hanagan,Hanagami,Hanafin,Hanafan,Hanacek,Hamway,Hampon,Hamper,Hamparian,Hamor,Hamontree,Hamolik,Hamnon,Hamn,Hammet,Hammerstein,Hammerstad,Hammerlund,Hammed,Hammang,Hameen,Hamborsky,Hamb,Hamalak,Hamai,Halwood,Halston,Halpainy,Halon,Halmstead,Halmick,Hallstead,Hallowich,Hallio,Hallie,Hallerman,Halleen,Hallczuk,Hallan,Halgren,Halechko,Halcom,Halbritter,Halaliky,Hal,Hajdukiewicz,Hait,Haislett,Hairster,Hainsey,Hainds,Hailes,Hagwell,Hagon,Haghighi,Haggstrom,Haggis,Haggen,Hageny,Hagelgans,Hagarty,Hafenbrack,Haessler,Haessig,Haerr,Haener,Haen,Haeckel,Hadson,Hadland,Hadian,Haddaway,Hackmeyer,Hackethal,Hackerd,Hackenmiller,Hackenbery,Hacke,Hackborn,Hachette,Habif,Habermann,Haberern,Habbs,Haakinson,Haagensen,Gzym,Gyurko,Gyllenband,Gyaki,Gwynes,Gwenn,Guzmdn,Guziczek,Guz,Guyott,Guyot,Guyet,Guttenberg,Gutschow,Gutreuter,Gutrerrez,Gutieres,Gutiennez,Guthorn,Guthary,Guterriez,Gutenson,Gussin,Gushue,Gusa,Gurvine,Gurtin,Gurrad,Gurne,Guridi,Gureczny,Guralnick,Gunzenhauser,Gunthrop,Gunkelman,Gunagan,Gun,Gumphrey,Gummersall,Gumbert,Gulnick,Gullung,Gullage,Gulini,Gulikers,Guley,Guldemond,Gulde,Gulbraa,Gulati,Guittennez,Guitreau,Guith,Guitar,Guirgis,Guinle,Guiltner,Guilstorf,Guillote,Guillan,Guilianelli,Guilbe,Guiffre,Guiel,Guidaboni,Guiao,Guialdo,Guevana,Guesman,Guerrouxo,Guerinot,Gueretta,Guenison,Guenin,Guempel,Guemmer,Guelpa,Guelff,Guelespe,Guedesse,Gudroe,Gudat,Guckes,Gucciardi,Gubser,Gubitosi,Gubernath,Gubbins,Guarracino,Guarin,Guariglio,Guandique,Guaman,Gualdoni,Guadalajara,Grzywinski,Grzywacz,Grzyb,Grzesiak,Grygiel,Gruzinsky,Gruters,Grusenmeyer,Grupa,Gruninger,Grunin,Grundon,Gruhlke,Gruett,Gruesbeck,Gruell,Grueber,Gruda,Grubman,Gruba,Grovier,Grothen,Groszkiewicz,Grossley,Grossklaus,Grosshans,Grosky,Groshek,Grosenick,Groscost,Grosby,Groombridge,Gronvall,Gromley,Grollman,Grohoske,Groesser,Groeber,Grocott,Grobstein,Grix,Grivna,Gritsch,Grit,Gristede,Grissam,Grisostomo,Grisom,Grishan,Grip,Grinner,Grinman,Grines,Grindel,Grimlie,Grimard,Grillette,Griggers,Grigas,Grigalonis,Grigaliunas,Grifin,Griffins,Griffes,Griffel,Grife,Griesmeyer,Griesi,Griem,Grham,Grgurevic,Greyovich,Greydanus,Greviston,Gretzner,Gretz,Gretsch,Greto,Gresl,Gresko,Grengs,Gremler,Greist,Greisser,Greisiger,Greiser,Greiber,Gregoroff,Gregoreski,Gregas,Greenrose,Greenlow,Greenlees,Greenfelder,Greenen,Greenbush,Greeb,Grebs,Grebel,Greaux,Grdina,Gravit,Gravenstein,Gravelin,Grava,Graul,Graughard,Graue,Grat,Grastorf,Grassano,Grasmuck,Grashot,Grasha,Grappo,Graper,Granvil,Granucci,Grantier,Granstaff,Granroth,Granizo,Graniero,Graniela,Granelli,Grandos,Grandmont,Gramza,Graminski,Gramberg,Grahams,Grago,Graen,Graefe,Grae,Gradle,Graciani,Graci,Grabowiecki,Grabauskas,Gounder,Gougeon,Goudge,Gouchie,Gou,Gottula,Gottleber,Gotthardt,Gotowka,Gotlib,Gotimer,Gothier,Gothe,Goswami,Gostowski,Gossin,Gosserand,Gossen,Goshow,Goshi,Gosda,Gosche,Gorychka,Gorri,Gornikiewicz,Gorlich,Gorgo,Gorglione,Goretti,Gorence,Gorelik,Goreczny,Gordis,Gorczynski,Gorans,Gootz,Goosen,Goonez,Goolsbee,Goolia,Goodvin,Goodpastor,Goodgine,Goodger,Gooder,Goodenberger,Goodaker,Goodacre,Gonzolez,Gonzaliz,Gonsalues,Gones,Gone,Gondran,Gonda,Gonazlez,Gomzalez,Gomey,Gome,Gomberg,Golumski,Goluba,Goltry,Goltra,Golpe,Golombecki,Gollwitzer,Gollogly,Gollin,Golkin,Golk,Goldware,Goldrup,Goldrich,Goldhammer,Goldhahn,Goldfischer,Goldfield,Goldeman,Goldak,Golberg,Golba,Golanski,Golabek,Goick,Gogocha,Goglia,Gogins,Goetzke,Goettman,Goettig,Goetjen,Goeman,Goeldner,Goeken,Goeden,Godyn,Godwyn,Godown,Godfray,Goderich,Gode,Godde,Goda,Gockerell,Gochnauer,Gochie,Gobrecht,Gobeyn,Gobern,Gobea,Gobbo,Gobbi,Gnagey,Glugla,Gluckman,Gluc,Glowski,Glowka,Glowinski,Glow,Glossner,Gloff,Gloe,Glodich,Gliwski,Gliues,Glise,Glinkerman,Glimp,Glicher,Glenny,Glembocki,Gleiss,Gleichweit,Gleghorn,Glaviano,Glauser,Glaue,Glaubke,Glauberman,Glathar,Glasow,Glashen,Glasglow,Glarson,Glapion,Glanden,Glader,Gladen,Glacken,Gjorven,Gjokaj,Gjesdal,Gjelten,Givliani,Gitzlaff,Gittere,Gitlewski,Gitchell,Gissler,Gisriel,Gislason,Girolami,Girmazion,Girellini,Girauard,Girardeau,Girad,Giove,Gioriano,Gionson,Gioacchini,Ginnetti,Ginnery,Ginanni,Gillom,Gillmer,Gillerist,Gillentine,Gilhooley,Gilfoy,Gilespie,Gildroy,Gildore,Gilcoine,Gilarski,Gihring,Giggie,Giessinger,Gierling,Gielstra,Giehl,Giegerich,Giedlin,Gieber,Giebel,Gidwani,Gicker,Gibes,Gibbings,Gibbard,Gianopulos,Gianola,Giannell,Giandelone,Giancaspro,Giancarlo,Gian,Giamichael,Giagni,Giacomazzi,Giacoletti,Giachino,Ghramm,Ghosten,Ghiringhelli,Ghiorso,Ghil,Ghia,Gheza,Ghekiere,Gheewala,Ghazvini,Ghazi,Ghazal,Ghaor,Ghane,Ghanayem,Ghamdi,Gfroerer,Geyette,Gewinner,Gewant,Gevorkian,Gevedon,Geuder,Getting,Gettenberg,Getschman,Getachew,Gestes,Gesselli,Geryol,Gerych,Gerty,Gerton,Gertken,Gerster,Gersch,Gerpheide,Geronime,Gerondale,Gerock,Germinaro,Germershausen,Germer,Gerlock,Gerla,Gerking,Gerguson,Geres,Gerbs,Gerbi,Gerathy,Gerardot,Georgiana,Georgales,Geohagan,Geoghan,Geoffrey,Genualdi,Gentis,Gennusa,Gennaria,Gennarelli,Genin,Genga,Geng,Geneseo,Generous,Generoso,Genera,Genberg,Gemmel,Gembe,Gembarowski,Gelzer,Gelo,Gellis,Gellespie,Gell,Gelineau,Gelger,Geldrich,Gelbach,Geister,Geissel,Geisen,Geiman,Geils,Gehrking,Gehri,Gehrett,Gehred,Gefroh,Geerken,Geelan,Gedris,Gedo,Gechas,Gecan,Gebrayel,Gebers,Geasley,Geanopulos,Gdula,Gbur,Gazzillo,Gazza,Gazo,Gaznes,Gazdecki,Gayoso,Gayo,Gaymes,Gawlak,Gavula,Gavles,Gaviria,Gavinski,Gavigan,Gaves,Gavell,Gavalis,Gautsch,Gauron,Gauntner,Gaulzetti,Gattie,Gatski,Gatch,Gata,Gastelun,Gastellum,Gastel,Gasson,Gassler,Gasse,Gasquet,Gaspari,Gasienica,Gaseoma,Gasch,Garzone,Garverick,Garve,Garthee,Garrod,Garriss,Garrish,Garraghty,Garnet,Garness,Garnder,Garlovsky,Gariti,Garich,Garibaldo,Garib,Gargani,Garfias,Garff,Garf,Gares,Garen,Gardy,Garder,Garcelon,Garced,Garavelli,Garala,Garacci,Ganze,Gantewood,Ganska,Gannoe,Ganji,Ganja,Ganibe,Ganiban,Ganguli,Gangluff,Gangadyal,Gane,Gandhy,Gandarillia,Gancio,Gana,Gamrath,Gamewell,Gamela,Gamberini,Gamberg,Gambell,Gambaiani,Galvano,Galva,Galustian,Galston,Galstian,Galson,Gals,Galon,Galofaro,Gallipo,Gallery,Galleno,Gallegher,Gallante,Gallagos,Gallaga,Galjour,Galinoo,Galinol,Galin,Galietti,Galhardo,Galfayan,Galetti,Galetta,Galecki,Galauiz,Galaska,Galashaw,Galarita,Galanga,Galacio,Gailun,Gailis,Gaibler,Gagon,Gago,Gagliardotto,Gaetke,Gaestel,Gaekle,Gadue,Gades,Gacusan,Gacad,Gabrel,Gabouer,Gabisi,Gabino,Gabbett,Gabbay,Gab,Gaarsland,Fyles,Fventes,Fusselman,Fusik,Fusi,Fusha,Fusca,Furuyama,Furubotten,Furton,Furrh,Furne,Furna,Furlotte,Furler,Furkin,Furfey,Fure,Furch,Furay,Fupocyupanqui,Funderbunk,Fundenberger,Fulwiler,Fulsom,Fullwiler,Fulliton,Fulling,Fuleki,Fulda,Fukuroku,Fukada,Fuhri,Fuglsang,Fugle,Fugah,Fuesting,Fuents,Fudacz,Fucile,Fuchser,Frydman,Fryday,Fruusto,Frutoz,Frullate,Fruchey,Frossard,Fross,Froschheiser,Froozy,Fronduti,Frondorf,Fron,Fromong,Frometa,Froiland,Frohwein,Frohock,Froeliger,Frodsham,Fritzpatrick,Frist,Frisino,Frisella,Frischkorn,Fringuello,Frings,Friling,Frikken,Frietsch,Friest,Friedstrom,Friedhaber,Friedenberg,Friedeck,Fridal,Freytas,Freydel,Freudiger,Freshley,Frere,Frenner,Freniere,Fremon,Fremming,Freme,Freligh,Freistuhler,Freiser,Freil,Freifeld,Freidkin,Freidet,Frehse,Freguson,Freerksen,Freelon,Freeley,Freehoffer,Freedland,Fredrikson,Fredric,Fredline,Fredicks,Freddrick,Frawkin,Frauenkron,Frati,Franzeo,Frantzich,Frankina,Frankford,Frankenreiter,Frankenfeld,Franeo,Frandeen,Franculli,Francolino,Francoise,Francisque,Franciosa,Francios,Francione,Franceski,Franceschina,Fram,Fraine,Fragassi,Fracier,Fraccola,Frabotta,Frabizio,Fouyer,Foux,Foutain,Fourre,Fouracre,Found,Foules,Foucha,Fosso,Fosser,Fossa,Fosburgh,Forwood,Fortado,Forston,Forsthoffer,Forschner,Forsch,Fornkohl,Fornerod,Formhals,Formey,Formento,Formato,Forlani,Forgy,Forgach,Fordon,Forcino,Forcell,Forcade,Forbish,Forber,Fontneau,Fontelroy,Fonteboa,Fontanini,Fonsecn,Fondell,Fon,Follie,Foller,Folkins,Folkens,Folgar,Foks,Fogus,Fogo,Foerschler,Foell,Foecke,Foderaro,Foddrill,Focks,Flum,Flugence,Fluette,Fluetsch,Flueck,Flournay,Flotow,Flota,Florkowski,Florestal,Florance,Floore,Floerchinger,Flodman,Floch,Flitton,Flitt,Flister,Flinton,Flinspach,Flierl,Flever,Fleurissaint,Fleurantin,Flether,Flennoy,Fleitman,Flegler,Fleak,Flautt,Flaum,Flasher,Flaminio,Fixari,Fiumefreddo,Fitzmier,Fitzgerlad,Fitzen,Fittje,Fitser,Fitchette,Fisichella,Fisger,Fischbein,Fischang,Fiscal,Fisanick,Firoozbakht,Firlik,Firkey,Fiorenzi,Fiora,Finucan,Finto,Finona,Finocan,Finnley,Finnin,Finnila,Finni,Finnel,Finne,Finland,Finkenbiner,Finey,Finders,Filzen,Filyan,Filteau,Filonuk,Fillo,Fillerup,Filkey,Filippides,Filippello,Filburn,Filbrardt,Filbey,Filary,Filarecki,Filak,Fijalkowski,Figurelli,Figone,Figlioli,Figlar,Figary,Figarsky,Fiermonte,Fierge,Fiely,Fieldstadt,Fiedtkou,Fiedorowicz,Fiebich,Fie,Fidsky,Fido,Ficenec,Feyler,Fewless,Feulner,Feuerberg,Fetui,Fetrow,Fesus,Fesenbek,Ferugson,Ferster,Ferrise,Ferratt,Ferratella,Ferrarotti,Ferrarini,Ferrao,Ferrandino,Ferrall,Ferracioli,Feron,Ferndez,Fernandz,Fermo,Ferm,Ferlic,Ferjerang,Feris,Ferentz,Fereday,Ferdin,Ferdico,Ferderer,Ferard,Feramisco,Fenti,Fensel,Fenoglio,Fenoff,Feno,Fenniwald,Fenger,Fenceroy,Felzien,Felson,Felsher,Fellon,Felli,Fellhauer,Fellenbaum,Felleman,Fellars,Felks,Felipa,Felila,Felico,Felicione,Felger,Feldtman,Feldner,Feldker,Feldhake,Felciano,Felcher,Fekety,Feindt,Feinblatt,Feilbach,Feikles,Feigh,Feichtner,Fehribach,Fehnel,Fehn,Fegurgur,Fego,Fefer,Feezor,Feery,Feerst,Feeling,Feekes,Feduniewicz,Feduccia,Fedorka,Fedoriw,Fedorczyk,Fedel,Feddes,Fedderly,Fechtel,Fecat,Feazelle,Feast,Fearheller,Fearen,Feamster,Fealy,Fazzinga,Fawell,Favilla,Favieri,Favaron,Favaro,Faustman,Faurot,Faur,Faulstick,Faulstich,Faulkes,Faulkenbury,Faulisi,Faubus,Fat,Faster,Fash,Fasenmyer,Fasci,Fasbender,Faruolo,Farrin,Farria,Farrauto,Farmsworth,Farmar,Farm,Farlee,Fariello,Farid,Farha,Fardo,Faraco,Fantz,Fanner,Famy,Famiano,Fam,Falu,Faltz,Falto,Falson,Fallie,Fallick,Falla,Falknor,Falkenthal,Falis,Falha,Falge,Falconeri,Falcione,Falchi,Falb,Falasco,Falah,Falack,Falacco,Faix,Faisca,Fairy,Fairly,Faigle,Faichtinger,Fahrenwald,Fahrenbruck,Fahner,Fahlstedt,Fagnoni,Faglie,Fagala,Faehnle,Fadri,Fadei,Facenda,Fabus,Fabroquez,Fabello,Fabeck,Fabbozzi,Ezernack,Ezer,Ezechu,Ezdebski,Eyubeh,Eyermann,Extine,Expose,Ewelike,Evora,Eviston,Evertz,Eversmann,Everleth,Evering,Eveline,Eveler,Evanski,Evanosky,Evanoski,Evanchyk,Evanchalk,Euton,Euser,Eurton,Europe,Ettl,Ettison,Etters,Etoll,Ethel,Etchinson,Esty,Esteybar,Estevane,Esterson,Esterling,Estergard,Estela,Estaban,Esshaki,Essepian,Esselman,Essaid,Essaff,Esquiuel,Esquerre,Esquea,Esposita,Espenscheid,Esparaza,Esoimeme,Esnard,Eskuchen,Eskelsen,Eskeets,Eskaran,Eskaf,Eshlerman,Esenwein,Escorza,Escoe,Escobeo,Eschenbacher,Eschenbach,Eschborn,Escarrega,Escalet,Esbensen,Esannason,Ervine,Ervay,Ertelt,Erpenbach,Ero,Ernstrom,Ernspiker,Ernandez,Ermogemous,Ermita,Erm,Erlwein,Erlanson,Erixon,Erice,Erfert,Ereth,Erdmun,Erdelt,Erchul,Ercek,Erbentraut,Erard,Eracleo,Equiluz,Eppert,Epperheimer,Eppenger,Epifano,Eperson,Enzenauer,Entzi,Entrup,Entel,Enote,Enocencio,Enny,Ennist,Ennels,Ennaco,Enkerud,Enick,Engwer,Engleby,Enget,Engessor,Engerman,Engbretson,Enfort,Ends,Endresen,Endecott,Encalade,Emuka,Emslander,Emshoff,Empleo,Empfield,Emperor,Emo,Emmrich,Emlin,Emigholz,Emfield,Emeru,Emeche,Emdee,Emberlin,Emberley,Emberger,Emayo,Emanus,Emami,Elvert,Elshair,Elsensohn,Elsbury,Elsa,Elroy,Elquist,Elofson,Elmaghrabi,Ellworths,Ellifritt,Ellies,Elliem,Ellerkamp,Ellerbeck,Ellenbee,Ellena,Ellebrecht,Elldrege,Ellanson,Elko,Elkayam,Eliszewski,Eliseo,Elis,Elion,Elhosni,Elhassan,Elhaj,Elhaddad,Elgen,Elgas,Elgar,Elg,Elftman,Elfering,Elewa,Eleveld,Elefritz,Elbogen,Elbertson,Elberson,Elbahtity,Elahi,Ekstrum,Eklov,Ekis,Ejide,Eissinger,Eirls,Einfeldt,Eilts,Eilders,Eilbert,Eilbeck,Eikmeier,Eifler,Eiesland,Eichstadt,Eichenmiller,Eichenauer,Eichelmann,Ehr,Ehorn,Ehnis,Ehmen,Ehleiter,Ehinger,Ehiginator,Ehigiator,Egvirre,Egure,Eguizabal,Ego,Egidio,Eggenberg,Eggart,Eget,Egertson,Egbe,Efrati,Eflin,Eerkes,Ee,Edwads,Edster,Edralin,Edmerson,Edmeier,Edleston,Edlao,Edith,Edis,Edeline,Edeker,Economus,Economides,Ecoffey,Eckrote,Eckmeyer,Eckle,Ecklar,Eckis,Echemendia,Echavez,Echaure,Ebrani,Ebo,Ebilane,Ebesugawa,Eberting,Ebersol,Eberline,Eberl,Ebenstein,Eben,Ebbesen,Ebach,Easom,Easlick,Easker,Easey,Easdon,Earman,Earll,Earlgy,Earenfight,Earehart,Ealley,Ealick,Eagy,Eafford,Dziurawiec,Dzierzanowski,Dziegielewski,Dziduch,Dziadek,Dzama,Dyser,Dys,Dyreson,Dymke,Dyen,Dwyar,Dwornik,Dwellingham,Duxbury,Duwhite,Duverney,Duvel,Dutschmann,Dutel,Dute,Dusak,Durun,Dursch,Durrwachter,Durousseau,Durol,Durig,Durett,Duresky,Durelli,Duree,Dural,Duraku,Dupouy,Duplin,Duplesis,Duplaga,Dupaty,Duonola,Dunzelman,Dunten,Dunt,Dunster,Dunnahoo,Dunmead,Dunks,Dunkentell,Dunemn,Duncker,Dunckel,Dunahoo,Dummitt,Dumez,Dumag,Dulberg,Dulatre,Dukhovny,Dukeshire,Dukeshier,Duitscher,Duitch,Duh,Dugmore,Dughi,Duffus,Duffany,Dufer,Duesenberg,Duerkson,Duerkop,Duenke,Duel,Dudleson,Dudik,Duderstadt,Dudack,Duchow,Duchesney,Duchatellier,Ducceschi,Ducayne,Ducay,Ducatelli,Dubonnet,Duberstein,Dubej,Dubeck,Dubeau,Dubbin,Duban,Duball,Duartes,Dsaachs,Dryman,Drybread,Drumwright,Drumheiser,Drumgole,Drullard,Drue,Drude,Druckhammer,Dru,Drought,Drossos,Drossman,Droski,Drong,Drones,Dronen,Droegmiller,Drock,Drisdelle,Drinkall,Drimmer,Driggins,Driesel,Driere,Drewski,Dreps,Dreka,Dreith,Dregrich,Dreggs,Drawy,Drawec,Dravland,Drape,Dramis,Drainer,Dragun,Dragt,Dragotta,Dragaj,Drafton,Drafall,Drader,Draa,Dozois,Dozar,Doyan,Doxon,Dowsett,Dovenmuehler,Douyon,Douvier,Douvia,Douthart,Doussan,Dourado,Doulani,Douillet,Dougharity,Dougall,Douet,Dou,Dotto,Dottery,Dotstry,Doto,Dotie,Doswell,Doskocil,Doseck,Dorweiler,Dorvillier,Dorvee,Dortilla,Dorsainvil,Dorrian,Dorpinghaus,Dorph,Dorosan,Dornseif,Dornhelm,Dornellas,Dorne,Dornbos,Dormanen,Dormane,Doriean,Dorer,Dorcent,Dorat,Dopf,Dootson,Doornbos,Dooney,Donten,Dontas,Donota,Donohve,Donning,Donnellon,Donne,Donmore,Donkor,Donkervoet,Donhoe,Dongo,Donelon,Donchatz,Donawa,Donar,Domnick,Domkowski,Domio,Dominis,Dominiquez,Dominicus,Dominico,Domingus,Domianus,Domas,Dolven,Dolliver,Doljac,Doliveira,Dolhon,Dolgas,Dolfay,Dolcetto,Dokuchitz,Doino,Doiel,Doffing,Doerflinger,Doepner,Doelling,Dodich,Doderer,Dockray,Dockett,Docker,Docimo,Dobre,Dobrasz,Dobmeier,Dobesh,Dobberfuhl,Dobb,Dmitriev,Dlobik,Dlabaj,Djuric,Dizadare,Divento,Divan,Diulio,Ditti,Dittbrenner,Ditta,Ditolla,Ditchfield,Distilo,Distance,Disponette,Dispirito,Dishinger,Discon,Disarufino,Disabato,Diruzzo,Dirose,Dirollo,Dirado,Dippery,Dionisopoulos,Diones,Dinunzio,Dinucci,Dinovo,Dinovi,Dinola,Dinho,Dings,Dinglasan,Dingel,Dinco,Dimperio,Dimoulakis,Dimopoulos,Dimmack,Dimling,Dimitriou,Dimes,Dilthey,Dilox,Dillworth,Dillmore,Dilligard,Dilleshaw,Dilgard,Dilda,Dilcher,Dilchand,Dikkers,Diket,Dikens,Digrazia,Digness,Digiorgi,Digiambattist,Digesare,Difiora,Diffendal,Diewold,Dietsche,Diestel,Diesen,Dien,Diemoz,Dielman,Diegidio,Diedricks,Diebol,Didlake,Didamo,Dickun,Dickstein,Dickirson,Dickins,Dicioccio,Diciano,Dichristopher,Dicaro,Dicara,Dibrino,Dibenedict,Diamico,Diak,Diachenko,Dhosane,Dezell,Dezayas,Deyette,Deyarmond,Deyarmin,Dewyer,Dewulf,Dewit,Dewinne,Dewaratanawan,Devreese,Devitto,Devincenzi,Devick,Devey,Devenecia,Devel,Deuschle,Deuschel,Deuman,Deuermeyer,Detz,Deturenne,Dettra,Dettore,Dettmering,Dettmann,Detterich,Detorres,Detlefs,Detjen,Detillier,Dethomasis,Detering,Detar,Desutter,Destime,Destephano,Desrocher,Desquare,Desporte,Desparrois,Desort,Desormo,Desorbo,Desolier,Desmarias,Desloge,Deslaurier,Desjardiws,Desiyatnikov,Desisles,Desilvo,Desiato,Deshazior,Desforges,Deserres,Deschomp,Deschino,Deschambeault,Desautelle,Desantigo,Desan,Deruso,Derubeis,Derriso,Derricott,Derrer,Deroos,Deroko,Deroin,Deroest,Derobles,Dernier,Dermo,Derkach,Derizzio,Deritis,Derion,Deriggi,Dergurahian,Dereu,Derer,Derenzis,Derenthal,Derensis,Derendal,Derenberger,Deremiah,Deraveniere,Deramo,Deralph,Depsky,Deprizio,Deprince,Deprez,Depratt,Depottey,Depippo,Depinho,Depietro,Depetris,Deperte,Depena,Depaulis,Depasse,Depace,Deonarian,Deodato,Denski,Densieski,Denoyelles,Denofrio,Denni,Dennert,Denna,Deniken,Denier,Denice,Denhartog,Dench,Dence,Denburger,Denafo,Demyers,Demulling,Demuizon,Demosthenes,Demoney,Demonett,Demmon,Demich,Demian,Demetris,Demetree,Demeris,Demchok,Dembosky,Dembinski,Dember,Demauri,Dematos,Demasters,Demarrais,Demarini,Demarc,Demara,Delvin,Delveechio,Delusia,Deluney,Deluccia,Delre,Delpiano,Delosanglel,Delosangeles,Delon,Delnegro,Dellos,Dellon,Delling,Dellibovi,Dellasciucca,Dellasanta,Dellapina,Dellajacono,Dellagatta,Dellaca,Deliso,Delinois,Delilli,Delilla,Deliberato,Delhomme,Delguercio,Delger,Delgadilo,Delfi,Delfelder,Deley,Delevik,Delettre,Delessio,Deleonardo,Delellis,Delehoy,Delegeane,Deldeo,Delcine,Delbusto,Delbrune,Delbrocco,Delbo,Delasko,Delashaw,Delasancha,Delaremore,Delaplane,Delapenha,Delanoche,Delalla,Delaguila,Delaglio,Dekuyper,Dekort,Dekorne,Deklerk,Dekine,Dejoode,Dejes,Dejarme,Dejager,Deja,Deischer,Deir,Deighton,Deidrick,Deida,Deible,Dehrer,Dehombre,Dehler,Dehghani,Dehan,Dehaemers,Degunya,Deguise,Degrella,Degrazio,Degrandpre,Degori,Degolyer,Deglopper,Deglanville,Degado,Defrates,Defrancis,Defranceschi,Defouw,Defiguero,Defiglio,Defide,Defaria,Deeters,Dedominicis,Dedo,Dedier,Dedek,Deculus,Decroo,Decree,Decourley,Decomo,Declouette,Declet,Declark,Deckelman,Dechart,Dechamplain,Decasanova,Decardo,Decardenas,Decann,Decaneo,Debrita,Debrie,Debraga,Debnar,Debiew,Debes,Debenham,Debello,Debarba,Deback,Dearstyne,Dearco,Deanne,Deanhardt,Deamer,Deaguero,Daylong,Daya,Dawber,Dawahoya,Davydov,Davtyan,Davos,Davirro,Davidek,Davide,Davers,Davensizer,Davel,Davda,Dauzart,Daurizio,Dauila,Daughetee,Dauge,Daufeldt,Daudier,Daubenmire,Daty,Datu,Datte,Dastoli,Daste,Dasso,Daskam,Dasinger,Dasalia,Daryanl,Darvile,Darsi,Darsch,Darrup,Darnel,Darm,Darjean,Dargenio,Darey,Dardashti,Dardagnac,Darbro,Darbeau,Daramola,Daquip,Dapvaala,Danza,Dantoni,Dantes,Danoski,Danns,Dannecker,Danfield,Danella,Danczak,Dancoes,Damphousse,Damoth,Damoro,Dammrich,Dammad,Damis,Damerell,Dambrozio,Dama,Daltorio,Dalponte,Dalomba,Dalmida,Dalmau,Dallen,Dalla,Dalitz,Dalio,Dalhart,Daleus,Dalene,Dalee,Dalbeck,Dalaq,Dair,Daimaru,Daill,Daichendt,Dahood,Dahlstedt,Dahley,Dahler,Dagnone,Dagnon,Dagner,Daggy,Daer,Dae,Dadds,Daddea,Daddabbo,Dad,Dacres,Dachs,Dachelet,Daber,Czyrnik,Czwakiel,Czupryna,Czubia,Czosek,Czernovski,Czerno,Czernik,Czerniak,Czekaj,Czarniecki,Cyler,Cychosz,Cuzzo,Cuva,Cutri,Cutone,Cutia,Cutburth,Cusworth,Custa,Cusmano,Cushway,Cushinberry,Cusher,Cushen,Cushard,Cusatis,Curzi,Curylo,Curriere,Currans,Curra,Curpupoz,Curls,Curleyhair,Curella,Cureau,Curameng,Cupe,Cunningan,Cunnane,Cummisky,Cummer,Cumley,Cumblidge,Culotti,Cullin,Culajay,Cujas,Cuez,Cuddihee,Cudan,Cuchiara,Cuccinello,Cucchiaro,Cuartas,Cuaresma,Cuadro,Csensich,Cruthirds,Cruthers,Crutchev,Crutch,Crummedyo,Crumlish,Cruiz,Cruey,Cruel,Croxford,Croxen,Crowin,Croutch,Croushorn,Crotwell,Crother,Croslen,Crookston,Cronholm,Cronauer,Cromeens,Crogier,Croffie,Crocitto,Critzman,Criton,Critchelow,Cristofaro,Cristello,Cristelli,Crissinger,Crispo,Criqui,Crickenberger,Cressell,Cresencio,Creglow,Creggett,Creenan,Creeley,Credo,Credille,Crease,Crawn,Cravenho,Cravatta,Cration,Crantz,Cragar,Cragan,Cracolici,Cracknell,Craawford,Craan,Cozadd,Coyier,Cowser,Cowns,Cowder,Covotta,Covitt,Covil,Covarruvia,Covarrubio,Covarrubia,Covar,Cova,Coutino,Cousey,Courtoy,Courtad,Couron,Courneya,Courie,Couret,Courchine,Countis,Counceller,Cottillion,Cottengim,Cotroneo,Cotreau,Cotheran,Cotey,Coteat,Cotant,Coswell,Costenive,Costellowo,Costeira,Costanzi,Cossaboon,Cossaboom,Cosimini,Cosier,Cosca,Cosano,Corvelli,Corti,Cortesi,Corsilles,Corsey,Corseri,Corron,Corridoni,Corrett,Correo,Corren,Correau,Corraro,Corporon,Corporal,Corpeno,Corolla,Corolis,Cornes,Cornelson,Cornea,Cornacchio,Cormican,Cormia,Coriz,Coric,Coriaty,Coriano,Corderman,Cordel,Corde,Cordasco,Corburn,Corallo,Coradi,Coponen,Coples,Copier,Copa,Coopey,Coonley,Coomey,Coolbrith,Coolbeth,Coolahan,Cookey,Coogen,Cooey,Cooch,Conze,Conzalez,Contreros,Contreres,Contras,Contraras,Contopoulos,Contofalsky,Contino,Consoli,Consigli,Conoly,Connyer,Conninghan,Connette,Connerty,Connarton,Conlans,Conkrite,Confrey,Confair,Coneys,Conelly,Conejo,Condreay,Condino,Condell,Condelario,Concini,Concilio,Concho,Conces,Concepion,Conceicao,Conable,Compres,Compiseno,Compeau,Compean,Comparoni,Companie,Compagna,Comoletti,Commes,Comment,Comeauy,Colyott,Columbres,Colsch,Colpaert,Colpack,Colorina,Colopy,Colonnese,Colona,Colomy,Colombe,Colomba,Colmer,Colly,Collozo,Collova,Collora,Collmeyer,Collaco,Colian,Colglazier,Colehour,Colebrook,Coldsmith,Colden,Colato,Colasanti,Colasamte,Colarossi,Colander,Colaizzo,Colaiacovo,Coladonato,Colacone,Colabrese,Cokins,Cohoe,Coho,Cohlmia,Cohagan,Cogen,Cofrancesco,Cofran,Codey,Codeluppi,Cocran,Cocozza,Cocoran,Cocomazzi,Cockrin,Cockreham,Cocking,Cochis,Cocherell,Coccoli,Cobio,Cobane,Coatley,Coatie,Coant,Coaker,Coachys,Cmiel,Clozza,Cloughly,Clothey,Closovschi,Closey,Cloman,Cloffi,Cloepfil,Clites,Clinker,Cleverly,Cleve,Clesen,Clery,Clerf,Clemson,Clemo,Clemmon,Clemmo,Clemmey,Cleark,Clayter,Clavey,Clavelle,Clausel,Claud,Claucherty,Claton,Clarson,Clarendon,Clarbour,Clar,Clap,Clanin,Clan,Claman,Clam,Claes,Civitello,Civcci,Civatte,Civale,Ciucci,Cito,Cisneroz,Cislo,Cisewski,Cirioni,Cirilli,Cipullo,Cippina,Cipolone,Cipolloni,Cioni,Cintra,Cinkosky,Cinalli,Cimmiyotti,Cimeno,Cilva,Cills,Ciliento,Cilibrasi,Cilfone,Ciesiolka,Ciersezwski,Cierpke,Cierley,Cieloha,Cicio,Cichosz,Cichonski,Cicconi,Cibulskas,Ciaramitaro,Ciano,Cianciotta,Ciampanella,Cialella,Ciaccia,Chwieroth,Chwalek,Chvilicek,Chuyangher,Churner,Churchville,Chuppa,Chupik,Chukri,Chuh,Chudzinski,Chudzik,Chudej,Chrones,Chroman,Christoffer,Christmau,Christle,Christaldi,Christal,Chrispen,Chriscoe,Chown,Chowen,Chowanec,Chounlapane,Choulnard,Chott,Chopelas,Chomicki,Chomali,Choen,Chodorov,Chmelik,Chludzinski,Chivalette,Chiv,Chiumento,Chittom,Chisnall,Chischilly,Chisari,Chirdon,Chirasello,Chipp,Chiotti,Chionchio,Chioma,Chinweze,Chinskey,Chinnis,Chinni,Chindlund,Chimeno,Chilinskas,Childes,Chikko,Chihak,Chiffriller,Chieves,Chieng,Chiavaroli,Chiara,Chiapetto,Chiaminto,Chhor,Chhon,Chheng,Chhabra,Cheyney,Chey,Chevres,Chetelat,Chet,Chestand,Chessor,Chesmore,Chesick,Chesanek,Cherwinski,Chervin,Cherven,Cherrie,Chernick,Chernay,Cherchio,Cheon,Chenevey,Chenet,Chenauls,Chenaille,Chemin,Chemell,Chegwidden,Cheffer,Chefalo,Chebret,Chebahtah,Cheas,Chaven,Chavayda,Chautin,Chauhdrey,Chauffe,Chaudet,Chatterson,Chatriand,Chaton,Chastant,Chass,Chasnoff,Chars,Charnoski,Charleton,Charle,Charisse,Charif,Charfauros,Chareunsri,Chareunrath,Charbonnel,Chappan,Chaples,Chaplean,Chapko,Chaobal,Chanthaumlsa,Chantha,Chanofsky,Chanel,Chandsawangbh,Chandronnait,Chandrasekhar,Chandrasekara,Chandier,Chanchuan,Chananie,Chanady,Champy,Champany,Chamley,Chamers,Chamble,Chamberlian,Chalow,Chaloner,Chalita,Chalaban,Chajon,Chais,Chaim,Chaille,Chaidy,Chagollan,Chafe,Chadsey,Chaderton,Chabotte,Cezil,Cersey,Cerritelli,Ceronsky,Ceroni,Cernansky,Cerenzia,Cereghino,Cerdan,Cerchia,Cerbantes,Cerao,Ceranski,Centrone,Centorino,Censky,Ceman,Cely,Celuch,Cellupica,Cellio,Celani,Cegla,Cedars,Ceasor,Cearlock,Cazzell,Cazeault,Caza,Cavezon,Cavalli,Cavaleri,Cavaco,Cautillo,Cauthorne,Caulley,Caughran,Cauchon,Catucci,Cattladge,Cattabriga,Catillo,Cathers,Catenaccio,Catena,Catani,Catalli,Catacun,Casumpang,Casuat,Castrovinci,Castronova,Castoral,Castiola,Castin,Castillero,Castillejo,Castera,Castellanoz,Castellaneta,Castelan,Castanio,Castanado,Castagnier,Cassis,Cassion,Cassello,Casseday,Cassase,Cassarubias,Cassard,Cassaday,Caspary,Caspar,Casoria,Casilles,Casile,Casida,Cashing,Casgrove,Caseman,Caselton,Casello,Caselden,Cascia,Casario,Casareno,Casarella,Casamayor,Casaliggi,Casalenda,Casagranda,Casabona,Carza,Caryk,Carvett,Carthew,Carther,Carthens,Cartaya,Cartan,Carsno,Carscallen,Carrubba,Carroca,Carril,Carrigg,Carridine,Carrelli,Carraturo,Carratura,Carras,Carransa,Carrahan,Carpente,Carpenito,Caroway,Carota,Caronna,Caroline,Carnoske,Carnohan,Carnighan,Carnie,Carnahiba,Carmichel,Carmello,Carlsley,Carlington,Carleo,Cariveau,Caristo,Carillion,Carilli,Caridine,Cariaso,Cardoni,Cardish,Cardino,Cardinas,Cardenos,Cardejon,Cardeiro,Carco,Carbal,Caravalho,Caraher,Caradonna,Caracso,Caracciola,Capshaws,Caprice,Capriccioso,Capraro,Cappaert,Caposole,Capitani,Capinpin,Capiga,Capezzuto,Capetl,Capestany,Capels,Capellas,Caparoula,Caparelli,Capalongan,Capaldo,Canu,Cantre,Cantoral,Cantfield,Cantabrana,Canori,Cannuli,Canestro,Canestrini,Canerday,Canellas,Canella,Candon,Cancer,Canatella,Canak,Cana,Campolongo,Campagnone,Campagnini,Campagne,Camon,Cammarn,Caminita,Camidge,Cambronne,Cambric,Cambero,Camaron,Calzone,Calzadilla,Calver,Calvent,Calvelo,Calvaruso,Calvaresi,Calpin,Calonsag,Calonne,Caloca,Calligy,Callez,Calleo,Callaro,Calixtro,Caliguire,Caligari,Calicut,Caler,Calderson,Caldarone,Calchera,Calcagino,Calaycay,Calamarino,Calamari,Calamare,Cakanic,Cajune,Cajucom,Cajero,Cainion,Cainglit,Caiafa,Cagey,Cafourek,Caffarel,Cafarella,Cafagno,Cadoy,Cadmen,Cader,Cademartori,Cackett,Cacibauda,Caci,Cacciola,Cabrar,Cabla,Cabiya,Cabido,Cabeza,Cabellon,Cabeceira,Cabanes,Cabag,Bzhyan,Byther,Byro,Byrley,Byrdsong,Bynd,Bylund,Byant,Bverger,Buzzelle,Buzzanca,Buyes,Buyak,Buvens,Buttino,Buttimer,Buttari,Buttaccio,Buther,Butel,Buszak,Bustinza,Bussom,Busskohl,Bussink,Bussinger,Bussert,Busselberg,Bussani,Busl,Buskohl,Busie,Bushie,Busenius,Buseck,Buscarino,Busacker,Burwick,Burtin,Burriesci,Burreson,Burnum,Burnet,Burneisen,Burnaman,Burlette,Burlando,Burki,Burker,Burkel,Burka,Burigsay,Burhanuddin,Burgen,Burgbacher,Buretta,Buress,Burdsall,Burdis,Burdi,Burdg,Burbano,Bur,Buquo,Buontempo,Buonadonna,Bunzey,Bunyea,Buntain,Bunkers,Bungy,Bungart,Bunetta,Bunes,Bundley,Bundette,Bumm,Bumbray,Bumba,Bumatay,Bulwinkle,Bultron,Bulnes,Bullo,Bullmore,Bullerwell,Bullert,Bullara,Bulland,Bulkin,Bulgarella,Bulacan,Bukrim,Bukowinski,Bujol,Buja,Buike,Buhoveckey,Buhite,Bugtong,Bugler,Bugenhagen,Bugayong,Bugarewicz,Bufton,Buetti,Buess,Buerstatte,Buergel,Buerge,Buer,Buena,Buegler,Bueggens,Buecher,Budzyna,Budz,Budworth,Budesa,Buddle,Budden,Buddemeyer,Buckridge,Buckreis,Buckmiller,Bucke,Buchser,Buchsbaum,Buchs,Buchna,Buchheim,Buchberger,Bucchin,Bucanan,Bubbico,Buanno,Bual,Brzycki,Brzostowski,Bryum,Brynga,Brynestad,Bryar,Bruzewicz,Bruyn,Bruun,Brutlag,Bruson,Bruski,Bruse,Brusco,Bruscino,Brunsting,Brunskill,Brunow,Brunnemer,Brunderman,Brunckhorst,Brunback,Brumbley,Bruh,Brugal,Bruenderman,Bruegman,Brucie,Brozyna,Brozell,Brownsworth,Brownsword,Brownsberger,Browley,Brous,Brounson,Broumley,Brostoff,Brossmann,Brosig,Broschinsky,Broomell,Brookshier,Brooklyn,Bronikowski,Brondyke,Bromberek,Brombach,Brokins,Broking,Brojakowski,Broich,Brogren,Brogglin,Brodhurst,Brodhag,Brodey,Brocklebank,Brockie,Brockell,Brochure,Brochhausen,Broccolo,Brixius,Brittsan,Brits,Britnell,Brisley,Brisbone,Briola,Brintnall,Bringman,Bringas,Bringantino,Brinckerhoff,Briguglio,Briggerman,Brigg,Brigantino,Briehl,Brieger,Bridson,Bridjmohan,Bridgford,Bridget,Bridgens,Bridendolph,Briden,Briddick,Bricknell,Brickles,Brichetto,Briare,Brez,Brevitz,Brevil,Breutzmann,Breuning,Bretl,Brethour,Bretana,Bresolin,Breslawski,Brentnall,Brentano,Brensnan,Brensinger,Brensel,Brenowitz,Brennenstuhl,Brengle,Brendlinger,Brenda,Brend,Brence,Brenaman,Bremseth,Bremme,Breman,Brelje,Breitung,Breitenfeldt,Breitenbucher,Breitenberg,Breines,Breiland,Brehony,Bregon,Brege,Bregantini,Brefka,Breeman,Breehl,Bredy,Bredow,Bredice,Bredahl,Brechbill,Brearley,Brdar,Brazzi,Brazler,Braye,Braver,Bravender,Bravard,Braunsdorf,Braunschweige,Braught,Brauchla,Bratek,Braskey,Brasket,Branske,Branot,Branine,Braniff,Brangan,Branen,Branecki,Brandsrud,Brandman,Brandeland,Brande,Brandauer,Brancazio,Brancanto,Branaugh,Bramucci,Brakstad,Brais,Braim,Braig,Brah,Brage,Bradtke,Bradrick,Bradon,Bradicich,Brackelsberg,Brachman,Brachle,Bracetty,Bracaloni,Bozzell,Bozovich,Bozinovich,Boyenga,Bowring,Bowlet,Bowgren,Bowersmith,Bowels,Bowcutt,Bovio,Boveja,Bovain,Boutchyard,Bousson,Bousqute,Bousley,Bourns,Bourlier,Bourgois,Bourff,Bourek,Bourdeaux,Bourdages,Bourbonnais,Boundy,Bouliouris,Boudrieau,Boudin,Bouchaert,Botwin,Bottomly,Bottolfson,Bottolene,Bottiggi,Botterbusch,Botros,Botras,Botdorf,Bostelman,Bossenbroek,Bossardet,Bosowski,Boschult,Borycz,Borwig,Boruvka,Bortignon,Borsa,Borromeo,Borrolli,Borries,Borreta,Borremans,Borras,Borr,Borozny,Borowiec,Boronat,Bornman,Bormes,Borlin,Borguez,Borgstede,Borgese,Borgert,Borgers,Borgella,Borell,Bordon,Bordi,Bordges,Bordenkircher,Borde,Borbon,Boratko,Boque,Boppre,Boosalis,Boorom,Bookter,Bookmiller,Bookamer,Bonzo,Bonyai,Bonugli,Bonsu,Bonsey,Bonsell,Bonsee,Bonow,Bonno,Bonnlander,Bonnin,Bonnenfant,Bonjorno,Boniol,Bongo,Bonetto,Bonepart,Bondre,Bonaventura,Bonatti,Bonapart,Bonagurio,Bonaguidi,Bomzer,Bompane,Bomilla,Bomia,Bombino,Bomaster,Bollens,Bollbach,Bollaert,Bolins,Bolinder,Bolig,Bolian,Bolfa,Bolevice,Boldwyn,Bolduan,Boldizsar,Bolde,Bokal,Boitel,Boin,Boillot,Boid,Bohonik,Bohnker,Bohney,Bohlsen,Bohlman,Bohlken,Bogut,Bognuda,Bogguess,Bogg,Bofinger,Boero,Boerm,Boeri,Boera,Boelk,Boehnke,Boege,Bodyfelt,Bodon,Bodison,Bodfish,Boderick,Bodenhagen,Bodelson,Bodary,Bocskor,Bockrath,Bocklund,Bockhorn,Bockenstedt,Bockelmann,Bochicchio,Boches,Bochek,Bocchieri,Boccard,Bobsin,Bobrosky,Bobowiec,Boblak,Bobet,Boane,Boamah,Blyze,Blute,Blush,Blunkall,Blundo,Blumkin,Bluming,Blumenschein,Blumenkrantz,Blumenberg,Bluel,Bloye,Blott,Blotsky,Blossomgame,Blosfield,Bloomstrom,Bloomstrand,Bloomsburg,Blonsky,Blonigan,Blomstrand,Bloes,Bloemker,Bloedel,Blochberger,Blizard,Blinebry,Blindt,Blihovde,Blide,Blicker,Bleything,Blevans,Blessett,Blesofsky,Bleiler,Bleichner,Bleicher,Bleeck,Blee,Blazon,Blazing,Blazich,Blaydon,Blaxland,Blauw,Blauman,Blaszczyk,Blasl,Blashak,Blasenhauer,Blanscet,Blanquet,Blanquart,Blannon,Blanko,Blankenbecler,Blanga,Blander,Blakstad,Blailock,Blafield,Blaeser,Blaese,Blady,Bladt,Blacock,Blackwall,Blackmoore,Blackmar,Blackington,Blackbird,Blacio,Blachowski,Bjornstrom,Bjorn,Bjerknes,Bjerken,Bjella,Bizzard,Bivans,Bitzenhofer,Bitar,Bitah,Bissol,Bissel,Bissada,Bispham,Bisikirski,Bischel,Biscari,Bisanz,Birthwright,Birsner,Bironas,Birner,Birnberg,Birkmaier,Birkenhagen,Birely,Birdon,Bionda,Binn,Bininger,Binet,Binderup,Binam,Billus,Billue,Billotti,Billinsley,Billingsby,Billigmeier,Billiet,Billiar,Billesbach,Bilchak,Bilansky,Bijan,Bihler,Bihl,Bigusiak,Bigony,Bignell,Biggard,Biewald,Biever,Bietsch,Biesenthal,Biesecker,Bierut,Bierstedt,Bierschbach,Biersack,Bierod,Bierl,Bierkortte,Biener,Bielser,Bielke,Bielefield,Biedekapp,Bidstrup,Bidell,Biddlecome,Bicknase,Bicking,Bichoupan,Bichoff,Bibiloni,Biastock,Biasotti,Bianchin,Bhullar,Bhaskar,Bhamaraniyama,Bhairo,Bezenek,Beyser,Beyke,Beyea,Beydoun,Beyale,Beyal,Bevevino,Beuttel,Beutnagel,Beuthin,Beuse,Beurskens,Beukema,Beukelman,Beuerle,Beuchler,Betzner,Betzler,Betzig,Bettley,Betry,Betit,Bethurem,Betha,Betenson,Betak,Bestwick,Bestine,Beste,Bessone,Bessinger,Bessellieu,Besong,Besner,Beskom,Beshore,Beser,Besen,Beseke,Besares,Besant,Besanson,Besancon,Berzunza,Berulie,Bertrum,Bertot,Berto,Bertman,Berther,Berth,Bertella,Bertao,Bershadsky,Bersaw,Berrospe,Berrocal,Berray,Bernstock,Bernotas,Bernos,Bernmen,Bernitsky,Bernieri,Berni,Bernheim,Berneri,Bernell,Bernbeck,Bernaudo,Bernau,Bernatchez,Bernarducci,Bernardon,Bernand,Bernacki,Berlingo,Berley,Berlandy,Berlacher,Berkovitch,Berkenbile,Berkbigler,Berishaj,Bering,Bergstedt,Bergsman,Bergouignan,Bergold,Bergmeyer,Bergfalk,Bergenty,Bergenstock,Bergene,Bergamine,Bergami,Berey,Beresik,Berentz,Berenschot,Bereda,Berdux,Berdar,Berdahl,Berczy,Berchielli,Bercher,Berceir,Berbig,Berbereia,Benzee,Benwarc,Benulis,Bentzinger,Bentrem,Benthusen,Benston,Bennings,Bennight,Benneth,Bennard,Bennafield,Benkosky,Benker,Benje,Benisek,Benintendi,Bening,Beninati,Benimadho,Benezra,Beneuento,Bendu,Bending,Bendell,Benckendorf,Benbenek,Benanti,Benamati,Benafield,Benach,Benac,Bembi,Belwood,Belvees,Beltramo,Belstad,Belski,Belschner,Belscher,Belovs,Belousson,Belous,Belony,Belonger,Belluz,Bellmore,Bellitti,Belliston,Bellingtier,Bellinder,Bellhouse,Bellflowers,Bellen,Bellehumeur,Bellefontaine,Bellar,Bellantone,Bellair,Bellace,Belken,Belke,Beliz,Belina,Belieu,Belidor,Beliard,Belhumeur,Belfy,Belfort,Belfi,Belfast,Belezos,Belchior,Belarmino,Belanich,Belancer,Bejil,Bejger,Bejerano,Beja,Beiswenger,Beissel,Beilstein,Beilinson,Beilfuss,Beile,Behner,Behizadeh,Behimer,Beherns,Behanan,Behal,Begun,Beguhl,Begonia,Begolli,Begnoche,Begen,Beese,Beerle,Beemon,Beelar,Beedoo,Beedles,Beedham,Beeckman,Beebout,Bedre,Bedocs,Bednarowicz,Bedlion,Bedillion,Beder,Bedenfield,Bedee,Bedaw,Bedatsky,Bedar,Beckor,Becklin,Beckes,Beckelheimer,Beaureguard,Beauparlant,Beau,Beattle,Beatson,Beath,Beards,Bearded,Beandoin,Beady,Beachman,Beachell,Bayus,Baysden,Bayouth,Bayon,Bayn,Bayani,Baxtor,Bawks,Bawer,Bawcombe,Baves,Bautiste,Baute,Baurer,Baumohl,Baumli,Baumkirchner,Baumiester,Baumgartel,Baumgarn,Baumfalk,Bauchspies,Bauce,Batzri,Battisto,Batter,Battenhouse,Batteiger,Batrich,Batra,Batlle,Batlis,Batliner,Batkin,Batchellor,Bastick,Bastardi,Bassiti,Basore,Basone,Baskow,Basini,Basila,Bashline,Baseley,Bascas,Barvosa,Barvick,Barus,Bartuska,Bartula,Bartosik,Bartosch,Bartoli,Bartmes,Bartlette,Bartkus,Bartkiewicz,Bartholomeu,Barte,Bartch,Barsegyan,Barschdoor,Barscewski,Barsamian,Barryman,Barrowman,Barrois,Barrish,Barriault,Barrete,Barree,Barran,Baronne,Barninger,Barners,Barnebey,Barnak,Barnacle,Barlup,Barlock,Barlau,Barlak,Barken,Barkema,Barjenbruch,Barillo,Barill,Barientos,Baria,Bargstadt,Bargmann,Bargeron,Baresi,Barera,Barends,Bardos,Bardoner,Bardill,Bardell,Barck,Barcik,Barchus,Barchacky,Barberr,Barbaza,Barbarito,Barbare,Barbalich,Barbadillo,Baranga,Barahana,Baradi,Barad,Barach,Barabin,Baquero,Banwarth,Bansmer,Banse,Banowski,Bannett,Bankos,Bangura,Banerji,Banek,Bandyk,Bandura,Bandasak,Bandarra,Bancourt,Banco,Bancks,Banbury,Bamforth,Bambas,Bambace,Balzotti,Balzarine,Balza,Balwinski,Baltruweit,Baltazor,Balsis,Baloy,Balow,Balock,Balo,Balm,Balluch,Ballowe,Ballmann,Ballez,Balletto,Ballesterous,Ballena,Ballejos,Ballar,Ballan,Ballagas,Balitas,Balish,Baligod,Balich,Baldwyn,Balduzzi,Baldos,Balderree,Baldearena,Balda,Balcos,Balasko,Balangatan,Balak,Baladejo,Bakalars,Bajko,Bajek,Baitner,Baison,Bairo,Baiotto,Bainey,Bailleu,Bailado,Baibak,Bahri,Bahde,Bahadue,Bagwill,Bagu,Bagron,Bagnaschi,Baffa,Baff,Baeskens,Baerg,Baenziger,Baena,Baell,Badzinski,Badruddin,Badlam,Badey,Badertscher,Badenoch,Badagliacca,Bacone,Bacman,Backhuus,Bacino,Bachmeyer,Bachinski,Bachas,Bachan,Bacerra,Bacayo,Babson,Bablak,Babinski,Babilon,Babikian,Babicz,Babey,Babbish,Baarts,Baack,Azznara,Azuma,Azor,Azatyan,Azapinto,Azahar,Ayyad,Aytes,Aysien,Aymar,Aylock,Ayhens,Ayele,Aydin,Axtman,Axman,Awyie,Aw,Avona,Avner,Avison,Avenia,Aveles,Avarbuch,Avancena,Autullo,Autovino,Autobee,Auther,Auter,Austino,Austine,Auster,Auslam,Aurrichio,Aun,Auls,Aulder,Aufiero,Audrey,Audibert,Audelhuk,Auckley,Auces,Aubel,Auala,Atzinger,Atzhorn,Attwell,Attles,Attilio,Attia,Atthowe,Atteburg,Atmore,Atma,Atleh,Atkisson,Athy,Atherholt,Athanasiou,Atengco,Atamanczyk,Astillero,Astafan,Assum,Assis,Assing,Assenmacher,Assalone,Assael,Asrari,Aspri,Aspley,Asperheim,Aspell,Asnicar,Asner,Askiew,Askia,Aske,Ask,Ashly,Ashkettle,Ashing,Ashbourne,Ashbach,Ashaf,Asenjo,Aseng,Aseltine,Ascol,Aschbacher,Asamoah,Arzt,Arzabala,Arview,Arvez,Arvanitis,Arva,Arunachalam,Arton,Arties,Artibee,Arthun,Artez,Arters,Arsham,Arseneault,Arroyd,Arroyano,Arrospide,Arrocho,Arrisola,Arrindel,Arrigone,Arrellin,Arredla,Arrand,Arrance,Arquelles,Arosemena,Arollo,Aroca,Arntzen,Arnsberger,Arnitz,Arnerich,Arndell,Arnaudet,Arnao,Arnaldo,Army,Armout,Armold,Armocida,Armlin,Armiso,Armesto,Armen,Armada,Arkontaky,Arking,Aristizabal,Arisa,Arildsen,Arichabala,Ariail,Argulewicz,Argudin,Argro,Argie,Argenziano,Argenti,Arendash,Arendall,Arendale,Arelleano,Arehano,Ards,Ardeneaux,Ardelean,Ardaly,Arciola,Arcieri,Archiopoli,Archdale,Archbell,Arbon,Arbolida,Arbetman,Arbertha,Arau,Arashiro,Araneo,Arancibia,Araldi,Aragones,Aragao,Arabajian,Aquas,Apthorpe,Apshire,Aprill,Aprigliano,Applonie,Appl,Appia,Appana,Aponta,Aplington,Apley,Apker,Apelian,Apadaca,Aono,Ao,Anzideo,Anway,Antronica,Antosh,Antonovich,Antoniak,Antolak,Antila,Antignani,Anthes,Antao,Ansoategui,Ansloan,Anreozzi,Anos,Anolick,Anoe,Annuzzi,Anning,Annarino,Annal,Annable,Annabel,Anitok,Aninion,Animashaun,Anidi,Angocicco,Angland,Angiolelli,Angileri,Angilello,Angier,Angermeier,Angelozzi,Angelou,Angellotti,Angelillo,Angelica,Angalich,Aney,Anewalt,Anetsberger,Anesi,Aneshansley,Anene,Anecelle,Andrzejczyk,Andrzejczak,Andruszkiewic,Andrson,Androde,Andriopulos,Andrino,Andrich,Andreola,Andregg,Andreessen,Andrango,Andradez,Andrades,Andrachak,Andoh,Andina,Anderst,Anderholm,Andere,Andalora,Anciso,Ancic,Ancel,Ancar,Ancalade,Anawaty,Anawalt,Amys,Amstrong,Amspaugh,Amous,Amott,Amoros,Amormino,Amoriello,Amorello,Amoe,Amodt,Ammonds,Ammirata,Ammer,Amlin,Amith,Amistadi,Amill,Amigo,Amerio,American,Amentler,Amemiya,Amela,Amejorado,Amedro,Amedeo,Amburgy,Ambroziak,Ambrister,Amboree,Amboise,Ambert,Ambagis,Amauty,Amat,Amas,Amarian,Amara,Amalong,Alwin,Alwazan,Alvirez,Alvero,Alverado,Alty,Altstatt,Altsisi,Altmark,Altimus,Altamiruno,Alson,Alsing,Alsaqri,Alrod,Alquesta,Alpis,Alpheaus,Alperin,Aloy,Alosta,Aloan,Alnoor,Almsteadt,Almstead,Almos,Almgren,Almarza,Almajhoub,Allyne,Allsbrooks,Allon,Allinger,Alliman,Alliance,Allgire,Allevato,Alleshouse,Alleruzzo,Allerton,Allder,Allcock,Allbert,Allanson,Allabaugh,Alkins,Alkema,Alkana,Aljemal,Alisauskas,Alimo,Alimento,Alie,Alicer,Alias,Alhusseini,Alhameed,Alhambra,Alhaddad,Alfredo,Alfiero,Aleyandrez,Alexidor,Alexandropoul,Alexanders,Alexakis,Alesse,Alesna,Alepin,Alejandrez,Aldworth,Aldrow,Aldrige,Aldonza,Alcine,Alcantas,Albu,Albrough,Albor,Albe,Albarracin,Albarazi,Alatosse,Alarcone,Alanko,Aland,Alamia,Alameida,Alambar,Alai,Akwei,Aksoy,Ako,Akley,Akinrefon,Akimseu,Akhavan,Akhand,Akery,Akawanzie,Akapo,Akamiro,Akal,Ajoku,Ajani,Aiuto,Aiudi,Airth,Aipperspach,Aiporlani,Aipopo,Aiola,Aini,Ailsworth,Aills,Ailiff,Aievoli,Aid,Aiava,Ahyet,Ahrenholz,Ahnell,Ahlo,Ahlfield,Ahlemeyer,Ahimud,Ahia,Ahhee,Ahaus,Ahalt,Agustino,Agustine,Agurs,Agumga,Aguele,Agresto,Agreda,Agpaoa,Agosti,Agoro,Agonoy,Agoff,Aggers,Agemy,Ageboi,Agbisit,Afurong,Afshar,Affronti,Afflick,Affeltranger,Afable,Aeillo,Adule,Adrion,Adolphe,Adolfson,Adner,Adloff,Adling,Adickes,Adib,Adelsperger,Adelmund,Adelizzi,Addeo,Adamsonis,Adamsen,Adamowski,Adamos,Adamec,Adalja,Acosto,Acors,Acorda,Acock,Acly,Ackah,Achin,Aceveda,Acerra,Acerno,Aceituno,Acee,Accala,Acal,Abusufait,Abugn,Abuel,Absalon,Abriola,Abrey,Abrell,Abramovitz,Abramoff,Abramian,Abrahamian,Abousaleh,Aboshihata,Abolafia,Ableman,Abkemeier,Abington,Abina,Abigantus,Abide,Abeta,Abercombie,Abdulmuniem,Abdulaziz,Abdou,Abdelmuti,Abdelaziz,Abdelal,Abbington,Abbatiello,Abajian,Abaja,Aarsvold,Aarhus,Aardema,Aarant,Aanderud,Aalund,Aalderink".split(',')
class Learner:
def __init__(self):
self.db = {}
def learn(self, text):
replacements1 = {'[^a-zA-Z0-9\.;:\-]': ' ',
'\s+': ' ', ', ': ' , ', '\. ': ' . ',
': ': ' : ', '; ': ' ; '}
for key, value in replacements1.items():
text = re.sub(key, value, text)
items = [item.lower() for item in text.split(' ')]
for i in range(len(items) - 1):
item = items[i]
nextitem = items[i + 1]
if item not in self.db:
self.db[item] = {}
if nextitem not in self.db[item]:
self.db[item][nextitem] = 1
else:
self.db[item][nextitem] += 1
def save(self, filename):
cPickle.dump(self.db, open(filename, 'wb'))
def load(self, filename):
self.loadd(cPickle.load(open(filename, 'rb')))
def loadd(self, db):
self.db = db
def generate(self, length=10000, prefix=False):
replacements2 = {' ,': ',', ' \.': '.\n', ' :': ':', ' ;':
';', '\n\s+': '\n'}
keys = self.db.keys()
key = keys[random.randint(0, len(keys) - 1)]
words = key
words = words.capitalize()
regex = re.compile('[a-z]+')
for i in range(length):
okey = key
if not key in self.db:
break # should not happen
db = self.db[key]
s = sum(db.values())
i = random.randint(0, s - 1)
for key, value in db.items():
if i < value:
break
else:
i -= value
if okey == '.':
key1 = key.capitalize()
else:
key1 = key
if prefix and regex.findall(key1) and \
random.random() < 0.01:
key1 = '<a href="%s%s">%s</a>' % (prefix, key1, key1)
words += ' ' + key1
text = words
for key, value in replacements2.items():
text = re.sub(key, value, text)
return text + '.\n'
def da_du_ma(n=4):
return ''.join([['da', 'du', 'ma', 'mo', 'ce', 'co',
'pa', 'po', 'sa', 'so', 'ta', 'to']
[random.randint(0, 11)] for i in range(n)])
def populate(table, n=None, default=True, compute=False, contents={}):
"""Populate table with n records.
if n is None, it does not populate the database but returns a generator
if default=True use default values to fields.
if compute=False doesn't load values into computed fields.
if contents has data, use these values to populate related fields.
can be used in two ways:
>>> populate(db.tablename, n=100)
or
>>> for k,row in enumerate(populate(db.tablename)): print row
"""
generator = populate_generator(table, default=default,
compute=compute, contents=contents)
if n is not None:
for k,record in enumerate(generator):
if k>=n: break
table.insert(**record)
table._db.commit()
return generator
def populate_generator(table, default=True, compute=False, contents={}):
"""Populate table with n records.
if default=True use default values to fields.
if compute=False doesn't load values into computed fields.
if contents has data, use these values to populate related fields.
"""
ell = Learner()
#ell.learn(open('20417.txt','r').read())
#ell.save('frequencies.pickle')
#ell.load('frequencies.pickle')
ell.loadd(IUP)
ids = {}
while True:
record = contents.copy() # load user supplied contents.
for fieldname in table.fields:
if fieldname in record:
continue # if user supplied it, let it be.
field = table[fieldname]
if not isinstance(field.type, (str, unicode)):
continue
elif field.type == 'id':
continue
elif default and not field.default in (None, ''):
record[fieldname] = field.default
elif compute and field.compute:
continue
elif field.type == 'boolean':
record[fieldname] = random.random() > 0.5
elif field.type == 'date':
record[fieldname] = \
datetime.date(2009, 1, 1) - \
datetime.timedelta(days=random.randint(0, 365))
elif field.type == 'datetime':
record[fieldname] = \
datetime.datetime(2009, 1, 1) - \
datetime.timedelta(days=random.randint(0, 365))
elif field.type == 'time':
h = random.randint(0, 23)
m = 15 * random.randint(0, 3)
record[fieldname] = datetime.time(h, m, 0)
elif field.type == 'password':
record[fieldname] = ''
elif field.type == 'upload':
record[fieldname] = None
elif field.type == 'integer' and \
hasattr(field.requires, 'options'):
options = field.requires.options(zero=False)
if len(options) > 0:
record[fieldname] = options[
random.randint(0, len(options) - 1)][0]
else:
record[fieldname] = None
elif field.type == 'list:integer' and hasattr(field.requires, 'options'):
options = field.requires.options(zero=False)
if len(options) > 0:
record[fieldname] = [item[0] for item in random.sample(
options, random.randint(0, len(options) - 1) / 2)]
elif field.type == 'integer':
try:
record[fieldname] = random.randint(
field.requires.minimum, field.requires.maximum - 1)
except:
if 'day' in fieldname:
record[fieldname] = random.randint(1,28)
elif 'month' in fieldname:
record[fieldname] =random.randint(1,12)
elif 'year' in fieldname:
record[fieldname] =random.randint(2000,2013)
else:
record[fieldname] = random.randint(0, 1000)
elif field.type == 'double' \
or str(field.type).startswith('decimal'):
if hasattr(field.requires, 'minimum'):
rand = random.random()
if str(field.type).startswith('decimal'):
import decimal
rand = decimal.Decimal(rand)
record[fieldname] = field.requires.minimum + \
rand * (field.requires.maximum -
field.requires.minimum)
else:
record[fieldname] = random.random() * 1000
elif field.type[:10] == 'reference ':
tablename = field.type[10:]
if not tablename in ids:
if table._db._dbname == 'gql':
ids[tablename] = [x.id for x in table._db(
table._db[field.type[10:]].id > 0).select()]
else:
ids[tablename] = [x.id for x in table._db(
table._db[field.type[10:]].id > 0).select()]
n = len(ids[tablename])
if n:
record[fieldname] = \
ids[tablename][random.randint(0, n - 1)]
else:
record[fieldname] = 0
elif field.type[:15] == 'list:reference ':
tablename = field.type[15:]
if not tablename in ids:
if table._db._dbname == 'gql':
ids[tablename] = [x.id for x in table._db(
table._db[field.type[15:]].id > 0).select()]
else:
ids[tablename] = [x.id for x in table._db(
table._db[field.type[15:]].id > 0).select()]
n = len(ids[tablename])
if n:
record[fieldname] = [item for item in random.sample(
ids[tablename], random.randint(0, n - 1) / 2)]
else:
record[fieldname] = 0
elif field.type == 'list:string' \
and hasattr(field.requires, 'options'):
options = field.requires.options(zero=False)
if len(options) > 0:
record[fieldname] = [item[0] for item in random.sample(
options, random.randint(0, len(options) - 1) / 2)]
elif field.type == 'string':
if hasattr(field.requires, 'options'):
options = field.requires.options(zero=False)
record[fieldname] = \
options[random.randint(0, len(options) - 1)][0]
elif fieldname.find('url') >= 0:
record[fieldname] = 'http://%s.example.com' % \
da_du_ma(4)
elif fieldname.find('email') >= 0:
record[fieldname] = '%s@example.com' % da_du_ma(4)
elif fieldname.find('name')>=0:
if fieldname.find('first')>=0:
record[fieldname] = random.choice(FIRST_NAMES)
elif fieldname.find('last')>=0:
record[fieldname] = random.choice(LAST_NAMES)
elif fieldname.find('username')>=0:
record[fieldname] = random.choice(FIRST_NAMES).lower()+str(random.randint(1000,9999))
else:
record[fieldname] = random.choice(FIRST_NAMES)+' '+random.choice(LAST_NAMES)
elif fieldname.find('phone')>=0:
record[fieldname] = '(%s%s%s) %s%s%s-%s%s%s%s' % (
random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'),random.choice('1234567890'))
elif fieldname.find('address') >=0:
record[fieldname] = '%s %s %s Street' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))
else:
z = ell.generate(10, prefix=False)
record[fieldname] = z[:min(60,field.length)].replace('\n', ' ')
elif field.type == 'text':
if fieldname.find('address')>=0:
record[fieldname] = '%s %s %s Street\nChicago, IL\nUSA' % (random.randint(1000,9000),random.choice(FIRST_NAMES),random.choice(LAST_NAMES))
else:
record[fieldname] = ell.generate(
random.randint(10, 100), prefix=None)
yield record
if __name__ == '__main__':
ell = Learner()
ell.loadd(eval(IUP))
print ell.generate(1000, prefix=None)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Plural subsystem is created by Vladyslav Kozlovskyy (Ukraine)
<dbdevelop@gmail.com>
"""
import os
import re
import sys
import pkgutil
import logging
import marshal
from cgi import escape
from threading import RLock
try:
import copyreg as copy_reg # python 3
except ImportError:
import copy_reg # python 2
from portalocker import read_locked, LockedFile
from utf8 import Utf8
from fileutils import listdir
import settings
from cfs import getcfs
from html import XML, xmlescape
from contrib.markmin.markmin2html import render, markmin_escape
from string import maketrans
__all__ = ['translator', 'findT', 'update_all_languages']
ostat = os.stat
oslistdir = os.listdir
pjoin = os.path.join
pexists = os.path.exists
pdirname = os.path.dirname
isdir = os.path.isdir
is_gae = False # settings.global_settings.web2py_runtime_gae
DEFAULT_LANGUAGE = 'en'
DEFAULT_LANGUAGE_NAME = 'English'
# DEFAULT PLURAL-FORMS RULES:
# language doesn't use plural forms
DEFAULT_NPLURALS = 1
# only one singular/plural form is used
DEFAULT_GET_PLURAL_ID = lambda n: 0
# word is unchangeable
DEFAULT_CONSTRUCT_PLURAL_FORM = lambda word, plural_id: word
NUMBERS = (int, long, float)
# pattern to find T(blah blah blah) expressions
PY_STRING_LITERAL_RE = r'(?<=[^\w]T\()(?P<name>'\
+ r"[uU]?[rR]?(?:'''(?:[^']|'{1,2}(?!'))*''')|"\
+ r"(?:'(?:[^'\\]|\\.)*')|" + r'(?:"""(?:[^"]|"{1,2}(?!"))*""")|'\
+ r'(?:"(?:[^"\\]|\\.)*"))'
regex_translate = re.compile(PY_STRING_LITERAL_RE, re.DOTALL)
regex_param = re.compile(r'{(?P<s>.+?)}')
# pattern for a valid accept_language
regex_language = \
re.compile('([a-z]{2}(?:\-[a-z]{2})?(?:\-[a-z]{2})?)(?:[,;]|$)')
regex_langfile = re.compile('^[a-z]{2}(-[a-z]{2})?\.py$')
regex_backslash = re.compile(r"\\([\\{}%])")
regex_plural = re.compile('%({.+?})')
regex_plural_dict = re.compile('^{(?P<w>[^()[\]][^()[\]]*?)\((?P<n>[^()\[\]]+)\)}$') # %%{word(varname or number)}
regex_plural_tuple = re.compile(
'^{(?P<w>[^[\]()]+)(?:\[(?P<i>\d+)\])?}$') # %%{word[index]} or %%{word}
regex_plural_file = re.compile('^plural-[a-zA-Z]{2}(-[a-zA-Z]{2})?\.py$')
def safe_eval(text):
if text.strip():
try:
import ast
return ast.literal_eval(text)
except ImportError:
return eval(text, {}, {})
return None
# used as default filter in translator.M()
def markmin(s):
def markmin_aux(m):
return '{%s}' % markmin_escape(m.group('s'))
return render(regex_param.sub(markmin_aux, s),
sep='br', autolinks=None, id_prefix='')
# UTF8 helper functions
def upper_fun(s):
return unicode(s, 'utf-8').upper().encode('utf-8')
def title_fun(s):
return unicode(s, 'utf-8').title().encode('utf-8')
def cap_fun(s):
return unicode(s, 'utf-8').capitalize().encode('utf-8')
ttab_in = maketrans("\\%{}", '\x1c\x1d\x1e\x1f')
ttab_out = maketrans('\x1c\x1d\x1e\x1f', "\\%{}")
# cache of translated messages:
# global_language_cache:
# { 'languages/xx.py':
# ( {"def-message": "xx-message",
# ...
# "def-message": "xx-message"}, lock_object )
# 'languages/yy.py': ( {dict}, lock_object )
# ...
# }
global_language_cache = {}
def get_from_cache(cache, val, fun):
lang_dict, lock = cache
lock.acquire()
try:
result = lang_dict.get(val)
finally:
lock.release()
if result:
return result
lock.acquire()
try:
result = lang_dict.setdefault(val, fun())
finally:
lock.release()
return result
def clear_cache(filename):
cache = global_language_cache.setdefault(
filename, ({}, RLock()))
lang_dict, lock = cache
lock.acquire()
try:
lang_dict.clear()
finally:
lock.release()
def read_dict_aux(filename):
lang_text = read_locked(filename).replace('\r\n', '\n')
clear_cache(filename)
try:
return safe_eval(lang_text) or {}
except Exception:
e = sys.exc_info()[1]
status = 'Syntax error in %s (%s)' % (filename, e)
logging.error(status)
return {'__corrupted__': status}
def read_dict(filename):
""" return dictionary with translation messages
"""
return getcfs('lang:' + filename, filename,
lambda: read_dict_aux(filename))
def read_possible_plural_rules():
"""
create list of all possible plural rules files
result is cached in PLURAL_RULES dictionary to increase speed
"""
plurals = {}
try:
import contrib.plural_rules as package
for importer, modname, ispkg in pkgutil.iter_modules(package.__path__):
if len(modname) == 2:
module = __import__(package.__name__ + '.' + modname,
fromlist=[modname])
lang = modname
pname = modname + '.py'
nplurals = getattr(module, 'nplurals', DEFAULT_NPLURALS)
get_plural_id = getattr(
module, 'get_plural_id',
DEFAULT_GET_PLURAL_ID)
construct_plural_form = getattr(
module, 'construct_plural_form',
DEFAULT_CONSTRUCT_PLURAL_FORM)
plurals[lang] = (lang, nplurals, get_plural_id,
construct_plural_form)
except ImportError:
e = sys.exc_info()[1]
logging.warn('Unable to import plural rules: %s' % e)
return plurals
PLURAL_RULES = read_possible_plural_rules()
def read_possible_languages_aux(langdir):
def get_lang_struct(lang, langcode, langname, langfile_mtime):
if lang == 'default':
real_lang = langcode.lower()
else:
real_lang = lang
(prules_langcode,
nplurals,
get_plural_id,
construct_plural_form
) = PLURAL_RULES.get(real_lang[:2], ('default',
DEFAULT_NPLURALS,
DEFAULT_GET_PLURAL_ID,
DEFAULT_CONSTRUCT_PLURAL_FORM))
if prules_langcode != 'default':
(pluraldict_fname,
pluraldict_mtime) = plurals.get(real_lang,
plurals.get(real_lang[:2],
('plural-%s.py' % real_lang, 0)))
else:
pluraldict_fname = None
pluraldict_mtime = 0
return (langcode, # language code from !langcode!
langname,
# language name in national spelling from !langname!
langfile_mtime, # m_time of language file
pluraldict_fname, # name of plural dictionary file or None (when default.py is not exist)
pluraldict_mtime, # m_time of plural dictionary file or 0 if file is not exist
prules_langcode, # code of plural rules language or 'default'
nplurals, # nplurals for current language
get_plural_id, # get_plural_id() for current language
construct_plural_form) # construct_plural_form() for current language
plurals = {}
flist = oslistdir(langdir) if isdir(langdir) else []
# scan languages directory for plural dict files:
for pname in flist:
if regex_plural_file.match(pname):
plurals[pname[7:-3]] = (pname,
ostat(pjoin(langdir, pname)).st_mtime)
langs = {}
# scan languages directory for langfiles:
for fname in flist:
if regex_langfile.match(fname) or fname == 'default.py':
fname_with_path = pjoin(langdir, fname)
d = read_dict(fname_with_path)
lang = fname[:-3]
langcode = d.get('!langcode!', lang if lang != 'default'
else DEFAULT_LANGUAGE)
langname = d.get('!langname!', langcode)
langfile_mtime = ostat(fname_with_path).st_mtime
langs[lang] = get_lang_struct(lang, langcode,
langname, langfile_mtime)
if 'default' not in langs:
# if default.py is not found,
# add DEFAULT_LANGUAGE as default language:
langs['default'] = get_lang_struct('default', DEFAULT_LANGUAGE,
DEFAULT_LANGUAGE_NAME, 0)
deflang = langs['default']
deflangcode = deflang[0]
if deflangcode not in langs:
# create language from default.py:
langs[deflangcode] = deflang[:2] + (0,) + deflang[3:]
return langs
def read_possible_languages(langpath):
return getcfs('langs:' + langpath, langpath,
lambda: read_possible_languages_aux(langpath))
def read_plural_dict_aux(filename):
lang_text = read_locked(filename).replace('\r\n', '\n')
try:
return eval(lang_text) or {}
except Exception:
e = sys.exc_info()[1]
status = 'Syntax error in %s (%s)' % (filename, e)
logging.error(status)
return {'__corrupted__': status}
def read_plural_dict(filename):
return getcfs('plurals:' + filename, filename,
lambda: read_plural_dict_aux(filename))
def write_plural_dict(filename, contents):
if '__corrupted__' in contents:
return
try:
fp = LockedFile(filename, 'w')
fp.write('#!/usr/bin/env python\n{\n# "singular form (0)": ["first plural form (1)", "second plural form (2)", ...],\n')
# coding: utf8\n{\n')
for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())):
forms = '[' + ','.join([repr(Utf8(form))
for form in contents[key]]) + ']'
fp.write('%s: %s,\n' % (repr(Utf8(key)), forms))
fp.write('}\n')
except (IOError, OSError):
if not is_gae:
logging.warning('Unable to write to file %s' % filename)
return
finally:
fp.close()
def write_dict(filename, contents):
if '__corrupted__' in contents:
return
try:
fp = LockedFile(filename, 'w')
except (IOError, OSError):
if not settings.global_settings.web2py_runtime_gae:
logging.warning('Unable to write to file %s' % filename)
return
fp.write('# coding: utf8\n{\n')
for key in sorted(contents, lambda x, y: cmp(unicode(x, 'utf-8').lower(), unicode(y, 'utf-8').lower())):
fp.write('%s: %s,\n' % (repr(Utf8(key)), repr(Utf8(contents[key]))))
fp.write('}\n')
fp.close()
class lazyT(object):
"""
never to be called explicitly, returned by
translator.__call__() or translator.M()
"""
m = s = T = f = t = None
M = is_copy = False
def __init__(
self,
message,
symbols={},
T=None,
filter=None,
ftag=None,
M=False
):
if isinstance(message, lazyT):
self.m = message.m
self.s = message.s
self.T = message.T
self.f = message.f
self.t = message.t
self.M = message.M
self.is_copy = True
else:
self.m = message
self.s = symbols
self.T = T
self.f = filter
self.t = ftag
self.M = M
self.is_copy = False
def __repr__(self):
return "<lazyT %s>" % (repr(Utf8(self.m)), )
def __str__(self):
return str(self.T.apply_filter(self.m, self.s, self.f, self.t) if self.M else
self.T.translate(self.m, self.s))
def __eq__(self, other):
return str(self) == str(other)
def __ne__(self, other):
return str(self) != str(other)
def __add__(self, other):
return '%s%s' % (self, other)
def __radd__(self, other):
return '%s%s' % (other, self)
def __mul__(self, other):
return str(self) * other
def __cmp__(self, other):
return cmp(str(self), str(other))
def __hash__(self):
return hash(str(self))
def __getattr__(self, name):
return getattr(str(self), name)
def __getitem__(self, i):
return str(self)[i]
def __getslice__(self, i, j):
return str(self)[i:j]
def __iter__(self):
for c in str(self):
yield c
def __len__(self):
return len(str(self))
def xml(self):
return str(self) if self.M else escape(str(self))
def encode(self, *a, **b):
return str(self).encode(*a, **b)
def decode(self, *a, **b):
return str(self).decode(*a, **b)
def read(self):
return str(self)
def __mod__(self, symbols):
if self.is_copy:
return lazyT(self)
return lazyT(self.m, symbols, self.T, self.f, self.t, self.M)
class translator(object):
"""
this class is instantiated by gluon.compileapp.build_environment
as the T object
::
T.force(None) # turns off translation
T.force('fr, it') # forces web2py to translate using fr.py or it.py
T(\"Hello World\") # translates \"Hello World\" using the selected file
notice 1: there is no need to force since, by default, T uses
http_accept_language to determine a translation file.
notice 2:
en and en-en are considered different languages!
notice 3:
if language xx-yy is not found force() probes other similar
languages using such algorithm:
xx-yy.py -> xx.py -> xx-yy*.py -> xx*.py
"""
def __init__(self, langpath, http_accept_language):
self.langpath = langpath
self.http_accept_language = http_accept_language
self.is_writable = not is_gae
# filled in self.force():
#------------------------
# self.cache
# self.accepted_language
# self.language_file
# self.plural_language
# self.nplurals
# self.get_plural_id
# self.construct_plural_form
# self.plural_file
# self.plural_dict
# self.requested_languages
#----------------------------------------
# filled in self.set_current_languages():
#----------------------------------------
# self.default_language_file
# self.default_t
# self.current_languages
self.set_current_languages()
self.lazy = True
self.otherTs = {}
self.filter = markmin
self.ftag = 'markmin'
def get_possible_languages_info(self, lang=None):
"""
return info for selected language or dictionary with all
possible languages info from APP/languages/*.py
args:
*lang* (str): language
returns:
if *lang* is defined:
return tuple(langcode, langname, langfile_mtime,
pluraldict_fname, pluraldict_mtime,
prules_langcode, nplurals,
get_plural_id, construct_plural_form)
or None
if *lang* is NOT defined:
returns dictionary with all possible languages:
{ langcode(from filename):
( langcode, # language code from !langcode!
langname,
# language name in national spelling from !langname!
langfile_mtime, # m_time of language file
pluraldict_fname,# name of plural dictionary file or None (when default.py is not exist)
pluraldict_mtime,# m_time of plural dictionary file or 0 if file is not exist
prules_langcode, # code of plural rules language or 'default'
nplurals, # nplurals for current language
get_plural_id, # get_plural_id() for current language
construct_plural_form) # construct_plural_form() for current language
}
"""
info = read_possible_languages(self.langpath)
if lang:
info = info.get(lang)
return info
def get_possible_languages(self):
""" get list of all possible languages for current applications """
return list(set(self.current_languages +
[lang for lang in read_possible_languages(self.langpath).iterkeys()
if lang != 'default']))
def set_current_languages(self, *languages):
"""
set current AKA "default" languages
setting one of this languages makes force() function
turn translation off to use default language
"""
if len(languages) == 1 and isinstance(
languages[0], (tuple, list)):
languages = languages[0]
if not languages or languages[0] is None:
# set default language from default.py/DEFAULT_LANGUAGE
pl_info = self.get_possible_languages_info('default')
if pl_info[2] == 0: # langfile_mtime
# if languages/default.py is not found
self.default_language_file = self.langpath
self.default_t = {}
self.current_languages = [DEFAULT_LANGUAGE]
else:
self.default_language_file = pjoin(self.langpath,
'default.py')
self.default_t = read_dict(self.default_language_file)
self.current_languages = [pl_info[0]] # !langcode!
else:
self.current_languages = list(languages)
self.force(self.http_accept_language)
def plural(self, word, n):
""" get plural form of word for number *n*
NOTE: *word" MUST be defined in current language
(T.accepted_language)
invoked from T()/T.M() in %%{} tag
args:
word (str): word in singular
n (numeric): number plural form created for
returns:
(str): word in appropriate singular/plural form
"""
if int(n) == 1:
return word
elif word:
id = self.get_plural_id(abs(int(n)))
# id = 0 singular form
# id = 1 first plural form
# id = 2 second plural form
# etc.
if id != 0:
forms = self.plural_dict.get(word, [])
if len(forms) >= id:
# have this plural form:
return forms[id - 1]
else:
# guessing this plural form
forms += [''] * (self.nplurals - len(forms) - 1)
form = self.construct_plural_form(word, id)
forms[id - 1] = form
self.plural_dict[word] = forms
if self.is_writable and self.plural_file:
write_plural_dict(self.plural_file,
self.plural_dict)
return form
return word
def force(self, *languages):
"""
select language(s) for translation
if a list of languages is passed as a parameter,
first language from this list that matches the ones
from the possible_languages dictionary will be
selected
default language will be selected if none
of them matches possible_languages.
"""
pl_info = read_possible_languages(self.langpath)
def set_plural(language):
"""
initialize plural forms subsystem
"""
lang_info = pl_info.get(language)
if lang_info:
(pname,
pmtime,
self.plural_language,
self.nplurals,
self.get_plural_id,
self.construct_plural_form
) = lang_info[3:]
pdict = {}
if pname:
pname = pjoin(self.langpath, pname)
if pmtime != 0:
pdict = read_plural_dict(pname)
self.plural_file = pname
self.plural_dict = pdict
else:
self.plural_language = 'default'
self.nplurals = DEFAULT_NPLURALS
self.get_plural_id = DEFAULT_GET_PLURAL_ID
self.construct_plural_form = DEFAULT_CONSTRUCT_PLURAL_FORM
self.plural_file = None
self.plural_dict = {}
language = ''
if len(languages) == 1 and isinstance(languages[0], str):
languages = regex_language.findall(languages[0].lower())
elif not languages or languages[0] is None:
languages = []
self.requested_languages = languages = tuple(languages)
if languages:
all_languages = set(lang for lang in pl_info.iterkeys()
if lang != 'default') \
| set(self.current_languages)
for lang in languages:
# compare "aa-bb" | "aa" from *language* parameter
# with strings from langlist using such alghorythm:
# xx-yy.py -> xx.py -> xx*.py
lang5 = lang[:5]
if lang5 in all_languages:
language = lang5
else:
lang2 = lang[:2]
if len(lang5) > 2 and lang2 in all_languages:
language = lang2
else:
for l in all_languages:
if l[:2] == lang2:
language = l
if language:
if language in self.current_languages:
break
self.language_file = pjoin(self.langpath, language + '.py')
self.t = read_dict(self.language_file)
self.cache = global_language_cache.setdefault(
self.language_file,
({}, RLock()))
set_plural(language)
self.accepted_language = language
return languages
self.accepted_language = language or self.current_languages[0]
self.language_file = self.default_language_file
self.cache = global_language_cache.setdefault(self.language_file,
({}, RLock()))
self.t = self.default_t
set_plural(self.accepted_language)
return languages
def __call__(self, message, symbols={}, language=None, lazy=None):
"""
get cached translated plain text message with inserted parameters(symbols)
if lazy==True lazyT object is returned
"""
if lazy is None:
lazy = self.lazy
if not language:
if lazy:
return lazyT(message, symbols, self)
else:
return self.translate(message, symbols)
else:
try:
otherT = self.otherTs[language]
except KeyError:
otherT = self.otherTs[language] = translator(
self.langpath, self.http_accept_language)
otherT.force(language)
return otherT(message, symbols, lazy=lazy)
def apply_filter(self, message, symbols={}, filter=None, ftag=None):
def get_tr(message, prefix, filter):
s = self.get_t(message, prefix)
return filter(s) if filter else self.filter(s)
if filter:
prefix = '@' + (ftag or 'userdef') + '\x01'
else:
prefix = '@' + self.ftag + '\x01'
message = get_from_cache(
self.cache, prefix + message,
lambda: get_tr(message, prefix, filter))
if symbols or symbols == 0 or symbols == "":
if isinstance(symbols, dict):
symbols.update(
(key, xmlescape(value).translate(ttab_in))
for key, value in symbols.iteritems()
if not isinstance(value, NUMBERS))
else:
if not isinstance(symbols, tuple):
symbols = (symbols,)
symbols = tuple(
value if isinstance(value, NUMBERS)
else xmlescape(value).translate(ttab_in)
for value in symbols)
message = self.params_substitution(message, symbols)
return XML(message.translate(ttab_out))
def M(self, message, symbols={}, language=None,
lazy=None, filter=None, ftag=None):
"""
get cached translated markmin-message with inserted parametes
if lazy==True lazyT object is returned
"""
if lazy is None:
lazy = self.lazy
if not language:
if lazy:
return lazyT(message, symbols, self, filter, ftag, True)
else:
return self.apply_filter(message, symbols, filter, ftag)
else:
try:
otherT = self.otherTs[language]
except KeyError:
otherT = self.otherTs[language] = translator(self.request)
otherT.force(language)
return otherT.M(message, symbols, lazy=lazy)
def get_t(self, message, prefix=''):
"""
user ## to add a comment into a translation string
the comment can be useful do discriminate different possible
translations for the same string (for example different locations)
T(' hello world ') -> ' hello world '
T(' hello world ## token') -> ' hello world '
T('hello ## world## token') -> 'hello ## world'
the ## notation is ignored in multiline strings and strings that
start with ##. this is to allow markmin syntax to be translated
"""
if isinstance(message, unicode):
message = message.encode('utf8')
if isinstance(prefix, unicode):
prefix = prefix.encode('utf8')
key = prefix + message
mt = self.t.get(key, None)
if mt is not None:
return mt
# we did not find a translation
if message.find('##') > 0 and not '\n' in message:
# remove comments
message = message.rsplit('##', 1)[0]
# guess translation same as original
self.t[key] = mt = self.default_t.get(key, message)
# update language file for latter translation
if self.is_writable and self.language_file != self.default_language_file:
write_dict(self.language_file, self.t)
return regex_backslash.sub(
lambda m: m.group(1).translate(ttab_in), mt)
def params_substitution(self, message, symbols):
"""
substitute parameters from symbols into message using %.
also parse %%{} placeholders for plural-forms processing.
returns: string with parameters
NOTE: *symbols* MUST BE OR tuple OR dict of parameters!
"""
def sub_plural(m):
"""string in %{} is transformed by this rules:
If string starts with \\, ! or ? such transformations
take place:
"!string of words" -> "String of word" (Capitalize)
"!!string of words" -> "String Of Word" (Title)
"!!!string of words" -> "STRING OF WORD" (Upper)
"\\!string of words" -> "!string of word"
(remove \\ and disable transformations)
"?word?number" -> "word" (return word, if number == 1)
"?number" or "??number" -> "" (remove number,
if number == 1)
"?word?number" -> "number" (if number != 1)
"""
def sub_tuple(m):
""" word[number], !word[number], !!word[number], !!!word[number]
word, !word, !!word, !!!word, ?word?number, ??number, ?number
?word?word[number], ?word?[number], ??word[number]
"""
w, i = m.group('w', 'i')
c = w[0]
if c not in '!?':
return self.plural(w, symbols[int(i or 0)])
elif c == '?':
(p1, sep, p2) = w[1:].partition("?")
part1 = p1 if sep else ""
(part2, sep, part3) = (p2 if sep else p1).partition("?")
if not sep:
part3 = part2
if i is None:
# ?[word]?number[?number] or ?number
if not part2:
return m.group(0)
num = int(part2)
else:
# ?[word]?word2[?word3][number]
num = int(symbols[int(i or 0)])
return part1 if num == 1 else part3 if num == 0 else part2
elif w.startswith('!!!'):
word = w[3:]
fun = upper_fun
elif w.startswith('!!'):
word = w[2:]
fun = title_fun
else:
word = w[1:]
fun = cap_fun
if i is not None:
return fun(self.plural(word, symbols[int(i)]))
return fun(word)
def sub_dict(m):
""" word(var), !word(var), !!word(var), !!!word(var)
word(num), !word(num), !!word(num), !!!word(num)
?word2(var), ?word1?word2(var), ?word1?word2?word0(var)
?word2(num), ?word1?word2(num), ?word1?word2?word0(num)
"""
w, n = m.group('w', 'n')
c = w[0]
n = int(n) if n.isdigit() else symbols[n]
if c not in '!?':
return self.plural(w, n)
elif c == '?':
# ?[word1]?word2[?word0](var or num), ?[word1]?word2(var or num) or ?word2(var or num)
(p1, sep, p2) = w[1:].partition("?")
part1 = p1 if sep else ""
(part2, sep, part3) = (p2 if sep else p1).partition("?")
if not sep:
part3 = part2
num = int(n)
return part1 if num == 1 else part3 if num == 0 else part2
elif w.startswith('!!!'):
word = w[3:]
fun = upper_fun
elif w.startswith('!!'):
word = w[2:]
fun = title_fun
else:
word = w[1:]
fun = cap_fun
return fun(self.plural(word, n))
s = m.group(1)
part = regex_plural_tuple.sub(sub_tuple, s)
if part == s:
part = regex_plural_dict.sub(sub_dict, s)
if part == s:
return m.group(0)
return part
message = message % symbols
message = regex_plural.sub(sub_plural, message)
return message
def translate(self, message, symbols):
"""
get cached translated message with inserted parameters(symbols)
"""
message = get_from_cache(self.cache, message,
lambda: self.get_t(message))
if symbols or symbols == 0 or symbols == "":
if isinstance(symbols, dict):
symbols.update(
(key, str(value).translate(ttab_in))
for key, value in symbols.iteritems()
if not isinstance(value, NUMBERS))
else:
if not isinstance(symbols, tuple):
symbols = (symbols,)
symbols = tuple(
value if isinstance(value, NUMBERS)
else str(value).translate(ttab_in)
for value in symbols)
message = self.params_substitution(message, symbols)
return message.translate(ttab_out)
def findT(path, language=DEFAULT_LANGUAGE):
"""
must be run by the admin app
"""
lang_file = pjoin(path, 'languages', language + '.py')
sentences = read_dict(lang_file)
mp = pjoin(path, 'models')
cp = pjoin(path, 'controllers')
vp = pjoin(path, 'views')
mop = pjoin(path, 'modules')
for filename in \
listdir(mp, '^.+\.py$', 0) + listdir(cp, '^.+\.py$', 0)\
+ listdir(vp, '^.+\.html$', 0) + listdir(mop, '^.+\.py$', 0):
data = read_locked(filename)
items = regex_translate.findall(data)
for item in items:
try:
message = safe_eval(item)
except:
continue # silently ignore inproperly formatted strings
if not message.startswith('#') and not '\n' in message:
tokens = message.rsplit('##', 1)
else:
# this allows markmin syntax in translations
tokens = [message]
if len(tokens) == 2:
message = tokens[0].strip() + '##' + tokens[1].strip()
if message and not message in sentences:
sentences[message] = message
if not '!langcode!' in sentences:
sentences['!langcode!'] = (
DEFAULT_LANGUAGE if language in ('default', DEFAULT_LANGUAGE) else language)
if not '!langname!' in sentences:
sentences['!langname!'] = (
DEFAULT_LANGUAGE_NAME if language in ('default', DEFAULT_LANGUAGE)
else sentences['!langcode!'])
write_dict(lang_file, sentences)
### important to allow safe session.flash=T(....)
def lazyT_unpickle(data):
return marshal.loads(data)
def lazyT_pickle(data):
return lazyT_unpickle, (marshal.dumps(str(data)),)
copy_reg.pickle(lazyT, lazyT_pickle, lazyT_unpickle)
def update_all_languages(application_path):
path = pjoin(application_path, 'languages/')
for language in oslistdir(path):
if regex_langfile.match(language):
findT(application_path, language[:-3])
if __name__ == '__main__':
import doctest
doctest.testmod()
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
"""
import sys
import cPickle
import traceback
import types
import os
import logging
from storage import Storage
from http import HTTP
from html import BEAUTIFY, XML
logger = logging.getLogger("web2py")
__all__ = ['RestrictedError', 'restricted', 'TicketStorage', 'compile2']
class TicketStorage(Storage):
"""
defines the ticket object and the default values of its members (None)
"""
def __init__(
self,
db=None,
tablename='web2py_ticket'
):
Storage.__init__(self)
self.db = db
self.tablename = tablename
def store(self, request, ticket_id, ticket_data):
"""
stores the ticket. It will figure out if this must be on disk or in db
"""
if self.db:
self._store_in_db(request, ticket_id, ticket_data)
else:
self._store_on_disk(request, ticket_id, ticket_data)
def _store_in_db(self, request, ticket_id, ticket_data):
table = self._get_table(self.db, self.tablename, request.application)
table.insert(ticket_id=ticket_id,
ticket_data=cPickle.dumps(ticket_data),
created_datetime=request.now)
logger.error('In FILE: %(layer)s\n\n%(traceback)s\n' % ticket_data)
def _store_on_disk(self, request, ticket_id, ticket_data):
ef = self._error_file(request, ticket_id, 'wb')
try:
cPickle.dump(ticket_data, ef)
finally:
ef.close()
def _error_file(self, request, ticket_id, mode, app=None):
root = request.folder
if app:
root = os.path.join(os.path.join(root, '..'), app)
errors_folder = os.path.abspath(
os.path.join(root, 'errors')) # .replace('\\', '/')
return open(os.path.join(errors_folder, ticket_id), mode)
def _get_table(self, db, tablename, app):
tablename = tablename + '_' + app
table = db.get(tablename, None)
if table is None:
db.rollback() # not necessary but one day
# any app may store tickets on DB
table = db.define_table(
tablename,
db.Field('ticket_id', length=100),
db.Field('ticket_data', 'text'),
db.Field('created_datetime', 'datetime'),
)
return table
def load(
self,
request,
app,
ticket_id,
):
if not self.db:
try:
ef = self._error_file(request, ticket_id, 'rb', app)
except IOError:
return {}
try:
return cPickle.load(ef)
finally:
ef.close()
else:
table = self._get_table(self.db, self.tablename, app)
rows = self.db(table.ticket_id == ticket_id).select()
return cPickle.loads(rows[0].ticket_data) if rows else {}
class RestrictedError(Exception):
"""
class used to wrap an exception that occurs in the restricted environment
below. the traceback is used to log the exception and generate a ticket.
"""
def __init__(
self,
layer='',
code='',
output='',
environment=None,
):
"""
layer here is some description of where in the system the exception
occurred.
"""
if environment is None:
environment = {}
self.layer = layer
self.code = code
self.output = output
self.environment = environment
if layer:
try:
self.traceback = traceback.format_exc()
except:
self.traceback = 'no traceback because template parsing error'
try:
self.snapshot = snapshot(context=10, code=code,
environment=self.environment)
except:
self.snapshot = {}
else:
self.traceback = '(no error)'
self.snapshot = {}
def log(self, request):
"""
logs the exception.
"""
try:
d = {
'layer': str(self.layer),
'code': str(self.code),
'output': str(self.output),
'traceback': str(self.traceback),
'snapshot': self.snapshot,
}
ticket_storage = TicketStorage(db=request.tickets_db)
ticket_storage.store(request, request.uuid.split('/', 1)[1], d)
return request.uuid
except:
logger.error(self.traceback)
return None
def load(self, request, app, ticket_id):
"""
loads a logged exception.
"""
ticket_storage = TicketStorage(db=request.tickets_db)
d = ticket_storage.load(request, app, ticket_id)
self.layer = d.get('layer')
self.code = d.get('code')
self.output = d.get('output')
self.traceback = d.get('traceback')
self.snapshot = d.get('snapshot')
def __str__(self):
# safely show an useful message to the user
try:
output = self.output
if isinstance(output, unicode):
output = output.encode("utf8")
elif not isinstance(output, str):
output = str(output)
except:
output = ""
return output
def compile2(code, layer):
"""
The +'\n' is necessary else compile fails when code ends in a comment.
"""
return compile(code.rstrip().replace('\r\n', '\n') + '\n', layer, 'exec')
def restricted(code, environment=None, layer='Unknown'):
"""
runs code in environment and returns the output. if an exception occurs
in code it raises a RestrictedError containing the traceback. layer is
passed to RestrictedError to identify where the error occurred.
"""
if environment is None:
environment = {}
environment['__file__'] = layer
environment['__name__'] = '__restricted__'
try:
if isinstance(code, types.CodeType):
ccode = code
else:
ccode = compile2(code, layer)
exec ccode in environment
except HTTP:
raise
except RestrictedError:
# do not encapsulate (obfuscate) the original RestrictedError
raise
except Exception, error:
# extract the exception type and value (used as output message)
etype, evalue, tb = sys.exc_info()
# XXX Show exception in Wing IDE if running in debugger
if __debug__ and 'WINGDB_ACTIVE' in os.environ:
sys.excepthook(etype, evalue, tb)
output = "%s %s" % (etype, evalue)
raise RestrictedError(layer, code, output, environment)
def snapshot(info=None, context=5, code=None, environment=None):
"""Return a dict describing a given traceback (based on cgitb.text)."""
import os
import types
import time
import linecache
import inspect
import pydoc
import cgitb
# if no exception info given, get current:
etype, evalue, etb = info or sys.exc_info()
if isinstance(etype, types.ClassType):
etype = etype.__name__
# create a snapshot dict with some basic information
s = {}
s['pyver'] = 'Python ' + sys.version.split()[0] + ': ' + sys.executable + ' (prefix: %s)' % sys.prefix
s['date'] = time.ctime(time.time())
# start to process frames
records = inspect.getinnerframes(etb, context)
s['frames'] = []
for frame, file, lnum, func, lines, index in records:
file = file and os.path.abspath(file) or '?'
args, varargs, varkw, locals = inspect.getargvalues(frame)
call = ''
if func != '?':
call = inspect.formatargvalues(args, varargs, varkw, locals,
formatvalue=lambda value: '=' + pydoc.text.repr(value))
# basic frame information
f = {'file': file, 'func': func, 'call': call, 'lines': {},
'lnum': lnum}
highlight = {}
def reader(lnum=[lnum]):
highlight[lnum[0]] = 1
try:
return linecache.getline(file, lnum[0])
finally:
lnum[0] += 1
vars = cgitb.scanvars(reader, frame, locals)
# if it is a view, replace with generated code
if file.endswith('html'):
lmin = lnum > context and (lnum - context) or 0
lmax = lnum + context
lines = code.split("\n")[lmin:lmax]
index = min(context, lnum) - 1
if index is not None:
i = lnum - index
for line in lines:
f['lines'][i] = line.rstrip()
i += 1
# dump local variables (referenced in current line only)
f['dump'] = {}
for name, where, value in vars:
if name in f['dump']:
continue
if value is not cgitb.__UNDEF__:
if where == 'global':
name = 'global ' + name
elif where != 'local':
name = where + name.split('.')[-1]
f['dump'][name] = pydoc.text.repr(value)
else:
f['dump'][name] = 'undefined'
s['frames'].append(f)
# add exception type, value and attributes
s['etype'] = str(etype)
s['evalue'] = str(evalue)
s['exception'] = {}
if isinstance(evalue, BaseException):
for name in dir(evalue):
# prevent py26 DeprecatedWarning:
if name != 'message' or sys.version_info < (2.6):
value = pydoc.text.repr(getattr(evalue, name))
s['exception'][name] = value
# add all local values (of last frame) to the snapshot
s['locals'] = {}
for name, value in locals.items():
s['locals'][name] = pydoc.text.repr(value)
# add web2py environment variables
for k, v in environment.items():
if k in ('request', 'response', 'session'):
s[k] = XML(str(BEAUTIFY(v)))
return s
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Web2Py framework modules
========================
"""
__all__ = ['A', 'B', 'BEAUTIFY', 'BODY', 'BR', 'CAT', 'CENTER', 'CLEANUP', 'CODE', 'CRYPT', 'DAL', 'DIV', 'EM', 'EMBED', 'FIELDSET', 'FORM', 'Field', 'H1', 'H2', 'H3', 'H4', 'H5', 'H6', 'HEAD', 'HR', 'HTML', 'HTTP', 'I', 'IFRAME', 'IMG', 'INPUT', 'IS_ALPHANUMERIC', 'IS_DATE', 'IS_DATETIME', 'IS_DATETIME_IN_RANGE', 'IS_DATE_IN_RANGE', 'IS_DECIMAL_IN_RANGE', 'IS_EMAIL', 'IS_EMPTY_OR', 'IS_EQUAL_TO', 'IS_EXPR', 'IS_FLOAT_IN_RANGE', 'IS_IMAGE', 'IS_JSON', 'IS_INT_IN_RANGE', 'IS_IN_DB', 'IS_IN_SET', 'IS_IPV4', 'IS_LENGTH', 'IS_LIST_OF', 'IS_LOWER', 'IS_MATCH', 'IS_NOT_EMPTY', 'IS_NOT_IN_DB', 'IS_NULL_OR', 'IS_SLUG', 'IS_STRONG', 'IS_TIME', 'IS_UPLOAD_FILENAME', 'IS_UPPER', 'IS_URL', 'LABEL', 'LEGEND', 'LI', 'LINK', 'LOAD', 'MARKMIN', 'MENU', 'META', 'OBJECT', 'OL', 'ON', 'OPTGROUP', 'OPTION', 'P', 'PRE', 'SCRIPT', 'SELECT', 'SPAN', 'SQLFORM', 'SQLTABLE', 'STRONG', 'STYLE', 'TABLE', 'TAG', 'TBODY', 'TD', 'TEXTAREA', 'TFOOT', 'TH', 'THEAD', 'TITLE', 'TR', 'TT', 'UL', 'URL', 'XHTML', 'XML', 'redirect', 'current', 'embed64']
from globals import current
from html import *
from validators import *
from http import redirect, HTTP
from dal import DAL, Field
from sqlhtml import SQLFORM, SQLTABLE
from compileapp import LOAD
# Dummy code to enable code completion in IDE's.
if 0:
from globals import Request, Response, Session
from cache import Cache
from languages import translator
from tools import Auth, Crud, Mail, Service, PluginManager
# API objects
request = Request()
response = Response()
session = Session()
cache = Cache(request)
T = translator(request)
# Objects commonly defined in application model files
# (names are conventions only -- not part of API)
db = DAL()
auth = Auth(db)
crud = Crud(db)
mail = Mail()
service = Service()
plugins = PluginManager()
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
"""
import sys
import storage
import os
import re
import tarfile
import glob
import time
import datetime
import logging
from http import HTTP
from gzip import open as gzopen
__all__ = [
'parse_version',
'read_file',
'write_file',
'readlines_file',
'up',
'abspath',
'mktree',
'listdir',
'recursive_unlink',
'cleanpath',
'tar',
'untar',
'tar_compiled',
'get_session',
'check_credentials',
'w2p_pack',
'w2p_unpack',
'w2p_pack_plugin',
'w2p_unpack_plugin',
'fix_newlines',
'make_fake_file_like_object',
]
def parse_semantic(version="Version 1.99.0-rc.1+timestamp.2011.09.19.08.23.26"):
"http://semver.org/"
re_version = re.compile('(\d+)\.(\d+)\.(\d+)(\-(?P<pre>[^\s+]*))?(\+(?P<build>\S*))')
m = re_version.match(version.strip().split()[-1])
if not m:
return None
a, b, c = int(m.group(1)), int(m.group(2)), int(m.group(3))
pre_release = m.group('pre') or ''
build = m.group('build') or ''
if build.startswith('timestamp'):
build = datetime.datetime.strptime(build.split('.',1)[1], '%Y.%m.%d.%H.%M.%S')
return (a, b, c, pre_release, build)
def parse_legacy(version="Version 1.99.0 (2011-09-19 08:23:26)"):
re_version = re.compile('[^\d]+ (\d+)\.(\d+)\.(\d+)\s*\((?P<datetime>.+?)\)\s*(?P<type>[a-z]+)?')
m = re_version.match(version)
a, b, c = int(m.group(1)), int(m.group(2)), int(m.group(3)),
pre_release = m.group('type') or 'dev'
build = datetime.datetime.strptime(m.group('datetime'), '%Y-%m-%d %H:%M:%S')
return (a, b, c, pre_release, build)
def parse_version(version):
version_tuple = parse_semantic(version)
if not version_tuple:
version_tuple = parse_legacy(version)
return version_tuple
def read_file(filename, mode='r'):
"returns content from filename, making sure to close the file explicitly on exit."
f = open(filename, mode)
try:
return f.read()
finally:
f.close()
def write_file(filename, value, mode='w'):
"writes <value> to filename, making sure to close the file explicitly on exit."
f = open(filename, mode)
try:
return f.write(value)
finally:
f.close()
def readlines_file(filename, mode='r'):
"applies .split('\n') to the output of read_file()"
return read_file(filename, mode).split('\n')
def mktree(path):
head, tail = os.path.split(path)
if head:
if tail:
mktree(head)
if not os.path.exists(head):
os.mkdir(head)
def listdir(
path,
expression='^.+$',
drop=True,
add_dirs=False,
sort=True,
):
"""
like os.listdir() but you can specify a regex pattern to filter files.
if add_dirs is True, the returned items will have the full path.
"""
if path[-1:] != os.path.sep:
path = path + os.path.sep
if drop:
n = len(path)
else:
n = 0
regex = re.compile(expression)
items = []
for (root, dirs, files) in os.walk(path, topdown=True):
for dir in dirs[:]:
if dir.startswith('.'):
dirs.remove(dir)
if add_dirs:
items.append(root[n:])
for file in sorted(files):
if regex.match(file) and not file.startswith('.'):
items.append(os.path.join(root, file)[n:])
if sort:
return sorted(items)
else:
return items
def recursive_unlink(f):
if os.path.isdir(f):
for s in os.listdir(f):
recursive_unlink(os.path.join(f, s))
os.rmdir(f)
elif os.path.isfile(f):
os.unlink(f)
def cleanpath(path):
"""
turns any expression/path into a valid filename. replaces / with _ and
removes special characters.
"""
items = path.split('.')
if len(items) > 1:
path = re.sub('[^\w\.]+', '_', '_'.join(items[:-1]) + '.'
+ ''.join(items[-1:]))
else:
path = re.sub('[^\w\.]+', '_', ''.join(items[-1:]))
return path
def _extractall(filename, path='.', members=None):
if not hasattr(tarfile.TarFile, 'extractall'):
from tarfile import ExtractError
class TarFile(tarfile.TarFile):
def extractall(self, path='.', members=None):
"""Extract all members from the archive to the current working
directory and set owner, modification time and permissions on
directories afterwards. `path' specifies a different directory
to extract to. `members' is optional and must be a subset of the
list returned by getmembers().
"""
directories = []
if members is None:
members = self
for tarinfo in members:
if tarinfo.isdir():
# Extract directory with a safe mode, so that
# all files below can be extracted as well.
try:
os.makedirs(os.path.join(path,
tarinfo.name), 0777)
except EnvironmentError:
pass
directories.append(tarinfo)
else:
self.extract(tarinfo, path)
# Reverse sort directories.
directories.sort(lambda a, b: cmp(a.name, b.name))
directories.reverse()
# Set correct owner, mtime and filemode on directories.
for tarinfo in directories:
path = os.path.join(path, tarinfo.name)
try:
self.chown(tarinfo, path)
self.utime(tarinfo, path)
self.chmod(tarinfo, path)
except ExtractError, e:
if self.errorlevel > 1:
raise
else:
self._dbg(1, 'tarfile: %s' % e)
_cls = TarFile
else:
_cls = tarfile.TarFile
tar = _cls(filename, 'r')
ret = tar.extractall(path, members)
tar.close()
return ret
def tar(file, dir, expression='^.+$', filenames=None):
"""
tars dir into file, only tars file that match expression
"""
tar = tarfile.TarFile(file, 'w')
try:
if filenames is None:
filenames = listdir(dir, expression, add_dirs=True)
for file in filenames:
tar.add(os.path.join(dir, file), file, False)
finally:
tar.close()
def untar(file, dir):
"""
untar file into dir
"""
_extractall(file, dir)
def w2p_pack(filename, path, compiled=False, filenames=None):
filename = abspath(filename)
path = abspath(path)
tarname = filename + '.tar'
if compiled:
tar_compiled(tarname, path, '^[\w\.\-]+$')
else:
tar(tarname, path, '^[\w\.\-]+$', filenames=filenames)
w2pfp = gzopen(filename, 'wb')
tarfp = open(tarname, 'rb')
w2pfp.write(tarfp.read())
w2pfp.close()
tarfp.close()
os.unlink(tarname)
def create_welcome_w2p():
if not os.path.exists('welcome.w2p') or os.path.exists('NEWINSTALL'):
try:
w2p_pack('welcome.w2p', 'applications/welcome')
os.unlink('NEWINSTALL')
logging.info("New installation: created welcome.w2p file")
except:
logging.error("New installation error: unable to create welcome.w2p file")
def w2p_unpack(filename, path, delete_tar=True):
if filename=='welcome.w2p':
create_welcome_w2p()
filename = abspath(filename)
path = abspath(path)
if filename[-4:] == '.w2p' or filename[-3:] == '.gz':
if filename[-4:] == '.w2p':
tarname = filename[:-4] + '.tar'
else:
tarname = filename[:-3] + '.tar'
fgzipped = gzopen(filename, 'rb')
tarfile = open(tarname, 'wb')
tarfile.write(fgzipped.read())
tarfile.close()
fgzipped.close()
else:
tarname = filename
untar(tarname, path)
if delete_tar:
os.unlink(tarname)
def w2p_pack_plugin(filename, path, plugin_name):
"""Pack the given plugin into a w2p file.
Will match files at:
<path>/*/plugin_[name].*
<path>/*/plugin_[name]/*
"""
filename = abspath(filename)
path = abspath(path)
if not filename.endswith('web2py.plugin.%s.w2p' % plugin_name):
raise Exception("Not a web2py plugin name")
plugin_tarball = tarfile.open(filename, 'w:gz')
try:
app_dir = path
while app_dir[-1] == '/':
app_dir = app_dir[:-1]
files1 = glob.glob(
os.path.join(app_dir, '*/plugin_%s.*' % plugin_name))
files2 = glob.glob(
os.path.join(app_dir, '*/plugin_%s/*' % plugin_name))
for file in files1 + files2:
plugin_tarball.add(file, arcname=file[len(app_dir) + 1:])
finally:
plugin_tarball.close()
def w2p_unpack_plugin(filename, path, delete_tar=True):
filename = abspath(filename)
path = abspath(path)
if not os.path.basename(filename).startswith('web2py.plugin.'):
raise Exception("Not a web2py plugin")
w2p_unpack(filename, path, delete_tar)
def tar_compiled(file, dir, expression='^.+$'):
"""
used to tar a compiled application.
the content of models, views, controllers is not stored in the tar file.
"""
tar = tarfile.TarFile(file, 'w')
for file in listdir(dir, expression, add_dirs=True):
filename = os.path.join(dir, file)
if os.path.islink(filename):
continue
if os.path.isfile(filename) and file[-4:] != '.pyc':
if file[:6] == 'models':
continue
if file[:5] == 'views':
continue
if file[:11] == 'controllers':
continue
if file[:7] == 'modules':
continue
tar.add(filename, file, False)
tar.close()
def up(path):
return os.path.dirname(os.path.normpath(path))
def get_session(request, other_application='admin'):
""" checks that user is authorized to access other_application"""
if request.application == other_application:
raise KeyError
try:
session_id = request.cookies['session_id_' + other_application].value
osession = storage.load_storage(os.path.join(
up(request.folder), other_application, 'sessions', session_id))
except Exception, e:
osession = storage.Storage()
return osession
def check_credentials(request, other_application='admin',
expiration=60 * 60, gae_login=True):
""" checks that user is authorized to access other_application"""
if request.env.web2py_runtime_gae:
from google.appengine.api import users
if users.is_current_user_admin():
return True
elif gae_login:
login_html = '<a href="%s">Sign in with your google account</a>.' \
% users.create_login_url(request.env.path_info)
raise HTTP(200, '<html><body>%s</body></html>' % login_html)
else:
return False
else:
dt = time.time() - expiration
s = get_session(request, other_application)
return (s.authorized and s.last_time and s.last_time > dt)
def fix_newlines(path):
regex = re.compile(r'''(\r
|\r|
)''')
for filename in listdir(path, '.*\.(py|html)$', drop=False):
rdata = read_file(filename, 'rb')
wdata = regex.sub('\n', rdata)
if wdata != rdata:
write_file(filename, wdata, 'wb')
def copystream(
src,
dest,
size,
chunk_size=10 ** 5,
):
"""
this is here because I think there is a bug in shutil.copyfileobj
"""
while size > 0:
if size < chunk_size:
data = src.read(size)
else:
data = src.read(chunk_size)
length = len(data)
if length > size:
(data, length) = (data[:size], size)
size -= length
if length == 0:
break
dest.write(data)
if length < chunk_size:
break
dest.seek(0)
return
def make_fake_file_like_object():
class LogFile(object):
def write(self, value):
pass
def close(self):
pass
return LogFile()
from settings import global_settings # we need to import settings here because
# settings imports fileutils too
def abspath(*relpath, **base):
"convert relative path to absolute path based (by default) on applications_parent"
path = os.path.join(*relpath)
gluon = base.get('gluon', False)
if os.path.isabs(path):
return path
if gluon:
return os.path.join(global_settings.gluon_parent, path)
return os.path.join(global_settings.applications_parent, path)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Contains the classes for the global used variables:
- Request
- Response
- Session
"""
from storage import Storage, List
from streamer import streamer, stream_file_or_304_or_206, DEFAULT_CHUNK_SIZE
from xmlrpc import handler
from contenttype import contenttype
from html import xmlescape, TABLE, TR, PRE, URL
from http import HTTP, redirect
from fileutils import up
from serializers import json, custom_json
import settings
from utils import web2py_uuid, secure_dumps, secure_loads
from settings import global_settings
import hashlib
import portalocker
import cPickle
import cStringIO
import datetime
import re
import Cookie
import os
import sys
import traceback
import threading
FMT = '%a, %d-%b-%Y %H:%M:%S PST'
PAST = 'Sat, 1-Jan-1971 00:00:00'
FUTURE = 'Tue, 1-Dec-2999 23:59:59'
try:
from gluon.contrib.minify import minify
have_minify = True
except ImportError:
have_minify = False
regex_session_id = re.compile('^([\w\-]+/)?[\w\-\.]+$')
__all__ = ['Request', 'Response', 'Session']
current = threading.local() # thread-local storage for request-scope globals
css_template = '<link href="%s" rel="stylesheet" type="text/css" />'
js_template = '<script src="%s" type="text/javascript"></script>'
coffee_template = '<script src="%s" type="text/coffee"></script>'
typescript_template = '<script src="%s" type="text/typescript"></script>'
less_template = '<link href="%s" rel="stylesheet/less" type="text/css" />'
css_inline = '<style type="text/css">\n%s\n</style>'
js_inline = '<script type="text/javascript">\n%s\n</script>'
class Request(Storage):
"""
defines the request object and the default values of its members
- env: environment variables, by gluon.main.wsgibase()
- cookies
- get_vars
- post_vars
- vars
- folder
- application
- function
- args
- extension
- now: datetime.datetime.today()
- restful()
"""
def __init__(self):
Storage.__init__(self)
self.wsgi = Storage() # hooks to environ and start_response
self.env = Storage()
self.cookies = Cookie.SimpleCookie()
self.get_vars = Storage()
self.post_vars = Storage()
self.vars = Storage()
self.folder = None
self.application = None
self.function = None
self.args = List()
self.extension = 'html'
self.now = datetime.datetime.now()
self.utcnow = datetime.datetime.utcnow()
self.is_restful = False
self.is_https = False
self.is_local = False
self.global_settings = settings.global_settings
def compute_uuid(self):
self.uuid = '%s/%s.%s.%s' % (
self.application,
self.client.replace(':', '_'),
self.now.strftime('%Y-%m-%d.%H-%M-%S'),
web2py_uuid())
return self.uuid
def user_agent(self):
from gluon.contrib import user_agent_parser
session = current.session
user_agent = session._user_agent or \
user_agent_parser.detect(self.env.http_user_agent)
if session:
session._user_agent = user_agent
user_agent = Storage(user_agent)
for key, value in user_agent.items():
if isinstance(value, dict):
user_agent[key] = Storage(value)
return user_agent
def requires_https(self):
"""
If request comes in over HTTP, redirect it to HTTPS
and secure the session.
"""
cmd_opts = global_settings.cmd_options
#checking if this is called within the scheduler or within the shell
#in addition to checking if it's not a cronjob
if ((cmd_opts and (cmd_opts.shell or cmd_opts.scheduler))
or global_settings.cronjob or self.is_https):
current.session.secure()
else:
current.session.forget()
redirect(URL(scheme='https', args=self.args, vars=self.vars))
def restful(self):
def wrapper(action, self=self):
def f(_action=action, _self=self, *a, **b):
self.is_restful = True
method = _self.env.request_method
if len(_self.args) and '.' in _self.args[-1]:
_self.args[-
1], _self.extension = _self.args[-1].rsplit('.', 1)
current.response.headers['Content-Type'] = \
contenttype(_self.extension.lower())
if not method in ['GET', 'POST', 'DELETE', 'PUT']:
raise HTTP(400, "invalid method")
rest_action = _action().get(method, None)
if not rest_action:
raise HTTP(400, "method not supported")
try:
return rest_action(*_self.args, **_self.vars)
except TypeError, e:
exc_type, exc_value, exc_traceback = sys.exc_info()
if len(traceback.extract_tb(exc_traceback)) == 1:
raise HTTP(400, "invalid arguments")
else:
raise e
f.__doc__ = action.__doc__
f.__name__ = action.__name__
return f
return wrapper
class Response(Storage):
"""
defines the response object and the default values of its members
response.write( ) can be used to write in the output html
"""
def __init__(self):
Storage.__init__(self)
self.status = 200
self.headers = dict()
self.headers['X-Powered-By'] = 'web2py'
self.body = cStringIO.StringIO()
self.session_id = None
self.cookies = Cookie.SimpleCookie()
self.postprocessing = []
self.flash = '' # used by the default view layout
self.meta = Storage() # used by web2py_ajax.html
self.menu = [] # used by the default view layout
self.files = [] # used by web2py_ajax.html
self.generic_patterns = [] # patterns to allow generic views
self.delimiters = ('{{', '}}')
self._vars = None
self._caller = lambda f: f()
self._view_environment = None
self._custom_commit = None
self._custom_rollback = None
def write(self, data, escape=True):
if not escape:
self.body.write(str(data))
else:
self.body.write(xmlescape(data))
def render(self, *a, **b):
from compileapp import run_view_in
if len(a) > 2:
raise SyntaxError(
'Response.render can be called with two arguments, at most')
elif len(a) == 2:
(view, self._vars) = (a[0], a[1])
elif len(a) == 1 and isinstance(a[0], str):
(view, self._vars) = (a[0], {})
elif len(a) == 1 and hasattr(a[0], 'read') and callable(a[0].read):
(view, self._vars) = (a[0], {})
elif len(a) == 1 and isinstance(a[0], dict):
(view, self._vars) = (None, a[0])
else:
(view, self._vars) = (None, {})
self._vars.update(b)
self._view_environment.update(self._vars)
if view:
import cStringIO
(obody, oview) = (self.body, self.view)
(self.body, self.view) = (cStringIO.StringIO(), view)
run_view_in(self._view_environment)
page = self.body.getvalue()
self.body.close()
(self.body, self.view) = (obody, oview)
else:
run_view_in(self._view_environment)
page = self.body.getvalue()
return page
def include_meta(self):
s = '\n'.join(
'<meta name="%s" content="%s" />\n' % (k, xmlescape(v))
for k, v in (self.meta or {}).iteritems())
self.write(s, escape=False)
def include_files(self, extensions=None):
"""
Caching method for writing out files.
By default, caches in ram for 5 minutes. To change,
response.cache_includes = (cache_method, time_expire).
Example: (cache.disk, 60) # caches to disk for 1 minute.
"""
from gluon import URL
files = []
has_js = has_css = False
for item in self.files:
if extensions and not item.split('.')[-1] in extensions:
continue
if item in files:
continue
if item.endswith('.js'):
has_js = True
if item.endswith('.css'):
has_css = True
files.append(item)
if have_minify and ((self.optimize_css and has_css) or (self.optimize_js and has_js)):
# cache for 5 minutes by default
key = hashlib.md5(repr(files)).hexdigest()
cache = self.cache_includes or (current.cache.ram, 60 * 5)
def call_minify(files=files):
return minify.minify(files,
URL('static', 'temp'),
current.request.folder,
self.optimize_css,
self.optimize_js)
if cache:
cache_model, time_expire = cache
files = cache_model('response.files.minified/' + key,
call_minify,
time_expire)
else:
files = call_minify()
s = ''
for item in files:
if isinstance(item, str):
f = item.lower().split('?')[0]
if self.static_version:
item = item.replace(
'/static/', '/static/_%s/' % self.static_version, 1)
if f.endswith('.css'):
s += css_template % item
elif f.endswith('.js'):
s += js_template % item
elif f.endswith('.coffee'):
s += coffee_template % item
elif f.endswith('.ts'):
# http://www.typescriptlang.org/
s += typescript_template % item
elif f.endswith('.less'):
s += less_template % item
elif isinstance(item, (list, tuple)):
f = item[0]
if f == 'css:inline':
s += css_inline % item[1]
elif f == 'js:inline':
s += js_inline % item[1]
self.write(s, escape=False)
def stream(
self,
stream,
chunk_size=DEFAULT_CHUNK_SIZE,
request=None,
attachment=False,
filename=None
):
"""
if a controller function::
return response.stream(file, 100)
the file content will be streamed at 100 bytes at the time
Optional kwargs:
(for custom stream calls)
attachment=True # Send as attachment. Usually creates a
# pop-up download window on browsers
filename=None # The name for the attachment
Note: for using the stream name (filename) with attachments
the option must be explicitly set as function parameter(will
default to the last request argument otherwise)
"""
headers = self.headers
# for attachment settings and backward compatibility
keys = [item.lower() for item in headers]
if attachment:
if filename is None:
attname = ""
else:
attname = filename
headers["Content-Disposition"] = \
"attachment;filename=%s" % attname
if not request:
request = current.request
if isinstance(stream, (str, unicode)):
stream_file_or_304_or_206(stream,
chunk_size=chunk_size,
request=request,
headers=headers,
status=self.status)
# ## the following is for backward compatibility
if hasattr(stream, 'name'):
filename = stream.name
if filename and not 'content-type' in keys:
headers['Content-Type'] = contenttype(filename)
if filename and not 'content-length' in keys:
try:
headers['Content-Length'] = \
os.path.getsize(filename)
except OSError:
pass
env = request.env
# Internet Explorer < 9.0 will not allow downloads over SSL unless caching is enabled
if request.is_https and isinstance(env.http_user_agent, str) and \
not re.search(r'Opera', env.http_user_agent) and \
re.search(r'MSIE [5-8][^0-9]', env.http_user_agent):
headers['Pragma'] = 'cache'
headers['Cache-Control'] = 'private'
if request and env.web2py_use_wsgi_file_wrapper:
wrapped = env.wsgi_file_wrapper(stream, chunk_size)
else:
wrapped = streamer(stream, chunk_size=chunk_size)
return wrapped
def download(self, request, db, chunk_size=DEFAULT_CHUNK_SIZE, attachment=True, download_filename=None):
"""
example of usage in controller::
def download():
return response.download(request, db)
downloads from http://..../download/filename
"""
current.session.forget(current.response)
if not request.args:
raise HTTP(404)
name = request.args[-1]
items = re.compile('(?P<table>.*?)\.(?P<field>.*?)\..*')\
.match(name)
if not items:
raise HTTP(404)
(t, f) = (items.group('table'), items.group('field'))
try:
field = db[t][f]
except AttributeError:
raise HTTP(404)
try:
(filename, stream) = field.retrieve(name,nameonly=True)
except IOError:
raise HTTP(404)
headers = self.headers
headers['Content-Type'] = contenttype(name)
if download_filename == None:
download_filename = filename
if attachment:
headers['Content-Disposition'] = \
'attachment; filename="%s"' % download_filename.replace('"','\"')
return self.stream(stream, chunk_size=chunk_size, request=request)
def json(self, data, default=None):
return json(data, default=default or custom_json)
def xmlrpc(self, request, methods):
"""
assuming::
def add(a, b):
return a+b
if a controller function \"func\"::
return response.xmlrpc(request, [add])
the controller will be able to handle xmlrpc requests for
the add function. Example::
import xmlrpclib
connection = xmlrpclib.ServerProxy(
'http://hostname/app/contr/func')
print connection.add(3, 4)
"""
return handler(request, self, methods)
def toolbar(self):
from html import DIV, SCRIPT, BEAUTIFY, TAG, URL, A
BUTTON = TAG.button
admin = URL("admin", "default", "design",
args=current.request.application)
from gluon.dal import DAL
dbstats = []
dbtables = {}
infos = DAL.get_instances()
for k,v in infos.iteritems():
dbstats.append(TABLE(*[TR(PRE(row[0]),'%.2fms' %
(row[1]*1000))
for row in v['dbstats']]))
dbtables[k] = dict(defined=v['dbtables']['defined'] or '[no defined tables]',
lazy=v['dbtables']['lazy'] or '[no lazy tables]')
u = web2py_uuid()
backtotop = A('Back to top', _href="#totop-%s" % u)
return DIV(
BUTTON('design', _onclick="document.location='%s'" % admin),
BUTTON('request',
_onclick="jQuery('#request-%s').slideToggle()" % u),
BUTTON('response',
_onclick="jQuery('#response-%s').slideToggle()" % u),
BUTTON('session',
_onclick="jQuery('#session-%s').slideToggle()" % u),
BUTTON('db tables',
_onclick="jQuery('#db-tables-%s').slideToggle()" % u),
BUTTON('db stats',
_onclick="jQuery('#db-stats-%s').slideToggle()" % u),
DIV(BEAUTIFY(current.request), backtotop,
_class="hidden", _id="request-%s" % u),
DIV(BEAUTIFY(current.session), backtotop,
_class="hidden", _id="session-%s" % u),
DIV(BEAUTIFY(current.response), backtotop,
_class="hidden", _id="response-%s" % u),
DIV(BEAUTIFY(dbtables), backtotop, _class="hidden",
_id="db-tables-%s" % u),
DIV(BEAUTIFY(
dbstats), backtotop, _class="hidden", _id="db-stats-%s" % u),
SCRIPT("jQuery('.hidden').hide()"), _id="totop-%s" % u
)
class Session(Storage):
"""
defines the session object and the default values of its members (None)
"""
def connect(
self,
request=None,
response=None,
db=None,
tablename='web2py_session',
masterapp=None,
migrate=True,
separate=None,
check_client=False,
cookie_key=None,
cookie_expires=None,
compression_level=None
):
"""
separate can be separate=lambda(session_name): session_name[-2:]
and it is used to determine a session prefix.
separate can be True and it is set to session_name[-2:]
"""
if request is None:
request = current.request
if response is None:
response = current.response
if separate is True:
separate = lambda session_name: session_name[-2:]
self._unlock(response)
if not masterapp:
masterapp = request.application
response.session_id_name = 'session_id_%s' % masterapp.lower()
response.session_data_name = 'session_data_%s' % masterapp.lower()
response.session_cookie_expires = cookie_expires
# Load session data from cookie
cookies = request.cookies
# check if there is a session_id in cookies
if response.session_id_name in cookies:
response.session_id = \
cookies[response.session_id_name].value
else:
response.session_id = None
# check if there is session data in cookies
if response.session_data_name in cookies:
session_cookie_data = cookies[response.session_data_name].value
else:
session_cookie_data = None
# if we are supposed to use cookie based session data
if cookie_key:
response.session_storage_type = 'cookie'
response.session_cookie_key = cookie_key
response.session_cookie_compression_level = compression_level
if session_cookie_data:
data = secure_loads(session_cookie_data, cookie_key,
compression_level=compression_level)
if data:
self.update(data)
# else if we are supposed to use file based sessions
elif not db:
response.session_storage_type = 'file'
if global_settings.db_sessions is True \
or masterapp in global_settings.db_sessions:
return
response.session_new = False
client = request.client and request.client.replace(':', '.')
if response.session_id:
if regex_session_id.match(response.session_id):
response.session_filename = \
os.path.join(up(request.folder), masterapp,
'sessions', response.session_id)
else:
response.session_id = None
# do not try load the data from file is these was data in cookie
if response.session_id and not session_cookie_data:
# os.path.exists(response.session_filename):
try:
response.session_file = \
open(response.session_filename, 'rb+')
try:
portalocker.lock(response.session_file,
portalocker.LOCK_EX)
response.session_locked = True
self.update(cPickle.load(response.session_file))
response.session_file.seek(0)
oc = response.session_filename.split('/')[-1]\
.split('-')[0]
if check_client and client != oc:
raise Exception("cookie attack")
except:
response.session_id = None
finally:
pass
#This causes admin login to break. Must find out why.
#self._close(response)
except:
response.session_file = None
if not response.session_id:
uuid = web2py_uuid()
response.session_id = '%s-%s' % (client, uuid)
if separate:
prefix = separate(response.session_id)
response.session_id = '%s/%s' % \
(prefix, response.session_id)
response.session_filename = \
os.path.join(up(request.folder), masterapp,
'sessions', response.session_id)
response.session_new = True
# else the session goes in db
else:
response.session_storage_type = 'db'
if global_settings.db_sessions is not True:
global_settings.db_sessions.add(masterapp)
if response.session_file:
self._close(response)
if settings.global_settings.web2py_runtime_gae:
# in principle this could work without GAE
request.tickets_db = db
if masterapp == request.application:
table_migrate = migrate
else:
table_migrate = False
tname = tablename + '_' + masterapp
table = db.get(tname, None)
Field = db.Field
if table is None:
db.define_table(
tname,
Field('locked', 'boolean', default=False),
Field('client_ip', length=64),
Field('created_datetime', 'datetime',
default=request.now),
Field('modified_datetime', 'datetime'),
Field('unique_key', length=64),
Field('session_data', 'blob'),
migrate=table_migrate,
)
table = db[tname] # to allow for lazy table
try:
# Get session data out of the database
(record_id, unique_key) = response.session_id.split(':')
if record_id == '0':
raise Exception('record_id == 0')
# Select from database
if not session_cookie_data:
rows = db(table.id == record_id).select()
# Make sure the session data exists in the database
if len(rows) == 0 or rows[0].unique_key != unique_key:
raise Exception('No record')
# rows[0].update_record(locked=True)
# Unpickle the data
session_data = cPickle.loads(rows[0].session_data)
self.update(session_data)
except Exception:
record_id = None
unique_key = web2py_uuid()
session_data = {}
response.session_id = '%s:%s' % (record_id, unique_key)
response.session_db_table = table
response.session_db_record_id = record_id
response.session_db_unique_key = unique_key
rcookies = response.cookies
rcookies[response.session_id_name] = response.session_id
rcookies[response.session_id_name]['path'] = '/'
if cookie_expires:
rcookies[response.session_id_name][
'expires'] = cookie_expires.strftime(FMT)
# if not cookie_key, but session_data_name in cookies
# expire session_data_name from cookies
if session_cookie_data:
rcookies[response.session_data_name] = 'expired'
rcookies[response.session_data_name]['path'] = '/'
rcookies[response.session_data_name]['expires'] = PAST
if self.flash:
(response.flash, self.flash) = (self.flash, None)
def clear(self):
previous_session_hash = self.pop('_session_hash', None)
Storage.clear(self)
if previous_session_hash:
self._session_hash = previous_session_hash
def is_new(self):
if self._start_timestamp:
return False
else:
self._start_timestamp = datetime.datetime.today()
return True
def is_expired(self, seconds=3600):
now = datetime.datetime.today()
if not self._last_timestamp or \
self._last_timestamp + datetime.timedelta(seconds=seconds) > now:
self._last_timestamp = now
return False
else:
return True
def secure(self):
self._secure = True
def forget(self, response=None):
self._close(response)
self._forget = True
def _try_store_in_cookie(self, request, response):
if response.session_storage_type != 'cookie':
return False
name = response.session_data_name
value = secure_dumps(dict(self), response.session_cookie_key, compression_level=response.session_cookie_compression_level)
expires = response.session_cookie_expires
rcookies = response.cookies
rcookies.pop(name, None)
rcookies[name] = value
rcookies[name]['path'] = '/'
if expires:
rcookies[name]['expires'] = expires.strftime(FMT)
return True
def _unchanged(self):
previous_session_hash = self.pop('_session_hash', None)
if not previous_session_hash and not \
any(value is not None for value in self.itervalues()):
return True
session_pickled = cPickle.dumps(dict(self))
session_hash = hashlib.md5(session_pickled).hexdigest()
if previous_session_hash == session_hash:
return True
else:
self._session_hash = session_hash
return False
def _try_store_in_db(self, request, response):
# don't save if file-based sessions,
# no session id, or session being forgotten
# or no changes to session
if response.session_storage_type != 'db' or not response.session_id \
or self._forget or self._unchanged():
return False
table = response.session_db_table
record_id = response.session_db_record_id
unique_key = response.session_db_unique_key
dd = dict(locked=False,
client_ip=request.client.replace(':', '.'),
modified_datetime=request.now,
session_data=cPickle.dumps(dict(self)),
unique_key=unique_key)
if record_id:
table._db(table.id == record_id).update(**dd)
else:
record_id = table.insert(**dd)
cookies, session_id_name = response.cookies, response.session_id_name
cookies[session_id_name] = '%s:%s' % (record_id, unique_key)
cookies[session_id_name]['path'] = '/'
return True
def _try_store_in_cookie_or_file(self, request, response):
return \
self._try_store_in_cookie(request, response) or \
self._try_store_in_file(request, response)
def _try_store_in_file(self, request, response):
if response.session_storage_type != 'file':
return False
try:
if not response.session_id or self._forget or self._unchanged():
return False
if response.session_new or not response.session_file:
# Tests if the session sub-folder exists, if not, create it
session_folder = os.path.dirname(response.session_filename)
if not os.path.exists(session_folder):
os.mkdir(session_folder)
response.session_file = open(response.session_filename, 'wb')
portalocker.lock(response.session_file, portalocker.LOCK_EX)
response.session_locked = True
if response.session_file:
cPickle.dump(dict(self), response.session_file)
response.session_file.truncate()
finally:
self._close(response)
return True
def _unlock(self, response):
if response and response.session_file and response.session_locked:
try:
portalocker.unlock(response.session_file)
response.session_locked = False
except: # this should never happen but happens in Windows
pass
def _close(self, response):
if response and response.session_file:
self._unlock(response)
try:
response.session_file.close()
del response.session_file
except:
pass
| Python |
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
"""
import datetime
import decimal
from storage import Storage
from html import TAG, XmlComponent
from html import xmlescape
from languages import lazyT
import contrib.rss2 as rss2
try:
import simplejson as json_parser # try external module
except ImportError:
try:
import json as json_parser # try stdlib (Python >= 2.6)
except:
import contrib.simplejson as json_parser # fallback to pure-Python module
have_yaml = True
try:
import yaml as yamlib
except ImportError:
have_yaml = False
def cast_keys(o, cast=str, encoding="utf-8"):
""" Builds a new object with <cast> type keys
Arguments:
o is the object input
cast (defaults to str) is an object type or function
which supports conversion such as:
>>> converted = cast(o)
encoding (defaults to utf-8) is the encoding for unicode
keys. This is not used for custom cast functions
Use this funcion if you are in Python < 2.6.5
This avoids syntax errors when unpacking dictionary arguments.
"""
if isinstance(o, (dict, Storage)):
if isinstance(o, dict):
newobj = dict()
else:
newobj = Storage()
for k, v in o.items():
if (cast == str) and isinstance(k, unicode):
key = k.encode(encoding)
else:
key = cast(k)
if isinstance(v, (dict, Storage)):
value = cast_keys(v, cast=cast, encoding=encoding)
else:
value = v
newobj[key] = value
else:
raise TypeError("Cannot cast keys: %s is not supported" % \
type(o))
return newobj
def loads_json(o, unicode_keys=True, **kwargs):
# deserialize a json string
result = json_parser.loads(o, **kwargs)
if not unicode_keys:
# filter non-str keys in dictionary objects
result = cast_keys(result,
encoding=kwargs.get("encoding", "utf-8"))
return result
def custom_json(o):
if hasattr(o, 'custom_json') and callable(o.custom_json):
return o.custom_json()
if isinstance(o, (datetime.date,
datetime.datetime,
datetime.time)):
return o.isoformat()[:19].replace('T', ' ')
elif isinstance(o, (int, long)):
return int(o)
elif isinstance(o, decimal.Decimal):
return str(o)
elif isinstance(o, lazyT):
return str(o)
elif isinstance(o, XmlComponent):
return str(o)
elif hasattr(o, 'as_list') and callable(o.as_list):
return o.as_list()
elif hasattr(o, 'as_dict') and callable(o.as_dict):
return o.as_dict()
else:
raise TypeError(repr(o) + " is not JSON serializable")
def xml_rec(value, key, quote=True):
if hasattr(value, 'custom_xml') and callable(value.custom_xml):
return value.custom_xml()
elif isinstance(value, (dict, Storage)):
return TAG[key](*[TAG[k](xml_rec(v, '', quote))
for k, v in value.items()])
elif isinstance(value, list):
return TAG[key](*[TAG.item(xml_rec(item, '', quote)) for item in value])
elif hasattr(value, 'as_list') and callable(value.as_list):
return str(xml_rec(value.as_list(), '', quote))
elif hasattr(value, 'as_dict') and callable(value.as_dict):
return str(xml_rec(value.as_dict(), '', quote))
else:
return xmlescape(value, quote)
def xml(value, encoding='UTF-8', key='document', quote=True):
return ('<?xml version="1.0" encoding="%s"?>' % encoding) + str(xml_rec(value, key, quote))
def json(value, default=custom_json):
# replace JavaScript incompatible spacing
# http://timelessrepo.com/json-isnt-a-javascript-subset
return json_parser.dumps(value,
default=default).replace(ur'\u2028',
'\\u2028').replace(ur'\2029',
'\\u2029')
def csv(value):
return ''
def ics(events, title=None, link=None, timeshift=0, **ignored):
import datetime
title = title or '(unkown)'
if link and not callable(link):
link = lambda item, prefix=link: prefix.replace(
'[id]', str(item['id']))
s = 'BEGIN:VCALENDAR'
s += '\nVERSION:2.0'
s += '\nX-WR-CALNAME:%s' % title
s += '\nSUMMARY:%s' % title
s += '\nPRODID:Generated by web2py'
s += '\nCALSCALE:GREGORIAN'
s += '\nMETHOD:PUBLISH'
for item in events:
s += '\nBEGIN:VEVENT'
s += '\nUID:%s' % item['id']
if link:
s += '\nURL:%s' % link(item)
shift = datetime.timedelta(seconds=3600 * timeshift)
start = item['start_datetime'] + shift
stop = item['stop_datetime'] + shift
s += '\nDTSTART:%s' % start.strftime('%Y%m%dT%H%M%S')
s += '\nDTEND:%s' % stop.strftime('%Y%m%dT%H%M%S')
s += '\nSUMMARY:%s' % item['title']
s += '\nEND:VEVENT'
s += '\nEND:VCALENDAR'
return s
def rss(feed):
if not 'entries' in feed and 'items' in feed:
feed['entries'] = feed['items']
now = datetime.datetime.now()
rss = rss2.RSS2(title=str(feed.get('title', '(notitle)').encode('utf-8', 'replace')),
link=str(feed.get('link', None).encode('utf-8', 'replace')),
description=str(feed.get('description', '').encode('utf-8', 'replace')),
lastBuildDate=feed.get('created_on', now),
items=[rss2.RSSItem(
title=str(entry.get('title', '(notitle)').encode('utf-8', 'replace')),
link=str(entry.get('link', None).encode('utf-8', 'replace')),
description=str(entry.get('description', '').encode('utf-8', 'replace')),
pubDate=entry.get('created_on', now)
) for entry in feed.get('entries', [])])
return rss.to_xml(encoding='utf-8')
def yaml(data):
if have_yaml:
return yamlib.dump(data)
else: raise ImportError("No YAML serializer available")
def loads_yaml(data):
if have_yaml:
return yamlib.load(data)
else: raise ImportError("No YAML serializer available")
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
"""
import os
import stat
import time
import re
import errno
import rewrite
from http import HTTP
from contenttype import contenttype
regex_start_range = re.compile('\d+(?=\-)')
regex_stop_range = re.compile('(?<=\-)\d+')
DEFAULT_CHUNK_SIZE = 64 * 1024
def streamer(stream, chunk_size=DEFAULT_CHUNK_SIZE, bytes=None):
offset = 0
while bytes is None or offset < bytes:
if not bytes is None and bytes - offset < chunk_size:
chunk_size = bytes - offset
data = stream.read(chunk_size)
length = len(data)
if not length:
break
else:
yield data
if length < chunk_size:
break
offset += length
stream.close()
def stream_file_or_304_or_206(
static_file,
chunk_size=DEFAULT_CHUNK_SIZE,
request=None,
headers={},
status=200,
error_message=None
):
if error_message is None:
error_message = rewrite.THREAD_LOCAL.routes.error_message % 'invalid request'
try:
fp = open(static_file)
except IOError, e:
if e[0] == errno.EISDIR:
raise HTTP(403, error_message, web2py_error='file is a directory')
elif e[0] == errno.EACCES:
raise HTTP(403, error_message, web2py_error='inaccessible file')
else:
raise HTTP(404, error_message, web2py_error='invalid file')
else:
fp.close()
stat_file = os.stat(static_file)
fsize = stat_file[stat.ST_SIZE]
modified = stat_file[stat.ST_MTIME]
mtime = time.strftime('%a, %d %b %Y %H:%M:%S GMT', time.gmtime(modified))
headers.setdefault('Content-Type', contenttype(static_file))
headers.setdefault('Last-Modified', mtime)
headers.setdefault('Pragma', 'cache')
headers.setdefault('Cache-Control', 'private')
# if this is a normal response and not a respnse to an error page
if status == 200:
if request and request.env.http_if_modified_since == mtime:
raise HTTP(304, **{'Content-Type': headers['Content-Type']})
elif request and request.env.http_range:
start_items = regex_start_range.findall(request.env.http_range)
if not start_items:
start_items = [0]
stop_items = regex_stop_range.findall(request.env.http_range)
if not stop_items or int(stop_items[0]) > fsize - 1:
stop_items = [fsize - 1]
part = (int(start_items[0]), int(stop_items[0]), fsize)
bytes = part[1] - part[0] + 1
try:
stream = open(static_file, 'rb')
except IOError, e:
if e[0] in (errno.EISDIR, errno.EACCES):
raise HTTP(403)
else:
raise HTTP(404)
stream.seek(part[0])
headers['Content-Range'] = 'bytes %i-%i/%i' % part
headers['Content-Length'] = '%i' % bytes
status = 206
# in all the other cases (not 304, not 206, but 200 or error page)
if status != 206:
enc = request.env.http_accept_encoding
if enc and 'gzip' in enc and not 'Content-Encoding' in headers:
gzipped = static_file + '.gz'
if os.path.isfile(gzipped) and os.path.getmtime(gzipped) >= modified:
static_file = gzipped
fsize = os.path.getsize(gzipped)
headers['Content-Encoding'] = 'gzip'
headers['Vary'] = 'Accept-Encoding'
try:
stream = open(static_file, 'rb')
except IOError, e:
# this better does not happer when returning an error page ;-)
if e[0] in (errno.EISDIR, errno.EACCES):
raise HTTP(403)
else:
raise HTTP(404)
headers['Content-Length'] = fsize
bytes = None
if request and request.env.web2py_use_wsgi_file_wrapper:
wrapped = request.env.wsgi_file_wrapper(stream, chunk_size)
else:
wrapped = streamer(stream, chunk_size=chunk_size, bytes=bytes)
raise HTTP(status, wrapped, **headers)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Functions required to execute app components
============================================
FOR INTERNAL USE ONLY
"""
import re
import sys
import fnmatch
import os
import copy
import random
import __builtin__
from storage import Storage, List
from template import parse_template
from restricted import restricted, compile2
from fileutils import mktree, listdir, read_file, write_file
from myregex import regex_expose
from languages import translator
from dal import BaseAdapter, SQLDB, SQLField, DAL, Field
from sqlhtml import SQLFORM, SQLTABLE
from cache import Cache
from globals import current, Response
import settings
from cfs import getcfs
import html
import validators
from http import HTTP, redirect
import marshal
import shutil
import imp
import logging
logger = logging.getLogger("web2py")
import rewrite
from custom_import import custom_import_install
try:
import py_compile
except:
logger.warning('unable to import py_compile')
is_pypy = settings.global_settings.is_pypy
is_gae = settings.global_settings.web2py_runtime_gae
is_jython = settings.global_settings.is_jython
pjoin = os.path.join
TEST_CODE = \
r"""
def _TEST():
import doctest, sys, cStringIO, types, cgi, gluon.fileutils
if not gluon.fileutils.check_credentials(request):
raise HTTP(401, web2py_error='invalid credentials')
stdout = sys.stdout
html = '<h2>Testing controller "%s.py" ... done.</h2><br/>\n' \
% request.controller
for key in sorted([key for key in globals() if not key in __symbols__+['_TEST']]):
eval_key = eval(key)
if type(eval_key) == types.FunctionType:
number_doctests = sum([len(ds.examples) for ds in doctest.DocTestFinder().find(eval_key)])
if number_doctests>0:
sys.stdout = cStringIO.StringIO()
name = '%s/controllers/%s.py in %s.__doc__' \
% (request.folder, request.controller, key)
doctest.run_docstring_examples(eval_key,
globals(), False, name=name)
report = sys.stdout.getvalue().strip()
if report:
pf = 'failed'
else:
pf = 'passed'
html += '<h3 class="%s">Function %s [%s]</h3>\n' \
% (pf, key, pf)
if report:
html += CODE(report, language='web2py', \
link='/examples/global/vars/').xml()
html += '<br/>\n'
else:
html += \
'<h3 class="nodoctests">Function %s [no doctests]</h3><br/>\n' \
% (key)
response._vars = html
sys.stdout = stdout
_TEST()
"""
CACHED_REGEXES = {}
CACHED_REGEXES_MAX_SIZE = 1000
def re_compile(regex):
try:
return CACHED_REGEXES[regex]
except KeyError:
if len(CACHED_REGEXES) >= CACHED_REGEXES_MAX_SIZE:
CACHED_REGEXES.clear()
compiled_regex = CACHED_REGEXES[regex] = re.compile(regex)
return compiled_regex
class mybuiltin(object):
"""
NOTE could simple use a dict and populate it,
NOTE not sure if this changes things though if monkey patching import.....
"""
#__builtins__
def __getitem__(self, key):
try:
return getattr(__builtin__, key)
except AttributeError:
raise KeyError(key)
def __setitem__(self, key, value):
setattr(self, key, value)
def LOAD(c=None, f='index', args=None, vars=None,
extension=None, target=None, ajax=False, ajax_trap=False,
url=None, user_signature=False, timeout=None, times=1,
content='loading...', **attr):
""" LOAD a component into the action's document
Timing options:
-times: An integer or string ("infinity"/"continuous")
specifies how many times the component is requested
-timeout (milliseconds): specifies the time to wait before
starting the request or the frequency if times is greater than
1 or "infinity".
Timing options default to the normal behavior. The component
is added on page loading without delay.
"""
from html import TAG, DIV, URL, SCRIPT, XML
if args is None:
args = []
vars = Storage(vars or {})
target = target or 'c' + str(random.random())[2:]
attr['_id'] = target
request = current.request
if '.' in f:
f, extension = f.rsplit('.', 1)
if url or ajax:
url = url or URL(request.application, c, f, r=request,
args=args, vars=vars, extension=extension,
user_signature=user_signature)
# timing options
if isinstance(times, basestring):
if times.upper() in ("INFINITY", "CONTINUOUS"):
times = "Infinity"
else:
raise TypeError("Unsupported times argument %s" % times)
elif isinstance(times, int):
if times <= 0:
raise ValueError("Times argument must be greater than zero, 'Infinity' or None")
else:
raise TypeError("Unsupported times argument type %s" % type(times))
if timeout is not None:
if not isinstance(timeout, (int, long)):
raise ValueError("Timeout argument must be an integer or None")
elif timeout <= 0:
raise ValueError(
"Timeout argument must be greater than zero or None")
statement = "web2py_component('%s','%s', %s, %s);" \
% (url, target, timeout, times)
else:
statement = "web2py_component('%s','%s');" % (url, target)
script = SCRIPT(statement, _type="text/javascript")
if not content is None:
return TAG[''](script, DIV(content, **attr))
else:
return TAG[''](script)
else:
if not isinstance(args, (list, tuple)):
args = [args]
c = c or request.controller
other_request = Storage(request)
other_request['env'] = Storage(request.env)
other_request.controller = c
other_request.function = f
other_request.extension = extension or request.extension
other_request.args = List(args)
other_request.vars = vars
other_request.get_vars = vars
other_request.post_vars = Storage()
other_response = Response()
other_request.env.path_info = '/' + \
'/'.join([request.application, c, f] +
map(str, other_request.args))
other_request.env.query_string = \
vars and URL(vars=vars).split('?')[1] or ''
other_request.env.http_web2py_component_location = \
request.env.path_info
other_request.cid = target
other_request.env.http_web2py_component_element = target
other_response.view = '%s/%s.%s' % (c, f, other_request.extension)
other_environment = copy.copy(current.globalenv) # NASTY
other_response._view_environment = other_environment
other_response.generic_patterns = \
copy.copy(current.response.generic_patterns)
other_environment['request'] = other_request
other_environment['response'] = other_response
## some magic here because current are thread-locals
original_request, current.request = current.request, other_request
original_response, current.response = current.response, other_response
page = run_controller_in(c, f, other_environment)
if isinstance(page, dict):
other_response._vars = page
other_response._view_environment.update(page)
run_view_in(other_response._view_environment)
page = other_response.body.getvalue()
current.request, current.response = original_request, original_response
js = None
if ajax_trap:
link = URL(request.application, c, f, r=request,
args=args, vars=vars, extension=extension,
user_signature=user_signature)
js = "web2py_trap_form('%s','%s');" % (link, target)
script = js and SCRIPT(js, _type="text/javascript") or ''
return TAG[''](DIV(XML(page), **attr), script)
class LoadFactory(object):
"""
Attention: this helper is new and experimental
"""
def __init__(self, environment):
self.environment = environment
def __call__(self, c=None, f='index', args=None, vars=None,
extension=None, target=None, ajax=False, ajax_trap=False,
url=None, user_signature=False, content='loading...', **attr):
if args is None:
args = []
vars = Storage(vars or {})
import globals
target = target or 'c' + str(random.random())[2:]
attr['_id'] = target
request = self.environment['request']
if '.' in f:
f, extension = f.rsplit('.', 1)
if url or ajax:
url = url or html.URL(request.application, c, f, r=request,
args=args, vars=vars, extension=extension,
user_signature=user_signature)
script = html.SCRIPT('web2py_component("%s","%s")' % (url, target),
_type="text/javascript")
return html.TAG[''](script, html.DIV(content, **attr))
else:
if not isinstance(args, (list, tuple)):
args = [args]
c = c or request.controller
other_request = Storage(request)
other_request['env'] = Storage(request.env)
other_request.controller = c
other_request.function = f
other_request.extension = extension or request.extension
other_request.args = List(args)
other_request.vars = vars
other_request.get_vars = vars
other_request.post_vars = Storage()
other_response = globals.Response()
other_request.env.path_info = '/' + \
'/'.join([request.application, c, f] +
map(str, other_request.args))
other_request.env.query_string = \
vars and html.URL(vars=vars).split('?')[1] or ''
other_request.env.http_web2py_component_location = \
request.env.path_info
other_request.cid = target
other_request.env.http_web2py_component_element = target
other_response.view = '%s/%s.%s' % (c, f, other_request.extension)
other_environment = copy.copy(self.environment)
other_response._view_environment = other_environment
other_response.generic_patterns = \
copy.copy(current.response.generic_patterns)
other_environment['request'] = other_request
other_environment['response'] = other_response
## some magic here because current are thread-locals
original_request, current.request = current.request, other_request
original_response, current.response = current.response, other_response
page = run_controller_in(c, f, other_environment)
if isinstance(page, dict):
other_response._vars = page
other_response._view_environment.update(page)
run_view_in(other_response._view_environment)
page = other_response.body.getvalue()
current.request, current.response = original_request, original_response
js = None
if ajax_trap:
link = html.URL(request.application, c, f, r=request,
args=args, vars=vars, extension=extension,
user_signature=user_signature)
js = "web2py_trap_form('%s','%s');" % (link, target)
script = js and html.SCRIPT(js, _type="text/javascript") or ''
return html.TAG[''](html.DIV(html.XML(page), **attr), script)
def local_import_aux(name, reload_force=False, app='welcome'):
"""
In apps, instead of importing a local module
(in applications/app/modules) with::
import a.b.c as d
you should do::
d = local_import('a.b.c')
or (to force a reload):
d = local_import('a.b.c', reload=True)
This prevents conflict between applications and un-necessary execs.
It can be used to import any module, including regular Python modules.
"""
items = name.replace('/', '.')
name = "applications.%s.modules.%s" % (app, items)
module = __import__(name)
for item in name.split(".")[1:]:
module = getattr(module, item)
if reload_force:
reload(module)
return module
"""
OLD IMPLEMENTATION:
items = name.replace('/','.').split('.')
filename, modulepath = items[-1], pjoin(apath,'modules',*items[:-1])
imp.acquire_lock()
try:
file=None
(file,path,desc) = imp.find_module(filename,[modulepath]+sys.path)
if not path in sys.modules or reload:
if is_gae:
module={}
execfile(path,{},module)
module=Storage(module)
else:
module = imp.load_module(path,file,path,desc)
sys.modules[path] = module
else:
module = sys.modules[path]
except Exception, e:
module = None
if file:
file.close()
imp.release_lock()
if not module:
raise ImportError, "cannot find module %s in %s" % (
filename, modulepath)
return module
"""
_base_environment_ = dict((k, getattr(html, k)) for k in html.__all__)
_base_environment_.update(
(k, getattr(validators, k)) for k in validators.__all__)
_base_environment_['__builtins__'] = __builtins__
_base_environment_['HTTP'] = HTTP
_base_environment_['redirect'] = redirect
_base_environment_['DAL'] = DAL
_base_environment_['Field'] = Field
_base_environment_['SQLDB'] = SQLDB # for backward compatibility
_base_environment_['SQLField'] = SQLField # for backward compatibility
_base_environment_['SQLFORM'] = SQLFORM
_base_environment_['SQLTABLE'] = SQLTABLE
_base_environment_['LOAD'] = LOAD
def build_environment(request, response, session, store_current=True):
"""
Build the environment dictionary into which web2py files are executed.
"""
#h,v = html,validators
environment = dict(_base_environment_)
if not request.env:
request.env = Storage()
# Enable standard conditional models (i.e., /*.py, /[controller]/*.py, and
# /[controller]/[function]/*.py)
response.models_to_run = [r'^\w+\.py$', r'^%s/\w+\.py$' % request.controller,
r'^%s/%s/\w+\.py$' % (request.controller, request.function)]
t = environment['T'] = translator(os.path.join(request.folder,'languages'),
request.env.http_accept_language)
c = environment['cache'] = Cache(request)
if store_current:
current.globalenv = environment
current.request = request
current.response = response
current.session = session
current.T = t
current.cache = c
global __builtins__
if is_jython: # jython hack
__builtins__ = mybuiltin()
elif is_pypy: # apply the same hack to pypy too
__builtins__ = mybuiltin()
else:
__builtins__['__import__'] = __builtin__.__import__ # WHY?
environment['request'] = request
environment['response'] = response
environment['session'] = session
environment['local_import'] = \
lambda name, reload=False, app=request.application:\
local_import_aux(name, reload, app)
BaseAdapter.set_folder(pjoin(request.folder, 'databases'))
response._view_environment = copy.copy(environment)
custom_import_install()
return environment
def save_pyc(filename):
"""
Bytecode compiles the file `filename`
"""
py_compile.compile(filename)
def read_pyc(filename):
"""
Read the code inside a bytecode compiled file if the MAGIC number is
compatible
:returns: a code object
"""
data = read_file(filename, 'rb')
if not is_gae and data[:4] != imp.get_magic():
raise SystemError('compiled code is incompatible')
return marshal.loads(data[8:])
def compile_views(folder):
"""
Compiles all the views in the application specified by `folder`
"""
path = pjoin(folder, 'views')
for file in listdir(path, '^[\w/\-]+(\.\w+)*$'):
try:
data = parse_template(file, path)
except Exception, e:
raise Exception("%s in %s" % (e, file))
filename = ('views/%s.py' % file).replace('/', '_').replace('\\', '_')
filename = pjoin(folder, 'compiled', filename)
write_file(filename, data)
save_pyc(filename)
os.unlink(filename)
def compile_models(folder):
"""
Compiles all the models in the application specified by `folder`
"""
path = pjoin(folder, 'models')
for file in listdir(path, '.+\.py$'):
data = read_file(pjoin(path, file))
filename = pjoin(folder, 'compiled', 'models', file)
mktree(filename)
write_file(filename, data)
save_pyc(filename)
os.unlink(filename)
def compile_controllers(folder):
"""
Compiles all the controllers in the application specified by `folder`
"""
path = pjoin(folder, 'controllers')
for file in listdir(path, '.+\.py$'):
### why is this here? save_pyc(pjoin(path, file))
data = read_file(pjoin(path, file))
exposed = regex_expose.findall(data)
for function in exposed:
command = data + "\nresponse._vars=response._caller(%s)\n" % \
function
filename = pjoin(folder, 'compiled', ('controllers/'
+ file[:-3]).replace('/', '_')
+ '_' + function + '.py')
write_file(filename, command)
save_pyc(filename)
os.unlink(filename)
def run_models_in(environment):
"""
Runs all models (in the app specified by the current folder)
It tries pre-compiled models first before compiling them.
"""
folder = environment['request'].folder
c = environment['request'].controller
f = environment['request'].function
cpath = pjoin(folder, 'compiled')
if os.path.exists(cpath):
for model in listdir(cpath, '^models_\w+\.pyc$', 0):
restricted(read_pyc(model), environment, layer=model)
path = pjoin(cpath, 'models')
models = listdir(path, '^\w+\.pyc$', 0, sort=False)
compiled = True
else:
path = pjoin(folder, 'models')
models = listdir(path, '^\w+\.py$', 0, sort=False)
compiled = False
n = len(path) + 1
for model in models:
regex = environment['response'].models_to_run
if isinstance(regex, list):
regex = re_compile('|'.join(regex))
file = model[n:].replace(os.path.sep, '/').replace('.pyc', '.py')
if not regex.search(file) and c != 'appadmin':
continue
elif compiled:
code = read_pyc(model)
elif is_gae:
code = getcfs(model, model,
lambda: compile2(read_file(model), model))
else:
code = getcfs(model, model, None)
restricted(code, environment, layer=model)
def run_controller_in(controller, function, environment):
"""
Runs the controller.function() (for the app specified by
the current folder).
It tries pre-compiled controller_function.pyc first before compiling it.
"""
# if compiled should run compiled!
folder = environment['request'].folder
path = pjoin(folder, 'compiled')
badc = 'invalid controller (%s/%s)' % (controller, function)
badf = 'invalid function (%s/%s)' % (controller, function)
if os.path.exists(path):
filename = pjoin(path, 'controllers_%s_%s.pyc'
% (controller, function))
if not os.path.exists(filename):
raise HTTP(404,
rewrite.THREAD_LOCAL.routes.error_message % badf,
web2py_error=badf)
restricted(read_pyc(filename), environment, layer=filename)
elif function == '_TEST':
# TESTING: adjust the path to include site packages
from settings import global_settings
from admin import abspath, add_path_first
paths = (global_settings.gluon_parent, abspath(
'site-packages', gluon=True), abspath('gluon', gluon=True), '')
[add_path_first(path) for path in paths]
# TESTING END
filename = pjoin(folder, 'controllers/%s.py'
% controller)
if not os.path.exists(filename):
raise HTTP(404,
rewrite.THREAD_LOCAL.routes.error_message % badc,
web2py_error=badc)
environment['__symbols__'] = environment.keys()
code = read_file(filename)
code += TEST_CODE
restricted(code, environment, layer=filename)
else:
filename = pjoin(folder, 'controllers/%s.py'
% controller)
if not os.path.exists(filename):
raise HTTP(404,
rewrite.THREAD_LOCAL.routes.error_message % badc,
web2py_error=badc)
code = read_file(filename)
exposed = regex_expose.findall(code)
if not function in exposed:
raise HTTP(404,
rewrite.THREAD_LOCAL.routes.error_message % badf,
web2py_error=badf)
code = "%s\nresponse._vars=response._caller(%s)\n" % (code, function)
if is_gae:
layer = filename + ':' + function
code = getcfs(layer, filename, lambda: compile2(code, layer))
restricted(code, environment, filename)
response = environment['response']
vars = response._vars
if response.postprocessing:
vars = reduce(lambda vars, p: p(vars), response.postprocessing, vars)
if isinstance(vars, unicode):
vars = vars.encode('utf8')
elif hasattr(vars, 'xml') and callable(vars.xml):
vars = vars.xml()
return vars
def run_view_in(environment):
"""
Executes the view for the requested action.
The view is the one specified in `response.view` or determined by the url
or `view/generic.extension`
It tries the pre-compiled views_controller_function.pyc before compiling it.
"""
request = environment['request']
response = environment['response']
view = response.view
folder = request.folder
path = pjoin(folder, 'compiled')
badv = 'invalid view (%s)' % view
if response.generic_patterns:
patterns = response.generic_patterns
regex = re_compile('|'.join(map(fnmatch.translate, patterns)))
short_action = '%(controller)s/%(function)s.%(extension)s' % request
allow_generic = regex.search(short_action)
else:
allow_generic = False
if not isinstance(view, str):
ccode = parse_template(view, pjoin(folder, 'views'),
context=environment)
restricted(ccode, environment, 'file stream')
elif os.path.exists(path):
x = view.replace('/', '_')
files = ['views_%s.pyc' % x]
if allow_generic:
files.append('views_generic.%s.pyc' % request.extension)
# for backward compatibility
if request.extension == 'html':
files.append('views_%s.pyc' % x[:-5])
if allow_generic:
files.append('views_generic.pyc')
# end backward compatibility code
for f in files:
filename = pjoin(path, f)
if os.path.exists(filename):
code = read_pyc(filename)
restricted(code, environment, layer=filename)
return
raise HTTP(404,
rewrite.THREAD_LOCAL.routes.error_message % badv,
web2py_error=badv)
else:
filename = pjoin(folder, 'views', view)
if not os.path.exists(filename) and allow_generic:
view = 'generic.' + request.extension
filename = pjoin(folder, 'views', view)
if not os.path.exists(filename):
raise HTTP(404,
rewrite.THREAD_LOCAL.routes.error_message % badv,
web2py_error=badv)
layer = filename
if is_gae:
ccode = getcfs(layer, filename,
lambda: compile2(parse_template(view,
pjoin(folder, 'views'),
context=environment), layer))
else:
ccode = parse_template(view,
pjoin(folder, 'views'),
context=environment)
restricted(ccode, environment, layer)
def remove_compiled_application(folder):
"""
Deletes the folder `compiled` containing the compiled application.
"""
try:
shutil.rmtree(pjoin(folder, 'compiled'))
path = pjoin(folder, 'controllers')
for file in listdir(path, '.*\.pyc$', drop=False):
os.unlink(file)
except OSError:
pass
def compile_application(folder):
"""
Compiles all models, views, controller for the application in `folder`.
"""
remove_compiled_application(folder)
os.mkdir(pjoin(folder, 'compiled'))
compile_models(folder)
compile_controllers(folder)
compile_views(folder)
def test():
"""
Example::
>>> import traceback, types
>>> environment={'x':1}
>>> open('a.py', 'w').write('print 1/x')
>>> save_pyc('a.py')
>>> os.unlink('a.py')
>>> if type(read_pyc('a.pyc'))==types.CodeType: print 'code'
code
>>> exec read_pyc('a.pyc') in environment
1
"""
return
if __name__ == '__main__':
import doctest
doctest.testmod()
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
"""
import re
import cgi
__all__ = ['highlight']
class Highlighter(object):
"""
Do syntax highlighting.
"""
def __init__(
self,
mode,
link=None,
styles=None,
):
"""
Initialise highlighter:
mode = language (PYTHON, WEB2PY,C, CPP, HTML, HTML_PLAIN)
"""
styles = styles or {}
mode = mode.upper()
if link and link[-1] != '/':
link = link + '/'
self.link = link
self.styles = styles
self.output = []
self.span_style = None
if mode == 'WEB2PY':
(mode, self.suppress_tokens) = ('PYTHON', [])
elif mode == 'PYTHON':
self.suppress_tokens = ['GOTOHTML']
elif mode == 'CPP':
(mode, self.suppress_tokens) = ('C', [])
elif mode == 'C':
self.suppress_tokens = ['CPPKEYWORD']
elif mode == 'HTML_PLAIN':
(mode, self.suppress_tokens) = ('HTML', ['GOTOPYTHON'])
elif mode == 'HTML':
self.suppress_tokens = []
else:
raise SyntaxError('Unknown mode: %s' % mode)
self.mode = mode
def c_tokenizer(
self,
token,
match,
style,
):
"""
Callback for C specific highlighting.
"""
value = cgi.escape(match.group())
self.change_style(token, style)
self.output.append(value)
def python_tokenizer(
self,
token,
match,
style,
):
"""
Callback for python specific highlighting.
"""
value = cgi.escape(match.group())
if token == 'MULTILINESTRING':
self.change_style(token, style)
self.output.append(value)
self.strMultilineString = match.group(1)
return 'PYTHONMultilineString'
elif token == 'ENDMULTILINESTRING':
if match.group(1) == self.strMultilineString:
self.output.append(value)
self.strMultilineString = ''
return 'PYTHON'
if style and style[:5] == 'link:':
self.change_style(None, None)
(url, style) = style[5:].split(';', 1)
if url == 'None' or url == '':
self.output.append('<span style="%s">%s</span>'
% (style, value))
else:
self.output.append('<a href="%s%s" style="%s">%s</a>'
% (url, value, style, value))
else:
self.change_style(token, style)
self.output.append(value)
if token == 'GOTOHTML':
return 'HTML'
return None
def html_tokenizer(
self,
token,
match,
style,
):
"""
Callback for HTML specific highlighting.
"""
value = cgi.escape(match.group())
self.change_style(token, style)
self.output.append(value)
if token == 'GOTOPYTHON':
return 'PYTHON'
return None
all_styles = {
'C': (c_tokenizer, (
('COMMENT', re.compile(r'//.*\r?\n'),
'color: green; font-style: italic'),
('MULTILINECOMMENT', re.compile(r'/\*.*?\*/', re.DOTALL),
'color: green; font-style: italic'),
('PREPROCESSOR', re.compile(r'\s*#.*?[^\\]\s*\n',
re.DOTALL), 'color: magenta; font-style: italic'),
('PUNC', re.compile(r'[-+*!&|^~/%\=<>\[\]{}(),.:]'),
'font-weight: bold'),
('NUMBER',
re.compile(r'0x[0-9a-fA-F]+|[+-]?\d+(\.\d+)?([eE][+-]\d+)?|\d+'),
'color: red'),
('KEYWORD', re.compile(r'(sizeof|int|long|short|char|void|'
+ r'signed|unsigned|float|double|'
+ r'goto|break|return|continue|asm|'
+ r'case|default|if|else|switch|while|for|do|'
+ r'struct|union|enum|typedef|'
+ r'static|register|auto|volatile|extern|const)(?![a-zA-Z0-9_])'),
'color:#185369; font-weight: bold'),
('CPPKEYWORD',
re.compile(r'(class|private|protected|public|template|new|delete|'
+ r'this|friend|using|inline|export|bool|throw|try|catch|'
+ r'operator|typeid|virtual)(?![a-zA-Z0-9_])'),
'color: blue; font-weight: bold'),
('STRING', re.compile(r'r?u?\'(.*?)(?<!\\)\'|"(.*?)(?<!\\)"'),
'color: #FF9966'),
('IDENTIFIER', re.compile(r'[a-zA-Z_][a-zA-Z0-9_]*'),
None),
('WHITESPACE', re.compile(r'[ \r\n]+'), 'Keep'),
)),
'PYTHON': (python_tokenizer, (
('GOTOHTML', re.compile(r'\}\}'), 'color: red'),
('PUNC', re.compile(r'[-+*!|&^~/%\=<>\[\]{}(),.:]'),
'font-weight: bold'),
('NUMBER',
re.compile(r'0x[0-9a-fA-F]+|[+-]?\d+(\.\d+)?([eE][+-]\d+)?|\d+'
), 'color: red'),
('KEYWORD',
re.compile(r'(def|class|break|continue|del|exec|finally|pass|'
+ r'print|raise|return|try|except|global|assert|lambda|'
+ r'yield|for|while|if|elif|else|and|in|is|not|or|import|'
+ r'from|True|False)(?![a-zA-Z0-9_])'),
'color:#185369; font-weight: bold'),
('WEB2PY',
re.compile(r'(request|response|session|cache|redirect|local_import|HTTP|TR|XML|URL|BEAUTIFY|A|BODY|BR|B|CAT|CENTER|CODE|COL|COLGROUP|DIV|EM|EMBED|FIELDSET|LEGEND|FORM|H1|H2|H3|H4|H5|H6|IFRAME|HEAD|HR|HTML|I|IMG|INPUT|LABEL|LI|LINK|MARKMIN|MENU|META|OBJECT|OL|ON|OPTION|P|PRE|SCRIPT|SELECT|SPAN|STYLE|TABLE|THEAD|TBODY|TFOOT|TAG|TD|TEXTAREA|TH|TITLE|TT|T|UL|XHTML|IS_SLUG|IS_STRONG|IS_LOWER|IS_UPPER|IS_ALPHANUMERIC|IS_DATETIME|IS_DATETIME_IN_RANGE|IS_DATE|IS_DATE_IN_RANGE|IS_DECIMAL_IN_RANGE|IS_EMAIL|IS_EXPR|IS_FLOAT_IN_RANGE|IS_IMAGE|IS_INT_IN_RANGE|IS_IN_SET|IS_IPV4|IS_LIST_OF|IS_LENGTH|IS_MATCH|IS_EQUAL_TO|IS_EMPTY_OR|IS_NULL_OR|IS_NOT_EMPTY|IS_TIME|IS_UPLOAD_FILENAME|IS_URL|CLEANUP|CRYPT|IS_IN_DB|IS_NOT_IN_DB|DAL|Field|SQLFORM|SQLTABLE|xmlescape|embed64)(?![a-zA-Z0-9_])'
), 'link:%(link)s;text-decoration:None;color:#FF5C1F;'),
('MAGIC', re.compile(r'self|None'),
'color:#185369; font-weight: bold'),
('MULTILINESTRING', re.compile(r'r?u?(\'\'\'|""")'),
'color: #FF9966'),
('STRING', re.compile(r'r?u?\'(.*?)(?<!\\)\'|"(.*?)(?<!\\)"'
), 'color: #FF9966'),
('IDENTIFIER', re.compile(r'[a-zA-Z_][a-zA-Z0-9_]*'),
None),
('COMMENT', re.compile(r'\#.*\r?\n'),
'color: green; font-style: italic'),
('WHITESPACE', re.compile(r'[ \r\n]+'), 'Keep'),
)),
'PYTHONMultilineString': (python_tokenizer,
(('ENDMULTILINESTRING',
re.compile(r'.*?("""|\'\'\')',
re.DOTALL), 'color: darkred'), )),
'HTML': (html_tokenizer, (
('GOTOPYTHON', re.compile(r'\{\{'), 'color: red'),
('COMMENT', re.compile(r'<!--[^>]*-->|<!>'),
'color: green; font-style: italic'),
('XMLCRAP', re.compile(r'<![^>]*>'),
'color: blue; font-style: italic'),
('SCRIPT', re.compile(r'<script .*?</script>', re.IGNORECASE
+ re.DOTALL), 'color: black'),
('TAG', re.compile(r'</?\s*[a-zA-Z0-9]+'),
'color: darkred; font-weight: bold'),
('ENDTAG', re.compile(r'/?>'),
'color: darkred; font-weight: bold'),
)),
}
def highlight(self, data):
"""
Syntax highlight some python code.
Returns html version of code.
"""
i = 0
mode = self.mode
while i < len(data):
for (token, o_re, style) in Highlighter.all_styles[mode][1]:
if not token in self.suppress_tokens:
match = o_re.match(data, i)
if match:
if style:
new_mode = \
Highlighter.all_styles[mode][0](self,
token, match, style
% dict(link=self.link))
else:
new_mode = \
Highlighter.all_styles[mode][0](self,
token, match, style)
if not new_mode is None:
mode = new_mode
i += max(1, len(match.group()))
break
else:
self.change_style(None, None)
self.output.append(data[i])
i += 1
self.change_style(None, None)
return ''.join(self.output).expandtabs(4)
def change_style(self, token, style):
"""
Generate output to change from existing style to another style only.
"""
if token in self.styles:
style = self.styles[token]
if self.span_style != style:
if style != 'Keep':
if not self.span_style is None:
self.output.append('</span>')
if not style is None:
self.output.append('<span style="%s">' % style)
self.span_style = style
def highlight(
code,
language,
link='/examples/globals/vars/',
counter=1,
styles=None,
highlight_line=None,
context_lines=None,
attributes=None,
):
styles = styles or {}
attributes = attributes or {}
if not 'CODE' in styles:
code_style = """
font-size: 11px;
font-family: Bitstream Vera Sans Mono,monospace;
background-color: transparent;
margin: 0;
padding: 5px;
border: none;
overflow: auto;
white-space: pre !important;\n"""
else:
code_style = styles['CODE']
if not 'LINENUMBERS' in styles:
linenumbers_style = """
font-size: 11px;
font-family: Bitstream Vera Sans Mono,monospace;
background-color: transparent;
margin: 0;
padding: 5px;
border: none;
color: #A0A0A0;\n"""
else:
linenumbers_style = styles['LINENUMBERS']
if not 'LINEHIGHLIGHT' in styles:
linehighlight_style = "background-color: #EBDDE2;"
else:
linehighlight_style = styles['LINEHIGHLIGHT']
if language and language.upper() in ['PYTHON', 'C', 'CPP', 'HTML',
'WEB2PY']:
code = Highlighter(language, link, styles).highlight(code)
else:
code = cgi.escape(code)
lines = code.split('\n')
if counter is None:
linenumbers = [''] * len(lines)
elif isinstance(counter, str):
linenumbers = [cgi.escape(counter)] * len(lines)
else:
linenumbers = [str(i + counter) + '.' for i in
xrange(len(lines))]
if highlight_line:
if counter and not isinstance(counter, str):
lineno = highlight_line - counter
else:
lineno = highlight_line
if lineno < len(lines):
lines[lineno] = '<div style="%s">%s</div>' % (
linehighlight_style, lines[lineno])
linenumbers[lineno] = '<div style="%s">%s</div>' % (
linehighlight_style, linenumbers[lineno])
if context_lines:
if lineno + context_lines < len(lines):
del lines[lineno + context_lines:]
del linenumbers[lineno + context_lines:]
if lineno - context_lines > 0:
del lines[0:lineno - context_lines]
del linenumbers[0:lineno - context_lines]
code = '<br/>'.join(lines)
numbers = '<br/>'.join(linenumbers)
items = attributes.items()
fa = ' '.join([key[1:].lower() for (key, value) in items if key[:1]
== '_' and value is None] + ['%s="%s"'
% (key[1:].lower(), str(value).replace('"', "'"))
for (key, value) in attributes.items() if key[:1]
== '_' and value])
if fa:
fa = ' ' + fa
return '<table%s><tr valign="top"><td style="width:40px; text-align: right;"><pre style="%s">%s</pre></td><td><pre style="%s">%s</pre></td></tr></table>'\
% (fa, linenumbers_style, numbers, code_style, code)
if __name__ == '__main__':
import sys
argfp = open(sys.argv[1])
data = argfp.read()
argfp.close()
print '<html><body>' + highlight(data, sys.argv[2])\
+ '</body></html>'
| Python |
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Utility functions for the Admin application
===========================================
"""
import os
import sys
import traceback
import zipfile
import urllib
from shutil import rmtree
from utils import web2py_uuid
from fileutils import w2p_pack, w2p_unpack, w2p_pack_plugin, w2p_unpack_plugin
from fileutils import up, fix_newlines, abspath, recursive_unlink
from fileutils import read_file, write_file, parse_version
from restricted import RestrictedError
from settings import global_settings
from http import HTTP
if not global_settings.web2py_runtime_gae:
import site
def apath(path='', r=None):
"""
Builds a path inside an application folder
Parameters
----------
path:
path within the application folder
r:
the global request object
"""
opath = up(r.folder)
while path[:3] == '../':
(opath, path) = (up(opath), path[3:])
return os.path.join(opath, path).replace('\\', '/')
def app_pack(app, request, raise_ex=False, filenames=None):
"""
Builds a w2p package for the application
Parameters
----------
app:
application name
request:
the global request object
Returns
-------
filename:
filename of the w2p file or None on error
"""
try:
if filenames is None: app_cleanup(app, request)
filename = apath('../deposit/web2py.app.%s.w2p' % app, request)
w2p_pack(filename, apath(app, request), filenames=filenames)
return filename
except Exception, e:
if raise_ex:
raise
return False
def app_pack_compiled(app, request, raise_ex=False):
"""
Builds a w2p bytecode-compiled package for the application
Parameters
----------
app:
application name
request:
the global request object
Returns
-------
filename:
filename of the w2p file or None on error
"""
try:
filename = apath('../deposit/%s.w2p' % app, request)
w2p_pack(filename, apath(app, request), compiled=True)
return filename
except Exception, e:
if raise_ex:
raise
return None
def app_cleanup(app, request):
"""
Removes session, cache and error files
Parameters
----------
app:
application name
request:
the global request object
"""
r = True
# Remove error files
path = apath('%s/errors/' % app, request)
if os.path.exists(path):
for f in os.listdir(path):
try:
if f[:1] != '.': os.unlink(os.path.join(path, f))
except IOError:
r = False
# Remove session files
path = apath('%s/sessions/' % app, request)
if os.path.exists(path):
for f in os.listdir(path):
try:
if f[:1] != '.': recursive_unlink(os.path.join(path, f))
except IOError:
r = False
# Remove cache files
path = apath('%s/cache/' % app, request)
if os.path.exists(path):
for f in os.listdir(path):
try:
if f[:1] != '.': os.unlink(os.path.join(path, f))
except IOError:
r = False
return r
def app_compile(app, request):
"""
Compiles the application
Parameters
----------
app:
application name
request:
the global request object
"""
from compileapp import compile_application, remove_compiled_application
folder = apath(app, request)
try:
compile_application(folder)
return None
except (Exception, RestrictedError):
tb = traceback.format_exc(sys.exc_info)
remove_compiled_application(folder)
return tb
def app_create(app, request, force=False, key=None, info=False):
"""
Create a copy of welcome.w2p (scaffolding) app
Parameters
----------
app:
application name
request:
the global request object
"""
path = apath(app, request)
if not os.path.exists(path):
try:
os.mkdir(path)
except:
if info:
return False, traceback.format_exc(sys.exc_info)
else:
return False
elif not force:
if info:
return False, "Application exists"
else:
return False
try:
w2p_unpack('welcome.w2p', path)
for subfolder in [
'models', 'views', 'controllers', 'databases',
'modules', 'cron', 'errors', 'sessions', 'cache',
'languages', 'static', 'private', 'uploads']:
subpath = os.path.join(path, subfolder)
if not os.path.exists(subpath):
os.mkdir(subpath)
db = os.path.join(path, 'models', 'db.py')
if os.path.exists(db):
data = read_file(db)
data = data.replace('<your secret key>',
'sha512:' + (key or web2py_uuid()))
write_file(db, data)
if info:
return True, None
else:
return True
except:
rmtree(path)
if info:
return False, traceback.format_exc(sys.exc_info)
else:
return False
def app_install(app, fobj, request, filename, overwrite=None):
"""
Installs an application:
- Identifies file type by filename
- Writes `fobj` contents to the `../deposit/` folder
- Calls `w2p_unpack()` to do the job.
Parameters
----------
app:
new application name
fobj:
file object containing the application to be installed
request:
the global request object
filename:
original filename of the `fobj`, required to determine extension
Returns
-------
upname:
name of the file where app is temporarily stored or `None` on failure
"""
did_mkdir = False
if filename[-4:] == '.w2p':
extension = 'w2p'
elif filename[-7:] == '.tar.gz':
extension = 'tar.gz'
else:
extension = 'tar'
upname = apath('../deposit/%s.%s' % (app, extension), request)
try:
write_file(upname, fobj.read(), 'wb')
path = apath(app, request)
if not overwrite:
os.mkdir(path)
did_mkdir = True
w2p_unpack(upname, path)
if extension != 'tar':
os.unlink(upname)
fix_newlines(path)
return upname
except Exception:
if did_mkdir:
rmtree(path)
return False
def app_uninstall(app, request):
"""
Uninstalls the application.
Parameters
----------
app:
application name
request:
the global request object
Returns
-------
`True` on success, `False` on failure
"""
try:
# Hey App, this is your end...
path = apath(app, request)
rmtree(path)
return True
except Exception:
return False
def plugin_pack(app, plugin_name, request):
"""
Builds a w2p package for the application
Parameters
----------
app:
application name
plugin_name:
the name of the plugin without plugin_ prefix
request:
the current request app
Returns
-------
filename:
filename of the w2p file or None on error
"""
try:
filename = apath(
'../deposit/web2py.plugin.%s.w2p' % plugin_name, request)
w2p_pack_plugin(filename, apath(app, request), plugin_name)
return filename
except Exception:
return False
def plugin_install(app, fobj, request, filename):
"""
Installs an application:
- Identifies file type by filename
- Writes `fobj` contents to the `../deposit/` folder
- Calls `w2p_unpack()` to do the job.
Parameters
----------
app:
new application name
fobj:
file object containing the application to be installed
request:
the global request object
filename:
original filename of the `fobj`, required to determine extension
Returns
-------
upname:
name of the file where app is temporarily stored or `None` on failure
"""
upname = apath('../deposit/%s' % filename, request)
try:
write_file(upname, fobj.read(), 'wb')
path = apath(app, request)
w2p_unpack_plugin(upname, path)
fix_newlines(path)
return upname
except Exception:
os.unlink(upname)
return False
def check_new_version(myversion, version_URL):
"""
Compares current web2py's version with the latest stable web2py version.
Parameters
----------
myversion:
the current version as stored in file `web2py/VERSION`
version_URL:
the URL that contains the version of the latest stable release
Returns
-------
state:
`True` if upgrade available, `False` if current version if up-to-date,
-1 on error
version:
the most up-to-version available
"""
try:
from urllib import urlopen
version = urlopen(version_URL).read()
pversion = parse_version(version)
pmyversion = parse_version(myversion)
except Exception,e:
import traceback
print traceback.format_exc()
return -1, myversion
if pversion[:3]+pversion[-6:] > pmyversion[:3]+pmyversion[-6:]:
return True, version
else:
return False, version
def unzip(filename, dir, subfolder=''):
"""
Unzips filename into dir (.zip only, no .gz etc)
if subfolder!='' it unzip only files in subfolder
"""
filename = abspath(filename)
if not zipfile.is_zipfile(filename):
raise RuntimeError('Not a valid zipfile')
zf = zipfile.ZipFile(filename)
if not subfolder.endswith('/'):
subfolder = subfolder + '/'
n = len(subfolder)
for name in sorted(zf.namelist()):
if not name.startswith(subfolder):
continue
#print name[n:]
if name.endswith('/'):
folder = os.path.join(dir, name[n:])
if not os.path.exists(folder):
os.mkdir(folder)
else:
write_file(os.path.join(dir, name[n:]), zf.read(name), 'wb')
def upgrade(request, url='http://web2py.com'):
"""
Upgrades web2py (src, osx, win) is a new version is posted.
It detects whether src, osx or win is running and downloads the right one
Parameters
----------
request:
the current request object, required to determine version and path
url:
the incomplete url where to locate the latest web2py
actual url is url+'/examples/static/web2py_(src|osx|win).zip'
Returns
-------
True on success, False on failure (network problem or old version)
"""
web2py_version = request.env.web2py_version
gluon_parent = request.env.gluon_parent
if not gluon_parent.endswith('/'):
gluon_parent = gluon_parent + '/'
(check, version) = check_new_version(web2py_version,
url + '/examples/default/version')
if not check:
return (False, 'Already latest version')
if os.path.exists(os.path.join(gluon_parent, 'web2py.exe')):
version_type = 'win'
destination = gluon_parent
subfolder = 'web2py/'
elif gluon_parent.endswith('/Contents/Resources/'):
version_type = 'osx'
destination = gluon_parent[:-len('/Contents/Resources/')]
subfolder = 'web2py/web2py.app/'
else:
version_type = 'src'
destination = gluon_parent
subfolder = 'web2py/'
full_url = url + '/examples/static/web2py_%s.zip' % version_type
filename = abspath('web2py_%s_downloaded.zip' % version_type)
file = None
try:
write_file(filename, urllib.urlopen(full_url).read(), 'wb')
except Exception, e:
return False, e
try:
unzip(filename, destination, subfolder)
return True, None
except Exception, e:
return False, e
def add_path_first(path):
sys.path = [path] + [p for p in sys.path if (
not p == path and not p == (path + '/'))]
if not global_settings.web2py_runtime_gae:
site.addsitedir(path)
def create_missing_folders():
if not global_settings.web2py_runtime_gae:
for path in ('applications', 'deposit', 'site-packages', 'logs'):
path = abspath(path, gluon=True)
if not os.path.exists(path):
os.mkdir(path)
paths = (global_settings.gluon_parent, abspath(
'site-packages', gluon=True), abspath('gluon', gluon=True), '')
[add_path_first(path) for path in paths]
def create_missing_app_folders(request):
if not global_settings.web2py_runtime_gae:
if request.folder not in global_settings.app_folders:
for subfolder in ('models', 'views', 'controllers', 'databases',
'modules', 'cron', 'errors', 'sessions',
'languages', 'static', 'private', 'uploads'):
path = os.path.join(request.folder, subfolder)
if not os.path.exists(path):
os.mkdir(path)
global_settings.app_folders.add(request.folder)
| Python |
#!/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Thanks to ga2arch for help with IS_IN_DB and IS_NOT_IN_DB on GAE
"""
import os
import re
import datetime
import time
import cgi
import urllib
import struct
import decimal
import unicodedata
from cStringIO import StringIO
from utils import simple_hash, web2py_uuid, DIGEST_ALG_BY_SIZE
from dal import FieldVirtual, FieldMethod
JSONErrors = (NameError, TypeError, ValueError, AttributeError,
KeyError)
try:
import json as simplejson
except ImportError:
from gluon.contrib import simplejson
from gluon.contrib.simplejson.decoder import JSONDecodeError
JSONErrors += (JSONDecodeError,)
__all__ = [
'ANY_OF',
'CLEANUP',
'CRYPT',
'IS_ALPHANUMERIC',
'IS_DATE_IN_RANGE',
'IS_DATE',
'IS_DATETIME_IN_RANGE',
'IS_DATETIME',
'IS_DECIMAL_IN_RANGE',
'IS_EMAIL',
'IS_EMPTY_OR',
'IS_EXPR',
'IS_FLOAT_IN_RANGE',
'IS_IMAGE',
'IS_IN_DB',
'IS_IN_SET',
'IS_INT_IN_RANGE',
'IS_IPV4',
'IS_IPV6',
'IS_IPADDRESS',
'IS_LENGTH',
'IS_LIST_OF',
'IS_LOWER',
'IS_MATCH',
'IS_EQUAL_TO',
'IS_NOT_EMPTY',
'IS_NOT_IN_DB',
'IS_NULL_OR',
'IS_SLUG',
'IS_STRONG',
'IS_TIME',
'IS_UPLOAD_FILENAME',
'IS_UPPER',
'IS_URL',
'IS_JSON',
]
try:
from globals import current
have_current = True
except ImportError:
have_current = False
def translate(text):
if text is None:
return None
elif isinstance(text, (str, unicode)) and have_current:
if hasattr(current, 'T'):
return str(current.T(text))
return str(text)
def options_sorter(x, y):
return (str(x[1]).upper() > str(y[1]).upper() and 1) or -1
class Validator(object):
"""
Root for all validators, mainly for documentation purposes.
Validators are classes used to validate input fields (including forms
generated from database tables).
Here is an example of using a validator with a FORM::
INPUT(_name='a', requires=IS_INT_IN_RANGE(0, 10))
Here is an example of how to require a validator for a table field::
db.define_table('person', SQLField('name'))
db.person.name.requires=IS_NOT_EMPTY()
Validators are always assigned using the requires attribute of a field. A
field can have a single validator or multiple validators. Multiple
validators are made part of a list::
db.person.name.requires=[IS_NOT_EMPTY(), IS_NOT_IN_DB(db, 'person.id')]
Validators are called by the function accepts on a FORM or other HTML
helper object that contains a form. They are always called in the order in
which they are listed.
Built-in validators have constructors that take the optional argument error
message which allows you to change the default error message.
Here is an example of a validator on a database table::
db.person.name.requires=IS_NOT_EMPTY(error_message=T('fill this'))
where we have used the translation operator T to allow for
internationalization.
Notice that default error messages are not translated.
"""
def formatter(self, value):
"""
For some validators returns a formatted version (matching the validator)
of value. Otherwise just returns the value.
"""
return value
def __call__(self, value):
raise NotImplementedError
return (value, None)
class IS_MATCH(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=IS_MATCH('.+'))
the argument of IS_MATCH is a regular expression::
>>> IS_MATCH('.+')('hello')
('hello', None)
>>> IS_MATCH('hell')('hello')
('hello', None)
>>> IS_MATCH('hell.*', strict=False)('hello')
('hello', None)
>>> IS_MATCH('hello')('shello')
('shello', 'invalid expression')
>>> IS_MATCH('hello', search=True)('shello')
('shello', None)
>>> IS_MATCH('hello', search=True, strict=False)('shellox')
('shellox', None)
>>> IS_MATCH('.*hello.*', search=True, strict=False)('shellox')
('shellox', None)
>>> IS_MATCH('.+')('')
('', 'invalid expression')
"""
def __init__(self, expression, error_message='invalid expression',
strict=False, search=False, extract=False,
unicode=False):
if strict or not search:
if not expression.startswith('^'):
expression = '^(%s)' % expression
if strict:
if not expression.endswith('$'):
expression = '(%s)$' % expression
if unicode:
if not isinstance(expression,unicode):
expression = expression.decode('utf8')
self.regex = re.compile(expression,re.UNICODE)
else:
self.regex = re.compile(expression)
self.error_message = error_message
self.extract = extract
self.unicode = unicode
def __call__(self, value):
if self.unicode and not isinstance(value,unicode):
match = self.regex.search(str(value).decode('utf8'))
else:
match = self.regex.search(str(value))
if match is not None:
return (self.extract and match.group() or value, None)
return (value, translate(self.error_message))
class IS_EQUAL_TO(Validator):
"""
example::
INPUT(_type='text', _name='password')
INPUT(_type='text', _name='password2',
requires=IS_EQUAL_TO(request.vars.password))
the argument of IS_EQUAL_TO is a string
>>> IS_EQUAL_TO('aaa')('aaa')
('aaa', None)
>>> IS_EQUAL_TO('aaa')('aab')
('aab', 'no match')
"""
def __init__(self, expression, error_message='no match'):
self.expression = expression
self.error_message = error_message
def __call__(self, value):
if value == self.expression:
return (value, None)
return (value, translate(self.error_message))
class IS_EXPR(Validator):
"""
example::
INPUT(_type='text', _name='name',
requires=IS_EXPR('5 < int(value) < 10'))
the argument of IS_EXPR must be python condition::
>>> IS_EXPR('int(value) < 2')('1')
('1', None)
>>> IS_EXPR('int(value) < 2')('2')
('2', 'invalid expression')
"""
def __init__(self, expression, error_message='invalid expression', environment=None):
self.expression = expression
self.error_message = error_message
self.environment = environment or {}
def __call__(self, value):
if callable(self.expression):
return (value, self.expression(value))
# for backward compatibility
self.environment.update(value=value)
exec '__ret__=' + self.expression in self.environment
if self.environment['__ret__']:
return (value, None)
return (value, translate(self.error_message))
class IS_LENGTH(Validator):
"""
Checks if length of field's value fits between given boundaries. Works
for both text and file inputs.
Arguments:
maxsize: maximum allowed length / size
minsize: minimum allowed length / size
Examples::
#Check if text string is shorter than 33 characters:
INPUT(_type='text', _name='name', requires=IS_LENGTH(32))
#Check if password string is longer than 5 characters:
INPUT(_type='password', _name='name', requires=IS_LENGTH(minsize=6))
#Check if uploaded file has size between 1KB and 1MB:
INPUT(_type='file', _name='name', requires=IS_LENGTH(1048576, 1024))
>>> IS_LENGTH()('')
('', None)
>>> IS_LENGTH()('1234567890')
('1234567890', None)
>>> IS_LENGTH(maxsize=5, minsize=0)('1234567890') # too long
('1234567890', 'enter from 0 to 5 characters')
>>> IS_LENGTH(maxsize=50, minsize=20)('1234567890') # too short
('1234567890', 'enter from 20 to 50 characters')
"""
def __init__(self, maxsize=255, minsize=0,
error_message='enter from %(min)g to %(max)g characters'):
self.maxsize = maxsize
self.minsize = minsize
self.error_message = error_message
def __call__(self, value):
if value is None:
length = 0
if self.minsize <= length <= self.maxsize:
return (value, None)
elif isinstance(value, cgi.FieldStorage):
if value.file:
value.file.seek(0, os.SEEK_END)
length = value.file.tell()
value.file.seek(0, os.SEEK_SET)
elif hasattr(value, 'value'):
val = value.value
if val:
length = len(val)
else:
length = 0
if self.minsize <= length <= self.maxsize:
return (value, None)
elif isinstance(value, (str, unicode, list)):
if self.minsize <= len(value) <= self.maxsize:
return (value, None)
elif self.minsize <= len(str(value)) <= self.maxsize:
try:
value.decode('utf8')
return (value, None)
except:
pass
return (value, translate(self.error_message)
% dict(min=self.minsize, max=self.maxsize))
class IS_JSON(Validator):
"""
example::
INPUT(_type='text', _name='name',
requires=IS_JSON(error_message="This is not a valid json input")
>>> IS_JSON()('{"a": 100}')
({u'a': 100}, None)
>>> IS_JSON()('spam1234')
('spam1234', 'invalid json')
"""
def __init__(self, error_message='invalid json'):
self.error_message = error_message
def __call__(self, value):
if value is None:
return None
try:
return (simplejson.loads(value), None)
except JSONErrors:
return (value, translate(self.error_message))
def formatter(self,value):
if value is None:
return None
return simplejson.dumps(value)
class IS_IN_SET(Validator):
"""
example::
INPUT(_type='text', _name='name',
requires=IS_IN_SET(['max', 'john'],zero=''))
the argument of IS_IN_SET must be a list or set
>>> IS_IN_SET(['max', 'john'])('max')
('max', None)
>>> IS_IN_SET(['max', 'john'])('massimo')
('massimo', 'value not allowed')
>>> IS_IN_SET(['max', 'john'], multiple=True)(('max', 'john'))
(('max', 'john'), None)
>>> IS_IN_SET(['max', 'john'], multiple=True)(('bill', 'john'))
(('bill', 'john'), 'value not allowed')
>>> IS_IN_SET(('id1','id2'), ['first label','second label'])('id1') # Traditional way
('id1', None)
>>> IS_IN_SET({'id1':'first label', 'id2':'second label'})('id1')
('id1', None)
>>> import itertools
>>> IS_IN_SET(itertools.chain(['1','3','5'],['2','4','6']))('1')
('1', None)
>>> IS_IN_SET([('id1','first label'), ('id2','second label')])('id1') # Redundant way
('id1', None)
"""
def __init__(
self,
theset,
labels=None,
error_message='value not allowed',
multiple=False,
zero='',
sort=False,
):
self.multiple = multiple
if isinstance(theset, dict):
self.theset = [str(item) for item in theset]
self.labels = theset.values()
elif theset and isinstance(theset, (tuple, list)) \
and isinstance(theset[0], (tuple, list)) and len(theset[0]) == 2:
self.theset = [str(item) for item, label in theset]
self.labels = [str(label) for item, label in theset]
else:
self.theset = [str(item) for item in theset]
self.labels = labels
self.error_message = error_message
self.zero = zero
self.sort = sort
def options(self, zero=True):
if not self.labels:
items = [(k, k) for (i, k) in enumerate(self.theset)]
else:
items = [(k, self.labels[i]) for (i, k) in enumerate(self.theset)]
if self.sort:
items.sort(options_sorter)
if zero and not self.zero is None and not self.multiple:
items.insert(0, ('', self.zero))
return items
def __call__(self, value):
if self.multiple:
### if below was values = re.compile("[\w\-:]+").findall(str(value))
if not value:
values = []
elif isinstance(value, (tuple, list)):
values = value
else:
values = [value]
else:
values = [value]
thestrset = [str(x) for x in self.theset]
failures = [x for x in values if not str(x) in thestrset]
if failures and self.theset:
if self.multiple and (value is None or value == ''):
return ([], None)
return (value, translate(self.error_message))
if self.multiple:
if isinstance(self.multiple, (tuple, list)) and \
not self.multiple[0] <= len(values) < self.multiple[1]:
return (values, translate(self.error_message))
return (values, None)
return (value, None)
regex1 = re.compile('\w+\.\w+')
regex2 = re.compile('%\((?P<name>[^\)]+)\)s')
class IS_IN_DB(Validator):
"""
example::
INPUT(_type='text', _name='name',
requires=IS_IN_DB(db, db.mytable.myfield, zero=''))
used for reference fields, rendered as a dropbox
"""
def __init__(
self,
dbset,
field,
label=None,
error_message='value not in database',
orderby=None,
groupby=None,
distinct=None,
cache=None,
multiple=False,
zero='',
sort=False,
_and=None,
):
from dal import Table
if isinstance(field, Table):
field = field._id
if hasattr(dbset, 'define_table'):
self.dbset = dbset()
else:
self.dbset = dbset
(ktable, kfield) = str(field).split('.')
if not label:
label = '%%(%s)s' % kfield
if isinstance(label, str):
if regex1.match(str(label)):
label = '%%(%s)s' % str(label).split('.')[-1]
ks = regex2.findall(label)
if not kfield in ks:
ks += [kfield]
fields = ks
else:
ks = [kfield]
fields = 'all'
self.fields = fields
self.label = label
self.ktable = ktable
self.kfield = kfield
self.ks = ks
self.error_message = error_message
self.theset = None
self.orderby = orderby
self.groupby = groupby
self.distinct = distinct
self.cache = cache
self.multiple = multiple
self.zero = zero
self.sort = sort
self._and = _and
def set_self_id(self, id):
if self._and:
self._and.record_id = id
def build_set(self):
table = self.dbset.db[self.ktable]
if self.fields == 'all':
fields = [f for f in table]
else:
fields = [table[k] for k in self.fields]
ignore = (FieldVirtual,FieldMethod)
fields = filter(lambda f:not isinstance(f,ignore), fields)
if self.dbset.db._dbname != 'gae':
orderby = self.orderby or reduce(lambda a, b: a | b, fields)
groupby = self.groupby
distinct = self.distinct
dd = dict(orderby=orderby, groupby=groupby,
distinct=distinct, cache=self.cache,
cacheable=True)
records = self.dbset(table).select(*fields, **dd)
else:
orderby = self.orderby or \
reduce(lambda a, b: a | b, (
f for f in fields if not f.name == 'id'))
dd = dict(orderby=orderby, cache=self.cache, cacheable=True)
records = self.dbset(table).select(table.ALL, **dd)
self.theset = [str(r[self.kfield]) for r in records]
if isinstance(self.label, str):
self.labels = [self.label % r for r in records]
else:
self.labels = [self.label(r) for r in records]
def options(self, zero=True):
self.build_set()
items = [(k, self.labels[i]) for (i, k) in enumerate(self.theset)]
if self.sort:
items.sort(options_sorter)
if zero and not self.zero is None and not self.multiple:
items.insert(0, ('', self.zero))
return items
def __call__(self, value):
table = self.dbset.db[self.ktable]
field = table[self.kfield]
if self.multiple:
if self._and:
raise NotImplementedError
if isinstance(value, list):
values = value
elif value:
values = [value]
else:
values = []
if isinstance(self.multiple, (tuple, list)) and \
not self.multiple[0] <= len(values) < self.multiple[1]:
return (values, translate(self.error_message))
if self.theset:
if not [v for v in values if not v in self.theset]:
return (values, None)
else:
from dal import GoogleDatastoreAdapter
def count(values, s=self.dbset, f=field):
return s(f.belongs(map(int, values))).count()
if isinstance(self.dbset.db._adapter, GoogleDatastoreAdapter):
range_ids = range(0, len(values), 30)
total = sum(count(values[i:i + 30]) for i in range_ids)
if total == len(values):
return (values, None)
elif count(values) == len(values):
return (values, None)
elif self.theset:
if str(value) in self.theset:
if self._and:
return self._and(value)
else:
return (value, None)
else:
if self.dbset(field == value).count():
if self._and:
return self._and(value)
else:
return (value, None)
return (value, translate(self.error_message))
class IS_NOT_IN_DB(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=IS_NOT_IN_DB(db, db.table))
makes the field unique
"""
def __init__(
self,
dbset,
field,
error_message='value already in database or empty',
allowed_override=[],
ignore_common_filters=False,
):
from dal import Table
if isinstance(field, Table):
field = field._id
if hasattr(dbset, 'define_table'):
self.dbset = dbset()
else:
self.dbset = dbset
self.field = field
self.error_message = error_message
self.record_id = 0
self.allowed_override = allowed_override
self.ignore_common_filters = ignore_common_filters
def set_self_id(self, id):
self.record_id = id
def __call__(self, value):
if isinstance(value,unicode):
value = value.encode('utf8')
else:
value = str(value)
if not value.strip():
return (value, translate(self.error_message))
if value in self.allowed_override:
return (value, None)
(tablename, fieldname) = str(self.field).split('.')
table = self.dbset.db[tablename]
field = table[fieldname]
subset = self.dbset(field == value,
ignore_common_filters=self.ignore_common_filters)
id = self.record_id
if isinstance(id, dict):
fields = [table[f] for f in id]
row = subset.select(*fields, **dict(limitby=(0, 1), orderby_on_limitby=False)).first()
if row and any(str(row[f]) != str(id[f]) for f in id):
return (value, translate(self.error_message))
else:
row = subset.select(table._id, field, limitby=(0, 1), orderby_on_limitby=False).first()
if row and str(row.id) != str(id):
return (value, translate(self.error_message))
return (value, None)
class IS_INT_IN_RANGE(Validator):
"""
Determine that the argument is (or can be represented as) an int,
and that it falls within the specified range. The range is interpreted
in the Pythonic way, so the test is: min <= value < max.
The minimum and maximum limits can be None, meaning no lower or upper limit,
respectively.
example::
INPUT(_type='text', _name='name', requires=IS_INT_IN_RANGE(0, 10))
>>> IS_INT_IN_RANGE(1,5)('4')
(4, None)
>>> IS_INT_IN_RANGE(1,5)(4)
(4, None)
>>> IS_INT_IN_RANGE(1,5)(1)
(1, None)
>>> IS_INT_IN_RANGE(1,5)(5)
(5, 'enter an integer between 1 and 4')
>>> IS_INT_IN_RANGE(1,5)(5)
(5, 'enter an integer between 1 and 4')
>>> IS_INT_IN_RANGE(1,5)(3.5)
(3, 'enter an integer between 1 and 4')
>>> IS_INT_IN_RANGE(None,5)('4')
(4, None)
>>> IS_INT_IN_RANGE(None,5)('6')
(6, 'enter an integer less than or equal to 4')
>>> IS_INT_IN_RANGE(1,None)('4')
(4, None)
>>> IS_INT_IN_RANGE(1,None)('0')
(0, 'enter an integer greater than or equal to 1')
>>> IS_INT_IN_RANGE()(6)
(6, None)
>>> IS_INT_IN_RANGE()('abc')
('abc', 'enter an integer')
"""
def __init__(
self,
minimum=None,
maximum=None,
error_message=None,
):
self.minimum = self.maximum = None
if minimum is None:
if maximum is None:
self.error_message = translate(
error_message or 'enter an integer')
else:
self.maximum = int(maximum)
if error_message is None:
error_message = \
'enter an integer less than or equal to %(max)g'
self.error_message = translate(
error_message) % dict(max=self.maximum - 1)
elif maximum is None:
self.minimum = int(minimum)
if error_message is None:
error_message = \
'enter an integer greater than or equal to %(min)g'
self.error_message = translate(
error_message) % dict(min=self.minimum)
else:
self.minimum = int(minimum)
self.maximum = int(maximum)
if error_message is None:
error_message = 'enter an integer between %(min)g and %(max)g'
self.error_message = translate(error_message) \
% dict(min=self.minimum, max=self.maximum - 1)
def __call__(self, value):
try:
fvalue = float(value)
value = int(value)
if value != fvalue:
return (value, self.error_message)
if self.minimum is None:
if self.maximum is None or value < self.maximum:
return (value, None)
elif self.maximum is None:
if value >= self.minimum:
return (value, None)
elif self.minimum <= value < self.maximum:
return (value, None)
except ValueError:
pass
return (value, self.error_message)
def str2dec(number):
s = str(number)
if not '.' in s:
s += '.00'
else:
s += '0' * (2 - len(s.split('.')[1]))
return s
class IS_FLOAT_IN_RANGE(Validator):
"""
Determine that the argument is (or can be represented as) a float,
and that it falls within the specified inclusive range.
The comparison is made with native arithmetic.
The minimum and maximum limits can be None, meaning no lower or upper limit,
respectively.
example::
INPUT(_type='text', _name='name', requires=IS_FLOAT_IN_RANGE(0, 10))
>>> IS_FLOAT_IN_RANGE(1,5)('4')
(4.0, None)
>>> IS_FLOAT_IN_RANGE(1,5)(4)
(4.0, None)
>>> IS_FLOAT_IN_RANGE(1,5)(1)
(1.0, None)
>>> IS_FLOAT_IN_RANGE(1,5)(5.25)
(5.25, 'enter a number between 1 and 5')
>>> IS_FLOAT_IN_RANGE(1,5)(6.0)
(6.0, 'enter a number between 1 and 5')
>>> IS_FLOAT_IN_RANGE(1,5)(3.5)
(3.5, None)
>>> IS_FLOAT_IN_RANGE(1,None)(3.5)
(3.5, None)
>>> IS_FLOAT_IN_RANGE(None,5)(3.5)
(3.5, None)
>>> IS_FLOAT_IN_RANGE(1,None)(0.5)
(0.5, 'enter a number greater than or equal to 1')
>>> IS_FLOAT_IN_RANGE(None,5)(6.5)
(6.5, 'enter a number less than or equal to 5')
>>> IS_FLOAT_IN_RANGE()(6.5)
(6.5, None)
>>> IS_FLOAT_IN_RANGE()('abc')
('abc', 'enter a number')
"""
def __init__(
self,
minimum=None,
maximum=None,
error_message=None,
dot='.'
):
self.minimum = self.maximum = None
self.dot = dot
if minimum is None:
if maximum is None:
if error_message is None:
error_message = 'enter a number'
else:
self.maximum = float(maximum)
if error_message is None:
error_message = 'enter a number less than or equal to %(max)g'
elif maximum is None:
self.minimum = float(minimum)
if error_message is None:
error_message = 'enter a number greater than or equal to %(min)g'
else:
self.minimum = float(minimum)
self.maximum = float(maximum)
if error_message is None:
error_message = 'enter a number between %(min)g and %(max)g'
self.error_message = translate(error_message) \
% dict(min=self.minimum, max=self.maximum)
def __call__(self, value):
try:
if self.dot == '.':
fvalue = float(value)
else:
fvalue = float(str(value).replace(self.dot, '.'))
if self.minimum is None:
if self.maximum is None or fvalue <= self.maximum:
return (fvalue, None)
elif self.maximum is None:
if fvalue >= self.minimum:
return (fvalue, None)
elif self.minimum <= fvalue <= self.maximum:
return (fvalue, None)
except (ValueError, TypeError):
pass
return (value, self.error_message)
def formatter(self, value):
if value is None:
return None
return str2dec(value).replace('.', self.dot)
class IS_DECIMAL_IN_RANGE(Validator):
"""
Determine that the argument is (or can be represented as) a Python Decimal,
and that it falls within the specified inclusive range.
The comparison is made with Python Decimal arithmetic.
The minimum and maximum limits can be None, meaning no lower or upper limit,
respectively.
example::
INPUT(_type='text', _name='name', requires=IS_DECIMAL_IN_RANGE(0, 10))
>>> IS_DECIMAL_IN_RANGE(1,5)('4')
(Decimal('4'), None)
>>> IS_DECIMAL_IN_RANGE(1,5)(4)
(Decimal('4'), None)
>>> IS_DECIMAL_IN_RANGE(1,5)(1)
(Decimal('1'), None)
>>> IS_DECIMAL_IN_RANGE(1,5)(5.25)
(5.25, 'enter a number between 1 and 5')
>>> IS_DECIMAL_IN_RANGE(5.25,6)(5.25)
(Decimal('5.25'), None)
>>> IS_DECIMAL_IN_RANGE(5.25,6)('5.25')
(Decimal('5.25'), None)
>>> IS_DECIMAL_IN_RANGE(1,5)(6.0)
(6.0, 'enter a number between 1 and 5')
>>> IS_DECIMAL_IN_RANGE(1,5)(3.5)
(Decimal('3.5'), None)
>>> IS_DECIMAL_IN_RANGE(1.5,5.5)(3.5)
(Decimal('3.5'), None)
>>> IS_DECIMAL_IN_RANGE(1.5,5.5)(6.5)
(6.5, 'enter a number between 1.5 and 5.5')
>>> IS_DECIMAL_IN_RANGE(1.5,None)(6.5)
(Decimal('6.5'), None)
>>> IS_DECIMAL_IN_RANGE(1.5,None)(0.5)
(0.5, 'enter a number greater than or equal to 1.5')
>>> IS_DECIMAL_IN_RANGE(None,5.5)(4.5)
(Decimal('4.5'), None)
>>> IS_DECIMAL_IN_RANGE(None,5.5)(6.5)
(6.5, 'enter a number less than or equal to 5.5')
>>> IS_DECIMAL_IN_RANGE()(6.5)
(Decimal('6.5'), None)
>>> IS_DECIMAL_IN_RANGE(0,99)(123.123)
(123.123, 'enter a number between 0 and 99')
>>> IS_DECIMAL_IN_RANGE(0,99)('123.123')
('123.123', 'enter a number between 0 and 99')
>>> IS_DECIMAL_IN_RANGE(0,99)('12.34')
(Decimal('12.34'), None)
>>> IS_DECIMAL_IN_RANGE()('abc')
('abc', 'enter a decimal number')
"""
def __init__(
self,
minimum=None,
maximum=None,
error_message=None,
dot='.'
):
self.minimum = self.maximum = None
self.dot = dot
if minimum is None:
if maximum is None:
if error_message is None:
error_message = 'enter a decimal number'
else:
self.maximum = decimal.Decimal(str(maximum))
if error_message is None:
error_message = 'enter a number less than or equal to %(max)g'
elif maximum is None:
self.minimum = decimal.Decimal(str(minimum))
if error_message is None:
error_message = 'enter a number greater than or equal to %(min)g'
else:
self.minimum = decimal.Decimal(str(minimum))
self.maximum = decimal.Decimal(str(maximum))
if error_message is None:
error_message = 'enter a number between %(min)g and %(max)g'
self.error_message = translate(error_message) \
% dict(min=self.minimum, max=self.maximum)
def __call__(self, value):
try:
if isinstance(value, decimal.Decimal):
v = value
else:
v = decimal.Decimal(str(value).replace(self.dot, '.'))
if self.minimum is None:
if self.maximum is None or v <= self.maximum:
return (v, None)
elif self.maximum is None:
if v >= self.minimum:
return (v, None)
elif self.minimum <= v <= self.maximum:
return (v, None)
except (ValueError, TypeError, decimal.InvalidOperation):
pass
return (value, self.error_message)
def formatter(self, value):
if value is None:
return None
return str2dec(value).replace('.', self.dot)
def is_empty(value, empty_regex=None):
"test empty field"
if isinstance(value, (str, unicode)):
value = value.strip()
if empty_regex is not None and empty_regex.match(value):
value = ''
if value is None or value == '' or value == []:
return (value, True)
return (value, False)
class IS_NOT_EMPTY(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=IS_NOT_EMPTY())
>>> IS_NOT_EMPTY()(1)
(1, None)
>>> IS_NOT_EMPTY()(0)
(0, None)
>>> IS_NOT_EMPTY()('x')
('x', None)
>>> IS_NOT_EMPTY()(' x ')
('x', None)
>>> IS_NOT_EMPTY()(None)
(None, 'enter a value')
>>> IS_NOT_EMPTY()('')
('', 'enter a value')
>>> IS_NOT_EMPTY()(' ')
('', 'enter a value')
>>> IS_NOT_EMPTY()(' \\n\\t')
('', 'enter a value')
>>> IS_NOT_EMPTY()([])
([], 'enter a value')
>>> IS_NOT_EMPTY(empty_regex='def')('def')
('', 'enter a value')
>>> IS_NOT_EMPTY(empty_regex='de[fg]')('deg')
('', 'enter a value')
>>> IS_NOT_EMPTY(empty_regex='def')('abc')
('abc', None)
"""
def __init__(self, error_message='enter a value', empty_regex=None):
self.error_message = error_message
if empty_regex is not None:
self.empty_regex = re.compile(empty_regex)
else:
self.empty_regex = None
def __call__(self, value):
value, empty = is_empty(value, empty_regex=self.empty_regex)
if empty:
return (value, translate(self.error_message))
return (value, None)
class IS_ALPHANUMERIC(IS_MATCH):
"""
example::
INPUT(_type='text', _name='name', requires=IS_ALPHANUMERIC())
>>> IS_ALPHANUMERIC()('1')
('1', None)
>>> IS_ALPHANUMERIC()('')
('', None)
>>> IS_ALPHANUMERIC()('A_a')
('A_a', None)
>>> IS_ALPHANUMERIC()('!')
('!', 'enter only letters, numbers, and underscore')
"""
def __init__(self, error_message='enter only letters, numbers, and underscore'):
IS_MATCH.__init__(self, '^[\w]*$', error_message)
class IS_EMAIL(Validator):
"""
Checks if field's value is a valid email address. Can be set to disallow
or force addresses from certain domain(s).
Email regex adapted from
http://haacked.com/archive/2007/08/21/i-knew-how-to-validate-an-email-address-until-i.aspx,
generally following the RFCs, except that we disallow quoted strings
and permit underscores and leading numerics in subdomain labels
Arguments:
- banned: regex text for disallowed address domains
- forced: regex text for required address domains
Both arguments can also be custom objects with a match(value) method.
Examples::
#Check for valid email address:
INPUT(_type='text', _name='name',
requires=IS_EMAIL())
#Check for valid email address that can't be from a .com domain:
INPUT(_type='text', _name='name',
requires=IS_EMAIL(banned='^.*\.com(|\..*)$'))
#Check for valid email address that must be from a .edu domain:
INPUT(_type='text', _name='name',
requires=IS_EMAIL(forced='^.*\.edu(|\..*)$'))
>>> IS_EMAIL()('a@b.com')
('a@b.com', None)
>>> IS_EMAIL()('abc@def.com')
('abc@def.com', None)
>>> IS_EMAIL()('abc@3def.com')
('abc@3def.com', None)
>>> IS_EMAIL()('abc@def.us')
('abc@def.us', None)
>>> IS_EMAIL()('abc@d_-f.us')
('abc@d_-f.us', None)
>>> IS_EMAIL()('@def.com') # missing name
('@def.com', 'enter a valid email address')
>>> IS_EMAIL()('"abc@def".com') # quoted name
('"abc@def".com', 'enter a valid email address')
>>> IS_EMAIL()('abc+def.com') # no @
('abc+def.com', 'enter a valid email address')
>>> IS_EMAIL()('abc@def.x') # one-char TLD
('abc@def.x', 'enter a valid email address')
>>> IS_EMAIL()('abc@def.12') # numeric TLD
('abc@def.12', 'enter a valid email address')
>>> IS_EMAIL()('abc@def..com') # double-dot in domain
('abc@def..com', 'enter a valid email address')
>>> IS_EMAIL()('abc@.def.com') # dot starts domain
('abc@.def.com', 'enter a valid email address')
>>> IS_EMAIL()('abc@def.c_m') # underscore in TLD
('abc@def.c_m', 'enter a valid email address')
>>> IS_EMAIL()('NotAnEmail') # missing @
('NotAnEmail', 'enter a valid email address')
>>> IS_EMAIL()('abc@NotAnEmail') # missing TLD
('abc@NotAnEmail', 'enter a valid email address')
>>> IS_EMAIL()('customer/department@example.com')
('customer/department@example.com', None)
>>> IS_EMAIL()('$A12345@example.com')
('$A12345@example.com', None)
>>> IS_EMAIL()('!def!xyz%abc@example.com')
('!def!xyz%abc@example.com', None)
>>> IS_EMAIL()('_Yosemite.Sam@example.com')
('_Yosemite.Sam@example.com', None)
>>> IS_EMAIL()('~@example.com')
('~@example.com', None)
>>> IS_EMAIL()('.wooly@example.com') # dot starts name
('.wooly@example.com', 'enter a valid email address')
>>> IS_EMAIL()('wo..oly@example.com') # adjacent dots in name
('wo..oly@example.com', 'enter a valid email address')
>>> IS_EMAIL()('pootietang.@example.com') # dot ends name
('pootietang.@example.com', 'enter a valid email address')
>>> IS_EMAIL()('.@example.com') # name is bare dot
('.@example.com', 'enter a valid email address')
>>> IS_EMAIL()('Ima.Fool@example.com')
('Ima.Fool@example.com', None)
>>> IS_EMAIL()('Ima Fool@example.com') # space in name
('Ima Fool@example.com', 'enter a valid email address')
>>> IS_EMAIL()('localguy@localhost') # localhost as domain
('localguy@localhost', None)
"""
regex = re.compile('''
^(?!\.) # name may not begin with a dot
(
[-a-z0-9!\#$%&'*+/=?^_`{|}~] # all legal characters except dot
|
(?<!\.)\. # single dots only
)+
(?<!\.) # name may not end with a dot
@
(
localhost
|
(
[a-z0-9]
# [sub]domain begins with alphanumeric
(
[-\w]* # alphanumeric, underscore, dot, hyphen
[a-z0-9] # ending alphanumeric
)?
\. # ending dot
)+
[a-z]{2,} # TLD alpha-only
)$
''', re.VERBOSE | re.IGNORECASE)
regex_proposed_but_failed = re.compile('^([\w\!\#$\%\&\'\*\+\-\/\=\?\^\`{\|\}\~]+\.)*[\w\!\#$\%\&\'\*\+\-\/\=\?\^\`{\|\}\~]+@((((([a-z0-9]{1}[a-z0-9\-]{0,62}[a-z0-9]{1})|[a-z])\.)+[a-z]{2,6})|(\d{1,3}\.){3}\d{1,3}(\:\d{1,5})?)$', re.VERBOSE | re.IGNORECASE)
def __init__(self,
banned=None,
forced=None,
error_message='enter a valid email address'):
if isinstance(banned, str):
banned = re.compile(banned)
if isinstance(forced, str):
forced = re.compile(forced)
self.banned = banned
self.forced = forced
self.error_message = error_message
def __call__(self, value):
match = self.regex.match(value)
if match:
domain = value.split('@')[1]
if (not self.banned or not self.banned.match(domain)) \
and (not self.forced or self.forced.match(domain)):
return (value, None)
return (value, translate(self.error_message))
# URL scheme source:
# <http://en.wikipedia.org/wiki/URI_scheme> obtained on 2008-Nov-10
official_url_schemes = [
'aaa',
'aaas',
'acap',
'cap',
'cid',
'crid',
'data',
'dav',
'dict',
'dns',
'fax',
'file',
'ftp',
'go',
'gopher',
'h323',
'http',
'https',
'icap',
'im',
'imap',
'info',
'ipp',
'iris',
'iris.beep',
'iris.xpc',
'iris.xpcs',
'iris.lws',
'ldap',
'mailto',
'mid',
'modem',
'msrp',
'msrps',
'mtqp',
'mupdate',
'news',
'nfs',
'nntp',
'opaquelocktoken',
'pop',
'pres',
'prospero',
'rtsp',
'service',
'shttp',
'sip',
'sips',
'snmp',
'soap.beep',
'soap.beeps',
'tag',
'tel',
'telnet',
'tftp',
'thismessage',
'tip',
'tv',
'urn',
'vemmi',
'wais',
'xmlrpc.beep',
'xmlrpc.beep',
'xmpp',
'z39.50r',
'z39.50s',
]
unofficial_url_schemes = [
'about',
'adiumxtra',
'aim',
'afp',
'aw',
'callto',
'chrome',
'cvs',
'ed2k',
'feed',
'fish',
'gg',
'gizmoproject',
'iax2',
'irc',
'ircs',
'itms',
'jar',
'javascript',
'keyparc',
'lastfm',
'ldaps',
'magnet',
'mms',
'msnim',
'mvn',
'notes',
'nsfw',
'psyc',
'paparazzi:http',
'rmi',
'rsync',
'secondlife',
'sgn',
'skype',
'ssh',
'sftp',
'smb',
'sms',
'soldat',
'steam',
'svn',
'teamspeak',
'unreal',
'ut2004',
'ventrilo',
'view-source',
'webcal',
'wyciwyg',
'xfire',
'xri',
'ymsgr',
]
all_url_schemes = [None] + official_url_schemes + unofficial_url_schemes
http_schemes = [None, 'http', 'https']
# This regex comes from RFC 2396, Appendix B. It's used to split a URL into
# its component parts
# Here are the regex groups that it extracts:
# scheme = group(2)
# authority = group(4)
# path = group(5)
# query = group(7)
# fragment = group(9)
url_split_regex = \
re.compile('^(([^:/?#]+):)?(//([^/?#]*))?([^?#]*)(\?([^#]*))?(#(.*))?')
# Defined in RFC 3490, Section 3.1, Requirement #1
# Use this regex to split the authority component of a unicode URL into
# its component labels
label_split_regex = re.compile(u'[\u002e\u3002\uff0e\uff61]')
def escape_unicode(string):
'''
Converts a unicode string into US-ASCII, using a simple conversion scheme.
Each unicode character that does not have a US-ASCII equivalent is
converted into a URL escaped form based on its hexadecimal value.
For example, the unicode character '\u4e86' will become the string '%4e%86'
:param string: unicode string, the unicode string to convert into an
escaped US-ASCII form
:returns: the US-ASCII escaped form of the inputted string
:rtype: string
@author: Jonathan Benn
'''
returnValue = StringIO()
for character in string:
code = ord(character)
if code > 0x7F:
hexCode = hex(code)
returnValue.write('%' + hexCode[2:4] + '%' + hexCode[4:6])
else:
returnValue.write(character)
return returnValue.getvalue()
def unicode_to_ascii_authority(authority):
'''
Follows the steps in RFC 3490, Section 4 to convert a unicode authority
string into its ASCII equivalent.
For example, u'www.Alliancefran\xe7aise.nu' will be converted into
'www.xn--alliancefranaise-npb.nu'
:param authority: unicode string, the URL authority component to convert,
e.g. u'www.Alliancefran\xe7aise.nu'
:returns: the US-ASCII character equivalent to the inputed authority,
e.g. 'www.xn--alliancefranaise-npb.nu'
:rtype: string
:raises Exception: if the function is not able to convert the inputed
authority
@author: Jonathan Benn
'''
#RFC 3490, Section 4, Step 1
#The encodings.idna Python module assumes that AllowUnassigned == True
#RFC 3490, Section 4, Step 2
labels = label_split_regex.split(authority)
#RFC 3490, Section 4, Step 3
#The encodings.idna Python module assumes that UseSTD3ASCIIRules == False
#RFC 3490, Section 4, Step 4
#We use the ToASCII operation because we are about to put the authority
#into an IDN-unaware slot
asciiLabels = []
try:
import encodings.idna
for label in labels:
if label:
asciiLabels.append(encodings.idna.ToASCII(label))
else:
#encodings.idna.ToASCII does not accept an empty string, but
#it is necessary for us to allow for empty labels so that we
#don't modify the URL
asciiLabels.append('')
except:
asciiLabels = [str(label) for label in labels]
#RFC 3490, Section 4, Step 5
return str(reduce(lambda x, y: x + unichr(0x002E) + y, asciiLabels))
def unicode_to_ascii_url(url, prepend_scheme):
'''
Converts the inputed unicode url into a US-ASCII equivalent. This function
goes a little beyond RFC 3490, which is limited in scope to the domain name
(authority) only. Here, the functionality is expanded to what was observed
on Wikipedia on 2009-Jan-22:
Component Can Use Unicode?
--------- ----------------
scheme No
authority Yes
path Yes
query Yes
fragment No
The authority component gets converted to punycode, but occurrences of
unicode in other components get converted into a pair of URI escapes (we
assume 4-byte unicode). E.g. the unicode character U+4E2D will be
converted into '%4E%2D'. Testing with Firefox v3.0.5 has shown that it can
understand this kind of URI encoding.
:param url: unicode string, the URL to convert from unicode into US-ASCII
:param prepend_scheme: string, a protocol scheme to prepend to the URL if
we're having trouble parsing it.
e.g. "http". Input None to disable this functionality
:returns: a US-ASCII equivalent of the inputed url
:rtype: string
@author: Jonathan Benn
'''
#convert the authority component of the URL into an ASCII punycode string,
#but encode the rest using the regular URI character encoding
groups = url_split_regex.match(url).groups()
#If no authority was found
if not groups[3]:
#Try appending a scheme to see if that fixes the problem
scheme_to_prepend = prepend_scheme or 'http'
groups = url_split_regex.match(
unicode(scheme_to_prepend) + u'://' + url).groups()
#if we still can't find the authority
if not groups[3]:
raise Exception('No authority component found, ' +
'could not decode unicode to US-ASCII')
#We're here if we found an authority, let's rebuild the URL
scheme = groups[1]
authority = groups[3]
path = groups[4] or ''
query = groups[5] or ''
fragment = groups[7] or ''
if prepend_scheme:
scheme = str(scheme) + '://'
else:
scheme = ''
return scheme + unicode_to_ascii_authority(authority) +\
escape_unicode(path) + escape_unicode(query) + str(fragment)
class IS_GENERIC_URL(Validator):
"""
Rejects a URL string if any of the following is true:
* The string is empty or None
* The string uses characters that are not allowed in a URL
* The URL scheme specified (if one is specified) is not valid
Based on RFC 2396: http://www.faqs.org/rfcs/rfc2396.html
This function only checks the URL's syntax. It does not check that the URL
points to a real document, for example, or that it otherwise makes sense
semantically. This function does automatically prepend 'http://' in front
of a URL if and only if that's necessary to successfully parse the URL.
Please note that a scheme will be prepended only for rare cases
(e.g. 'google.ca:80')
The list of allowed schemes is customizable with the allowed_schemes
parameter. If you exclude None from the list, then abbreviated URLs
(lacking a scheme such as 'http') will be rejected.
The default prepended scheme is customizable with the prepend_scheme
parameter. If you set prepend_scheme to None then prepending will be
disabled. URLs that require prepending to parse will still be accepted,
but the return value will not be modified.
@author: Jonathan Benn
>>> IS_GENERIC_URL()('http://user@abc.com')
('http://user@abc.com', None)
"""
def __init__(
self,
error_message='enter a valid URL',
allowed_schemes=None,
prepend_scheme=None,
):
"""
:param error_message: a string, the error message to give the end user
if the URL does not validate
:param allowed_schemes: a list containing strings or None. Each element
is a scheme the inputed URL is allowed to use
:param prepend_scheme: a string, this scheme is prepended if it's
necessary to make the URL valid
"""
self.error_message = error_message
if allowed_schemes is None:
self.allowed_schemes = all_url_schemes
else:
self.allowed_schemes = allowed_schemes
self.prepend_scheme = prepend_scheme
if self.prepend_scheme not in self.allowed_schemes:
raise SyntaxError("prepend_scheme='%s' is not in allowed_schemes=%s"
% (self.prepend_scheme, self.allowed_schemes))
GENERIC_URL = re.compile(r"%[^0-9A-Fa-f]{2}|%[^0-9A-Fa-f][0-9A-Fa-f]|%[0-9A-Fa-f][^0-9A-Fa-f]|%$|%[0-9A-Fa-f]$|%[^0-9A-Fa-f]$")
GENERIC_URL_VALID = re.compile(r"[A-Za-z0-9;/?:@&=+$,\-_\.!~*'\(\)%#]+$")
def __call__(self, value):
"""
:param value: a string, the URL to validate
:returns: a tuple, where tuple[0] is the inputed value (possible
prepended with prepend_scheme), and tuple[1] is either
None (success!) or the string error_message
"""
try:
# if the URL does not misuse the '%' character
if not self.GENERIC_URL.search(value):
# if the URL is only composed of valid characters
if self.GENERIC_URL_VALID.match(value):
# Then split up the URL into its components and check on
# the scheme
scheme = url_split_regex.match(value).group(2)
# Clean up the scheme before we check it
if not scheme is None:
scheme = urllib.unquote(scheme).lower()
# If the scheme really exists
if scheme in self.allowed_schemes:
# Then the URL is valid
return (value, None)
else:
# else, for the possible case of abbreviated URLs with
# ports, check to see if adding a valid scheme fixes
# the problem (but only do this if it doesn't have
# one already!)
if value.find('://') < 0 and None in self.allowed_schemes:
schemeToUse = self.prepend_scheme or 'http'
prependTest = self.__call__(
schemeToUse + '://' + value)
# if the prepend test succeeded
if prependTest[1] is None:
# if prepending in the output is enabled
if self.prepend_scheme:
return prependTest
else:
# else return the original,
# non-prepended value
return (value, None)
except:
pass
# else the URL is not valid
return (value, translate(self.error_message))
# Sources (obtained 2008-Nov-11):
# http://en.wikipedia.org/wiki/Top-level_domain
# http://www.iana.org/domains/root/db/
official_top_level_domains = [
'ac',
'ad',
'ae',
'aero',
'af',
'ag',
'ai',
'al',
'am',
'an',
'ao',
'aq',
'ar',
'arpa',
'as',
'asia',
'at',
'au',
'aw',
'ax',
'az',
'ba',
'bb',
'bd',
'be',
'bf',
'bg',
'bh',
'bi',
'biz',
'bj',
'bl',
'bm',
'bn',
'bo',
'br',
'bs',
'bt',
'bv',
'bw',
'by',
'bz',
'ca',
'cat',
'cc',
'cd',
'cf',
'cg',
'ch',
'ci',
'ck',
'cl',
'cm',
'cn',
'co',
'com',
'coop',
'cr',
'cu',
'cv',
'cx',
'cy',
'cz',
'de',
'dj',
'dk',
'dm',
'do',
'dz',
'ec',
'edu',
'ee',
'eg',
'eh',
'er',
'es',
'et',
'eu',
'example',
'fi',
'fj',
'fk',
'fm',
'fo',
'fr',
'ga',
'gb',
'gd',
'ge',
'gf',
'gg',
'gh',
'gi',
'gl',
'gm',
'gn',
'gov',
'gp',
'gq',
'gr',
'gs',
'gt',
'gu',
'gw',
'gy',
'hk',
'hm',
'hn',
'hr',
'ht',
'hu',
'id',
'ie',
'il',
'im',
'in',
'info',
'int',
'invalid',
'io',
'iq',
'ir',
'is',
'it',
'je',
'jm',
'jo',
'jobs',
'jp',
'ke',
'kg',
'kh',
'ki',
'km',
'kn',
'kp',
'kr',
'kw',
'ky',
'kz',
'la',
'lb',
'lc',
'li',
'lk',
'localhost',
'lr',
'ls',
'lt',
'lu',
'lv',
'ly',
'ma',
'mc',
'md',
'me',
'mf',
'mg',
'mh',
'mil',
'mk',
'ml',
'mm',
'mn',
'mo',
'mobi',
'mp',
'mq',
'mr',
'ms',
'mt',
'mu',
'museum',
'mv',
'mw',
'mx',
'my',
'mz',
'na',
'name',
'nc',
'ne',
'net',
'nf',
'ng',
'ni',
'nl',
'no',
'np',
'nr',
'nu',
'nz',
'om',
'org',
'pa',
'pe',
'pf',
'pg',
'ph',
'pk',
'pl',
'pm',
'pn',
'pr',
'pro',
'ps',
'pt',
'pw',
'py',
'qa',
're',
'ro',
'rs',
'ru',
'rw',
'sa',
'sb',
'sc',
'sd',
'se',
'sg',
'sh',
'si',
'sj',
'sk',
'sl',
'sm',
'sn',
'so',
'sr',
'st',
'su',
'sv',
'sy',
'sz',
'tc',
'td',
'tel',
'test',
'tf',
'tg',
'th',
'tj',
'tk',
'tl',
'tm',
'tn',
'to',
'tp',
'tr',
'travel',
'tt',
'tv',
'tw',
'tz',
'ua',
'ug',
'uk',
'um',
'us',
'uy',
'uz',
'va',
'vc',
've',
'vg',
'vi',
'vn',
'vu',
'wf',
'ws',
'xn--0zwm56d',
'xn--11b5bs3a9aj6g',
'xn--80akhbyknj4f',
'xn--9t4b11yi5a',
'xn--deba0ad',
'xn--g6w251d',
'xn--hgbk6aj7f53bba',
'xn--hlcj6aya9esc7a',
'xn--jxalpdlp',
'xn--kgbechtv',
'xn--p1ai',
'xn--zckzah',
'ye',
'yt',
'yu',
'za',
'zm',
'zw',
]
class IS_HTTP_URL(Validator):
"""
Rejects a URL string if any of the following is true:
* The string is empty or None
* The string uses characters that are not allowed in a URL
* The string breaks any of the HTTP syntactic rules
* The URL scheme specified (if one is specified) is not 'http' or 'https'
* The top-level domain (if a host name is specified) does not exist
Based on RFC 2616: http://www.faqs.org/rfcs/rfc2616.html
This function only checks the URL's syntax. It does not check that the URL
points to a real document, for example, or that it otherwise makes sense
semantically. This function does automatically prepend 'http://' in front
of a URL in the case of an abbreviated URL (e.g. 'google.ca').
The list of allowed schemes is customizable with the allowed_schemes
parameter. If you exclude None from the list, then abbreviated URLs
(lacking a scheme such as 'http') will be rejected.
The default prepended scheme is customizable with the prepend_scheme
parameter. If you set prepend_scheme to None then prepending will be
disabled. URLs that require prepending to parse will still be accepted,
but the return value will not be modified.
@author: Jonathan Benn
>>> IS_HTTP_URL()('http://1.2.3.4')
('http://1.2.3.4', None)
>>> IS_HTTP_URL()('http://abc.com')
('http://abc.com', None)
>>> IS_HTTP_URL()('https://abc.com')
('https://abc.com', None)
>>> IS_HTTP_URL()('httpx://abc.com')
('httpx://abc.com', 'enter a valid URL')
>>> IS_HTTP_URL()('http://abc.com:80')
('http://abc.com:80', None)
>>> IS_HTTP_URL()('http://user@abc.com')
('http://user@abc.com', None)
>>> IS_HTTP_URL()('http://user@1.2.3.4')
('http://user@1.2.3.4', None)
"""
GENERIC_VALID_IP = re.compile(
"([\w.!~*'|;:&=+$,-]+@)?\d+\.\d+\.\d+\.\d+(:\d*)*$")
GENERIC_VALID_DOMAIN = re.compile("([\w.!~*'|;:&=+$,-]+@)?(([A-Za-z0-9]+[A-Za-z0-9\-]*[A-Za-z0-9]+\.)*([A-Za-z0-9]+\.)*)*([A-Za-z]+[A-Za-z0-9\-]*[A-Za-z0-9]+)\.?(:\d*)*$")
def __init__(
self,
error_message='enter a valid URL',
allowed_schemes=None,
prepend_scheme='http',
):
"""
:param error_message: a string, the error message to give the end user
if the URL does not validate
:param allowed_schemes: a list containing strings or None. Each element
is a scheme the inputed URL is allowed to use
:param prepend_scheme: a string, this scheme is prepended if it's
necessary to make the URL valid
"""
self.error_message = error_message
if allowed_schemes is None:
self.allowed_schemes = http_schemes
else:
self.allowed_schemes = allowed_schemes
self.prepend_scheme = prepend_scheme
for i in self.allowed_schemes:
if i not in http_schemes:
raise SyntaxError("allowed_scheme value '%s' is not in %s" %
(i, http_schemes))
if self.prepend_scheme not in self.allowed_schemes:
raise SyntaxError("prepend_scheme='%s' is not in allowed_schemes=%s" %
(self.prepend_scheme, self.allowed_schemes))
def __call__(self, value):
"""
:param value: a string, the URL to validate
:returns: a tuple, where tuple[0] is the inputed value
(possible prepended with prepend_scheme), and tuple[1] is either
None (success!) or the string error_message
"""
try:
# if the URL passes generic validation
x = IS_GENERIC_URL(error_message=self.error_message,
allowed_schemes=self.allowed_schemes,
prepend_scheme=self.prepend_scheme)
if x(value)[1] is None:
componentsMatch = url_split_regex.match(value)
authority = componentsMatch.group(4)
# if there is an authority component
if authority:
# if authority is a valid IP address
if self.GENERIC_VALID_IP.match(authority):
# Then this HTTP URL is valid
return (value, None)
else:
# else if authority is a valid domain name
domainMatch = self.GENERIC_VALID_DOMAIN.match(
authority)
if domainMatch:
# if the top-level domain really exists
if domainMatch.group(5).lower()\
in official_top_level_domains:
# Then this HTTP URL is valid
return (value, None)
else:
# else this is a relative/abbreviated URL, which will parse
# into the URL's path component
path = componentsMatch.group(5)
# relative case: if this is a valid path (if it starts with
# a slash)
if path.startswith('/'):
# Then this HTTP URL is valid
return (value, None)
else:
# abbreviated case: if we haven't already, prepend a
# scheme and see if it fixes the problem
if value.find('://') < 0:
schemeToUse = self.prepend_scheme or 'http'
prependTest = self.__call__(schemeToUse
+ '://' + value)
# if the prepend test succeeded
if prependTest[1] is None:
# if prepending in the output is enabled
if self.prepend_scheme:
return prependTest
else:
# else return the original, non-prepended
# value
return (value, None)
except:
pass
# else the HTTP URL is not valid
return (value, translate(self.error_message))
class IS_URL(Validator):
"""
Rejects a URL string if any of the following is true:
* The string is empty or None
* The string uses characters that are not allowed in a URL
* The string breaks any of the HTTP syntactic rules
* The URL scheme specified (if one is specified) is not 'http' or 'https'
* The top-level domain (if a host name is specified) does not exist
(These rules are based on RFC 2616: http://www.faqs.org/rfcs/rfc2616.html)
This function only checks the URL's syntax. It does not check that the URL
points to a real document, for example, or that it otherwise makes sense
semantically. This function does automatically prepend 'http://' in front
of a URL in the case of an abbreviated URL (e.g. 'google.ca').
If the parameter mode='generic' is used, then this function's behavior
changes. It then rejects a URL string if any of the following is true:
* The string is empty or None
* The string uses characters that are not allowed in a URL
* The URL scheme specified (if one is specified) is not valid
(These rules are based on RFC 2396: http://www.faqs.org/rfcs/rfc2396.html)
The list of allowed schemes is customizable with the allowed_schemes
parameter. If you exclude None from the list, then abbreviated URLs
(lacking a scheme such as 'http') will be rejected.
The default prepended scheme is customizable with the prepend_scheme
parameter. If you set prepend_scheme to None then prepending will be
disabled. URLs that require prepending to parse will still be accepted,
but the return value will not be modified.
IS_URL is compatible with the Internationalized Domain Name (IDN) standard
specified in RFC 3490 (http://tools.ietf.org/html/rfc3490). As a result,
URLs can be regular strings or unicode strings.
If the URL's domain component (e.g. google.ca) contains non-US-ASCII
letters, then the domain will be converted into Punycode (defined in
RFC 3492, http://tools.ietf.org/html/rfc3492). IS_URL goes a bit beyond
the standards, and allows non-US-ASCII characters to be present in the path
and query components of the URL as well. These non-US-ASCII characters will
be escaped using the standard '%20' type syntax. e.g. the unicode
character with hex code 0x4e86 will become '%4e%86'
Code Examples::
INPUT(_type='text', _name='name', requires=IS_URL())
>>> IS_URL()('abc.com')
('http://abc.com', None)
INPUT(_type='text', _name='name', requires=IS_URL(mode='generic'))
>>> IS_URL(mode='generic')('abc.com')
('abc.com', None)
INPUT(_type='text', _name='name',
requires=IS_URL(allowed_schemes=['https'], prepend_scheme='https'))
>>> IS_URL(allowed_schemes=['https'], prepend_scheme='https')('https://abc.com')
('https://abc.com', None)
INPUT(_type='text', _name='name',
requires=IS_URL(prepend_scheme='https'))
>>> IS_URL(prepend_scheme='https')('abc.com')
('https://abc.com', None)
INPUT(_type='text', _name='name',
requires=IS_URL(mode='generic', allowed_schemes=['ftps', 'https'],
prepend_scheme='https'))
>>> IS_URL(mode='generic', allowed_schemes=['ftps', 'https'], prepend_scheme='https')('https://abc.com')
('https://abc.com', None)
>>> IS_URL(mode='generic', allowed_schemes=['ftps', 'https', None], prepend_scheme='https')('abc.com')
('abc.com', None)
@author: Jonathan Benn
"""
def __init__(
self,
error_message='enter a valid URL',
mode='http',
allowed_schemes=None,
prepend_scheme='http',
):
"""
:param error_message: a string, the error message to give the end user
if the URL does not validate
:param allowed_schemes: a list containing strings or None. Each element
is a scheme the inputed URL is allowed to use
:param prepend_scheme: a string, this scheme is prepended if it's
necessary to make the URL valid
"""
self.error_message = error_message
self.mode = mode.lower()
if not self.mode in ['generic', 'http']:
raise SyntaxError("invalid mode '%s' in IS_URL" % self.mode)
self.allowed_schemes = allowed_schemes
if self.allowed_schemes:
if prepend_scheme not in self.allowed_schemes:
raise SyntaxError("prepend_scheme='%s' is not in allowed_schemes=%s"
% (prepend_scheme, self.allowed_schemes))
# if allowed_schemes is None, then we will defer testing
# prepend_scheme's validity to a sub-method
self.prepend_scheme = prepend_scheme
def __call__(self, value):
"""
:param value: a unicode or regular string, the URL to validate
:returns: a (string, string) tuple, where tuple[0] is the modified
input value and tuple[1] is either None (success!) or the
string error_message. The input value will never be modified in the
case of an error. However, if there is success then the input URL
may be modified to (1) prepend a scheme, and/or (2) convert a
non-compliant unicode URL into a compliant US-ASCII version.
"""
if self.mode == 'generic':
subMethod = IS_GENERIC_URL(error_message=self.error_message,
allowed_schemes=self.allowed_schemes,
prepend_scheme=self.prepend_scheme)
elif self.mode == 'http':
subMethod = IS_HTTP_URL(error_message=self.error_message,
allowed_schemes=self.allowed_schemes,
prepend_scheme=self.prepend_scheme)
else:
raise SyntaxError("invalid mode '%s' in IS_URL" % self.mode)
if type(value) != unicode:
return subMethod(value)
else:
try:
asciiValue = unicode_to_ascii_url(value, self.prepend_scheme)
except Exception:
#If we are not able to convert the unicode url into a
# US-ASCII URL, then the URL is not valid
return (value, translate(self.error_message))
methodResult = subMethod(asciiValue)
#if the validation of the US-ASCII version of the value failed
if not methodResult[1] is None:
# then return the original input value, not the US-ASCII version
return (value, methodResult[1])
else:
return methodResult
regex_time = re.compile(
'((?P<h>[0-9]+))([^0-9 ]+(?P<m>[0-9 ]+))?([^0-9ap ]+(?P<s>[0-9]*))?((?P<d>[ap]m))?')
class IS_TIME(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=IS_TIME())
understands the following formats
hh:mm:ss [am/pm]
hh:mm [am/pm]
hh [am/pm]
[am/pm] is optional, ':' can be replaced by any other non-space non-digit
>>> IS_TIME()('21:30')
(datetime.time(21, 30), None)
>>> IS_TIME()('21-30')
(datetime.time(21, 30), None)
>>> IS_TIME()('21.30')
(datetime.time(21, 30), None)
>>> IS_TIME()('21:30:59')
(datetime.time(21, 30, 59), None)
>>> IS_TIME()('5:30')
(datetime.time(5, 30), None)
>>> IS_TIME()('5:30 am')
(datetime.time(5, 30), None)
>>> IS_TIME()('5:30 pm')
(datetime.time(17, 30), None)
>>> IS_TIME()('5:30 whatever')
('5:30 whatever', 'enter time as hh:mm:ss (seconds, am, pm optional)')
>>> IS_TIME()('5:30 20')
('5:30 20', 'enter time as hh:mm:ss (seconds, am, pm optional)')
>>> IS_TIME()('24:30')
('24:30', 'enter time as hh:mm:ss (seconds, am, pm optional)')
>>> IS_TIME()('21:60')
('21:60', 'enter time as hh:mm:ss (seconds, am, pm optional)')
>>> IS_TIME()('21:30::')
('21:30::', 'enter time as hh:mm:ss (seconds, am, pm optional)')
>>> IS_TIME()('')
('', 'enter time as hh:mm:ss (seconds, am, pm optional)')
"""
def __init__(self, error_message='enter time as hh:mm:ss (seconds, am, pm optional)'):
self.error_message = error_message
def __call__(self, value):
try:
ivalue = value
value = regex_time.match(value.lower())
(h, m, s) = (int(value.group('h')), 0, 0)
if not value.group('m') is None:
m = int(value.group('m'))
if not value.group('s') is None:
s = int(value.group('s'))
if value.group('d') == 'pm' and 0 < h < 12:
h = h + 12
if not (h in range(24) and m in range(60) and s
in range(60)):
raise ValueError('Hours or minutes or seconds are outside of allowed range')
value = datetime.time(h, m, s)
return (value, None)
except AttributeError:
pass
except ValueError:
pass
return (ivalue, translate(self.error_message))
# A UTC class.
class UTC(datetime.tzinfo):
"""UTC"""
ZERO = datetime.timedelta(0)
def utcoffset(self, dt):
return UTC.ZERO
def tzname(self, dt):
return "UTC"
def dst(self, dt):
return UTC.ZERO
utc = UTC()
class IS_DATE(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=IS_DATE())
date has to be in the ISO8960 format YYYY-MM-DD
"""
def __init__(self, format='%Y-%m-%d',
error_message='enter date as %(format)s',
timezone = None):
"""
timezome must be None or a pytz.timezone("America/Chicago") object
"""
self.format = translate(format)
self.error_message = str(error_message)
self.timezone = timezone
self.extremes = {}
def __call__(self, value):
ovalue = value
if isinstance(value, datetime.date):
if self.timezone is not None:
value = value - datetime.timedelta(seconds=self.timezone*3600)
return (value, None)
try:
(y, m, d, hh, mm, ss, t0, t1, t2) = \
time.strptime(value, str(self.format))
value = datetime.date(y, m, d)
if self.timezone is not None:
value = self.timezone.localize(value).astimezone(utc)
return (value, None)
except:
self.extremes.update(IS_DATETIME.nice(self.format))
return (ovalue, translate(self.error_message) % self.extremes)
def formatter(self, value):
if value is None:
return None
format = self.format
year = value.year
y = '%.4i' % year
format = format.replace('%y', y[-2:])
format = format.replace('%Y', y)
if year < 1900:
year = 2000
d = datetime.date(year, value.month, value.day)
if self.timezone is not None:
d = d.replace(tzinfo=utc).astimezone(self.timezone)
return d.strftime(format)
class IS_DATETIME(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=IS_DATETIME())
datetime has to be in the ISO8960 format YYYY-MM-DD hh:mm:ss
"""
isodatetime = '%Y-%m-%d %H:%M:%S'
@staticmethod
def nice(format):
code = (('%Y', '1963'),
('%y', '63'),
('%d', '28'),
('%m', '08'),
('%b', 'Aug'),
('%B', 'August'),
('%H', '14'),
('%I', '02'),
('%p', 'PM'),
('%M', '30'),
('%S', '59'))
for (a, b) in code:
format = format.replace(a, b)
return dict(format=format)
def __init__(self, format='%Y-%m-%d %H:%M:%S',
error_message='enter date and time as %(format)s',
timezone=None):
"""
timezome must be None or a pytz.timezone("America/Chicago") object
"""
self.format = translate(format)
self.error_message = str(error_message)
self.extremes = {}
self.timezone = timezone
def __call__(self, value):
ovalue = value
if isinstance(value, datetime.datetime):
return (value, None)
try:
(y, m, d, hh, mm, ss, t0, t1, t2) = \
time.strptime(value, str(self.format))
value = datetime.datetime(y, m, d, hh, mm, ss)
if self.timezone is not None:
value = self.timezone.localize(value).astimezone(utc)
return (value, None)
except:
self.extremes.update(IS_DATETIME.nice(self.format))
return (ovalue, translate(self.error_message) % self.extremes)
def formatter(self, value):
if value is None:
return None
format = self.format
year = value.year
y = '%.4i' % year
format = format.replace('%y', y[-2:])
format = format.replace('%Y', y)
if year < 1900:
year = 2000
d = datetime.datetime(year, value.month, value.day,
value.hour, value.minute, value.second)
if self.timezone is not None:
d = d.replace(tzinfo=utc).astimezone(self.timezone)
return d.strftime(format)
class IS_DATE_IN_RANGE(IS_DATE):
"""
example::
>>> v = IS_DATE_IN_RANGE(minimum=datetime.date(2008,1,1), \
maximum=datetime.date(2009,12,31), \
format="%m/%d/%Y",error_message="oops")
>>> v('03/03/2008')
(datetime.date(2008, 3, 3), None)
>>> v('03/03/2010')
('03/03/2010', 'oops')
>>> v(datetime.date(2008,3,3))
(datetime.date(2008, 3, 3), None)
>>> v(datetime.date(2010,3,3))
(datetime.date(2010, 3, 3), 'oops')
"""
def __init__(self,
minimum=None,
maximum=None,
format='%Y-%m-%d',
error_message=None,
timezone=None):
self.minimum = minimum
self.maximum = maximum
if error_message is None:
if minimum is None:
error_message = "enter date on or before %(max)s"
elif maximum is None:
error_message = "enter date on or after %(min)s"
else:
error_message = "enter date in range %(min)s %(max)s"
IS_DATE.__init__(self,
format=format,
error_message=error_message,
timezone=timezone)
self.extremes = dict(min=minimum, max=maximum)
def __call__(self, value):
ovalue = value
(value, msg) = IS_DATE.__call__(self, value)
if msg is not None:
return (value, msg)
if self.minimum and self.minimum > value:
return (ovalue, translate(self.error_message) % self.extremes)
if self.maximum and value > self.maximum:
return (ovalue, translate(self.error_message) % self.extremes)
return (value, None)
class IS_DATETIME_IN_RANGE(IS_DATETIME):
"""
example::
>>> v = IS_DATETIME_IN_RANGE(\
minimum=datetime.datetime(2008,1,1,12,20), \
maximum=datetime.datetime(2009,12,31,12,20), \
format="%m/%d/%Y %H:%M",error_message="oops")
>>> v('03/03/2008 12:40')
(datetime.datetime(2008, 3, 3, 12, 40), None)
>>> v('03/03/2010 10:34')
('03/03/2010 10:34', 'oops')
>>> v(datetime.datetime(2008,3,3,0,0))
(datetime.datetime(2008, 3, 3, 0, 0), None)
>>> v(datetime.datetime(2010,3,3,0,0))
(datetime.datetime(2010, 3, 3, 0, 0), 'oops')
"""
def __init__(self,
minimum=None,
maximum=None,
format='%Y-%m-%d %H:%M:%S',
error_message=None,
timezone=None):
self.minimum = minimum
self.maximum = maximum
if error_message is None:
if minimum is None:
error_message = "enter date and time on or before %(max)s"
elif maximum is None:
error_message = "enter date and time on or after %(min)s"
else:
error_message = "enter date and time in range %(min)s %(max)s"
IS_DATETIME.__init__(self,
format=format,
error_message=error_message,
timezone=timezone)
self.extremes = dict(min=minimum, max=maximum)
def __call__(self, value):
ovalue = value
(value, msg) = IS_DATETIME.__call__(self, value)
if msg is not None:
return (value, msg)
if self.minimum and self.minimum > value:
return (ovalue, translate(self.error_message) % self.extremes)
if self.maximum and value > self.maximum:
return (ovalue, translate(self.error_message) % self.extremes)
return (value, None)
class IS_LIST_OF(Validator):
def __init__(self, other=None, minimum=0, maximum=100,
error_message=None):
self.other = other
self.minimum = minimum
self.maximum = maximum
self.error_message = error_message or "enter between %(min)g and %(max)g values"
def __call__(self, value):
ivalue = value
if not isinstance(value, list):
ivalue = [ivalue]
if not self.minimum is None and len(ivalue) < self.minimum:
return (ivalue, translate(self.error_message) % dict(min=self.minimum, max=self.maximum))
if not self.maximum is None and len(ivalue) > self.maximum:
return (ivalue, translate(self.error_message) % dict(min=self.minimum, max=self.maximum))
new_value = []
if self.other:
for item in ivalue:
if item.strip():
(v, e) = self.other(item)
if e:
return (ivalue, e)
else:
new_value.append(v)
ivalue = new_value
return (ivalue, None)
class IS_LOWER(Validator):
"""
convert to lower case
>>> IS_LOWER()('ABC')
('abc', None)
>>> IS_LOWER()('Ñ')
('\\xc3\\xb1', None)
"""
def __call__(self, value):
return (value.decode('utf8').lower().encode('utf8'), None)
class IS_UPPER(Validator):
"""
convert to upper case
>>> IS_UPPER()('abc')
('ABC', None)
>>> IS_UPPER()('ñ')
('\\xc3\\x91', None)
"""
def __call__(self, value):
return (value.decode('utf8').upper().encode('utf8'), None)
def urlify(s, maxlen=80, keep_underscores=False):
"""
Convert incoming string to a simplified ASCII subset.
if (keep_underscores): underscores are retained in the string
else: underscores are translated to hyphens (default)
"""
if isinstance(s, str):
s = s.decode('utf-8') # to unicode
s = s.lower() # to lowercase
s = unicodedata.normalize('NFKD', s) # normalize eg è => e, ñ => n
s = s.encode('ascii', 'ignore') # encode as ASCII
s = re.sub('&\w+?;', '', s) # strip html entities
if keep_underscores:
s = re.sub('\s+', '-', s) # whitespace to hyphens
s = re.sub('[^\w\-]', '', s)
# strip all but alphanumeric/underscore/hyphen
else:
s = re.sub('[\s_]+', '-', s) # whitespace & underscores to hyphens
s = re.sub('[^a-z0-9\-]', '', s) # strip all but alphanumeric/hyphen
s = re.sub('[-_][-_]+', '-', s) # collapse strings of hyphens
s = s.strip('-') # remove leading and trailing hyphens
return s[:maxlen] # enforce maximum length
class IS_SLUG(Validator):
"""
convert arbitrary text string to a slug
>>> IS_SLUG()('abc123')
('abc123', None)
>>> IS_SLUG()('ABC123')
('abc123', None)
>>> IS_SLUG()('abc-123')
('abc-123', None)
>>> IS_SLUG()('abc--123')
('abc-123', None)
>>> IS_SLUG()('abc 123')
('abc-123', None)
>>> IS_SLUG()('abc\t_123')
('abc-123', None)
>>> IS_SLUG()('-abc-')
('abc', None)
>>> IS_SLUG()('--a--b--_ -c--')
('a-b-c', None)
>>> IS_SLUG()('abc&123')
('abc123', None)
>>> IS_SLUG()('abc&123&def')
('abc123def', None)
>>> IS_SLUG()('ñ')
('n', None)
>>> IS_SLUG(maxlen=4)('abc123')
('abc1', None)
>>> IS_SLUG()('abc_123')
('abc-123', None)
>>> IS_SLUG(keep_underscores=False)('abc_123')
('abc-123', None)
>>> IS_SLUG(keep_underscores=True)('abc_123')
('abc_123', None)
>>> IS_SLUG(check=False)('abc')
('abc', None)
>>> IS_SLUG(check=True)('abc')
('abc', None)
>>> IS_SLUG(check=False)('a bc')
('a-bc', None)
>>> IS_SLUG(check=True)('a bc')
('a bc', 'must be slug')
"""
@staticmethod
def urlify(value, maxlen=80, keep_underscores=False):
return urlify(value, maxlen, keep_underscores)
def __init__(self, maxlen=80, check=False, error_message='must be slug', keep_underscores=False):
self.maxlen = maxlen
self.check = check
self.error_message = error_message
self.keep_underscores = keep_underscores
def __call__(self, value):
if self.check and value != urlify(value, self.maxlen, self.keep_underscores):
return (value, translate(self.error_message))
return (urlify(value, self.maxlen, self.keep_underscores), None)
class ANY_OF(Validator):
"""
test if any of the validators in a list return successfully
>>> ANY_OF([IS_EMAIL(),IS_ALPHANUMERIC()])('a@b.co')
('a@b.co', None)
>>> ANY_OF([IS_EMAIL(),IS_ALPHANUMERIC()])('abco')
('abco', None)
>>> ANY_OF([IS_EMAIL(),IS_ALPHANUMERIC()])('@ab.co')
('@ab.co', 'enter only letters, numbers, and underscore')
>>> ANY_OF([IS_ALPHANUMERIC(),IS_EMAIL()])('@ab.co')
('@ab.co', 'enter a valid email address')
"""
def __init__(self, subs):
self.subs = subs
def __call__(self, value):
for validator in self.subs:
value, error = validator(value)
if error == None:
break
return value, error
def formatter(self, value):
# Use the formatter of the first subvalidator
# that validates the value and has a formatter
for validator in self.subs:
if hasattr(validator, 'formatter') and validator(value)[1] != None:
return validator.formatter(value)
class IS_EMPTY_OR(Validator):
"""
dummy class for testing IS_EMPTY_OR
>>> IS_EMPTY_OR(IS_EMAIL())('abc@def.com')
('abc@def.com', None)
>>> IS_EMPTY_OR(IS_EMAIL())(' ')
(None, None)
>>> IS_EMPTY_OR(IS_EMAIL(), null='abc')(' ')
('abc', None)
>>> IS_EMPTY_OR(IS_EMAIL(), null='abc', empty_regex='def')('def')
('abc', None)
>>> IS_EMPTY_OR(IS_EMAIL())('abc')
('abc', 'enter a valid email address')
>>> IS_EMPTY_OR(IS_EMAIL())(' abc ')
('abc', 'enter a valid email address')
"""
def __init__(self, other, null=None, empty_regex=None):
(self.other, self.null) = (other, null)
if empty_regex is not None:
self.empty_regex = re.compile(empty_regex)
else:
self.empty_regex = None
if hasattr(other, 'multiple'):
self.multiple = other.multiple
if hasattr(other, 'options'):
self.options = self._options
def _options(self, zero=False):
options = self.other.options(zero=zero)
if (not options or options[0][0] != '') and not self.multiple:
options.insert(0, ('', ''))
return options
def set_self_id(self, id):
if isinstance(self.other, (list, tuple)):
for item in self.other:
if hasattr(item, 'set_self_id'):
item.set_self_id(id)
else:
if hasattr(self.other, 'set_self_id'):
self.other.set_self_id(id)
def __call__(self, value):
value, empty = is_empty(value, empty_regex=self.empty_regex)
if empty:
return (self.null, None)
if isinstance(self.other, (list, tuple)):
error = None
for item in self.other:
value, error = item(value)
if error:
break
return value, error
else:
return self.other(value)
def formatter(self, value):
if hasattr(self.other, 'formatter'):
return self.other.formatter(value)
return value
IS_NULL_OR = IS_EMPTY_OR # for backward compatibility
class CLEANUP(Validator):
"""
example::
INPUT(_type='text', _name='name', requires=CLEANUP())
removes special characters on validation
"""
REGEX_CLEANUP = re.compile('[^\x09\x0a\x0d\x20-\x7e]')
def __init__(self, regex=None):
self.regex = self.REGEX_CLEANUP if regex is None \
else re.compile(regex)
def __call__(self, value):
v = self.regex.sub('', str(value).strip())
return (v, None)
class LazyCrypt(object):
"""
Stores a lazy password hash
"""
def __init__(self, crypt, password):
"""
crypt is an instance of the CRYPT validator,
password is the password as inserted by the user
"""
self.crypt = crypt
self.password = password
self.crypted = None
def __str__(self):
"""
Encrypted self.password and caches it in self.crypted.
If self.crypt.salt the output is in the format <algorithm>$<salt>$<hash>
Try get the digest_alg from the key (if it exists)
else assume the default digest_alg. If not key at all, set key=''
If a salt is specified use it, if salt is True, set salt to uuid
(this should all be backward compatible)
Options:
key = 'uuid'
key = 'md5:uuid'
key = 'sha512:uuid'
...
key = 'pbkdf2(1000,64,sha512):uuid' 1000 iterations and 64 chars length
"""
if self.crypted:
return self.crypted
if self.crypt.key:
if ':' in self.crypt.key:
digest_alg, key = self.crypt.key.split(':', 1)
else:
digest_alg, key = self.crypt.digest_alg, self.crypt.key
else:
digest_alg, key = self.crypt.digest_alg, ''
if self.crypt.salt:
if self.crypt.salt == True:
salt = str(web2py_uuid()).replace('-', '')[-16:]
else:
salt = self.crypt.salt
else:
salt = ''
hashed = simple_hash(self.password, key, salt, digest_alg)
self.crypted = '%s$%s$%s' % (digest_alg, salt, hashed)
return self.crypted
def __eq__(self, stored_password):
"""
compares the current lazy crypted password with a stored password
"""
# LazyCrypt objects comparison
if isinstance(stored_password, self.__class__):
return ((self is stored_password) or
((self.crypt.key == stored_password.crypt.key) and
(self.password == stored_password.password)))
if self.crypt.key:
if ':' in self.crypt.key:
key = self.crypt.key.split(':')[1]
else:
key = self.crypt.key
else:
key = ''
if stored_password is None:
return False
elif stored_password.count('$') == 2:
(digest_alg, salt, hash) = stored_password.split('$')
h = simple_hash(self.password, key, salt, digest_alg)
temp_pass = '%s$%s$%s' % (digest_alg, salt, h)
else: # no salting
# guess digest_alg
digest_alg = DIGEST_ALG_BY_SIZE.get(len(stored_password), None)
if not digest_alg:
return False
else:
temp_pass = simple_hash(self.password, key, '', digest_alg)
return temp_pass == stored_password
class CRYPT(object):
"""
example::
INPUT(_type='text', _name='name', requires=CRYPT())
encodes the value on validation with a digest.
If no arguments are provided CRYPT uses the MD5 algorithm.
If the key argument is provided the HMAC+MD5 algorithm is used.
If the digest_alg is specified this is used to replace the
MD5 with, for example, SHA512. The digest_alg can be
the name of a hashlib algorithm as a string or the algorithm itself.
min_length is the minimal password length (default 4) - IS_STRONG for serious security
error_message is the message if password is too short
Notice that an empty password is accepted but invalid. It will not allow login back.
Stores junk as hashed password.
Specify an algorithm or by default we will use sha512.
Typical available algorithms:
md5, sha1, sha224, sha256, sha384, sha512
If salt, it hashes a password with a salt.
If salt is True, this method will automatically generate one.
Either case it returns an encrypted password string in the following format:
<algorithm>$<salt>$<hash>
Important: hashed password is returned as a LazyCrypt object and computed only if needed.
The LasyCrypt object also knows how to compare itself with an existing salted password
Supports standard algorithms
>>> for alg in ('md5','sha1','sha256','sha384','sha512'):
... print str(CRYPT(digest_alg=alg,salt=True)('test')[0])
md5$...$...
sha1$...$...
sha256$...$...
sha384$...$...
sha512$...$...
The syntax is always alg$salt$hash
Supports for pbkdf2
>>> alg = 'pbkdf2(1000,20,sha512)'
>>> print str(CRYPT(digest_alg=alg,salt=True)('test')[0])
pbkdf2(1000,20,sha512)$...$...
An optional hmac_key can be specified and it is used as salt prefix
>>> a = str(CRYPT(digest_alg='md5',key='mykey',salt=True)('test')[0])
>>> print a
md5$...$...
Even if the algorithm changes the hash can still be validated
>>> CRYPT(digest_alg='sha1',key='mykey',salt=True)('test')[0] == a
True
If no salt is specified CRYPT can guess the algorithms from length:
>>> a = str(CRYPT(digest_alg='sha1',salt=False)('test')[0])
>>> a
'sha1$$a94a8fe5ccb19ba61c4c0873d391e987982fbbd3'
>>> CRYPT(digest_alg='sha1',salt=False)('test')[0] == a
True
>>> CRYPT(digest_alg='sha1',salt=False)('test')[0] == a[6:]
True
>>> CRYPT(digest_alg='md5',salt=False)('test')[0] == a
True
>>> CRYPT(digest_alg='md5',salt=False)('test')[0] == a[6:]
True
"""
def __init__(self,
key=None,
digest_alg='pbkdf2(1000,20,sha512)',
min_length=0,
error_message='too short', salt=True):
"""
important, digest_alg='md5' is not the default hashing algorithm for
web2py. This is only an example of usage of this function.
The actual hash algorithm is determined from the key which is
generated by web2py in tools.py. This defaults to hmac+sha512.
"""
self.key = key
self.digest_alg = digest_alg
self.min_length = min_length
self.error_message = error_message
self.salt = salt
def __call__(self, value):
if len(value) < self.min_length:
return ('', translate(self.error_message))
return (LazyCrypt(self, value), None)
# entropy calculator for IS_STRONG
#
lowerset = frozenset(unicode('abcdefghijklmnopqrstuvwxyz'))
upperset = frozenset(unicode('ABCDEFGHIJKLMNOPQRSTUVWXYZ'))
numberset = frozenset(unicode('0123456789'))
sym1set = frozenset(unicode('!@#$%^&*()'))
sym2set = frozenset(unicode('~`-_=+[]{}\\|;:\'",.<>?/'))
otherset = frozenset(
unicode('0123456789abcdefghijklmnopqrstuvwxyz')) # anything else
def calc_entropy(string):
" calculate a simple entropy for a given string "
import math
alphabet = 0 # alphabet size
other = set()
seen = set()
lastset = None
if isinstance(string, str):
string = unicode(string, encoding='utf8')
for c in string:
# classify this character
inset = otherset
for cset in (lowerset, upperset, numberset, sym1set, sym2set):
if c in cset:
inset = cset
break
# calculate effect of character on alphabet size
if inset not in seen:
seen.add(inset)
alphabet += len(inset) # credit for a new character set
elif c not in other:
alphabet += 1 # credit for unique characters
other.add(c)
if inset is not lastset:
alphabet += 1 # credit for set transitions
lastset = cset
entropy = len(
string) * math.log(alphabet) / 0.6931471805599453 # math.log(2)
return round(entropy, 2)
class IS_STRONG(object):
"""
example::
INPUT(_type='password', _name='passwd',
requires=IS_STRONG(min=10, special=2, upper=2))
enforces complexity requirements on a field
>>> IS_STRONG(es=True)('Abcd1234')
('Abcd1234',
'Must include at least 1 of the following: ~!@#$%^&*()_+-=?<>,.:;{}[]|')
>>> IS_STRONG(es=True)('Abcd1234!')
('Abcd1234!', None)
>>> IS_STRONG(es=True, entropy=1)('a')
('a', None)
>>> IS_STRONG(es=True, entropy=1, min=2)('a')
('a', 'Minimum length is 2')
>>> IS_STRONG(es=True, entropy=100)('abc123')
('abc123', 'Entropy (32.35) less than required (100)')
>>> IS_STRONG(es=True, entropy=100)('and')
('and', 'Entropy (14.57) less than required (100)')
>>> IS_STRONG(es=True, entropy=100)('aaa')
('aaa', 'Entropy (14.42) less than required (100)')
>>> IS_STRONG(es=True, entropy=100)('a1d')
('a1d', 'Entropy (15.97) less than required (100)')
>>> IS_STRONG(es=True, entropy=100)('añd')
('a\\xc3\\xb1d', 'Entropy (18.13) less than required (100)')
"""
def __init__(self, min=None, max=None, upper=None, lower=None, number=None,
entropy=None,
special=None, specials=r'~!@#$%^&*()_+-=?<>,.:;{}[]|',
invalid=' "', error_message=None, es=False):
self.entropy = entropy
if entropy is None:
# enforce default requirements
self.min = 8 if min is None else min
self.max = max # was 20, but that doesn't make sense
self.upper = 1 if upper is None else upper
self.lower = 1 if lower is None else lower
self.number = 1 if number is None else number
self.special = 1 if special is None else special
else:
# by default, an entropy spec is exclusive
self.min = min
self.max = max
self.upper = upper
self.lower = lower
self.number = number
self.special = special
self.specials = specials
self.invalid = invalid
self.error_message = error_message
self.estring = es # return error message as string (for doctest)
def __call__(self, value):
failures = []
if value and len(value) == value.count('*') > 4:
return (value, None)
if self.entropy is not None:
entropy = calc_entropy(value)
if entropy < self.entropy:
failures.append(translate("Entropy (%(have)s) less than required (%(need)s)")
% dict(have=entropy, need=self.entropy))
if type(self.min) == int and self.min > 0:
if not len(value) >= self.min:
failures.append(translate("Minimum length is %s") % self.min)
if type(self.max) == int and self.max > 0:
if not len(value) <= self.max:
failures.append(translate("Maximum length is %s") % self.max)
if type(self.special) == int:
all_special = [ch in value for ch in self.specials]
if self.special > 0:
if not all_special.count(True) >= self.special:
failures.append(translate("Must include at least %s of the following: %s")
% (self.special, self.specials))
if self.invalid:
all_invalid = [ch in value for ch in self.invalid]
if all_invalid.count(True) > 0:
failures.append(translate("May not contain any of the following: %s")
% self.invalid)
if type(self.upper) == int:
all_upper = re.findall("[A-Z]", value)
if self.upper > 0:
if not len(all_upper) >= self.upper:
failures.append(translate("Must include at least %s upper case")
% str(self.upper))
else:
if len(all_upper) > 0:
failures.append(
translate("May not include any upper case letters"))
if type(self.lower) == int:
all_lower = re.findall("[a-z]", value)
if self.lower > 0:
if not len(all_lower) >= self.lower:
failures.append(translate("Must include at least %s lower case")
% str(self.lower))
else:
if len(all_lower) > 0:
failures.append(
translate("May not include any lower case letters"))
if type(self.number) == int:
all_number = re.findall("[0-9]", value)
if self.number > 0:
numbers = "number"
if self.number > 1:
numbers = "numbers"
if not len(all_number) >= self.number:
failures.append(translate("Must include at least %s %s")
% (str(self.number), numbers))
else:
if len(all_number) > 0:
failures.append(translate("May not include any numbers"))
if len(failures) == 0:
return (value, None)
if not self.error_message:
if self.estring:
return (value, '|'.join(failures))
from html import XML
return (value, XML('<br />'.join(failures)))
else:
return (value, translate(self.error_message))
class IS_IN_SUBSET(IS_IN_SET):
REGEX_W = re.compile('\w+')
def __init__(self, *a, **b):
IS_IN_SET.__init__(self, *a, **b)
def __call__(self, value):
values = self.REGEX_W.findall(str(value))
failures = [x for x in values if IS_IN_SET.__call__(self, x)[1]]
if failures:
return (value, translate(self.error_message))
return (value, None)
class IS_IMAGE(Validator):
"""
Checks if file uploaded through file input was saved in one of selected
image formats and has dimensions (width and height) within given boundaries.
Does *not* check for maximum file size (use IS_LENGTH for that). Returns
validation failure if no data was uploaded.
Supported file formats: BMP, GIF, JPEG, PNG.
Code parts taken from
http://mail.python.org/pipermail/python-list/2007-June/617126.html
Arguments:
extensions: iterable containing allowed *lowercase* image file extensions
('jpg' extension of uploaded file counts as 'jpeg')
maxsize: iterable containing maximum width and height of the image
minsize: iterable containing minimum width and height of the image
Use (-1, -1) as minsize to pass image size check.
Examples::
#Check if uploaded file is in any of supported image formats:
INPUT(_type='file', _name='name', requires=IS_IMAGE())
#Check if uploaded file is either JPEG or PNG:
INPUT(_type='file', _name='name',
requires=IS_IMAGE(extensions=('jpeg', 'png')))
#Check if uploaded file is PNG with maximum size of 200x200 pixels:
INPUT(_type='file', _name='name',
requires=IS_IMAGE(extensions=('png'), maxsize=(200, 200)))
"""
def __init__(self,
extensions=('bmp', 'gif', 'jpeg', 'png'),
maxsize=(10000, 10000),
minsize=(0, 0),
error_message='invalid image'):
self.extensions = extensions
self.maxsize = maxsize
self.minsize = minsize
self.error_message = error_message
def __call__(self, value):
try:
extension = value.filename.rfind('.')
assert extension >= 0
extension = value.filename[extension + 1:].lower()
if extension == 'jpg':
extension = 'jpeg'
assert extension in self.extensions
if extension == 'bmp':
width, height = self.__bmp(value.file)
elif extension == 'gif':
width, height = self.__gif(value.file)
elif extension == 'jpeg':
width, height = self.__jpeg(value.file)
elif extension == 'png':
width, height = self.__png(value.file)
else:
width = -1
height = -1
assert self.minsize[0] <= width <= self.maxsize[0] \
and self.minsize[1] <= height <= self.maxsize[1]
value.file.seek(0)
return (value, None)
except:
return (value, translate(self.error_message))
def __bmp(self, stream):
if stream.read(2) == 'BM':
stream.read(16)
return struct.unpack("<LL", stream.read(8))
return (-1, -1)
def __gif(self, stream):
if stream.read(6) in ('GIF87a', 'GIF89a'):
stream = stream.read(5)
if len(stream) == 5:
return tuple(struct.unpack("<HHB", stream)[:-1])
return (-1, -1)
def __jpeg(self, stream):
if stream.read(2) == '\xFF\xD8':
while True:
(marker, code, length) = struct.unpack("!BBH", stream.read(4))
if marker != 0xFF:
break
elif code >= 0xC0 and code <= 0xC3:
return tuple(reversed(
struct.unpack("!xHH", stream.read(5))))
else:
stream.read(length - 2)
return (-1, -1)
def __png(self, stream):
if stream.read(8) == '\211PNG\r\n\032\n':
stream.read(4)
if stream.read(4) == "IHDR":
return struct.unpack("!LL", stream.read(8))
return (-1, -1)
class IS_UPLOAD_FILENAME(Validator):
"""
Checks if name and extension of file uploaded through file input matches
given criteria.
Does *not* ensure the file type in any way. Returns validation failure
if no data was uploaded.
Arguments::
filename: filename (before dot) regex
extension: extension (after dot) regex
lastdot: which dot should be used as a filename / extension separator:
True means last dot, eg. file.png -> file / png
False means first dot, eg. file.tar.gz -> file / tar.gz
case: 0 - keep the case, 1 - transform the string into lowercase (default),
2 - transform the string into uppercase
If there is no dot present, extension checks will be done against empty
string and filename checks against whole value.
Examples::
#Check if file has a pdf extension (case insensitive):
INPUT(_type='file', _name='name',
requires=IS_UPLOAD_FILENAME(extension='pdf'))
#Check if file has a tar.gz extension and name starting with backup:
INPUT(_type='file', _name='name',
requires=IS_UPLOAD_FILENAME(filename='backup.*',
extension='tar.gz', lastdot=False))
#Check if file has no extension and name matching README
#(case sensitive):
INPUT(_type='file', _name='name',
requires=IS_UPLOAD_FILENAME(filename='^README$',
extension='^$', case=0))
"""
def __init__(self, filename=None, extension=None, lastdot=True, case=1,
error_message='enter valid filename'):
if isinstance(filename, str):
filename = re.compile(filename)
if isinstance(extension, str):
extension = re.compile(extension)
self.filename = filename
self.extension = extension
self.lastdot = lastdot
self.case = case
self.error_message = error_message
def __call__(self, value):
try:
string = value.filename
except:
return (value, translate(self.error_message))
if self.case == 1:
string = string.lower()
elif self.case == 2:
string = string.upper()
if self.lastdot:
dot = string.rfind('.')
else:
dot = string.find('.')
if dot == -1:
dot = len(string)
if self.filename and not self.filename.match(string[:dot]):
return (value, translate(self.error_message))
elif self.extension and not self.extension.match(string[dot + 1:]):
return (value, translate(self.error_message))
else:
return (value, None)
class IS_IPV4(Validator):
"""
Checks if field's value is an IP version 4 address in decimal form. Can
be set to force addresses from certain range.
IPv4 regex taken from: http://regexlib.com/REDetails.aspx?regexp_id=1411
Arguments:
minip: lowest allowed address; accepts:
str, eg. 192.168.0.1
list or tuple of octets, eg. [192, 168, 0, 1]
maxip: highest allowed address; same as above
invert: True to allow addresses only from outside of given range; note
that range boundaries are not matched this way
is_localhost: localhost address treatment:
None (default): indifferent
True (enforce): query address must match localhost address
(127.0.0.1)
False (forbid): query address must not match localhost
address
is_private: same as above, except that query address is checked against
two address ranges: 172.16.0.0 - 172.31.255.255 and
192.168.0.0 - 192.168.255.255
is_automatic: same as above, except that query address is checked against
one address range: 169.254.0.0 - 169.254.255.255
Minip and maxip may also be lists or tuples of addresses in all above
forms (str, int, list / tuple), allowing setup of multiple address ranges:
minip = (minip1, minip2, ... minipN)
| | |
| | |
maxip = (maxip1, maxip2, ... maxipN)
Longer iterable will be truncated to match length of shorter one.
Examples::
#Check for valid IPv4 address:
INPUT(_type='text', _name='name', requires=IS_IPV4())
#Check for valid IPv4 address belonging to specific range:
INPUT(_type='text', _name='name',
requires=IS_IPV4(minip='100.200.0.0', maxip='100.200.255.255'))
#Check for valid IPv4 address belonging to either 100.110.0.0 -
#100.110.255.255 or 200.50.0.0 - 200.50.0.255 address range:
INPUT(_type='text', _name='name',
requires=IS_IPV4(minip=('100.110.0.0', '200.50.0.0'),
maxip=('100.110.255.255', '200.50.0.255')))
#Check for valid IPv4 address belonging to private address space:
INPUT(_type='text', _name='name', requires=IS_IPV4(is_private=True))
#Check for valid IPv4 address that is not a localhost address:
INPUT(_type='text', _name='name', requires=IS_IPV4(is_localhost=False))
>>> IS_IPV4()('1.2.3.4')
('1.2.3.4', None)
>>> IS_IPV4()('255.255.255.255')
('255.255.255.255', None)
>>> IS_IPV4()('1.2.3.4 ')
('1.2.3.4 ', 'enter valid IPv4 address')
>>> IS_IPV4()('1.2.3.4.5')
('1.2.3.4.5', 'enter valid IPv4 address')
>>> IS_IPV4()('123.123')
('123.123', 'enter valid IPv4 address')
>>> IS_IPV4()('1111.2.3.4')
('1111.2.3.4', 'enter valid IPv4 address')
>>> IS_IPV4()('0111.2.3.4')
('0111.2.3.4', 'enter valid IPv4 address')
>>> IS_IPV4()('256.2.3.4')
('256.2.3.4', 'enter valid IPv4 address')
>>> IS_IPV4()('300.2.3.4')
('300.2.3.4', 'enter valid IPv4 address')
>>> IS_IPV4(minip='1.2.3.4', maxip='1.2.3.4')('1.2.3.4')
('1.2.3.4', None)
>>> IS_IPV4(minip='1.2.3.5', maxip='1.2.3.9', error_message='bad ip')('1.2.3.4')
('1.2.3.4', 'bad ip')
>>> IS_IPV4(maxip='1.2.3.4', invert=True)('127.0.0.1')
('127.0.0.1', None)
>>> IS_IPV4(maxip='1.2.3.4', invert=True)('1.2.3.4')
('1.2.3.4', 'enter valid IPv4 address')
>>> IS_IPV4(is_localhost=True)('127.0.0.1')
('127.0.0.1', None)
>>> IS_IPV4(is_localhost=True)('1.2.3.4')
('1.2.3.4', 'enter valid IPv4 address')
>>> IS_IPV4(is_localhost=False)('127.0.0.1')
('127.0.0.1', 'enter valid IPv4 address')
>>> IS_IPV4(maxip='100.0.0.0', is_localhost=True)('127.0.0.1')
('127.0.0.1', 'enter valid IPv4 address')
"""
regex = re.compile(
'^(([1-9]?\d|1\d\d|2[0-4]\d|25[0-5])\.){3}([1-9]?\d|1\d\d|2[0-4]\d|25[0-5])$')
numbers = (16777216, 65536, 256, 1)
localhost = 2130706433
private = ((2886729728L, 2886795263L), (3232235520L, 3232301055L))
automatic = (2851995648L, 2852061183L)
def __init__(
self,
minip='0.0.0.0',
maxip='255.255.255.255',
invert=False,
is_localhost=None,
is_private=None,
is_automatic=None,
error_message='enter valid IPv4 address'):
for n, value in enumerate((minip, maxip)):
temp = []
if isinstance(value, str):
temp.append(value.split('.'))
elif isinstance(value, (list, tuple)):
if len(value) == len(filter(lambda item: isinstance(item, int), value)) == 4:
temp.append(value)
else:
for item in value:
if isinstance(item, str):
temp.append(item.split('.'))
elif isinstance(item, (list, tuple)):
temp.append(item)
numbers = []
for item in temp:
number = 0
for i, j in zip(self.numbers, item):
number += i * int(j)
numbers.append(number)
if n == 0:
self.minip = numbers
else:
self.maxip = numbers
self.invert = invert
self.is_localhost = is_localhost
self.is_private = is_private
self.is_automatic = is_automatic
self.error_message = error_message
def __call__(self, value):
if self.regex.match(value):
number = 0
for i, j in zip(self.numbers, value.split('.')):
number += i * int(j)
ok = False
for bottom, top in zip(self.minip, self.maxip):
if self.invert != (bottom <= number <= top):
ok = True
if not (self.is_localhost is None or self.is_localhost ==
(number == self.localhost)):
ok = False
if not (self.is_private is None or self.is_private ==
(sum([number[0] <= number <= number[1] for number in self.private]) > 0)):
ok = False
if not (self.is_automatic is None or self.is_automatic ==
(self.automatic[0] <= number <= self.automatic[1])):
ok = False
if ok:
return (value, None)
return (value, translate(self.error_message))
class IS_IPV6(Validator):
"""
Checks if field's value is an IP version 6 address. First attempts to
use the ipaddress library and falls back to contrib/ipaddr.py from Google
(https://code.google.com/p/ipaddr-py/)
Arguments:
is_private: None (default): indifferent
True (enforce): address must be in fc00::/7 range
False (forbid): address must NOT be in fc00::/7 range
is_link_local: Same as above but uses fe80::/10 range
is_reserved: Same as above but uses IETF reserved range
is_mulicast: Same as above but uses ff00::/8 range
is_routeable: Similar to above but enforces not private, link_local,
reserved or multicast
is_6to4: Same as above but uses 2002::/16 range
is_teredo: Same as above but uses 2001::/32 range
subnets: value must be a member of at least one from list of subnets
Examples:
#Check for valid IPv6 address:
INPUT(_type='text', _name='name', requires=IS_IPV6())
#Check for valid IPv6 address is a link_local address:
INPUT(_type='text', _name='name', requires=IS_IPV6(is_link_local=True))
#Check for valid IPv6 address that is Internet routeable:
INPUT(_type='text', _name='name', requires=IS_IPV6(is_routeable=True))
#Check for valid IPv6 address in specified subnet:
INPUT(_type='text', _name='name', requires=IS_IPV6(subnets=['2001::/32'])
>>> IS_IPV6()('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', None)
>>> IS_IPV6()('192.168.1.1')
('192.168.1.1', 'enter valid IPv6 address')
>>> IS_IPV6(error_message='bad ip')('192.168.1.1')
('192.168.1.1', 'bad ip')
>>> IS_IPV6(is_link_local=True)('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', None)
>>> IS_IPV6(is_link_local=False)('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', 'enter valid IPv6 address')
>>> IS_IPV6(is_link_local=True)('2001::126c:8ffa:fe22:b3af')
('2001::126c:8ffa:fe22:b3af', 'enter valid IPv6 address')
>>> IS_IPV6(is_multicast=True)('2001::126c:8ffa:fe22:b3af')
('2001::126c:8ffa:fe22:b3af', 'enter valid IPv6 address')
>>> IS_IPV6(is_multicast=True)('ff00::126c:8ffa:fe22:b3af')
('ff00::126c:8ffa:fe22:b3af', None)
>>> IS_IPV6(is_routeable=True)('2001::126c:8ffa:fe22:b3af')
('2001::126c:8ffa:fe22:b3af', None)
>>> IS_IPV6(is_routeable=True)('ff00::126c:8ffa:fe22:b3af')
('ff00::126c:8ffa:fe22:b3af', 'enter valid IPv6 address')
>>> IS_IPV6(subnets='2001::/32')('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', None)
>>> IS_IPV6(subnets='fb00::/8')('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', 'enter valid IPv6 address')
>>> IS_IPV6(subnets=['fc00::/8','2001::/32'])('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', None)
>>> IS_IPV6(subnets='invalidsubnet')('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', 'invalid subnet provided')
"""
def __init__(
self,
is_private=None,
is_link_local=None,
is_reserved=None,
is_multicast=None,
is_routeable=None,
is_6to4=None,
is_teredo=None,
subnets=None,
error_message='enter valid IPv6 address'):
self.is_private = is_private
self.is_link_local = is_link_local
self.is_reserved = is_reserved
self.is_multicast = is_multicast
self.is_routeable = is_routeable
self.is_6to4 = is_6to4
self.is_teredo = is_teredo
self.subnets = subnets
self.error_message = error_message
def __call__(self, value):
try:
import ipaddress
except ImportError:
from contrib import ipaddr as ipaddress
try:
ip = ipaddress.IPv6Address(value)
ok = True
except ipaddress.AddressValueError:
return (value, translate(self.error_message))
if self.subnets:
# iterate through self.subnets to see if value is a member
ok = False
if isinstance(self.subnets, str):
self.subnets = [self.subnets]
for network in self.subnets:
try:
ipnet = ipaddress.IPv6Network(network)
except (ipaddress.NetmaskValueError, ipaddress.AddressValueError):
return (value, translate('invalid subnet provided'))
if ip in ipnet:
ok = True
if self.is_routeable:
self.is_private = False
self.is_link_local = False
self.is_reserved = False
self.is_multicast = False
if not (self.is_private is None or self.is_private ==
ip.is_private):
ok = False
if not (self.is_link_local is None or self.is_link_local ==
ip.is_link_local):
ok = False
if not (self.is_reserved is None or self.is_reserved ==
ip.is_reserved):
ok = False
if not (self.is_multicast is None or self.is_multicast ==
ip.is_multicast):
ok = False
if not (self.is_6to4 is None or self.is_6to4 ==
ip.is_6to4):
ok = False
if not (self.is_teredo is None or self.is_teredo ==
ip.is_teredo):
ok = False
if ok:
return (value, None)
return (value, translate(self.error_message))
class IS_IPADDRESS(Validator):
"""
Checks if field's value is an IP Address (v4 or v6). Can be set to force
addresses from within a specific range. Checks are done with the correct
IS_IPV4 and IS_IPV6 validators.
Uses ipaddress library if found, falls back to PEP-3144 ipaddr.py from
Google (in contrib).
Universal arguments:
minip: lowest allowed address; accepts:
str, eg. 192.168.0.1
list or tuple of octets, eg. [192, 168, 0, 1]
maxip: highest allowed address; same as above
invert: True to allow addresses only from outside of given range; note
that range boundaries are not matched this way
IPv4 specific arguments:
is_localhost: localhost address treatment:
None (default): indifferent
True (enforce): query address must match localhost address
(127.0.0.1)
False (forbid): query address must not match localhost
address
is_private: same as above, except that query address is checked against
two address ranges: 172.16.0.0 - 172.31.255.255 and
192.168.0.0 - 192.168.255.255
is_automatic: same as above, except that query address is checked against
one address range: 169.254.0.0 - 169.254.255.255
is_ipv4: None (default): indifferent
True (enforce): must be an IPv4 address
False (forbid): must NOT be an IPv4 address
IPv6 specific arguments:
is_link_local: Same as above but uses fe80::/10 range
is_reserved: Same as above but uses IETF reserved range
is_mulicast: Same as above but uses ff00::/8 range
is_routeable: Similar to above but enforces not private, link_local,
reserved or multicast
is_6to4: Same as above but uses 2002::/16 range
is_teredo: Same as above but uses 2001::/32 range
subnets: value must be a member of at least one from list of subnets
is_ipv6: None (default): indifferent
True (enforce): must be an IPv6 address
False (forbid): must NOT be an IPv6 address
Minip and maxip may also be lists or tuples of addresses in all above
forms (str, int, list / tuple), allowing setup of multiple address ranges:
minip = (minip1, minip2, ... minipN)
| | |
| | |
maxip = (maxip1, maxip2, ... maxipN)
Longer iterable will be truncated to match length of shorter one.
>>> IS_IPADDRESS()('192.168.1.5')
('192.168.1.5', None)
>>> IS_IPADDRESS(is_ipv6=False)('192.168.1.5')
('192.168.1.5', None)
>>> IS_IPADDRESS()('255.255.255.255')
('255.255.255.255', None)
>>> IS_IPADDRESS()('192.168.1.5 ')
('192.168.1.5 ', 'enter valid IP address')
>>> IS_IPADDRESS()('192.168.1.1.5')
('192.168.1.1.5', 'enter valid IP address')
>>> IS_IPADDRESS()('123.123')
('123.123', 'enter valid IP address')
>>> IS_IPADDRESS()('1111.2.3.4')
('1111.2.3.4', 'enter valid IP address')
>>> IS_IPADDRESS()('0111.2.3.4')
('0111.2.3.4', 'enter valid IP address')
>>> IS_IPADDRESS()('256.2.3.4')
('256.2.3.4', 'enter valid IP address')
>>> IS_IPADDRESS()('300.2.3.4')
('300.2.3.4', 'enter valid IP address')
>>> IS_IPADDRESS(minip='192.168.1.0', maxip='192.168.1.255')('192.168.1.100')
('192.168.1.100', None)
>>> IS_IPADDRESS(minip='1.2.3.5', maxip='1.2.3.9', error_message='bad ip')('1.2.3.4')
('1.2.3.4', 'bad ip')
>>> IS_IPADDRESS(maxip='1.2.3.4', invert=True)('127.0.0.1')
('127.0.0.1', None)
>>> IS_IPADDRESS(maxip='192.168.1.4', invert=True)('192.168.1.4')
('192.168.1.4', 'enter valid IP address')
>>> IS_IPADDRESS(is_localhost=True)('127.0.0.1')
('127.0.0.1', None)
>>> IS_IPADDRESS(is_localhost=True)('192.168.1.10')
('192.168.1.10', 'enter valid IP address')
>>> IS_IPADDRESS(is_localhost=False)('127.0.0.1')
('127.0.0.1', 'enter valid IP address')
>>> IS_IPADDRESS(maxip='100.0.0.0', is_localhost=True)('127.0.0.1')
('127.0.0.1', 'enter valid IP address')
>>> IS_IPADDRESS()('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', None)
>>> IS_IPADDRESS(is_ipv4=False)('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', None)
>>> IS_IPADDRESS()('fe80::126c:8ffa:fe22:b3af ')
('fe80::126c:8ffa:fe22:b3af ', 'enter valid IP address')
>>> IS_IPADDRESS(is_ipv4=True)('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', 'enter valid IP address')
>>> IS_IPADDRESS(is_ipv6=True)('192.168.1.1')
('192.168.1.1', 'enter valid IP address')
>>> IS_IPADDRESS(is_ipv6=True, error_message='bad ip')('192.168.1.1')
('192.168.1.1', 'bad ip')
>>> IS_IPADDRESS(is_link_local=True)('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', None)
>>> IS_IPADDRESS(is_link_local=False)('fe80::126c:8ffa:fe22:b3af')
('fe80::126c:8ffa:fe22:b3af', 'enter valid IP address')
>>> IS_IPADDRESS(is_link_local=True)('2001::126c:8ffa:fe22:b3af')
('2001::126c:8ffa:fe22:b3af', 'enter valid IP address')
>>> IS_IPADDRESS(is_multicast=True)('2001::126c:8ffa:fe22:b3af')
('2001::126c:8ffa:fe22:b3af', 'enter valid IP address')
>>> IS_IPADDRESS(is_multicast=True)('ff00::126c:8ffa:fe22:b3af')
('ff00::126c:8ffa:fe22:b3af', None)
>>> IS_IPADDRESS(is_routeable=True)('2001::126c:8ffa:fe22:b3af')
('2001::126c:8ffa:fe22:b3af', None)
>>> IS_IPADDRESS(is_routeable=True)('ff00::126c:8ffa:fe22:b3af')
('ff00::126c:8ffa:fe22:b3af', 'enter valid IP address')
>>> IS_IPADDRESS(subnets='2001::/32')('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', None)
>>> IS_IPADDRESS(subnets='fb00::/8')('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', 'enter valid IP address')
>>> IS_IPADDRESS(subnets=['fc00::/8','2001::/32'])('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', None)
>>> IS_IPADDRESS(subnets='invalidsubnet')('2001::8ffa:fe22:b3af')
('2001::8ffa:fe22:b3af', 'invalid subnet provided')
"""
def __init__(
self,
minip='0.0.0.0',
maxip='255.255.255.255',
invert=False,
is_localhost=None,
is_private=None,
is_automatic=None,
is_ipv4=None,
is_link_local=None,
is_reserved=None,
is_multicast=None,
is_routeable=None,
is_6to4=None,
is_teredo=None,
subnets=None,
is_ipv6=None,
error_message='enter valid IP address'):
self.minip = minip,
self.maxip = maxip,
self.invert = invert
self.is_localhost = is_localhost
self.is_private = is_private
self.is_automatic = is_automatic
self.is_ipv4 = is_ipv4
self.is_private = is_private
self.is_link_local = is_link_local
self.is_reserved = is_reserved
self.is_multicast = is_multicast
self.is_routeable = is_routeable
self.is_6to4 = is_6to4
self.is_teredo = is_teredo
self.subnets = subnets
self.is_ipv6 = is_ipv6
self.error_message = error_message
def __call__(self, value):
try:
import ipaddress
except ImportError:
from contrib import ipaddr as ipaddress
try:
ip = ipaddress.ip_address(value)
except ValueError, e:
return (value, translate(self.error_message))
if self.is_ipv4 and isinstance(ip, ipaddress.IPv6Address):
retval = (value, translate(self.error_message))
elif self.is_ipv6 and isinstance(ip, ipaddress.IPv4Address):
retval = (value, translate(self.error_message))
elif self.is_ipv4 or isinstance(ip, ipaddress.IPv4Address):
retval = IS_IPV4(
minip=self.minip,
maxip=self.maxip,
invert=self.invert,
is_localhost=self.is_localhost,
is_private=self.is_private,
is_automatic=self.is_automatic,
error_message=self.error_message
)(value)
elif self.is_ipv6 or isinstance(ip, ipaddress.IPv6Address):
retval = IS_IPV6(
is_private=self.is_private,
is_link_local=self.is_link_local,
is_reserved=self.is_reserved,
is_multicast=self.is_multicast,
is_routeable=self.is_routeable,
is_6to4=self.is_6to4,
is_teredo=self.is_teredo,
subnets=self.subnets,
error_message=self.error_message
)(value)
else:
retval = (value, translate(self.error_message))
return retval
if __name__ == '__main__':
import doctest
doctest.testmod(
optionflags=doctest.NORMALIZE_WHITESPACE | doctest.ELLIPSIS)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
Holds:
- SQLFORM: provide a form for a table (with/without record)
- SQLTABLE: provides a table for a set of records
- form_factory: provides a SQLFORM for an non-db backed table
"""
try:
from urlparse import parse_qs as psq
except ImportError:
from cgi import parse_qs as psq
import os
from http import HTTP
from html import XmlComponent
from html import XML, SPAN, TAG, A, DIV, CAT, UL, LI, TEXTAREA, BR, IMG, SCRIPT
from html import FORM, INPUT, LABEL, OPTION, SELECT
from html import TABLE, THEAD, TBODY, TR, TD, TH, STYLE
from html import URL, truncate_string, FIELDSET
from dal import DAL, Field, Table, Row, CALLABLETYPES, smart_query, \
bar_encode, Reference, REGEX_TABLE_DOT_FIELD
from storage import Storage
from utils import md5_hash
from validators import IS_EMPTY_OR, IS_NOT_EMPTY, IS_LIST_OF, IS_DATE, \
IS_DATETIME, IS_INT_IN_RANGE, IS_FLOAT_IN_RANGE, IS_STRONG
import serializers
import datetime
import urllib
import re
import cStringIO
from gluon import current, redirect
import inspect
import settings
is_gae = settings.global_settings.web2py_runtime_gae
table_field = re.compile('[\w_]+\.[\w_]+')
widget_class = re.compile('^\w*')
def trap_class(_class=None, trap=True):
return (trap and 'w2p_trap' or '') + (_class and ' ' + _class or '')
def represent(field, value, record):
f = field.represent
if not callable(f):
return str(value)
n = f.func_code.co_argcount - len(f.func_defaults or [])
if getattr(f, 'im_self', None):
n -= 1
if n == 1:
return f(value)
elif n == 2:
return f(value, record)
else:
raise RuntimeError("field representation must take 1 or 2 args")
def safe_int(x):
try:
return int(x)
except ValueError:
return 0
def safe_float(x):
try:
return float(x)
except ValueError:
return 0
class FormWidget(object):
"""
helper for SQLFORM to generate form input fields
(widget), related to the fieldtype
"""
_class = 'generic-widget'
@classmethod
def _attributes(cls, field,
widget_attributes, **attributes):
"""
helper to build a common set of attributes
:param field: the field involved,
some attributes are derived from this
:param widget_attributes: widget related attributes
:param attributes: any other supplied attributes
"""
attr = dict(
_id='%s_%s' % (field._tablename, field.name),
_class=cls._class or
widget_class.match(str(field.type)).group(),
_name=field.name,
requires=field.requires,
)
attr.update(widget_attributes)
attr.update(attributes)
return attr
@classmethod
def widget(cls, field, value, **attributes):
"""
generates the widget for the field.
When serialized, will provide an INPUT tag:
- id = tablename_fieldname
- class = field.type
- name = fieldname
:param field: the field needing the widget
:param value: value
:param attributes: any other attributes to be applied
"""
raise NotImplementedError
class StringWidget(FormWidget):
_class = 'string'
@classmethod
def widget(cls, field, value, **attributes):
"""
generates an INPUT text tag.
see also: :meth:`FormWidget.widget`
"""
default = dict(
_type='text',
value=(not value is None and str(value)) or '',
)
attr = cls._attributes(field, default, **attributes)
return INPUT(**attr)
class IntegerWidget(StringWidget):
_class = 'integer'
class DoubleWidget(StringWidget):
_class = 'double'
class DecimalWidget(StringWidget):
_class = 'decimal'
class TimeWidget(StringWidget):
_class = 'time'
class DateWidget(StringWidget):
_class = 'date'
class DatetimeWidget(StringWidget):
_class = 'datetime'
class TextWidget(FormWidget):
_class = 'text'
@classmethod
def widget(cls, field, value, **attributes):
"""
generates a TEXTAREA tag.
see also: :meth:`FormWidget.widget`
"""
default = dict(value=value)
attr = cls._attributes(field, default, **attributes)
return TEXTAREA(**attr)
class JSONWidget(FormWidget):
_class = 'json'
@classmethod
def widget(cls, field, value, **attributes):
"""
generates a TEXTAREA for JSON notation.
see also: :meth:`FormWidget.widget`
"""
if not isinstance(value, basestring):
if value is not None:
value = serializers.json(value)
default = dict(value=value)
attr = cls._attributes(field, default, **attributes)
return TEXTAREA(**attr)
class BooleanWidget(FormWidget):
_class = 'boolean'
@classmethod
def widget(cls, field, value, **attributes):
"""
generates an INPUT checkbox tag.
see also: :meth:`FormWidget.widget`
"""
default = dict(_type='checkbox', value=value)
attr = cls._attributes(field, default,
**attributes)
return INPUT(**attr)
class OptionsWidget(FormWidget):
@staticmethod
def has_options(field):
"""
checks if the field has selectable options
:param field: the field needing checking
:returns: True if the field has options
"""
return hasattr(field.requires, 'options')
@classmethod
def widget(cls, field, value, **attributes):
"""
generates a SELECT tag, including OPTIONs (only 1 option allowed)
see also: :meth:`FormWidget.widget`
"""
default = dict(value=value)
attr = cls._attributes(field, default,
**attributes)
requires = field.requires
if not isinstance(requires, (list, tuple)):
requires = [requires]
if requires:
if hasattr(requires[0], 'options'):
options = requires[0].options()
else:
raise SyntaxError(
'widget cannot determine options of %s' % field)
opts = [OPTION(v, _value=k) for (k, v) in options]
return SELECT(*opts, **attr)
class ListWidget(StringWidget):
@classmethod
def widget(cls, field, value, **attributes):
_id = '%s_%s' % (field._tablename, field.name)
_name = field.name
if field.type == 'list:integer':
_class = 'integer'
else:
_class = 'string'
requires = field.requires if isinstance(
field.requires, (IS_NOT_EMPTY, IS_LIST_OF)) else None
attributes['_style'] = 'list-style:none'
nvalue = value or ['']
items = [LI(INPUT(_id=_id, _class=_class, _name=_name,
value=v, hideerror=k < len(nvalue) - 1,
requires=requires),
**attributes) for (k, v) in enumerate(nvalue)]
script = SCRIPT("""
// from http://refactormycode.com/codes/694-expanding-input-list-using-jquery
(function(){
jQuery.fn.grow_input = function() {
return this.each(function() {
var ul = this;
jQuery(ul).find(":text").after('<a href="javascript:void(0)">+</a> <a href="javascript:void(0)">-</a>').keypress(function (e) { return (e.which == 13) ? pe(ul, e) : true; }).next().click(function(e){ pe(ul, e) }).next().click(function(e){ rl(ul, e)});
});
};
function pe(ul, e) {
var new_line = ml(ul);
rel(ul);
if (jQuery(e.target).parent().is(':visible')) {
//make sure we didn't delete the element before we insert after
new_line.insertAfter(jQuery(e.target).parent());
} else {
//the line we clicked on was deleted, just add to end of list
new_line.appendTo(ul);
}
new_line.find(":text").focus();
return false;
}
function rl(ul, e) {
if (jQuery(ul).children().length > 1) {
//only remove if we have more than 1 item so the list is never empty
jQuery(e.target).parent().remove();
}
}
function ml(ul) {
var line = jQuery(ul).find("li:first").clone(true);
line.find(':text').val('');
return line;
}
function rel(ul) {
jQuery(ul).find("li").each(function() {
var trimmed = jQuery.trim(jQuery(this.firstChild).val());
if (trimmed=='') jQuery(this).remove(); else jQuery(this.firstChild).val(trimmed);
});
}
})();
jQuery(document).ready(function(){jQuery('#%s_grow_input').grow_input();});
""" % _id)
attributes['_id'] = _id + '_grow_input'
attributes['_style'] = 'list-style:none'
return TAG[''](UL(*items, **attributes), script)
class MultipleOptionsWidget(OptionsWidget):
@classmethod
def widget(cls, field, value, size=5, **attributes):
"""
generates a SELECT tag, including OPTIONs (multiple options allowed)
see also: :meth:`FormWidget.widget`
:param size: optional param (default=5) to indicate how many rows must
be shown
"""
attributes.update(_size=size, _multiple=True)
return OptionsWidget.widget(field, value, **attributes)
class RadioWidget(OptionsWidget):
@classmethod
def widget(cls, field, value, **attributes):
"""
generates a TABLE tag, including INPUT radios (only 1 option allowed)
see also: :meth:`FormWidget.widget`
"""
if isinstance(value, (list,tuple)):
value = str(value[0])
else:
value = str(value)
attr = cls._attributes(field, {}, **attributes)
attr['_class'] = attr.get('_class', 'web2py_radiowidget')
requires = field.requires
if not isinstance(requires, (list, tuple)):
requires = [requires]
if requires:
if hasattr(requires[0], 'options'):
options = requires[0].options()
else:
raise SyntaxError('widget cannot determine options of %s'
% field)
options = [(k, v) for k, v in options if str(v)]
opts = []
cols = attributes.get('cols', 1)
totals = len(options)
mods = totals % cols
rows = totals / cols
if mods:
rows += 1
#widget style
wrappers = dict(
table=(TABLE, TR, TD),
ul=(DIV, UL, LI),
divs=(CAT, DIV, DIV)
)
parent, child, inner = wrappers[attributes.get('style', 'table')]
for r_index in range(rows):
tds = []
for k, v in options[r_index * cols:(r_index + 1) * cols]:
checked = {'_checked': 'checked'} if k == value else {}
tds.append(inner(INPUT(_type='radio',
_id='%s%s' % (field.name, k),
_name=field.name,
requires=attr.get('requires', None),
hideerror=True, _value=k,
value=value,
**checked),
LABEL(v, _for='%s%s' % (field.name, k))))
opts.append(child(tds))
if opts:
opts[-1][0][0]['hideerror'] = False
return parent(*opts, **attr)
class CheckboxesWidget(OptionsWidget):
@classmethod
def widget(cls, field, value, **attributes):
"""
generates a TABLE tag, including INPUT checkboxes (multiple allowed)
see also: :meth:`FormWidget.widget`
"""
# was values = re.compile('[\w\-:]+').findall(str(value))
if isinstance(value, (list, tuple)):
values = [str(v) for v in value]
else:
values = [str(value)]
attr = cls._attributes(field, {}, **attributes)
attr['_class'] = attr.get('_class', 'web2py_checkboxeswidget')
requires = field.requires
if not isinstance(requires, (list, tuple)):
requires = [requires]
if requires and hasattr(requires[0], 'options'):
options = requires[0].options()
else:
raise SyntaxError('widget cannot determine options of %s'
% field)
options = [(k, v) for k, v in options if k != '']
opts = []
cols = attributes.get('cols', 1)
totals = len(options)
mods = totals % cols
rows = totals / cols
if mods:
rows += 1
#widget style
wrappers = dict(
table=(TABLE, TR, TD),
ul=(DIV, UL, LI),
divs=(CAT, DIV, DIV)
)
parent, child, inner = wrappers[attributes.get('style', 'table')]
for r_index in range(rows):
tds = []
for k, v in options[r_index * cols:(r_index + 1) * cols]:
if k in values:
r_value = k
else:
r_value = []
tds.append(inner(INPUT(_type='checkbox',
_id='%s%s' % (field.name, k),
_name=field.name,
requires=attr.get('requires', None),
hideerror=True, _value=k,
value=r_value),
LABEL(v, _for='%s%s' % (field.name, k))))
opts.append(child(tds))
if opts:
opts.append(
INPUT(requires=attr.get('requires', None),
_style="display:none;",
_disabled="disabled",
_name=field.name,
hideerror=False))
return parent(*opts, **attr)
class PasswordWidget(FormWidget):
_class = 'password'
DEFAULT_PASSWORD_DISPLAY = 8 * ('*')
@classmethod
def widget(cls, field, value, **attributes):
"""
generates a INPUT password tag.
If a value is present it will be shown as a number of '*', not related
to the length of the actual value.
see also: :meth:`FormWidget.widget`
"""
# detect if attached a IS_STRONG with entropy
default = dict(
_type='password',
_value=(value and cls.DEFAULT_PASSWORD_DISPLAY) or '',
)
attr = cls._attributes(field, default, **attributes)
output = CAT(INPUT(**attr))
# deal with entropy check!
requires = field.requires
if not isinstance(requires, (list, tuple)):
requires = [requires]
is_strong = [r for r in requires if isinstance(r, IS_STRONG)]
if is_strong:
output.append(SCRIPT("web2py_validate_entropy(jQuery('#%s'),%s);" % (
attr['_id'], is_strong[0].entropy
if is_strong[0].entropy else "null")))
# end entropy check
return output
class UploadWidget(FormWidget):
_class = 'upload'
DEFAULT_WIDTH = '150px'
ID_DELETE_SUFFIX = '__delete'
GENERIC_DESCRIPTION = 'file'
DELETE_FILE = 'delete'
@classmethod
def widget(cls, field, value, download_url=None, **attributes):
"""
generates a INPUT file tag.
Optionally provides an A link to the file, including a checkbox so
the file can be deleted.
All is wrapped in a DIV.
see also: :meth:`FormWidget.widget`
:param download_url: Optional URL to link to the file (default = None)
"""
default = dict(_type='file',)
attr = cls._attributes(field, default, **attributes)
inp = INPUT(**attr)
if download_url and value:
if callable(download_url):
url = download_url(value)
else:
url = download_url + '/' + value
(br, image) = ('', '')
if UploadWidget.is_image(value):
br = BR()
image = IMG(_src=url, _width=cls.DEFAULT_WIDTH)
requires = attr["requires"]
if requires == [] or isinstance(requires, IS_EMPTY_OR):
inp = DIV(inp,
SPAN('[',
A(current.T(
UploadWidget.GENERIC_DESCRIPTION), _href=url),
'|',
INPUT(_type='checkbox',
_name=field.name + cls.ID_DELETE_SUFFIX,
_id=field.name + cls.ID_DELETE_SUFFIX),
LABEL(current.T(cls.DELETE_FILE),
_for=field.name + cls.ID_DELETE_SUFFIX,
_style='display:inline'),
']', _style='white-space:nowrap'),
br, image)
else:
inp = DIV(inp,
SPAN('[',
A(cls.GENERIC_DESCRIPTION, _href=url),
']', _style='white-space:nowrap'),
br, image)
return inp
@classmethod
def represent(cls, field, value, download_url=None):
"""
how to represent the file:
- with download url and if it is an image: <A href=...><IMG ...></A>
- otherwise with download url: <A href=...>file</A>
- otherwise: file
:param field: the field
:param value: the field value
:param download_url: url for the file download (default = None)
"""
inp = cls.GENERIC_DESCRIPTION
if download_url and value:
if callable(download_url):
url = download_url(value)
else:
url = download_url + '/' + value
if cls.is_image(value):
inp = IMG(_src=url, _width=cls.DEFAULT_WIDTH)
inp = A(inp, _href=url)
return inp
@staticmethod
def is_image(value):
"""
Tries to check if the filename provided references to an image
Checking is based on filename extension. Currently recognized:
gif, png, jp(e)g, bmp
:param value: filename
"""
extension = value.split('.')[-1].lower()
if extension in ['gif', 'png', 'jpg', 'jpeg', 'bmp']:
return True
return False
class AutocompleteWidget(object):
_class = 'string'
def __init__(self, request, field, id_field=None, db=None,
orderby=None, limitby=(0, 10), distinct=False,
keyword='_autocomplete_%(tablename)s_%(fieldname)s',
min_length=2, help_fields=None, help_string=None):
self.help_fields = help_fields or []
self.help_string = help_string
if self.help_fields and not self.help_string:
self.help_string = ' '.join('%%(%s)s' for f in self.help_fields)
self.request = request
self.keyword = keyword % dict(tablename=field.tablename,
fieldname=field.name)
self.db = db or field._db
self.orderby = orderby
self.limitby = limitby
self.distinct = distinct
self.min_length = min_length
self.fields = [field]
if id_field:
self.is_reference = True
self.fields.append(id_field)
else:
self.is_reference = False
if hasattr(request, 'application'):
self.url = URL(args=request.args)
self.callback()
else:
self.url = request
def callback(self):
if self.keyword in self.request.vars:
field = self.fields[0]
if is_gae:
rows = self.db(field.__ge__(self.request.vars[self.keyword]) & field.__lt__(self.request.vars[self.keyword] + u'\ufffd')).select(orderby=self.orderby, limitby=self.limitby, *self.fields)
else:
rows = self.db(field.like(self.request.vars[self.keyword] + '%')).select(orderby=self.orderby, limitby=self.limitby, distinct=self.distinct, *self.fields)
if rows:
if self.is_reference:
id_field = self.fields[1]
if self.help_fields:
options = [OPTION(
self.help_string % dict([(h.name, s[h.name]) for h in self.fields[:1] + self.help_fields]),
_value=s[id_field.name], _selected=(k == 0)) for k, s in enumerate(rows)]
else:
options = [OPTION(
s[field.name], _value=s[id_field.name],
_selected=(k == 0)) for k, s in enumerate(rows)]
raise HTTP(
200, SELECT(_id=self.keyword, _class='autocomplete',
_size=len(rows), _multiple=(len(rows) == 1),
*options).xml())
else:
raise HTTP(
200, SELECT(_id=self.keyword, _class='autocomplete',
_size=len(rows), _multiple=(len(rows) == 1),
*[OPTION(s[field.name],
_selected=(k == 0))
for k, s in enumerate(rows)]).xml())
else:
raise HTTP(200, '')
def __call__(self, field, value, **attributes):
default = dict(
_type='text',
value=(not value is None and str(value)) or '',
)
attr = StringWidget._attributes(field, default, **attributes)
div_id = self.keyword + '_div'
attr['_autocomplete'] = 'off'
if self.is_reference:
key2 = self.keyword + '_aux'
key3 = self.keyword + '_auto'
attr['_class'] = 'string'
name = attr['_name']
if 'requires' in attr:
del attr['requires']
attr['_name'] = key2
value = attr['value']
record = self.db(
self.fields[1] == value).select(self.fields[0]).first()
attr['value'] = record and record[self.fields[0].name]
attr['_onblur'] = "jQuery('#%(div_id)s').delay(1000).fadeOut('slow');" % \
dict(div_id=div_id, u='F' + self.keyword)
attr['_onkeyup'] = "jQuery('#%(key3)s').val('');var e=event.which?event.which:event.keyCode; function %(u)s(){jQuery('#%(id)s').val(jQuery('#%(key)s :selected').text());jQuery('#%(key3)s').val(jQuery('#%(key)s').val())}; if(e==39) %(u)s(); else if(e==40) {if(jQuery('#%(key)s option:selected').next().length)jQuery('#%(key)s option:selected').attr('selected',null).next().attr('selected','selected'); %(u)s();} else if(e==38) {if(jQuery('#%(key)s option:selected').prev().length)jQuery('#%(key)s option:selected').attr('selected',null).prev().attr('selected','selected'); %(u)s();} else if(jQuery('#%(id)s').val().length>=%(min_length)s) jQuery.get('%(url)s?%(key)s='+encodeURIComponent(jQuery('#%(id)s').val()),function(data){if(data=='')jQuery('#%(key3)s').val('');else{jQuery('#%(id)s').next('.error').hide();jQuery('#%(div_id)s').html(data).show().focus();jQuery('#%(div_id)s select').css('width',jQuery('#%(id)s').css('width'));jQuery('#%(key3)s').val(jQuery('#%(key)s').val());jQuery('#%(key)s').change(%(u)s);jQuery('#%(key)s').click(%(u)s);};}); else jQuery('#%(div_id)s').fadeOut('slow');" % \
dict(url=self.url, min_length=self.min_length,
key=self.keyword, id=attr['_id'], key2=key2, key3=key3,
name=name, div_id=div_id, u='F' + self.keyword)
if self.min_length == 0:
attr['_onfocus'] = attr['_onkeyup']
return TAG[''](INPUT(**attr), INPUT(_type='hidden', _id=key3, _value=value,
_name=name, requires=field.requires),
DIV(_id=div_id, _style='position:absolute;'))
else:
attr['_name'] = field.name
attr['_onblur'] = "jQuery('#%(div_id)s').delay(1000).fadeOut('slow');" % \
dict(div_id=div_id, u='F' + self.keyword)
attr['_onkeyup'] = "var e=event.which?event.which:event.keyCode; function %(u)s(){jQuery('#%(id)s').val(jQuery('#%(key)s').val())}; if(e==39) %(u)s(); else if(e==40) {if(jQuery('#%(key)s option:selected').next().length)jQuery('#%(key)s option:selected').attr('selected',null).next().attr('selected','selected'); %(u)s();} else if(e==38) {if(jQuery('#%(key)s option:selected').prev().length)jQuery('#%(key)s option:selected').attr('selected',null).prev().attr('selected','selected'); %(u)s();} else if(jQuery('#%(id)s').val().length>=%(min_length)s) jQuery.get('%(url)s?%(key)s='+encodeURIComponent(jQuery('#%(id)s').val()),function(data){jQuery('#%(id)s').next('.error').hide();jQuery('#%(div_id)s').html(data).show().focus();jQuery('#%(div_id)s select').css('width',jQuery('#%(id)s').css('width'));jQuery('#%(key)s').change(%(u)s);jQuery('#%(key)s').click(%(u)s);}); else jQuery('#%(div_id)s').fadeOut('slow');" % \
dict(url=self.url, min_length=self.min_length,
key=self.keyword, id=attr['_id'], div_id=div_id, u='F' + self.keyword)
if self.min_length == 0:
attr['_onfocus'] = attr['_onkeyup']
return TAG[''](INPUT(**attr), DIV(_id=div_id, _style='position:absolute;'))
def formstyle_table3cols(form, fields):
''' 3 column table - default '''
table = TABLE()
for id, label, controls, help in fields:
_help = TD(help, _class='w2p_fc')
_controls = TD(controls, _class='w2p_fw')
_label = TD(label, _class='w2p_fl')
table.append(TR(_label, _controls, _help, _id=id))
return table
def formstyle_table2cols(form, fields):
''' 2 column table '''
table = TABLE()
for id, label, controls, help in fields:
_help = TD(help, _class='w2p_fc', _width='50%')
_controls = TD(controls, _class='w2p_fw', _colspan='2')
_label = TD(label, _class='w2p_fl', _width='50%')
table.append(TR(_label, _help, _id=id + '1', _class='even'))
table.append(TR(_controls, _id=id + '2', _class='odd'))
return table
def formstyle_divs(form, fields):
''' divs only '''
table = FIELDSET()
for id, label, controls, help in fields:
_help = DIV(help, _class='w2p_fc')
_controls = DIV(controls, _class='w2p_fw')
_label = DIV(label, _class='w2p_fl')
table.append(DIV(_label, _controls, _help, _id=id))
return table
def formstyle_inline(form, fields):
''' divs only '''
if len(fields) != 2:
raise RuntimeError("Not possible")
id, label, controls, help = fields[0]
submit_button = fields[1][2]
return CAT(DIV(controls, _style='display:inline'),
submit_button)
def formstyle_ul(form, fields):
''' unordered list '''
table = UL()
for id, label, controls, help in fields:
_help = DIV(help, _class='w2p_fc')
_controls = DIV(controls, _class='w2p_fw')
_label = DIV(label, _class='w2p_fl')
table.append(LI(_label, _controls, _help, _id=id))
return table
def formstyle_bootstrap(form, fields):
''' bootstrap format form layout '''
form.add_class('form-horizontal')
parent = FIELDSET()
for id, label, controls, help in fields:
# wrappers
_help = SPAN(help, _class='help-block')
# embed _help into _controls
_controls = DIV(controls, _help, _class='controls')
# submit unflag by default
_submit = False
if isinstance(controls, INPUT):
controls.add_class('input-xlarge')
if controls['_type'] == 'submit':
# flag submit button
_submit = True
controls['_class'] = 'btn btn-primary'
if controls['_type'] == 'file':
controls['_class'] = 'input-file'
# For password fields, which are wrapped in a CAT object.
if isinstance(controls, CAT) and isinstance(controls[0], INPUT):
controls[0].add_class('input-xlarge')
if isinstance(controls, SELECT):
controls.add_class('input-xlarge')
if isinstance(controls, TEXTAREA):
controls.add_class('input-xlarge')
if isinstance(label, LABEL):
label['_class'] = 'control-label'
if _submit:
# submit button has unwrapped label and controls, different class
parent.append(DIV(label, controls, _class='form-actions', _id=id))
# unflag submit (possible side effect)
_submit = False
else:
# unwrapped label
parent.append(DIV(label, _controls, _class='control-group', _id=id))
return parent
class SQLFORM(FORM):
"""
SQLFORM is used to map a table (and a current record) into an HTML form
given a SQLTable stored in db.table
generates an insert form::
SQLFORM(db.table)
generates an update form::
record=db.table[some_id]
SQLFORM(db.table, record)
generates an update with a delete button::
SQLFORM(db.table, record, deletable=True)
if record is an int::
record=db.table[record]
optional arguments:
:param fields: a list of fields that should be placed in the form,
default is all.
:param labels: a dictionary with labels for each field, keys are the field
names.
:param col3: a dictionary with content for an optional third column
(right of each field). keys are field names.
:param linkto: the URL of a controller/function to access referencedby
records
see controller appadmin.py for examples
:param upload: the URL of a controller/function to download an uploaded file
see controller appadmin.py for examples
any named optional attribute is passed to the <form> tag
for example _class, _id, _style, _action, _method, etc.
"""
# usability improvements proposal by fpp - 4 May 2008 :
# - correct labels (for points to field id, not field name)
# - add label for delete checkbox
# - add translatable label for record ID
# - add third column to right of fields, populated from the col3 dict
widgets = Storage(dict(
string=StringWidget,
text=TextWidget,
json=JSONWidget,
password=PasswordWidget,
integer=IntegerWidget,
double=DoubleWidget,
decimal=DecimalWidget,
time=TimeWidget,
date=DateWidget,
datetime=DatetimeWidget,
upload=UploadWidget,
boolean=BooleanWidget,
blob=None,
options=OptionsWidget,
multiple=MultipleOptionsWidget,
radio=RadioWidget,
checkboxes=CheckboxesWidget,
autocomplete=AutocompleteWidget,
list=ListWidget,
))
formstyles = Storage(dict(
table3cols=formstyle_table3cols,
table2cols=formstyle_table2cols,
divs=formstyle_divs,
ul=formstyle_ul,
bootstrap=formstyle_bootstrap,
inline=formstyle_inline,
))
FIELDNAME_REQUEST_DELETE = 'delete_this_record'
FIELDKEY_DELETE_RECORD = 'delete_record'
ID_LABEL_SUFFIX = '__label'
ID_ROW_SUFFIX = '__row'
def assert_status(self, status, request_vars):
if not status and self.record and self.errors:
### if there are errors in update mode
# and some errors refers to an already uploaded file
# delete error if
# - user not trying to upload a new file
# - there is existing file and user is not trying to delete it
# this is because removing the file may not pass validation
for key in self.errors.keys():
if key in self.table \
and self.table[key].type == 'upload' \
and request_vars.get(key, None) in (None, '') \
and self.record[key] \
and not key + UploadWidget.ID_DELETE_SUFFIX in request_vars:
del self.errors[key]
if not self.errors:
status = True
return status
def __init__(
self,
table,
record=None,
deletable=False,
linkto=None,
upload=None,
fields=None,
labels=None,
col3={},
submit_button='Submit',
delete_label='Check to delete',
showid=True,
readonly=False,
comments=True,
keepopts=[],
ignore_rw=False,
record_id=None,
formstyle='table3cols',
buttons=['submit'],
separator=': ',
**attributes
):
"""
SQLFORM(db.table,
record=None,
fields=['name'],
labels={'name': 'Your name'},
linkto=URL(f='table/db/')
"""
T = current.T
self.ignore_rw = ignore_rw
self.formstyle = formstyle
self.readonly = readonly
# Default dbio setting
self.detect_record_change = None
nbsp = XML(' ') # Firefox2 does not display fields with blanks
FORM.__init__(self, *[], **attributes)
ofields = fields
keyed = hasattr(table, '_primarykey') # for backward compatibility
# if no fields are provided, build it from the provided table
# will only use writable or readable fields, unless forced to ignore
if fields is None:
fields = [f.name for f in table if
(ignore_rw or f.writable or f.readable) and
(readonly or not f.compute)]
self.fields = fields
# make sure we have an id
if self.fields[0] != table.fields[0] and \
isinstance(table, Table) and not keyed:
self.fields.insert(0, table.fields[0])
self.table = table
# try to retrieve the indicated record using its id
# otherwise ignore it
if record and isinstance(record, (int, long, str, unicode)):
if not str(record).isdigit():
raise HTTP(404, "Object not found")
record = table._db(table._id == record).select().first()
if not record:
raise HTTP(404, "Object not found")
self.record = record
self.record_id = record_id
if keyed:
self.record_id = dict([(k, record and str(record[k]) or None)
for k in table._primarykey])
self.field_parent = {}
xfields = []
self.fields = fields
self.custom = Storage()
self.custom.dspval = Storage()
self.custom.inpval = Storage()
self.custom.label = Storage()
self.custom.comment = Storage()
self.custom.widget = Storage()
self.custom.linkto = Storage()
# default id field name
if not keyed:
self.id_field_name = table._id.name
else:
self.id_field_name = table._primarykey[0] # only works if one key
sep = separator or ''
for fieldname in self.fields:
if fieldname.find('.') >= 0:
continue
field = self.table[fieldname]
comment = None
if comments:
comment = col3.get(fieldname, field.comment)
if comment is None:
comment = ''
self.custom.comment[fieldname] = comment
if not labels is None and fieldname in labels:
label = labels[fieldname]
else:
label = field.label
self.custom.label[fieldname] = label
field_id = '%s_%s' % (table._tablename, fieldname)
label = LABEL(label, label and sep, _for=field_id,
_id=field_id + SQLFORM.ID_LABEL_SUFFIX)
row_id = field_id + SQLFORM.ID_ROW_SUFFIX
if field.type == 'id':
self.custom.dspval.id = nbsp
self.custom.inpval.id = ''
widget = ''
# store the id field name (for legacy databases)
self.id_field_name = field.name
if record:
if showid and field.name in record and field.readable:
v = record[field.name]
widget = SPAN(v, _id=field_id)
self.custom.dspval.id = str(v)
xfields.append((row_id, label, widget, comment))
self.record_id = str(record[field.name])
self.custom.widget.id = widget
continue
if readonly and not ignore_rw and not field.readable:
continue
if record:
default = record[fieldname]
else:
default = field.default
if isinstance(default, CALLABLETYPES):
default = default()
cond = readonly or \
(not ignore_rw and not field.writable and field.readable)
if default is not None and not cond:
default = field.formatter(default)
dspval = default
inpval = default
if cond:
# ## if field.represent is available else
# ## ignore blob and preview uploaded images
# ## format everything else
if field.represent:
inp = represent(field, default, record)
elif field.type in ['blob']:
continue
elif field.type == 'upload':
inp = UploadWidget.represent(field, default, upload)
elif field.type == 'boolean':
inp = self.widgets.boolean.widget(
field, default, _disabled=True)
else:
inp = field.formatter(default)
elif field.type == 'upload':
if field.widget:
inp = field.widget(field, default, upload)
else:
inp = self.widgets.upload.widget(field, default, upload)
elif field.widget:
inp = field.widget(field, default)
elif field.type == 'boolean':
inp = self.widgets.boolean.widget(field, default)
if default:
inpval = 'checked'
else:
inpval = ''
elif OptionsWidget.has_options(field):
if not field.requires.multiple:
inp = self.widgets.options.widget(field, default)
else:
inp = self.widgets.multiple.widget(field, default)
if fieldname in keepopts:
inpval = TAG[''](*inp.components)
elif field.type.startswith('list:'):
inp = self.widgets.list.widget(field, default)
elif field.type == 'text':
inp = self.widgets.text.widget(field, default)
elif field.type == 'password':
inp = self.widgets.password.widget(field, default)
if self.record:
dspval = PasswordWidget.DEFAULT_PASSWORD_DISPLAY
else:
dspval = ''
elif field.type == 'blob':
continue
else:
field_type = widget_class.match(str(field.type)).group()
field_type = field_type in self.widgets and field_type or 'string'
inp = self.widgets[field_type].widget(field, default)
xfields.append((row_id, label, inp, comment))
self.custom.dspval[fieldname] = dspval or nbsp
self.custom.inpval[
fieldname] = inpval if not inpval is None else ''
self.custom.widget[fieldname] = inp
# if a record is provided and found, as is linkto
# build a link
if record and linkto:
db = linkto.split('/')[-1]
for rfld in table._referenced_by:
if keyed:
query = urllib.quote('%s.%s==%s' % (
db, rfld, record[rfld.type[10:].split('.')[1]]))
else:
query = urllib.quote(
'%s.%s==%s' % (db, rfld, record[self.id_field_name]))
lname = olname = '%s.%s' % (rfld.tablename, rfld.name)
if ofields and not olname in ofields:
continue
if labels and lname in labels:
lname = labels[lname]
widget = A(lname,
_class='reference',
_href='%s/%s?query=%s' % (linkto, rfld.tablename, query))
xfields.append(
(olname.replace('.', '__') + SQLFORM.ID_ROW_SUFFIX,
'', widget, col3.get(olname, '')))
self.custom.linkto[olname.replace('.', '__')] = widget
# </block>
# when deletable, add delete? checkbox
self.custom.delete = self.custom.deletable = ''
if record and deletable:
#add secondary css class for cascade delete warning
css = 'delete'
for f in self.table.fields:
on_del = self.table[f].ondelete
if isinstance(on_del,str) and 'cascade' in on_del.lower():
css += ' cascade_delete'
break
widget = INPUT(_type='checkbox',
_class=css,
_id=self.FIELDKEY_DELETE_RECORD,
_name=self.FIELDNAME_REQUEST_DELETE,
)
xfields.append(
(self.FIELDKEY_DELETE_RECORD + SQLFORM.ID_ROW_SUFFIX,
LABEL(
T(delete_label), separator,
_for=self.FIELDKEY_DELETE_RECORD,
_id=self.FIELDKEY_DELETE_RECORD + \
SQLFORM.ID_LABEL_SUFFIX),
widget,
col3.get(self.FIELDKEY_DELETE_RECORD, '')))
self.custom.delete = self.custom.deletable = widget
# when writable, add submit button
self.custom.submit = ''
if not readonly:
if 'submit' in buttons:
widget = self.custom.submit = INPUT(_type='submit',
_value=T(submit_button))
elif buttons:
widget = self.custom.submit = DIV(*buttons)
if self.custom.submit:
xfields.append(('submit_record' + SQLFORM.ID_ROW_SUFFIX,
'', widget, col3.get('submit_button', '')))
# if a record is provided and found
# make sure it's id is stored in the form
if record:
if not self['hidden']:
self['hidden'] = {}
if not keyed:
self['hidden']['id'] = record[table._id.name]
(begin, end) = self._xml()
self.custom.begin = XML("<%s %s>" % (self.tag, begin))
self.custom.end = XML("%s</%s>" % (end, self.tag))
table = self.createform(xfields)
self.components = [table]
def createform(self, xfields):
formstyle = self.formstyle
if isinstance(formstyle, basestring):
if formstyle in SQLFORM.formstyles:
formstyle = SQLFORM.formstyles[formstyle]
else:
raise RuntimeError('formstyle not found')
if callable(formstyle):
# backward compatibility, 4 argument function is the old style
args, varargs, keywords, defaults = inspect.getargspec(formstyle)
if defaults and len(args) - len(defaults) == 4 or len(args) == 4:
table = TABLE()
for id, a, b, c in xfields:
newrows = formstyle(id, a, b, c)
self.field_parent[id] = getattr(b, 'parent', None) \
if isinstance(b,XmlComponent) else None
if type(newrows).__name__ != "tuple":
newrows = [newrows]
for newrow in newrows:
table.append(newrow)
else:
table = formstyle(self, xfields)
for id, a, b, c in xfields:
self.field_parent[id] = getattr(b, 'parent', None) \
if isinstance(b,XmlComponent) else None
else:
raise RuntimeError('formstyle not supported')
return table
def accepts(
self,
request_vars,
session=None,
formname='%(tablename)s/%(record_id)s',
keepvalues=None,
onvalidation=None,
dbio=True,
hideerror=False,
detect_record_change=False,
**kwargs
):
"""
similar FORM.accepts but also does insert, update or delete in DAL.
but if detect_record_change == True than:
form.record_changed = False (record is properly validated/submitted)
form.record_changed = True (record cannot be submitted because changed)
elseif detect_record_change == False than:
form.record_changed = None
"""
if keepvalues is None:
keepvalues = True if self.record else False
if self.readonly:
return False
if request_vars.__class__.__name__ == 'Request':
request_vars = request_vars.post_vars
keyed = hasattr(self.table, '_primarykey')
# implement logic to detect whether record exist but has been modified
# server side
self.record_changed = None
self.detect_record_change = detect_record_change
if self.detect_record_change:
if self.record:
self.record_changed = False
serialized = '|'.join(
str(self.record[k]) for k in self.table.fields())
self.record_hash = md5_hash(serialized)
# logic to deal with record_id for keyed tables
if self.record:
if keyed:
formname_id = '.'.join(str(self.record[k])
for k in self.table._primarykey
if hasattr(self.record, k))
record_id = dict((k, request_vars.get(k, None))
for k in self.table._primarykey)
else:
(formname_id, record_id) = (self.record[self.id_field_name],
request_vars.get('id', None))
keepvalues = True
else:
if keyed:
formname_id = 'create'
record_id = dict([(k, None) for k in self.table._primarykey])
else:
(formname_id, record_id) = ('create', None)
if not keyed and isinstance(record_id, (list, tuple)):
record_id = record_id[0]
if formname:
formname = formname % dict(tablename=self.table._tablename,
record_id=formname_id)
# ## THIS IS FOR UNIQUE RECORDS, read IS_NOT_IN_DB
for fieldname in self.fields:
field = self.table[fieldname]
requires = field.requires or []
if not isinstance(requires, (list, tuple)):
requires = [requires]
[item.set_self_id(self.record_id) for item in requires
if hasattr(item, 'set_self_id') and self.record_id]
# ## END
fields = {}
for key in self.vars:
fields[key] = self.vars[key]
ret = FORM.accepts(
self,
request_vars,
session,
formname,
keepvalues,
onvalidation,
hideerror=hideerror,
**kwargs
)
self.deleted = \
request_vars.get(self.FIELDNAME_REQUEST_DELETE, False)
self.custom.end = TAG[''](self.hidden_fields(), self.custom.end)
auch = record_id and self.errors and self.deleted
if self.record_changed and self.detect_record_change:
message_onchange = \
kwargs.setdefault("message_onchange",
current.T("A record change was detected. " +
"Consecutive update self-submissions " +
"are not allowed. Try re-submitting or " +
"refreshing the form page."))
if message_onchange is not None:
current.response.flash = message_onchange
return ret
elif (not ret) and (not auch):
# auch is true when user tries to delete a record
# that does not pass validation, yet it should be deleted
for fieldname in self.fields:
field = self.table[fieldname]
### this is a workaround! widgets should always have default not None!
if not field.widget and field.type.startswith('list:') and \
not OptionsWidget.has_options(field):
field.widget = self.widgets.list.widget
if field.widget and fieldname in request_vars:
if fieldname in self.request_vars:
value = self.request_vars[fieldname]
elif self.record:
value = self.record[fieldname]
else:
value = self.table[fieldname].default
if field.type.startswith('list:') and isinstance(value, str):
value = [value]
row_id = '%s_%s%s' % (
self.table, fieldname, SQLFORM.ID_ROW_SUFFIX)
widget = field.widget(field, value)
parent = self.field_parent[row_id]
if parent:
parent.components = [widget]
if self.errors.get(fieldname):
parent._traverse(False, hideerror)
self.custom.widget[fieldname] = widget
self.accepted = ret
return ret
if record_id and str(record_id) != str(self.record_id):
raise SyntaxError('user is tampering with form\'s record_id: '
'%s != %s' % (record_id, self.record_id))
if record_id and dbio and not keyed:
self.vars.id = self.record[self.id_field_name]
if self.deleted and self.custom.deletable:
if dbio:
if keyed:
qry = reduce(lambda x, y: x & y,
[self.table[k] == record_id[k]
for k in self.table._primarykey])
else:
qry = self.table._id == self.record[self.id_field_name]
self.table._db(qry).delete()
self.errors.clear()
for component in self.elements('input, select, textarea'):
component['_disabled'] = True
self.accepted = True
return True
for fieldname in self.fields:
if not fieldname in self.table.fields:
continue
if not self.ignore_rw and not self.table[fieldname].writable:
### this happens because FORM has no knowledge of writable
### and thinks that a missing boolean field is a None
if self.table[fieldname].type == 'boolean' and \
self.vars.get(fieldname, True) is None:
del self.vars[fieldname]
continue
field = self.table[fieldname]
if field.type == 'id':
continue
if field.type == 'boolean':
if self.vars.get(fieldname, False):
self.vars[fieldname] = fields[fieldname] = True
else:
self.vars[fieldname] = fields[fieldname] = False
elif field.type == 'password' and self.record\
and request_vars.get(fieldname, None) == \
PasswordWidget.DEFAULT_PASSWORD_DISPLAY:
continue # do not update if password was not changed
elif field.type == 'upload':
f = self.vars[fieldname]
fd = '%s__delete' % fieldname
if f == '' or f is None:
if self.vars.get(fd, False):
f = self.table[fieldname].default or ''
fields[fieldname] = f
elif self.record:
if self.record[fieldname]:
fields[fieldname] = self.record[fieldname]
else:
f = self.table[fieldname].default or ''
fields[fieldname] = f
else:
f = self.table[fieldname].default or ''
fields[fieldname] = f
self.vars[fieldname] = fields[fieldname]
if not f:
continue
else:
f = os.path.join(
current.request.folder,
os.path.normpath(f))
source_file = open(f, 'rb')
original_filename = os.path.split(f)[1]
elif hasattr(f, 'file'):
(source_file, original_filename) = (f.file, f.filename)
elif isinstance(f, (str, unicode)):
### do not know why this happens, it should not
(source_file, original_filename) = \
(cStringIO.StringIO(f), 'file.txt')
else:
# this should never happen, why does it happen?
print 'f=',repr(f)
continue
newfilename = field.store(source_file, original_filename,
field.uploadfolder)
# this line was for backward compatibility but problematic
# self.vars['%s_newfilename' % fieldname] = newfilename
fields[fieldname] = newfilename
if isinstance(field.uploadfield, str):
fields[field.uploadfield] = source_file.read()
# proposed by Hamdy (accept?) do we need fields at this point?
self.vars[fieldname] = fields[fieldname]
continue
elif fieldname in self.vars:
fields[fieldname] = self.vars[fieldname]
elif field.default is None and field.type != 'blob':
self.errors[fieldname] = 'no data'
self.accepted = False
return False
value = fields.get(fieldname, None)
if field.type == 'list:string':
if not isinstance(value, (tuple, list)):
fields[fieldname] = value and [value] or []
elif isinstance(field.type, str) and field.type.startswith('list:'):
if not isinstance(value, list):
fields[fieldname] = [safe_int(
x) for x in (value and [value] or [])]
elif field.type == 'integer':
if not value is None:
fields[fieldname] = safe_int(value)
elif field.type.startswith('reference'):
if not value is None and isinstance(self.table, Table) and not keyed:
fields[fieldname] = safe_int(value)
elif field.type == 'double':
if not value is None:
fields[fieldname] = safe_float(value)
for fieldname in self.vars:
if fieldname != 'id' and fieldname in self.table.fields\
and not fieldname in fields and not fieldname\
in request_vars:
fields[fieldname] = self.vars[fieldname]
if dbio:
if 'delete_this_record' in fields:
# this should never happen but seems to happen to some
del fields['delete_this_record']
for field in self.table:
if not field.name in fields and field.writable is False \
and field.update is None and field.compute is None:
if record_id and self.record:
fields[field.name] = self.record[field.name]
elif not self.table[field.name].default is None:
fields[field.name] = self.table[field.name].default
if keyed:
if reduce(lambda x, y: x and y, record_id.values()): # if record_id
if fields:
qry = reduce(lambda x, y: x & y,
[self.table[k] == self.record[k] for k in self.table._primarykey])
self.table._db(qry).update(**fields)
else:
pk = self.table.insert(**fields)
if pk:
self.vars.update(pk)
else:
ret = False
else:
if record_id:
self.vars.id = self.record[self.id_field_name]
if fields:
self.table._db(self.table._id == self.record[
self.id_field_name]).update(**fields)
else:
self.vars.id = self.table.insert(**fields)
self.accepted = ret
return ret
AUTOTYPES = {
type(''): ('string', None),
type(True): ('boolean', None),
type(1): ('integer', IS_INT_IN_RANGE(-1e12, +1e12)),
type(1.0): ('double', IS_FLOAT_IN_RANGE()),
type([]): ('list:string', None),
type(datetime.date.today()): ('date', IS_DATE()),
type(datetime.datetime.today()): ('datetime', IS_DATETIME())
}
@staticmethod
def dictform(dictionary, **kwargs):
fields = []
for key, value in sorted(dictionary.items()):
t, requires = SQLFORM.AUTOTYPES.get(type(value), (None, None))
if t:
fields.append(Field(key, t, requires=requires,
default=value))
return SQLFORM.factory(*fields, **kwargs)
@staticmethod
def smartdictform(session, name, filename=None, query=None, **kwargs):
import os
if query:
session[name] = query.db(query).select().first().as_dict()
elif os.path.exists(filename):
env = {'datetime': datetime}
session[name] = eval(open(filename).read(), {}, env)
form = SQLFORM.dictform(session[name])
if form.process().accepted:
session[name].update(form.vars)
if query:
query.db(query).update(**form.vars)
else:
open(filename, 'w').write(repr(session[name]))
return form
@staticmethod
def factory(*fields, **attributes):
"""
generates a SQLFORM for the given fields.
Internally will build a non-database based data model
to hold the fields.
"""
# Define a table name, this way it can be logical to our CSS.
# And if you switch from using SQLFORM to SQLFORM.factory
# your same css definitions will still apply.
table_name = attributes.get('table_name', 'no_table')
# So it won't interfere with SQLDB.define_table
if 'table_name' in attributes:
del attributes['table_name']
return SQLFORM(DAL(None).define_table(table_name, *fields),
**attributes)
@staticmethod
def build_query(fields, keywords):
request = current.request
if isinstance(keywords, (tuple, list)):
keywords = keywords[0]
request.vars.keywords = keywords
key = keywords.strip()
if key and not ' ' in key and not '"' in key and not "'" in key:
SEARCHABLE_TYPES = ('string', 'text', 'list:string')
parts = [field.contains(
key) for field in fields if field.type in SEARCHABLE_TYPES]
else:
parts = None
if parts:
return reduce(lambda a, b: a | b, parts)
else:
return smart_query(fields, key)
@staticmethod
def search_menu(fields,
search_options=None,
prefix='w2p'
):
T = current.T
panel_id='%s_query_panel' % prefix
fields_id='%s_query_fields' % prefix
keywords_id='%s_keywords' % prefix
field_id='%s_field' % prefix
value_id='%s_value' % prefix
search_options = search_options or {
'string': ['=', '!=', '<', '>', '<=', '>=', 'starts with', 'contains', 'in', 'not in'],
'text': ['=', '!=', '<', '>', '<=', '>=', 'starts with', 'contains', 'in', 'not in'],
'date': ['=', '!=', '<', '>', '<=', '>='],
'time': ['=', '!=', '<', '>', '<=', '>='],
'datetime': ['=', '!=', '<', '>', '<=', '>='],
'integer': ['=', '!=', '<', '>', '<=', '>=', 'in', 'not in'],
'double': ['=', '!=', '<', '>', '<=', '>='],
'id': ['=', '!=', '<', '>', '<=', '>=', 'in', 'not in'],
'reference': ['=', '!='],
'boolean': ['=', '!=']}
if fields[0]._db._adapter.dbengine == 'google:datastore':
search_options['string'] = ['=', '!=', '<', '>', '<=', '>=']
search_options['text'] = ['=', '!=', '<', '>', '<=', '>=']
search_options['list:string'] = ['contains']
search_options['list:integer'] = ['contains']
search_options['list:reference'] = ['contains']
criteria = []
selectfields = []
for field in fields:
name = str(field).replace('.', '-')
# treat ftype 'decimal' as 'double'
# (this fixes problems but needs refactoring!
ftype = field.type.split(' ')[0]
if ftype.startswith('decimal'): ftype = 'double'
elif ftype=='bigint': ftype = 'integer'
elif ftype.startswith('big-'): ftype = ftype[4:]
# end
options = search_options.get(ftype, None)
if options:
label = isinstance(
field.label, str) and T(field.label) or field.label
selectfields.append(OPTION(label, _value=str(field)))
operators = SELECT(*[OPTION(T(option), _value=option) for option in options])
_id = "%s_%s" % (value_id,name)
if field.type == 'boolean':
value_input = SQLFORM.widgets.boolean.widget(field,field.default,_id=_id)
elif field.type == 'double':
value_input = SQLFORM.widgets.double.widget(field,field.default,_id=_id)
elif field.type == 'time':
value_input = SQLFORM.widgets.time.widget(field,field.default,_id=_id)
elif field.type == 'date':
value_input = SQLFORM.widgets.date.widget(field,field.default,_id=_id)
elif field.type == 'datetime':
value_input = SQLFORM.widgets.datetime.widget(field,field.default,_id=_id)
elif (field.type.startswith('reference ') or
field.type.startswith('list:reference ')) and \
hasattr(field.requires,'options'):
value_input = SELECT(
*[OPTION(v, _value=k)
for k,v in field.requires.options()],
**dict(_id=_id))
elif field.type == 'integer' or \
field.type.startswith('reference ') or \
field.type.startswith('list:integer') or \
field.type.startswith('list:reference '):
value_input = SQLFORM.widgets.integer.widget(field,field.default,_id=_id)
else:
value_input = INPUT(
_type='text', _id=_id, _class=field.type)
new_button = INPUT(
_type="button", _value=T('New'), _class="btn",
_onclick="%s_build_query('new','%s')" % (prefix,field))
and_button = INPUT(
_type="button", _value=T('And'), _class="btn",
_onclick="%s_build_query('and','%s')" % (prefix, field))
or_button = INPUT(
_type="button", _value=T('Or'), _class="btn",
_onclick="%s_build_query('or','%s')" % (prefix, field))
close_button = INPUT(
_type="button", _value=T('Close'), _class="btn",
_onclick="jQuery('#%s').slideUp()" % panel_id)
criteria.append(DIV(
operators, value_input, new_button,
and_button, or_button, close_button,
_id='%s_%s' % (field_id, name),
_class='w2p_query_row hidden',
_style='display:inline'))
criteria.insert(0, SELECT(
_id=fields_id,
_onchange="jQuery('.w2p_query_row').hide();jQuery('#%s_'+jQuery('#%s').val().replace('.','-')).show();" % (field_id,fields_id),
_style='float:left',
*selectfields))
fadd = SCRIPT("""
jQuery('#%(fields_id)s input,#%(fields_id)s select').css(
'width','auto');
jQuery(function(){web2py_ajax_fields('#%(fields_id)s');});
function %(prefix)s_build_query(aggregator,a) {
var b=a.replace('.','-');
var option = jQuery('#%(field_id)s_'+b+' select').val();
var value = jQuery('#%(value_id)s_'+b).val().replace('"','\\\\"');
var s=a+' '+option+' "'+value+'"';
var k=jQuery('#%(keywords_id)s');
var v=k.val();
if(aggregator=='new') k.val(s); else k.val((v?(v+' '+ aggregator +' '):'')+s);
}
""" % dict(
prefix=prefix,fields_id=fields_id,keywords_id=keywords_id,
field_id=field_id,value_id=value_id
)
)
return CAT(
DIV(_id=panel_id, _style="display:none;", *criteria), fadd)
@staticmethod
def grid(query,
fields=None,
field_id=None,
left=None,
headers={},
orderby=None,
groupby=None,
searchable=True,
sortable=True,
paginate=20,
deletable=True,
editable=True,
details=True,
selectable=None,
create=True,
csv=True,
links=None,
links_in_grid=True,
upload='<default>',
args=[],
user_signature=True,
maxtextlengths={},
maxtextlength=20,
onvalidation=None,
onfailure=None,
oncreate=None,
onupdate=None,
ondelete=None,
sorter_icons=(XML('↑'), XML('↓')),
ui = 'web2py',
showbuttontext=True,
_class="web2py_grid",
formname='web2py_grid',
search_widget='default',
ignore_rw = False,
formstyle = 'table3cols',
exportclasses = None,
formargs={},
createargs={},
editargs={},
viewargs={},
selectable_submit_button='Submit',
buttons_placement = 'right',
links_placement = 'right',
noconfirm=False,
cache_count=None
):
# jQuery UI ThemeRoller classes (empty if ui is disabled)
if ui == 'jquery-ui':
ui = dict(widget='ui-widget',
header='ui-widget-header',
content='ui-widget-content',
default='ui-state-default',
cornerall='ui-corner-all',
cornertop='ui-corner-top',
cornerbottom='ui-corner-bottom',
button='ui-button-text-icon-primary',
buttontext='ui-button-text',
buttonadd='ui-icon ui-icon-plusthick',
buttonback='ui-icon ui-icon-arrowreturnthick-1-w',
buttonexport='ui-icon ui-icon-transferthick-e-w',
buttondelete='ui-icon ui-icon-trash',
buttonedit='ui-icon ui-icon-pencil',
buttontable='ui-icon ui-icon-triangle-1-e',
buttonview='ui-icon ui-icon-zoomin',
)
elif ui == 'web2py':
ui = dict(widget='',
header='',
content='',
default='',
cornerall='',
cornertop='',
cornerbottom='',
button='button btn',
buttontext='buttontext button',
buttonadd='icon plus icon-plus',
buttonback='icon leftarrow icon-arrow-left',
buttonexport='icon downarrow icon-download',
buttondelete='icon trash icon-trash',
buttonedit='icon pen icon-pencil',
buttontable='icon rightarrow icon-arrow-right',
buttonview='icon magnifier icon-zoom-in',
)
elif not isinstance(ui, dict):
raise RuntimeError('SQLFORM.grid ui argument must be a dictionary')
db = query._db
T = current.T
request = current.request
session = current.session
response = current.response
logged = session.auth and session.auth.user
wenabled = (not user_signature or logged)
create = wenabled and create
editable = wenabled and editable
deletable = wenabled and deletable
rows = None
def fetch_count(dbset):
##FIXME for google:datastore cache_count is ignored
## if it's not an integer
if cache_count is None or isinstance(cache_count, tuple):
if groupby:
c = 'count(*)'
nrows = db.executesql(
'select count(*) from (%s);' %
dbset._select(c, left=left, cacheable=True,
groupby=groupby, cache=cache_count)[:-1])[0][0]
elif left:
c = 'count(*)'
nrows = dbset.select(c, left=left, cacheable=True, cache=cache_count).first()[c]
elif dbset._db._adapter.dbengine=='google:datastore':
#if we don't set a limit, this can timeout for a large table
nrows = dbset.db._adapter.count(dbset.query, limit=1000)
else:
nrows = dbset.count(cache=cache_count)
elif isinstance(cache_count, (int, long)):
nrows = cache_count
elif callable(cache_count):
nrows = cache_count(dbset, request.vars)
else:
nrows = 0
return nrows
def url(**b):
b['args'] = args + b.get('args', [])
localvars = request.get_vars.copy()
localvars.update(b.get('vars', {}))
b['vars'] = localvars
b['hash_vars'] = False
b['user_signature'] = user_signature
return URL(**b)
def url2(**b):
b['args'] = request.args + b.get('args', [])
localvars = request.get_vars.copy()
localvars.update(b.get('vars', {}))
b['vars'] = localvars
b['hash_vars'] = False
b['user_signature'] = user_signature
return URL(**b)
referrer = session.get('_web2py_grid_referrer_' + formname, url())
# if not user_signature every action is accessible
# else forbid access unless
# - url is based url
# - url has valid signature (vars are not signed, only path_info)
# = url does not contain 'create','delete','edit' (readonly)
if user_signature:
if not (
'/'.join(str(a) for a in args) == '/'.join(request.args) or
URL.verify(request,user_signature=user_signature,
hash_vars=False) or
(request.args(len(args))=='view' and not logged)):
session.flash = T('not authorized')
redirect(referrer)
def gridbutton(buttonclass='buttonadd', buttontext=T('Add'),
buttonurl=url(args=[]), callback=None,
delete=None, trap=True, noconfirm=None):
if showbuttontext:
return A(SPAN(_class=ui.get(buttonclass)),
SPAN(T(buttontext), _title=buttontext,
_class=ui.get('buttontext')),
_href=buttonurl,
callback=callback,
delete=delete,
noconfirm=noconfirm,
_class=trap_class(ui.get('button'), trap))
else:
return A(SPAN(_class=ui.get(buttonclass)),
_href=buttonurl,
callback=callback,
delete=delete,
noconfirm=noconfirm,
_title=buttontext,
_class=trap_class(ui.get('buttontext'), trap))
dbset = db(query)
tablenames = db._adapter.tables(dbset.query)
if left is not None:
if not isinstance(left, (list, tuple)):
left = [left]
for join in left:
tablenames += db._adapter.tables(join)
tables = [db[tablename] for tablename in tablenames]
if not fields:
fields = reduce(lambda a, b: a + b,
[[field for field in table] for table in tables])
if not field_id:
field_id = tables[0]._id
columns = [str(field) for field in fields
if field._tablename in tablenames]
if not any(str(f)==str(field_id) for f in fields):
fields = [f for f in fields]+[field_id]
table = field_id.table
tablename = table._tablename
if upload == '<default>':
upload = lambda filename: url(args=['download', filename])
if request.args(-2) == 'download':
stream = response.download(request, db)
raise HTTP(200, stream, **response.headers)
def buttons(edit=False, view=False, record=None):
buttons = DIV(gridbutton('buttonback', 'Back', referrer),
_class='form_header row_buttons %(header)s %(cornertop)s' % ui)
if edit and (not callable(edit) or edit(record)):
args = ['edit', table._tablename, request.args[-1]]
buttons.append(gridbutton('buttonedit', 'Edit',
url(args=args)))
if view:
args = ['view', table._tablename, request.args[-1]]
buttons.append(gridbutton('buttonview', 'View',
url(args=args)))
if record and links:
for link in links:
if isinstance(link, dict):
buttons.append(link['body'](record))
elif link(record):
buttons.append(link(record))
return buttons
def linsert(lst, i, x):
"""
a = [1,2]
linsert(a, 1, [0,3])
a = [1, 0, 3, 2]
"""
lst[i:i] = x
formfooter = DIV(
_class='form_footer row_buttons %(header)s %(cornerbottom)s' % ui)
create_form = update_form = view_form = search_form = None
sqlformargs = dict(formargs)
if create and request.args(-2) == 'new':
table = db[request.args[-1]]
sqlformargs.update(createargs)
create_form = SQLFORM(
table, ignore_rw=ignore_rw, formstyle=formstyle,
_class='web2py_form',
**sqlformargs)
create_form.process(formname=formname,
next=referrer,
onvalidation=onvalidation,
onfailure=onfailure,
onsuccess=oncreate)
res = DIV(buttons(), create_form, formfooter, _class=_class)
res.create_form = create_form
res.update_form = update_form
res.view_form = view_form
res.search_form = search_form
res.rows = None
return res
elif details and request.args(-3) == 'view':
table = db[request.args[-2]]
record = table(request.args[-1]) or redirect(referrer)
sqlformargs.update(viewargs)
view_form = SQLFORM(
table, record, upload=upload, ignore_rw=ignore_rw,
formstyle=formstyle, readonly=True, _class='web2py_form',
**sqlformargs)
res = DIV(buttons(edit=editable, record=record), view_form,
formfooter, _class=_class)
res.create_form = create_form
res.update_form = update_form
res.view_form = view_form
res.search_form = search_form
res.rows = None
return res
elif editable and request.args(-3) == 'edit':
table = db[request.args[-2]]
record = table(request.args[-1]) or redirect(URL('error'))
sqlformargs.update(editargs)
deletable_ = deletable(record) if callable(deletable) else deletable
update_form = SQLFORM(
table,
record, upload=upload, ignore_rw=ignore_rw,
formstyle=formstyle, deletable=deletable_,
_class='web2py_form',
submit_button=T('Submit'),
delete_label=T('Check to delete'),
**sqlformargs)
update_form.process(
formname=formname,
onvalidation=onvalidation,
onfailure=onfailure,
onsuccess=onupdate,
next=referrer)
res = DIV(buttons(view=details, record=record),
update_form, formfooter, _class=_class)
res.create_form = create_form
res.update_form = update_form
res.view_form = view_form
res.search_form = search_form
res.rows = None
return res
elif deletable and request.args(-3) == 'delete':
table = db[request.args[-2]]
if not callable(deletable):
if ondelete:
ondelete(table, request.args[-1])
db(table[table._id.name] == request.args[-1]).delete()
else:
record = table(request.args[-1]) or redirect(URL('error'))
if deletable(record):
if ondelete:
ondelete(table, request.args[-1])
record.delete_record()
redirect(referrer)
exportManager = dict(
csv_with_hidden_cols=(ExporterCSV, 'CSV (hidden cols)'),
csv=(ExporterCSV, 'CSV'),
xml=(ExporterXML, 'XML'),
html=(ExporterHTML, 'HTML'),
json=(ExporterJSON, 'JSON'),
tsv_with_hidden_cols=
(ExporterTSV, 'TSV (Excel compatible, hidden cols)'),
tsv=(ExporterTSV, 'TSV (Excel compatible)'))
if not exportclasses is None:
"""
remember: allow to set exportclasses=dict(csv=False) to disable the csv format
"""
exportManager.update(exportclasses)
export_type = request.vars._export_type
if export_type:
order = request.vars.order or ''
if sortable:
if order and not order == 'None':
if order[:1] == '~':
sign, rorder = '~', order[1:]
else:
sign, rorder = '', order
tablename, fieldname = rorder.split('.', 1)
orderby = db[tablename][fieldname]
if sign == '~':
orderby = ~orderby
expcolumns = columns
if export_type.endswith('with_hidden_cols'):
expcolumns = []
for table in tables:
for field in table:
if field.readable and field._tablename in tablenames:
expcolumns.append(field)
if export_type in exportManager and exportManager[export_type]:
if request.vars.keywords:
try:
dbset = dbset(SQLFORM.build_query(
fields, request.vars.get('keywords', '')))
rows = dbset.select(cacheable=True, *expcolumns)
except Exception, e:
response.flash = T('Internal Error')
rows = []
else:
rows = dbset.select(left=left, orderby=orderby,
cacheable=True, *expcolumns)
value = exportManager[export_type]
clazz = value[0] if hasattr(value, '__getitem__') else value
oExp = clazz(rows)
filename = '.'.join(('rows', oExp.file_ext))
response.headers['Content-Type'] = oExp.content_type
response.headers['Content-Disposition'] = \
'attachment;filename=' + filename + ';'
raise HTTP(200, oExp.export(), **response.headers)
elif request.vars.records and not isinstance(
request.vars.records, list):
request.vars.records = [request.vars.records]
elif not request.vars.records:
request.vars.records = []
session['_web2py_grid_referrer_' + formname] = \
url2(vars=request.get_vars)
console = DIV(_class='web2py_console %(header)s %(cornertop)s' % ui)
error = None
if create:
add = gridbutton(
buttonclass='buttonadd',
buttontext=T('Add'),
buttonurl=url(args=['new', tablename]))
if not searchable:
console.append(add)
else:
add = ''
if searchable:
sfields = reduce(lambda a, b: a + b,
[[f for f in t if f.readable] for t in tables])
if isinstance(search_widget, dict):
search_widget = search_widget[tablename]
if search_widget == 'default':
prefix = formname == 'web2py_grid' and 'w2p' or 'w2p_%s' % formname
search_menu = SQLFORM.search_menu(sfields, prefix=prefix)
spanel_id = '%s_query_fields' % prefix
sfields_id = '%s_query_panel' % prefix
skeywords_id = '%s_keywords' % prefix
search_widget = lambda sfield, url: CAT(FORM(
INPUT(_name='keywords', _value=request.vars.keywords,
_id=skeywords_id,
_onfocus="jQuery('#%s').change();jQuery('#%s').slideDown();" % (spanel_id, sfields_id)),
INPUT(_type='submit', _value=T('Search'), _class="btn"),
INPUT(_type='submit', _value=T('Clear'), _class="btn",
_onclick="jQuery('#%s').val('');" % skeywords_id),
_method="GET", _action=url), search_menu)
form = search_widget and search_widget(sfields, url()) or ''
console.append(add)
console.append(form)
keywords = request.vars.get('keywords', '')
try:
if callable(searchable):
subquery = searchable(sfields, keywords)
else:
subquery = SQLFORM.build_query(sfields, keywords)
except RuntimeError:
subquery = None
error = T('Invalid query')
else:
subquery = None
if subquery:
dbset = dbset(subquery)
try:
nrows = fetch_count(dbset)
except:
nrows = 0
error = T('Unsupported query')
order = request.vars.order or ''
if sortable:
if order and not order == 'None':
tablename, fieldname = order.split('~')[-1].split('.', 1)
sort_field = db[tablename][fieldname]
exception = sort_field.type in ('date', 'datetime', 'time')
if exception:
orderby = (order[:1] == '~' and sort_field) or ~sort_field
else:
orderby = (order[:1] == '~' and ~sort_field) or sort_field
headcols = []
if selectable:
headcols.append(TH(_class=ui.get('default')))
for field in fields:
if columns and not str(field) in columns:
continue
if not field.readable:
continue
key = str(field)
header = headers.get(str(field), field.label or key)
if sortable:
if key == order:
key, marker = '~' + order, sorter_icons[0]
elif key == order[1:]:
marker = sorter_icons[1]
else:
marker = ''
header = A(header, marker, _href=url(vars=dict(
keywords=request.vars.keywords or '',
order=key)), _class=trap_class())
headcols.append(TH(header, _class=ui.get('default')))
toadd = []
if links and links_in_grid:
for link in links:
if isinstance(link, dict):
toadd.append(TH(link['header'], _class=ui.get('default')))
if links_placement in ['right', 'both']:
headcols.extend(toadd)
if links_placement in ['left', 'both']:
linsert(headcols, 0, toadd)
# Include extra column for buttons if needed.
include_buttons_column = (details or editable or deletable or
(links and links_in_grid and
not all([isinstance(link, dict) for link in links])))
if include_buttons_column:
if buttons_placement in ['right', 'both']:
headcols.append(TH(_class=ui.get('default','')))
if buttons_placement in ['left', 'both']:
headcols.insert(0, TH(_class=ui.get('default','')))
head = TR(*headcols, **dict(_class=ui.get('header')))
cursor = True
#figure out what page we are one to setup the limitby
if paginate and dbset._db._adapter.dbengine=='google:datastore':
cursor = request.vars.cursor or True
limitby = (0, paginate)
try: page = int(request.vars.page or 1)-1
except ValueError: page = 0
elif paginate and paginate<nrows:
try: page = int(request.vars.page or 1)-1
except ValueError: page = 0
limitby = (paginate*page,paginate*(page+1))
else:
limitby = None
try:
table_fields = [f for f in fields if f._tablename in tablenames]
if dbset._db._adapter.dbengine=='google:datastore':
rows = dbset.select(left=left,orderby=orderby,
groupby=groupby,limitby=limitby,
reusecursor=cursor,
cacheable=True,*table_fields)
next_cursor = dbset._db.get('_lastcursor', None)
else:
rows = dbset.select(left=left,orderby=orderby,
groupby=groupby,limitby=limitby,
cacheable=True,*table_fields)
except SyntaxError:
rows = None
next_cursor = None
error = T("Query Not Supported")
except Exception, e:
rows = None
next_cursor = None
error = T("Query Not Supported: %s")%e
message = error
if not message and nrows:
if dbset._db._adapter.dbengine=='google:datastore' and nrows>=1000:
message = T('at least %(nrows)s records found') % dict(nrows=nrows)
else:
message = T('%(nrows)s records found') % dict(nrows=nrows)
console.append(DIV(message or T('None'),_class='web2py_counter'))
paginator = UL()
if paginate and dbset._db._adapter.dbengine=='google:datastore':
#this means we may have a large table with an unknown number of rows.
try:
page = int(request.vars.page or 1)-1
except ValueError:
page = 0
paginator.append(LI('page %s'%(page+1)))
if next_cursor:
d = dict(page=page+2, cursor=next_cursor)
if order: d['order']=order
if request.vars.keywords: d['keywords']=request.vars.keywords
paginator.append(LI(
A('next',_href=url(vars=d),_class=trap_class())))
elif paginate and paginate<nrows:
npages, reminder = divmod(nrows, paginate)
if reminder:
npages += 1
try:
page = int(request.vars.page or 1) - 1
except ValueError:
page = 0
def self_link(name, p):
d = dict(page=p + 1)
if order:
d['order'] = order
if request.vars.keywords:
d['keywords'] = request.vars.keywords
return A(name, _href=url(vars=d), _class=trap_class())
NPAGES = 5 # window is 2*NPAGES
if page > NPAGES + 1:
paginator.append(LI(self_link('<<', 0)))
if page > NPAGES:
paginator.append(LI(self_link('<', page - 1)))
pages = range(max(0, page - NPAGES), min(page + NPAGES, npages))
for p in pages:
if p == page:
paginator.append(LI(A(p + 1, _onclick='return false'),
_class=trap_class('current')))
else:
paginator.append(LI(self_link(p + 1, p)))
if page < npages - NPAGES:
paginator.append(LI(self_link('>', page + 1)))
if page < npages - NPAGES - 1:
paginator.append(LI(self_link('>>', npages - 1)))
else:
limitby = None
if rows:
htmltable = TABLE(THEAD(head))
tbody = TBODY()
numrec = 0
for row in rows:
trcols = []
id = row[field_id]
if selectable:
trcols.append(
INPUT(_type="checkbox", _name="records", _value=id,
value=request.vars.records))
for field in fields:
if not str(field) in columns:
continue
if not field.readable:
continue
if field.type == 'blob':
continue
value = row[field]
maxlength = maxtextlengths.get(str(field), maxtextlength)
if field.represent:
try:
value = field.represent(value, row)
except KeyError:
try:
value = field.represent(
value, row[field._tablename])
except KeyError:
pass
elif field.type == 'boolean':
value = INPUT(_type="checkbox", _checked=value,
_disabled=True)
elif field.type == 'upload':
if value:
if callable(upload):
value = A(
T('file'), _href=upload(value))
elif upload:
value = A(T('file'),
_href='%s/%s' % (upload, value))
else:
value = ''
if isinstance(value, str):
value = truncate_string(value, maxlength)
elif not isinstance(value, DIV):
value = field.formatter(value)
trcols.append(TD(value))
row_buttons = TD(_class='row_buttons',_nowrap=True)
if links and links_in_grid:
toadd = []
for link in links:
if isinstance(link, dict):
toadd.append(TD(link['body'](row)))
else:
if link(row):
row_buttons.append(link(row))
if links_placement in ['right', 'both']:
trcols.extend(toadd)
if links_placement in ['left', 'both']:
linsert(trcols, 0, toadd)
if include_buttons_column:
if details and (not callable(details) or details(row)):
row_buttons.append(gridbutton(
'buttonview', 'View',
url(args=['view', tablename, id])))
if editable and (not callable(editable) or editable(row)):
row_buttons.append(gridbutton(
'buttonedit', 'Edit',
url(args=['edit', tablename, id])))
if deletable and (not callable(deletable) or deletable(row)):
row_buttons.append(gridbutton(
'buttondelete', 'Delete',
url(args=['delete', tablename, id]),
callback=url(args=['delete', tablename, id]),
noconfirm=noconfirm,
delete='tr'))
if buttons_placement in ['right', 'both']:
trcols.append(row_buttons)
if buttons_placement in ['left', 'both']:
trcols.insert(0, row_buttons)
if numrec % 2 == 0:
classtr = 'even'
else:
classtr = 'odd'
numrec += 1
if id:
rid = id
if callable(rid): # can this ever be callable?
rid = rid(row)
tr = TR(*trcols, **dict(
_id=rid,
_class='%s %s' % (classtr, 'with_id')))
else:
tr = TR(*trcols, **dict(_class=classtr))
tbody.append(tr)
htmltable.append(tbody)
htmltable = DIV(
htmltable, _class='web2py_htmltable',
_style='width:100%;overflow-x:auto;-ms-overflow-x:scroll')
if selectable:
htmltable = FORM(htmltable, INPUT(
_type="submit", _value=T(selectable_submit_button)))
if htmltable.process(formname=formname).accepted:
htmltable.vars.records = htmltable.vars.records or []
htmltable.vars.records = htmltable.vars.records if type(htmltable.vars.records) == list else [htmltable.vars.records]
records = [int(r) for r in htmltable.vars.records]
selectable(records)
redirect(referrer)
else:
htmltable = DIV(T('No records found'))
if csv and nrows:
export_links = []
for k, v in sorted(exportManager.items()):
if not v:
continue
label = v[1] if hasattr(v, "__getitem__") else k
link = url2(vars=dict(
order=request.vars.order or '',
_export_type=k,
keywords=request.vars.keywords or ''))
export_links.append(A(T(label), _href=link))
export_menu = \
DIV(T('Export:'), _class="w2p_export_menu", *export_links)
else:
export_menu = None
res = DIV(console, DIV(htmltable, _class="web2py_table"),
_class='%s %s' % (_class, ui.get('widget')))
if paginator.components:
res.append(
DIV(paginator,
_class="web2py_paginator %(header)s %(cornerbottom)s" % ui))
if export_menu:
res.append(export_menu)
res.create_form = create_form
res.update_form = update_form
res.view_form = view_form
res.search_form = search_form
res.rows = rows
return res
@staticmethod
def smartgrid(table, constraints=None, linked_tables=None,
links=None, links_in_grid=True,
args=None, user_signature=True,
divider='>', breadcrumbs_class='',
**kwargs):
"""
@auth.requires_login()
def index():
db.define_table('person',Field('name'),format='%(name)s')
db.define_table('dog',
Field('name'),Field('owner',db.person),format='%(name)s')
db.define_table('comment',Field('body'),Field('dog',db.dog))
if db(db.person).isempty():
from gluon.contrib.populate import populate
populate(db.person,300)
populate(db.dog,300)
populate(db.comment,1000)
db.commit()
form=SQLFORM.smartgrid(db[request.args(0) or 'person']) #***
return dict(form=form)
*** builds a complete interface to navigate all tables links
to the request.args(0)
table: pagination, search, view, edit, delete,
children, parent, etc.
constraints is a dict {'table':query} that limits which
records can be accessible
links is a dict like
{'tablename':[lambda row: A(....), ...]}
that will add buttons when table tablename is displayed
linked_tables is a optional list of tablenames of tables
to be linked
"""
request, T = current.request, current.T
if args is None:
args = []
def url(**b):
b['args'] = request.args[:nargs] + b.get('args', [])
b['hash_vars'] = False
b['user_signature'] = user_signature
return URL(**b)
db = table._db
breadcrumbs = []
if request.args(len(args)) != table._tablename:
request.args[:] = args + [table._tablename]
if links is None:
links = {}
if constraints is None:
constraints = {}
field = None
name = None
def format(table,row):
if not row:
return T('Unknown')
elif isinstance(table._format,str):
return table._format % row
elif callable(table._format):
return table._format(row)
else:
return '#'+str(row.id)
try:
nargs = len(args) + 1
previous_tablename, previous_fieldname, previous_id = \
table._tablename, None, None
while len(request.args) > nargs:
key = request.args(nargs)
if '.' in key:
id = request.args(nargs + 1)
tablename, fieldname = key.split('.', 1)
table = db[tablename]
field = table[fieldname]
field.default = id
referee = field.type[10:]
if referee != previous_tablename:
raise HTTP(400)
cond = constraints.get(referee, None)
if cond:
record = db(
db[referee]._id == id)(cond).select().first()
else:
record = db[referee](id)
if previous_id:
if record[previous_fieldname] != int(previous_id):
raise HTTP(400)
previous_tablename, previous_fieldname, previous_id = \
tablename, fieldname, id
name = format(db[referee],record)
breadcrumbs.append(
LI(A(T(db[referee]._plural),
_class=trap_class(),
_href=url()),
SPAN(divider, _class='divider'),
_class='w2p_grid_breadcrumb_elem'))
if kwargs.get('details', True):
breadcrumbs.append(
LI(A(name, _class=trap_class(),
_href=url(args=['view', referee, id])),
SPAN(divider, _class='divider'),
_class='w2p_grid_breadcrumb_elem'))
nargs += 2
else:
break
if nargs > len(args) + 1:
query = (field == id)
# cjk
# if isinstance(linked_tables, dict):
# linked_tables = linked_tables.get(table._tablename, [])
if linked_tables is None or referee in linked_tables:
field.represent = lambda id, r=None, referee=referee, rep=field.represent: A(callable(rep) and rep(id) or id, _class=trap_class(), _href=url(args=['view', referee, id]))
except (KeyError, ValueError, TypeError):
redirect(URL(args=table._tablename))
if nargs == len(args) + 1:
query = table._id != None
# filter out data info for displayed table
if table._tablename in constraints:
query = query & constraints[table._tablename]
if isinstance(links, dict):
links = links.get(table._tablename, [])
for key in 'columns,orderby,searchable,sortable,paginate,deletable,editable,details,selectable,create,fields'.split(','):
if isinstance(kwargs.get(key, None), dict):
if table._tablename in kwargs[key]:
kwargs[key] = kwargs[key][table._tablename]
else:
del kwargs[key]
check = {}
id_field_name = table._id.name
for rfield in table._referenced_by:
check[rfield.tablename] = \
check.get(rfield.tablename, []) + [rfield.name]
if isinstance(linked_tables, dict):
for tbl in linked_tables.keys():
tb = db[tbl]
if isinstance(linked_tables[tbl], list):
if len(linked_tables[tbl]) > 1:
t = T('%s(%s)' %(tbl, fld))
else:
t = T(tb._plural)
for fld in linked_tables[tbl]:
if fld not in db[tbl].fields:
raise ValueError('Field %s not in table' %fld)
args0 = tbl + '.' + fld
links.append(
lambda row, t=t, nargs=nargs, args0=args0:
A(SPAN(t), _class=trap_class(), _href=url(
args=[args0, row[id_field_name]])))
else:
t = T(tb._plural)
fld = linked_tables[tbl]
if fld not in db[tbl].fields:
raise ValueError('Field %s not in table' %fld)
args0 = tbl + '.' + fld
links.append(
lambda row, t=t, nargs=nargs, args0=args0:
A(SPAN(t), _class=trap_class(), _href=url(
args=[args0, row[id_field_name]])))
else:
for tablename in sorted(check):
linked_fieldnames = check[tablename]
tb = db[tablename]
multiple_links = len(linked_fieldnames) > 1
for fieldname in linked_fieldnames:
if linked_tables is None or tablename in linked_tables:
t = T(tb._plural) if not multiple_links else \
T(tb._plural + '(' + fieldname + ')')
args0 = tablename + '.' + fieldname
links.append(
lambda row, t=t, nargs=nargs, args0=args0:
A(SPAN(t), _class=trap_class(), _href=url(
args=[args0, row[id_field_name]])))
grid = SQLFORM.grid(query, args=request.args[:nargs], links=links,
links_in_grid=links_in_grid,
user_signature=user_signature, **kwargs)
if isinstance(grid, DIV):
header = table._plural
next = grid.create_form or grid.update_form or grid.view_form
breadcrumbs.append(LI(
A(T(header), _class=trap_class(),_href=url()),
SPAN(divider, _class='divider') if next else '',
_class='active w2p_grid_breadcrumb_elem'))
if grid.create_form:
header = T('New %(entity)s') % dict(entity=table._singular)
elif grid.update_form:
header = T('Edit %(entity)s') % dict(entity=format(table,grid.update_form.record))
elif grid.view_form:
header = T('View %(entity)s') % dict(entity=format(table,grid.view_form.record))
if next:
breadcrumbs.append(LI(
A(T(header), _class=trap_class(),_href=url()),
_class='active w2p_grid_breadcrumb_elem'))
grid.insert(
0, DIV(UL(*breadcrumbs, **{'_class': breadcrumbs_class}),
_class='web2py_breadcrumbs'))
return grid
class SQLTABLE(TABLE):
"""
given a Rows object, as returned by a db().select(), generates
an html table with the rows.
optional arguments:
:param linkto: URL (or lambda to generate a URL) to edit individual records
:param upload: URL to download uploaded files
:param orderby: Add an orderby link to column headers.
:param headers: dictionary of headers to headers redefinions
headers can also be a string to gerenare the headers from data
for now only headers="fieldname:capitalize",
headers="labels" and headers=None are supported
:param truncate: length at which to truncate text in table cells.
Defaults to 16 characters.
:param columns: a list or dict contaning the names of the columns to be shown
Defaults to all
Optional names attributes for passed to the <table> tag
The keys of headers and columns must be of the form "tablename.fieldname"
Simple linkto example::
rows = db.select(db.sometable.ALL)
table = SQLTABLE(rows, linkto='someurl')
This will link rows[id] to .../sometable/value_of_id
More advanced linkto example::
def mylink(field, type, ref):
return URL(args=[field])
rows = db.select(db.sometable.ALL)
table = SQLTABLE(rows, linkto=mylink)
This will link rows[id] to
current_app/current_controlle/current_function/value_of_id
New Implements: 24 June 2011:
-----------------------------
:param selectid: The id you want to select
:param renderstyle: Boolean render the style with the table
:param extracolumns = [{'label':A('Extra',_href='#'),
'class': '', #class name of the header
'width':'', #width in pixels or %
'content':lambda row, rc: A('Edit',_href='edit/%s'%row.id),
'selected': False #agregate class selected to this column
}]
:param headers = {'table.id':{'label':'Id',
'class':'', #class name of the header
'width':'', #width in pixels or %
'truncate': 16, #truncate the content to...
'selected': False #agregate class selected to this column
},
'table.myfield':{'label':'My field',
'class':'', #class name of the header
'width':'', #width in pixels or %
'truncate': 16, #truncate the content to...
'selected': False #agregate class selected to this column
},
}
table = SQLTABLE(rows, headers=headers, extracolumns=extracolumns)
`<
"""
def __init__(
self,
sqlrows,
linkto=None,
upload=None,
orderby=None,
headers={},
truncate=16,
columns=None,
th_link='',
extracolumns=None,
selectid=None,
renderstyle=False,
cid=None,
**attributes
):
TABLE.__init__(self, **attributes)
self.components = []
self.attributes = attributes
self.sqlrows = sqlrows
(components, row) = (self.components, [])
if not sqlrows:
return
if not columns:
columns = sqlrows.colnames
if headers == 'fieldname:capitalize':
headers = {}
for c in columns:
headers[c] = c.split('.')[-1].replace('_', ' ').title()
elif headers == 'labels':
headers = {}
for c in columns:
(t, f) = c.split('.')
field = sqlrows.db[t][f]
headers[c] = field.label
if headers is None:
headers = {}
else:
for c in columns: # new implement dict
if isinstance(headers.get(c, c), dict):
coldict = headers.get(c, c)
attrcol = dict()
if coldict['width'] != "":
attrcol.update(_width=coldict['width'])
if coldict['class'] != "":
attrcol.update(_class=coldict['class'])
row.append(TH(coldict['label'], **attrcol))
elif orderby:
row.append(TH(A(headers.get(c, c),
_href=th_link + '?orderby=' + c, cid=cid)))
else:
row.append(TH(headers.get(c, c)))
if extracolumns: # new implement dict
for c in extracolumns:
attrcol = dict()
if c['width'] != "":
attrcol.update(_width=c['width'])
if c['class'] != "":
attrcol.update(_class=c['class'])
row.append(TH(c['label'], **attrcol))
components.append(THEAD(TR(*row)))
tbody = []
for (rc, record) in enumerate(sqlrows):
row = []
if rc % 2 == 0:
_class = 'even'
else:
_class = 'odd'
if not selectid is None: # new implement
if record.get('id') == selectid:
_class += ' rowselected'
for colname in columns:
if not table_field.match(colname):
if "_extra" in record and colname in record._extra:
r = record._extra[colname]
row.append(TD(r))
continue
else:
raise KeyError(
"Column %s not found (SQLTABLE)" % colname)
(tablename, fieldname) = colname.split('.')
try:
field = sqlrows.db[tablename][fieldname]
except (KeyError, AttributeError):
field = None
if tablename in record \
and isinstance(record, Row) \
and isinstance(record[tablename], Row):
r = record[tablename][fieldname]
elif fieldname in record:
r = record[fieldname]
else:
raise SyntaxError('something wrong in Rows object')
r_old = r
if not field or isinstance(field, (Field.Virtual, Field.Lazy)):
pass
elif linkto and field.type == 'id':
try:
href = linkto(r, 'table', tablename)
except TypeError:
href = '%s/%s/%s' % (linkto, tablename, r_old)
r = A(r, _href=href)
elif isinstance(field.type, str) and field.type.startswith('reference'):
if linkto:
ref = field.type[10:]
try:
href = linkto(r, 'reference', ref)
except TypeError:
href = '%s/%s/%s' % (linkto, ref, r_old)
if ref.find('.') >= 0:
tref, fref = ref.split('.')
if hasattr(sqlrows.db[tref], '_primarykey'):
href = '%s/%s?%s' % (linkto, tref, urllib.urlencode({fref: r}))
r = A(represent(field, r, record), _href=str(href))
elif field.represent:
r = represent(field, r, record)
elif linkto and hasattr(field._table, '_primarykey')\
and fieldname in field._table._primarykey:
# have to test this with multi-key tables
key = urllib.urlencode(dict([
((tablename in record
and isinstance(record, Row)
and isinstance(record[tablename], Row)) and
(k, record[tablename][k])) or (k, record[k])
for k in field._table._primarykey]))
r = A(r, _href='%s/%s?%s' % (linkto, tablename, key))
elif isinstance(field.type, str) and field.type.startswith('list:'):
r = represent(field, r or [], record)
elif field.represent:
r = represent(field, r, record)
elif field.type == 'blob' and r:
r = 'DATA'
elif field.type == 'upload':
if upload and r:
r = A(current.T('file'), _href='%s/%s' % (upload, r))
elif r:
r = current.T('file')
else:
r = ''
elif field.type in ['string', 'text']:
r = str(field.formatter(r))
if headers != {}: # new implement dict
if isinstance(headers[colname], dict):
if isinstance(headers[colname]['truncate'], int):
r = truncate_string(
r, headers[colname]['truncate'])
elif not truncate is None:
r = truncate_string(r, truncate)
attrcol = dict() # new implement dict
if headers != {}:
if isinstance(headers[colname], dict):
colclass = headers[colname]['class']
if headers[colname]['selected']:
colclass = str(headers[colname]
['class'] + " colselected").strip()
if colclass != "":
attrcol.update(_class=colclass)
row.append(TD(r, **attrcol))
if extracolumns: # new implement dict
for c in extracolumns:
attrcol = dict()
colclass = c['class']
if c['selected']:
colclass = str(c['class'] + " colselected").strip()
if colclass != "":
attrcol.update(_class=colclass)
contentfunc = c['content']
row.append(TD(contentfunc(record, rc), **attrcol))
tbody.append(TR(_class=_class, *row))
if renderstyle:
components.append(STYLE(self.style()))
components.append(TBODY(*tbody))
def style(self):
css = '''
table tbody tr.odd {
background-color: #DFD;
}
table tbody tr.even {
background-color: #EFE;
}
table tbody tr.rowselected {
background-color: #FDD;
}
table tbody tr td.colselected {
background-color: #FDD;
}
table tbody tr:hover {
background: #DDF;
}
'''
return css
form_factory = SQLFORM.factory # for backward compatibility, deprecated
class ExportClass(object):
label = None
file_ext = None
content_type = None
def __init__(self, rows):
self.rows = rows
def represented(self):
def none_exception(value):
"""
returns a cleaned up value that can be used for csv export:
- unicode text is encoded as such
- None values are replaced with the given representation (default <NULL>)
"""
if value is None:
return '<NULL>'
elif isinstance(value, unicode):
return value.encode('utf8')
elif isinstance(value, Reference):
return int(value)
elif hasattr(value, 'isoformat'):
return value.isoformat()[:19].replace('T', ' ')
elif isinstance(value, (list, tuple)): # for type='list:..'
return bar_encode(value)
return value
represented = []
for record in self.rows:
row = []
for col in self.rows.colnames:
if not REGEX_TABLE_DOT_FIELD.match(col):
row.append(record._extra[col])
else:
(t, f) = col.split('.')
field = self.rows.db[t][f]
if isinstance(record.get(t, None), (Row, dict)):
value = record[t][f]
else:
value = record[f]
if field.type == 'blob' and not value is None:
value = ''
elif field.represent:
value = field.represent(value, record)
row.append(none_exception(value))
represented.append(row)
return represented
def export(self):
raise NotImplementedError
class ExporterTSV(ExportClass):
label = 'TSV'
file_ext = "csv"
content_type = "text/tab-separated-values"
def __init__(self, rows):
ExportClass.__init__(self, rows)
def export(self):
out = cStringIO.StringIO()
final = cStringIO.StringIO()
import csv
writer = csv.writer(out, delimiter='\t')
if self.rows:
import codecs
final.write(codecs.BOM_UTF16)
writer.writerow(
[unicode(col).encode("utf8") for col in self.rows.colnames])
data = out.getvalue().decode("utf8")
data = data.encode("utf-16")
data = data[2:]
final.write(data)
out.truncate(0)
records = self.represented()
for row in records:
writer.writerow(
[str(col).decode('utf8').encode("utf-8") for col in row])
data = out.getvalue().decode("utf8")
data = data.encode("utf-16")
data = data[2:]
final.write(data)
out.truncate(0)
return str(final.getvalue())
class ExporterCSV(ExportClass):
label = 'CSV'
file_ext = "csv"
content_type = "text/csv"
def __init__(self, rows):
ExportClass.__init__(self, rows)
def export(self):
if self.rows:
return self.rows.as_csv()
else:
return ''
class ExporterHTML(ExportClass):
label = 'HTML'
file_ext = "html"
content_type = "text/html"
def __init__(self, rows):
ExportClass.__init__(self, rows)
def export(self):
if self.rows:
return self.rows.xml()
else:
return '<html>\n<body>\n<table>\n</table>\n</body>\n</html>'
class ExporterXML(ExportClass):
label = 'XML'
file_ext = "xml"
content_type = "text/xml"
def __init__(self, rows):
ExportClass.__init__(self, rows)
def export(self):
if self.rows:
return self.rows.as_xml()
else:
return '<rows></rows>'
class ExporterJSON(ExportClass):
label = 'JSON'
file_ext = "json"
content_type = "application/json"
def __init__(self, rows):
ExportClass.__init__(self, rows)
def export(self):
if self.rows:
return self.rows.as_json()
else:
return 'null'
| Python |
#!/usr/bin/env python
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
This file is not strictly required by web2py. It is used for three purposes:
1) check that all required modules are installed properly
2) provide py2exe and py2app a list of modules to be packaged in the binary
3) (optional) preload modules in memory to speed up http responses
"""
import os
import sys
base_modules = ['aifc', 'anydbm', 'array', 'asynchat', 'asyncore', 'atexit',
'audioop', 'base64', 'BaseHTTPServer', 'Bastion', 'binascii',
'binhex', 'bisect', 'bz2', 'calendar', 'cgi', 'CGIHTTPServer',
'cgitb', 'chunk', 'cmath', 'cmd', 'code', 'codecs', 'codeop',
'collections', 'colorsys', 'compileall', 'compiler',
'compiler.ast', 'compiler.visitor', 'ConfigParser',
'contextlib', 'Cookie', 'cookielib', 'copy', 'copy_reg',
'cPickle', 'cProfile', 'cStringIO', 'csv', 'ctypes',
'datetime', 'decimal', 'difflib', 'dircache', 'dis',
'doctest', 'DocXMLRPCServer', 'dumbdbm', 'dummy_thread',
'dummy_threading', 'email', 'email.charset', 'email.encoders',
'email.errors', 'email.generator', 'email.header',
'email.iterators', 'email.message', 'email.mime',
'email.mime.audio', 'email.mime.base', 'email.mime.image',
'email.mime.message', 'email.mime.multipart',
'email.mime.nonmultipart', 'email.mime.text', 'email.parser',
'email.utils', 'encodings.idna', 'errno', 'exceptions',
'filecmp', 'fileinput', 'fnmatch', 'formatter', 'fpformat',
'ftplib', 'functools', 'gc', 'getopt', 'getpass', 'gettext',
'glob', 'gzip', 'hashlib', 'heapq', 'hmac', 'hotshot',
'hotshot.stats', 'htmlentitydefs', 'htmllib', 'HTMLParser',
'httplib', 'imaplib', 'imghdr', 'imp', 'inspect',
'itertools', 'keyword', 'linecache', 'locale', 'logging',
'macpath', 'mailbox', 'mailcap', 'marshal', 'math',
'mimetools', 'mimetypes', 'mmap', 'modulefinder', 'mutex',
'netrc', 'new', 'nntplib', 'operator', 'optparse', 'os',
'parser', 'pdb', 'pickle', 'pickletools', 'pkgutil',
'platform', 'poplib', 'pprint', 'py_compile', 'pyclbr',
'pydoc', 'Queue', 'quopri', 'random', 're', 'repr',
'rexec', 'rfc822', 'rlcompleter', 'robotparser', 'runpy',
'sched', 'select', 'sgmllib', 'shelve',
'shlex', 'shutil', 'signal', 'SimpleHTTPServer',
'SimpleXMLRPCServer', 'site', 'smtpd', 'smtplib',
'sndhdr', 'socket', 'SocketServer', 'sqlite3',
'stat', 'statvfs', 'string', 'StringIO',
'stringprep', 'struct', 'subprocess', 'sunau', 'symbol',
'tabnanny', 'tarfile', 'telnetlib', 'tempfile', 'textwrap', 'thread', 'threading',
'time', 'timeit', 'Tix', 'Tkinter', 'token',
'tokenize', 'trace', 'traceback', 'types',
'unicodedata', 'unittest', 'urllib', 'urllib2',
'urlparse', 'user', 'UserDict', 'UserList', 'UserString',
'uu', 'uuid', 'warnings', 'wave', 'weakref', 'webbrowser',
'whichdb', 'wsgiref', 'wsgiref.handlers', 'wsgiref.headers',
'wsgiref.simple_server', 'wsgiref.util', 'wsgiref.validate',
'xdrlib', 'xml.dom', 'xml.dom.minidom', 'xml.dom.pulldom',
'xml.etree.ElementTree', 'xml.parsers.expat', 'xml.sax',
'xml.sax.handler', 'xml.sax.saxutils', 'xml.sax.xmlreader',
'xmlrpclib', 'zipfile', 'zipimport', 'zlib', 'mhlib',
'MimeWriter', 'mimify', 'multifile', 'sets']
contributed_modules = []
for root, dirs, files in os.walk('gluon'):
for candidate in ['.'.join(
os.path.join(root, os.path.splitext(name)[0]).split(os.sep))
for name in files if name.endswith('.py')
and root.split(os.sep) != ['gluon', 'tests']
]:
contributed_modules.append(candidate)
# Python base version
python_version = sys.version[:3]
# Modules which we want to raise an Exception if they are missing
alert_dependency = ['hashlib', 'uuid']
# Now we remove the blacklisted modules if we are using the stated
# python version.
#
# List of modules deprecated in Python 2.6 or 2.7 that are in the above set
py26_deprecated = ['mhlib', 'multifile', 'mimify', 'sets', 'MimeWriter']
py27_deprecated = [] # ['optparse'] but we need it for now
if python_version >= '2.6':
base_modules += ['json', 'multiprocessing']
base_modules = list(set(base_modules).difference(set(py26_deprecated)))
if python_version >= '2.7':
base_modules += ['argparse']
base_modules = list(set(base_modules).difference(set(py27_deprecated)))
# Now iterate in the base_modules, trying to do the import
for module in base_modules + contributed_modules:
try:
__import__(module, globals(), locals(), [])
except:
# Raise an exception if the current module is a dependency
if module in alert_dependency:
msg = "Missing dependency: %(module)s\n" % locals()
msg += "Try the following command: "
msg += "easy_install-%(python_version)s -U %(module)s" % locals()
raise ImportError(msg)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
This file is part of the web2py Web Framework
Copyrighted by Massimo Di Pierro <mdipierro@cs.depaul.edu>
License: LGPLv3 (http://www.gnu.org/licenses/lgpl.html)
WSGI wrapper for mod_python. Requires Python 2.2 or greater.
Part of CherryPy mut modified by Massimo Di Pierro (2008) for web2py
<Location /myapp>
SetHandler python-program
PythonHandler modpythonhandler
PythonPath \"['/path/to/web2py/'] + sys.path\"
PythonOption SCRIPT_NAME /myapp
</Location>
Some WSGI implementations assume that the SCRIPT_NAME environ variable will
always be equal to 'the root URL of the app'; Apache probably won't act as
you expect in that case. You can add another PythonOption directive to tell
modpython_gateway to force that behavior:
PythonOption SCRIPT_NAME /mcontrol
The module.function will be called with no arguments on server shutdown,
once for each child process or thread.
"""
import traceback
import sys
import os
from mod_python import apache
path = os.path.dirname(os.path.abspath(__file__))
os.chdir(path)
sys.path = [path] + [p for p in sys.path if not p == path]
import gluon.main
class InputWrapper(object):
""" Input wrapper for the wsgi handler """
def __init__(self, req):
""" InputWrapper constructor """
self.req = req
def close(self):
""" """
pass
def read(self, size=-1):
""" Wrapper for req.read """
return self.req.read(size)
def readline(self, size=-1):
""" Wrapper for req.readline """
return self.req.readline(size)
def readlines(self, hint=-1):
""" Wrapper for req.readlines """
return self.req.readlines(hint)
def __iter__(self):
""" Defines a generator with the req data """
line = self.readline()
while line:
yield line
# Notice this won't prefetch the next line; it only
# gets called if the generator is resumed.
line = self.readline()
class ErrorWrapper(object):
""" Error wrapper for the wsgi handler """
def __init__(self, req):
""" ErrorWrapper constructor """
self.req = req
def flush(self):
""" """
pass
def write(self, msg):
""" Logs the given msg in the log file """
self.req.log_error(msg)
def writelines(self, seq):
""" Writes various lines in the log file """
self.write(''.join(seq))
bad_value = "You must provide a PythonOption '%s', either 'on' or 'off', when running a version of mod_python < 3.1"
class Handler:
""" Defines the handler """
def __init__(self, req):
""" Handler constructor """
self.started = False
options = req.get_options()
# Threading and forking
try:
q = apache.mpm_query
threaded = q(apache.AP_MPMQ_IS_THREADED)
forked = q(apache.AP_MPMQ_IS_FORKED)
except AttributeError:
threaded = options.get('multithread', '').lower()
if threaded == 'on':
threaded = True
elif threaded == 'off':
threaded = False
else:
raise ValueError(bad_value % 'multithread')
forked = options.get('multiprocess', '').lower()
if forked == 'on':
forked = True
elif forked == 'off':
forked = False
else:
raise ValueError(bad_value % 'multiprocess')
env = self.environ = dict(apache.build_cgi_env(req))
if 'SCRIPT_NAME' in options:
# Override SCRIPT_NAME and PATH_INFO if requested.
env['SCRIPT_NAME'] = options['SCRIPT_NAME']
env['PATH_INFO'] = req.uri[len(options['SCRIPT_NAME']):]
env['wsgi.input'] = InputWrapper(req)
env['wsgi.errors'] = ErrorWrapper(req)
env['wsgi.version'] = (1, 0)
env['wsgi.run_once'] = False
if env.get('HTTPS') in ('yes', 'on', '1'):
env['wsgi.url_scheme'] = 'https'
else:
env['wsgi.url_scheme'] = 'http'
env['wsgi.multithread'] = threaded
env['wsgi.multiprocess'] = forked
self.request = req
def run(self, application):
""" Run the application """
try:
result = application(self.environ, self.start_response)
for data in result:
self.write(data)
if not self.started:
self.request.set_content_length(0)
if hasattr(result, 'close'):
result.close()
except:
traceback.print_exc(None, self.environ['wsgi.errors'])
if not self.started:
self.request.status = 500
self.request.content_type = 'text/plain'
data = 'A server error occurred. Please contact the ' + \
'administrator.'
self.request.set_content_length(len(data))
self.request.write(data)
def start_response(self, status, headers, exc_info=None):
""" Defines the request data """
if exc_info:
try:
if self.started:
raise exc_info[0], exc_info[1], exc_info[2]
finally:
exc_info = None
self.request.status = int(status[:3])
for (key, val) in headers:
if key.lower() == 'content-length':
self.request.set_content_length(int(val))
elif key.lower() == 'content-type':
self.request.content_type = val
else:
self.request.headers_out.add(key, val)
return self.write
def write(self, data):
""" Write the request data """
if not self.started:
self.started = True
self.request.write(data)
def handler(req):
""" Execute the gluon app """
Handler(req).run(gluon.main.wsgibase)
return apache.OK
| Python |
import time
import sys
import urllib2
import urllib2
n = int(sys.argv[1])
url = sys.argv[2]
headers = {"Accept-Language": "en"}
req = urllib2.Request(url, None, headers)
t0 = time.time()
for k in xrange(n):
data = urllib2.urlopen(req).read()
print (time.time() - t0) / n
if n == 1:
print data
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
from datetime import datetime
from time import mktime
from time import sleep
from time import time
DB_URI = 'sqlite://sessions.sqlite'
EXPIRATION_MINUTES = 60
SLEEP_MINUTES = 5
while 1: # Infinite loop
now = time() # get current Unix timestamp
for row in db().select(db.web2py_session_welcome.ALL):
t = row.modified_datetime
# Convert to a Unix timestamp
t = mktime(t.timetuple()) + 1e-6 * t.microsecond
if now - t > EXPIRATION_MINUTES * 60:
del db.web2py_session_welcome[row.id]
db.commit() # Write changes to database
sleep(SLEEP_MINUTES * 60)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
## launch with python web2py.py -S myapp -R scripts/zip_static_files.py
import os
import gzip
def zip_static(filelist=[]):
tsave = 0
for fi in filelist:
extension = os.path.splitext(fi)
extension = len(extension) > 1 and extension[1] or None
if not extension or extension not in ALLOWED_EXTS:
print 'skipping %s' % os.path.basename(fi)
continue
fstats = os.stat(fi)
atime, mtime = fstats.st_atime, fstats.st_mtime
gfi = fi + '.gz'
if os.path.isfile(gfi):
zstats = os.stat(gfi)
zatime, zmtime = zstats.st_atime, zstats.st_mtime
if zatime == atime and zmtime == mtime:
print 'skipping %s, already gzipped to the latest version' % os.path.basename(fi)
continue
print 'gzipping %s to %s' % (
os.path.basename(fi), os.path.basename(gfi))
f_in = open(fi, 'rb')
f_out = gzip.open(gfi, 'wb')
f_out.writelines(f_in)
f_out.close()
f_in.close()
os.utime(gfi, (atime, mtime))
saved = fstats.st_size - os.stat(gfi).st_size
tsave += saved
print 'saved %s KB' % (int(tsave) / 1000.0)
if __name__ == '__main__':
ALLOWED_EXTS = ['.css', '.js']
static_path = os.path.abspath(os.path.join(request.folder, 'static'))
filelist = []
for root, dir, files in os.walk(static_path):
for file in files:
filelist.append(os.path.join(root, file))
zip_static(filelist)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import sys
import os
import time
import stat
import datetime
from gluon.utils import md5_hash
from gluon.restricted import RestrictedError, TicketStorage
from gluon import DAL
SLEEP_MINUTES = 5
errors_path = os.path.join(request.folder, 'errors')
try:
db_string = open(os.path.join(request.folder, 'private', 'ticket_storage.txt')).read().replace('\r', '').replace('\n', '').strip()
except:
db_string = 'sqlite://storage.db'
db_path = os.path.join(request.folder, 'databases')
tk_db = DAL(db_string, folder=db_path, auto_import=True)
ts = TicketStorage(db=tk_db)
tk_table = ts._get_table(
db=tk_db, tablename=ts.tablename, app=request.application)
hashes = {}
while 1:
if request.tickets_db:
print "You're storing tickets yet in database"
sys.exit(1)
for file in os.listdir(errors_path):
filename = os.path.join(errors_path, file)
modified_time = os.stat(filename)[stat.ST_MTIME]
modified_time = datetime.datetime.fromtimestamp(modified_time)
ticket_id = file
ticket_data = open(filename).read()
tk_table.insert(ticket_id=ticket_id,
ticket_data=ticket_data,
created_datetime=modified_time
)
tk_db.commit()
os.unlink(filename)
time.sleep(SLEEP_MINUTES * 60)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
'''
@author: Pierre Thibault (pierre.thibault1 -at- gmail.com)
@license: MIT
@since: 2011-06-17
Usage: dict_diff [OPTION]... dict1 dict2
Show the differences for two dictionaries.
-h, --help Display this help message.
dict1 and dict2 are two web2py dictionary files to compare. These are the files
located in the "languages" directory of a web2py app. The tools show the
differences between the two files.
'''
__docformat__ = "epytext en"
import getopt
import os.path
import sys
def main(argv):
"""Parse the arguments and start the main process."""
try:
opts, args = getopt.getopt(argv, "h", ["help"])
except getopt.GetoptError:
exit_with_parsing_error()
for opt, arg in opts:
arg = arg # To avoid a warning from Pydev
if opt in ("-h", "--help"):
usage()
sys.exit()
if len(args) == 2:
params = list(get_dicts(*args))
params.extend(get_dict_names(*args))
compare_dicts(*params)
else:
exit_with_parsing_error()
def exit_with_parsing_error():
"""Report invalid arguments and usage."""
print("Invalid argument(s).")
usage()
sys.exit(2)
def usage():
"""Display the documentation"""
print(__doc__)
def get_dicts(dict_path1, dict_path2):
"""
Parse the dictionaries.
@param dict_path1: The path to the first dictionary.
@param dict_path2: The path to the second dictionary.
@return: The two dictionaries as a sequence.
"""
return eval(open(dict_path1).read()), eval(open(dict_path2).read())
def get_dict_names(dict1_path, dict2_path):
"""
Get the name of the dictionaries for the end user. Use the base name of the
files. If the two base names are identical, returns "dict1" and "dict2."
@param dict1_path: The path to the first dictionary.
@param dict2_path: The path to the second dictionary.
@return: The two dictionary names as a sequence.
"""
dict1_name = os.path.basename(dict1_path)
dict2_name = os.path.basename(dict2_path)
if dict1_name == dict2_name:
dict1_name = "dict1"
dict2_name = "dict2"
return dict1_name, dict2_name
def compare_dicts(dict1, dict2, dict1_name, dict2_name):
"""
Compare the two dictionaries. Print out the result.
@param dict1: The first dictionary.
@param dict1: The second dictionary.
@param dict1_name: The name of the first dictionary.
@param dict2_name: The name of the second dictionary.
"""
dict1_keyset = set(dict1.keys())
dict2_keyset = set(dict2.keys())
print_key_diff(dict1_keyset - dict2_keyset, dict1_name, dict2_name)
print_key_diff(dict2_keyset - dict1_keyset, dict2_name, dict1_name)
print "Value differences:"
has_value_differences = False
for key in dict1_keyset & dict2_keyset:
if dict1[key] != dict2[key]:
print " %s:" % (key,)
print " %s: %s" % (dict1_name, dict1[key],)
print " %s: %s" % (dict2_name, dict2[key],)
print
has_value_differences = True
if not has_value_differences:
print " None"
def print_key_diff(key_diff, dict1_name, dict2_name):
"""
Prints the keys in the first dictionary and are in the second dictionary.
@param key_diff: Keys in dictionary 1 not in dictionary 2.
@param dict1_name: Name used for the first dictionary.
@param dict2_name: Name used for the second dictionary.
"""
print "Keys in %s not in %s:" % (dict1_name, dict2_name)
if len(key_diff):
for key in key_diff:
print " %s" % (key,)
else:
print " None"
print
if __name__ == "__main__":
main(sys.argv[1:]) # Start the process (without the application name)
| Python |
USAGE = """
from web2py main folder
python scripts/make_min_web2py.py /path/to/minweb2py
it will mkdir minweb2py and build a minimal web2py installation
- no admin, no examples, one line welcome
- no scripts
- drops same rarely used contrib modules
- more modules could be dropped but minimal difference
"""
# files to include from top level folder (default.py will be rebuilt)
REQUIRED = """
VERSION
web2py.py
fcgihandler.py
gaehandler.py
wsgihandler.py
anyserver.py
applications/__init__.py
applications/welcome/controllers/default.py
"""
# files and folders to exclude from gluon folder (comment with # if needed)
IGNORED = """
gluon/contrib/websocket_messaging.py
gluon/contrib/feedparser.py
gluon/contrib/generics.py
gluon/contrib/gql.py
gluon/contrib/populate.py
gluon/contrib/sms_utils.py
gluon/contrib/spreadsheet.py
gluon/tests/
gluon/contrib/markdown/
gluon/contrib/pyfpdf/
gluon/contrib/pymysql/
gluon/contrib/pyrtf/
gluon/contrib/pysimplesoap/
"""
import sys
import os
import shutil
import glob
def main():
global REQUIRED, IGNORED
if len(sys.argv) < 2:
print USAGE
# make target folder
target = sys.argv[1]
os.mkdir(target)
# change to os specificsep
REQUIRED = REQUIRED.replace('/', os.sep)
IGNORED = IGNORED.replace('/', os.sep)
# make a list of all files to include
files = [x.strip() for x in REQUIRED.split('\n')
if x and not x[0] == '#']
ignore = [x.strip() for x in IGNORED.split('\n')
if x and not x[0] == '#']
def accept(filename):
for p in ignore:
if filename.startswith(p):
return False
return True
pattern = os.path.join('gluon', '*.py')
while True:
newfiles = [x for x in glob.glob(pattern) if accept(x)]
if not newfiles:
break
files += newfiles
pattern = os.path.join(pattern[:-3], '*.py')
# copy all files, make missing folder, build default.py
files.sort()
defaultpy = os.path.join(
'applications', 'welcome', 'controllers', 'default.py')
for f in files:
dirs = f.split(os.path.sep)
for i in range(1, len(dirs)):
try:
os.mkdir(target + os.sep + os.path.join(*dirs[:i]))
except OSError:
pass
if f == defaultpy:
open(os.path.join(
target, f), 'w').write('def index(): return "hello"\n')
else:
shutil.copyfile(f, os.path.join(target, f))
if __name__ == '__main__':
main()
| Python |
import sys
import glob
import os
import shutil
name = sys.argv[1]
app = sys.argv[2]
dest = sys.argv[3]
a = glob.glob(
'applications/%(app)s/*/plugin_%(name)s.*' % dict(app=app, name=name))
b = glob.glob(
'applications/%(app)s/*/plugin_%(name)s/*' % dict(app=app, name=name))
for f in a:
print 'cp %s ...' % f,
shutil.copyfile(f, os.path.join('applications', dest, *f.split('/')[2:]))
print 'done'
for f in b:
print 'cp %s ...' % f,
path = f.split('/')
for i in range(3, len(path)):
try:
os.mkdir(os.path.join('applications', dest, *path[2:i]))
except:
pass
path = os.path.join('applications', dest, *f.split('/')[2:])
if os.path.isdir(f):
if not os.path.exists(path):
shutil.copytree(f, path)
else:
shutil.copyfile(f, path)
print 'done'
| Python |
import glob
import os
import zipfile
import sys
import re
from BeautifulSoup import BeautifulSoup as BS
def head(styles):
title = '<title>{{=response.title or request.application}}</title>'
items = '\n'.join(["{{response.files.append(URL(request.application,'static','%s'))}}" % (style) for style in styles])
loc = """<style>
div.flash {
position: absolute;
float: right;
padding: 10px;
top: 0px;
right: 0px;
opacity: 0.75;
margin: 10px 10px 10px 10px;
text-align: center;
clear: both;
color: #fff;
font-size: 11pt;
text-align: center;
vertical-align: middle;
cursor: pointer;
background: black;
border: 2px solid #fff;
-moz-border-radius: 5px;
-webkit-border-radius: 5px;
z-index: 2;
}
div.error {
-moz-border-radius: 5px;
-webkit-border-radius: 5px;
background-color: red;
color: white;
padding: 3px;
border: 1px solid #666;
}
</style>"""
return "\n%s\n%s\n{{include 'web2py_ajax.html'}}\n%s" % (title, items, loc)
def content():
return """<div class="flash">{{=response.flash or ''}}</div>{{include}}"""
def process(folder):
indexfile = open(os.path.join(folder, 'index.html'), 'rb')
try:
soup = BS(indexfile.read())
finally:
indexfile.close()
styles = [x['href'] for x in soup.findAll('link')]
soup.find('head').contents = BS(head(styles))
try:
soup.find(
'h1').contents = BS('{{=response.title or request.application}}')
soup.find('h2').contents = BS(
"{{=response.subtitle or '=response.subtitle'}}")
except:
pass
for match in (soup.find('div', id='menu'),
soup.find('div', {'class': 'menu'}),
soup.find('div', id='nav'),
soup.find('div', {'class': 'nav'})):
if match:
match.contents = BS('{{=MENU(response.menu)}}')
break
done = False
for match in (soup.find('div', id='content'),
soup.find('div', {'class': 'content'}),
soup.find('div', id='main'),
soup.find('div', {'class': 'main'})):
if match:
match.contents = BS(content())
done = True
break
if done:
page = soup.prettify()
page = re.compile("\s*\{\{=response\.flash or ''\}\}\s*", re.MULTILINE)\
.sub("{{=response.flash or ''}}", page)
print page
else:
raise Exception("Unable to convert")
if __name__ == '__main__':
if len(sys.argv) < 2:
print """USAGE:
1) start a new web2py application
2) Download a sample free layout from the web into the static/ folder of
your web2py application (make sure a sample index.html is there)
3) run this script with
python layout_make.py /path/to/web2py/applications/app/static/
> /path/to/web2py/applications/app/views/layout.html
"""
elif not os.path.exists(sys.argv[1]):
print 'Folder %s does not exist' % sys.argv[1]
else:
process(sys.argv[1])
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
sessions2trash.py
Run this script in a web2py environment shell e.g. python web2py.py -S app
If models are loaded (-M option) auth.settings.expiration is assumed
for sessions without an expiration. If models are not loaded, sessions older
than 60 minutes are removed. Use the --expiration option to override these
values.
Typical usage:
# Delete expired sessions every 5 minutes
nohup python web2py.py -S app -M -R scripts/sessions2trash.py &
# Delete sessions older than 60 minutes regardless of expiration,
# with verbose output, then exit.
python web2py.py -S app -M -R scripts/sessions2trash.py -A -o -x 3600 -f -v
# Delete all sessions regardless of expiry and exit.
python web2py.py -S app -M -R scripts/sessions2trash.py -A -o -x 0
"""
from __future__ import with_statement
from gluon import current
from gluon.storage import Storage
from optparse import OptionParser
import cPickle
import datetime
import os
import stat
import time
EXPIRATION_MINUTES = 60
SLEEP_MINUTES = 5
VERSION = 0.3
class SessionSet(object):
"""Class representing a set of sessions"""
def __init__(self, expiration, force, verbose):
self.expiration = expiration
self.force = force
self.verbose = verbose
def get(self):
"""Get session files/records."""
raise NotImplementedError
def trash(self):
"""Trash expired sessions."""
now = datetime.datetime.now()
for item in self.get():
status = 'OK'
last_visit = item.last_visit_default()
try:
session = item.get()
if session.auth:
if session.auth.expiration and not self.force:
self.expiration = session.auth.expiration
if session.auth.last_visit:
last_visit = session.auth.last_visit
except:
pass
age = 0
if last_visit:
age = total_seconds(now - last_visit)
if age > self.expiration or not self.expiration:
item.delete()
status = 'trashed'
if self.verbose > 1:
print 'key: %s' % str(item)
print 'expiration: %s seconds' % self.expiration
print 'last visit: %s' % str(last_visit)
print 'age: %s seconds' % age
print 'status: %s' % status
print ''
elif self.verbose > 0:
print('%s %s' % (str(item), status))
class SessionSetDb(SessionSet):
"""Class representing a set of sessions stored in database"""
def __init__(self, expiration, force, verbose):
SessionSet.__init__(self, expiration, force, verbose)
def get(self):
"""Return list of SessionDb instances for existing sessions."""
sessions = []
table = current.response.session_db_table
if table:
for row in table._db(table.id > 0).select():
sessions.append(SessionDb(row))
return sessions
class SessionSetFiles(SessionSet):
"""Class representing a set of sessions stored in flat files"""
def __init__(self, expiration, force, verbose):
SessionSet.__init__(self, expiration, force, verbose)
def get(self):
"""Return list of SessionFile instances for existing sessions."""
path = os.path.join(request.folder, 'sessions')
return [SessionFile(os.path.join(path, x)) for x in os.listdir(path)]
class SessionDb(object):
"""Class representing a single session stored in database"""
def __init__(self, row):
self.row = row
def delete(self):
table = current.response.session_db_table
self.row.delete_record()
table._db.commit()
def get(self):
session = Storage()
session.update(cPickle.loads(self.row.session_data))
return session
def last_visit_default(self):
if isinstance(self.row.modified_datetime, datetime.datetime):
return self.row.modified_datetime
else:
try:
return datetime.datetime.strptime(self.row.modified_datetime, '%Y-%m-%d %H:%M:%S.%f')
except:
print 'failed to retrieve last modified time (value: %s)' % self.row.modified_datetime
def __str__(self):
return self.row.unique_key
class SessionFile(object):
"""Class representing a single session stored as a flat file"""
def __init__(self, filename):
self.filename = filename
def delete(self):
os.unlink(self.filename)
def get(self):
session = Storage()
with open(self.filename, 'rb+') as f:
session.update(cPickle.load(f))
return session
def last_visit_default(self):
return datetime.datetime.fromtimestamp(
os.stat(self.filename)[stat.ST_MTIME])
def __str__(self):
return self.filename
def total_seconds(delta):
"""
Adapted from Python 2.7's timedelta.total_seconds() method.
Args:
delta: datetime.timedelta instance.
"""
return (delta.microseconds + (delta.seconds + (delta.days * 24 * 3600)) *
10 ** 6) / 10 ** 6
def main():
"""Main processing."""
usage = '%prog [options]' + '\nVersion: %s' % VERSION
parser = OptionParser(usage=usage)
parser.add_option('-f', '--force',
action='store_true', dest='force', default=False,
help=('Ignore session expiration. '
'Force expiry based on -x option or auth.settings.expiration.')
)
parser.add_option('-o', '--once',
action='store_true', dest='once', default=False,
help='Delete sessions, then exit.',
)
parser.add_option('-s', '--sleep',
dest='sleep', default=SLEEP_MINUTES * 60, type="int",
help='Number of seconds to sleep between executions. Default 300.',
)
parser.add_option('-v', '--verbose',
default=0, action='count',
help="print verbose output, a second -v increases verbosity")
parser.add_option('-x', '--expiration',
dest='expiration', default=None, type="int",
help='Expiration value for sessions without expiration (in seconds)',
)
(options, unused_args) = parser.parse_args()
expiration = options.expiration
if expiration is None:
try:
expiration = auth.settings.expiration
except:
expiration = EXPIRATION_MINUTES * 60
set_db = SessionSetDb(expiration, options.force, options.verbose)
set_files = SessionSetFiles(expiration, options.force, options.verbose)
while True:
set_db.trash()
set_files.trash()
if options.once:
break
else:
if options.verbose:
print 'Sleeping %s seconds' % (options.sleep)
time.sleep(options.sleep)
main()
| Python |
import os
import sys
import glob
sys.path.append(os.path.join(os.path.split(__file__)[0],'..'))
from gluon.html import CODE
def main(path):
models = glob.glob(os.path.join(path,'models','*.py'))
controllers = glob.glob(os.path.join(path,'controllers','*.py'))
views = glob.glob(os.path.join(path,'views','*.html'))
modules = glob.glob(os.path.join(path,'modules','*.py'))
models.sort()
controllers.sort()
views.sort()
modules.sort()
print '<html><body>'
print '<h1>Models</h1>'
for filename in models:
print '<h2>%s</h2>' % filename[len(path):]
print CODE(open(filename).read(),language='web2py').xml()
print '<h1>Layout Views</h1>'
for filename in views:
print '<h2>%s</h2>' % filename[len(path):]
print CODE(open(filename).read(),language='html').xml()
print '<h1>Controllers and Views</h1>'
for filename in controllers:
print '<h2>%s</h2>' % filename[len(path):]
print CODE(open(filename).read(),language='web2py')
views = glob.glob(os.path.join(path,'views','*','*.html'))
views.sort()
for filename in views:
print '<h2>%s</h2>' % filename[len(path):]
print CODE(open(filename).read(),language='html').xml()
print '<h1>Modules</h1>'
for filename in modules:
print '<h2>%s</h2>' % filename[len(path):]
print CODE(open(filename).read(),language='python').xml()
print '</body></html>'
if __name__=='__main__':
main(sys.argv[1])
| Python |
#!/usr/bin/env python
import sys, os, time, subprocess
class Base:
def run_command(self, *args):
"""
Returns the output of a command as a tuple (output, error).
"""
p = subprocess.Popen(args, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
return p.communicate()
class ServiceBase(Base):
def __init__(self, name, label, stdout=None, stderr=None):
self.name = name
self.label = label
self.stdout = stdout
self.stderr = stderr
self.config_file = None
def load_configuration(self):
"""
Loads the configuration required to build the command-line string
for running web2py. Returns a tuple (command_args, config_dict).
"""
s = os.path.sep
default = dict(
python = 'python',
web2py = os.path.join(s.join(__file__.split(s)[:-3]), 'web2py.py'),
http_enabled = True,
http_ip = '0.0.0.0',
http_port = 8000,
https_enabled = True,
https_ip = '0.0.0.0',
https_port = 8001,
https_key = '',
https_cert = '',
password = '<recycle>',
)
config = default
if self.config_file:
try:
f = open(self.config_file, 'r')
lines = f.readlines()
f.close()
for line in lines:
fields = line.split('=', 1)
if len(fields) == 2:
key, value = fields
key = key.strip()
value = value.strip()
config[key] = value
except:
pass
web2py_path = os.path.dirname(config['web2py'])
os.chdir(web2py_path)
args = [config['python'], config['web2py']]
interfaces = []
ports = []
if config['http_enabled']:
ip = config['http_ip']
port = config['http_port']
interfaces.append('%s:%s' % (ip, port))
ports.append(port)
if config['https_enabled']:
ip = config['https_ip']
port = config['https_port']
key = config['https_key']
cert = config['https_cert']
if key != '' and cert != '':
interfaces.append('%s:%s:%s:%s' % (ip, port, cert, key))
ports.append(ports)
if len(interfaces) == 0:
sys.exit('Configuration error. Must have settings for http and/or https')
password = config['password']
if not password == '<recycle>':
from gluon import main
for port in ports:
main.save_password(password, port)
password = '<recycle>'
args.append('-a "%s"' % password)
interfaces = ';'.join(interfaces)
args.append('--interfaces=%s' % interfaces)
if 'log_filename' in config.key():
log_filename = config['log_filename']
args.append('--log_filename=%s' % log_filename)
return (args, config)
def start(self):
pass
def stop(self):
pass
def restart(self):
pass
def status(self):
pass
def run(self):
pass
def install(self):
pass
def uninstall(self):
pass
def check_permissions(self):
"""
Does the script have permissions to install, uninstall, start, and stop services?
Return value must be a tuple (True/False, error_message_if_False).
"""
return (False, 'Permissions check not implemented')
class WebServerBase(Base):
def install(self):
pass
def uninstall(self):
pass
def get_service():
service_name = 'web2py'
service_label = 'web2py Service'
if sys.platform == 'linux2':
from linux import LinuxService as Service
elif sys.platform == 'darwin':
# from mac import MacService as Service
sys.exit('Mac OS X is not yet supported.\n')
elif sys.platform == 'win32':
# from windows import WindowsService as Service
sys.exit('Windows is not yet supported.\n')
else:
sys.exit('The following platform is not supported: %s.\n' % sys.platform)
service = Service(service_name, service_label)
return service
if __name__ == '__main__':
service = get_service()
is_root, error_message = service.check_permissions()
if not is_root:
sys.exit(error_message)
if len(sys.argv) >= 2:
command = sys.argv[1]
if command == 'start':
service.start()
elif command == 'stop':
service.stop()
elif command == 'restart':
service.restart()
elif command == 'status':
print service.status() + '\n'
elif command == 'run':
service.run()
elif command == 'install':
service.install()
elif command == 'uninstall':
service.uninstall()
elif command == 'install-apache':
# from apache import Apache
# server = Apache()
# server.install()
sys.exit('Configuring Apache is not yet supported.\n')
elif command == 'uninstall-apache':
# from apache import Apache
# server = Apache()
# server.uninstall()
sys.exit('Configuring Apache is not yet supported.\n')
else:
sys.exit('Unknown command: %s' % command)
else:
print 'Usage: %s [command] \n' % sys.argv[0] + \
'\tCommands:\n' + \
'\t\tstart Starts the service\n' + \
'\t\tstop Stop the service\n' + \
'\t\trestart Restart the service\n' + \
'\t\tstatus Check if the service is running\n' + \
'\t\trun Run service is blocking mode\n' + \
'\t\t (Press Ctrl + C to exit)\n' + \
'\t\tinstall Install the service\n' + \
'\t\tuninstall Uninstall the service\n' + \
'\t\tinstall-apache Install as an Apache site\n' + \
'\t\tuninstall-apache Uninstall from Apache\n'
| Python |
from service import ServiceBase
import os, sys, time, subprocess, atexit
from signal import SIGTERM
class LinuxService(ServiceBase):
def __init__(self, name, label, stdout='/dev/null', stderr='/dev/null'):
ServiceBase.__init__(self, name, label, stdout, stderr)
self.pidfile = '/tmp/%s.pid' % name
self.config_file = '/etc/%s.conf' % name
def daemonize(self):
"""
do the UNIX double-fork magic, see Stevens' "Advanced
Programming in the UNIX Environment" for details (ISBN 0201563177)
http://www.erlenstar.demon.co.uk/unix/faq_2.html#SEC16
"""
try:
pid = os.fork()
if pid > 0:
# exit first parent
sys.exit(0)
except OSError, e:
sys.stderr.write("fork #1 failed: %d (%s)\n" % (e.errno, e.strerror))
return
# decouple from parent environment
os.chdir("/")
os.setsid()
os.umask(0)
# do second fork
try:
pid = os.fork()
if pid > 0:
# exit from second parent
sys.exit(0)
except OSError, e:
sys.stderr.write("fork #2 failed: %d (%s)\n" % (e.errno, e.strerror))
return
# redirect standard file descriptors
sys.stdout.flush()
sys.stderr.flush()
si = file('/dev/null', 'r')
so = file(self.stdout or '/dev/null', 'a+')
se = file(self.stderr or '/dev/null', 'a+')
os.dup2(si.fileno(), sys.stdin.fileno())
os.dup2(so.fileno(), sys.stdout.fileno())
os.dup2(se.fileno(), sys.stderr.fileno())
def getpid(self):
# Check for a pidfile to see if the daemon already runs
try:
pf = file(self.pidfile,'r')
pid = int(pf.read().strip())
pf.close()
except IOError:
pid = None
return pid
def status(self):
pid = self.getpid()
if pid:
return 'Service running with PID %s.' % pid
else:
return 'Service is not running.'
def check_permissions(self):
if not os.geteuid() == 0:
return (False, 'This script must be run with root permissions.')
else:
return (True, '')
def start(self):
"""
Start the daemon
"""
pid = self.getpid()
if pid:
message = "Service already running under PID %s\n"
sys.stderr.write(message % self.pidfile)
return
# Start the daemon
self.daemonize()
self.run()
def stop(self):
"""
Stop the daemon
"""
pid = self.getpid()
if not pid:
message = "Service is not running\n"
sys.stderr.write(message)
return # not an error in a restart
# Try killing the daemon process
try:
while 1:
os.kill(pid, SIGTERM)
time.sleep(0.5)
except OSError, err:
err = str(err)
if err.find("No such process") > 0:
if os.path.exists(self.pidfile):
os.remove(self.pidfile)
else:
print str(err)
return
def restart(self):
"""
Restart the daemon
"""
self.stop()
self.start()
def run(self):
atexit.register(self.terminate)
args = self.load_configuration()[0]
stdout = open(self.stdout, 'a+')
stderr = open(self.stderr, 'a+')
process = subprocess.Popen(args, stdout=stdout, stderr=stderr)
file(self.pidfile,'w+').write("%s\n" % process.pid)
process.wait()
self.terminate()
def terminate(self):
try:
os.remove(self.pidfile)
except:
pass
def install(self):
env = self.detect_environment()
src_path = os.path.join(os.path.dirname(os.path.abspath(__file__)), 'service.py')
# make sure this script is executable
self.run_command('chmod', '+x', src_path)
# link this daemon to the service directory
dest_path = env['rc.d-path'] + self.name
os.symlink(src_path, dest_path)
# start the service at boot
install_command = self.get_service_installer_command(env)
result = self.run_command(*install_command)
self.start()
def uninstall(self):
self.stop()
env = self.detect_environment()
# stop the service from autostarting
uninstall_command = self.get_service_uninstaller_command(env)
result = self.run_command(*uninstall_command)
# remove link to the script from the service directory
path = env['rc.d-path'] + self.name
os.remove(path)
def detect_environment(self):
"""
Returns a dictionary of command/path to the required command-line applications.
One key is 'dist' which will either be 'debian' or 'redhat', which is the best
guess as to which Linux distribution the current system is based on.
"""
check_for = [
'chkconfig',
'service',
'update-rc.d',
'rpm',
'dpkg',
]
env = dict()
for cmd in check_for:
result = self.run_command('which', cmd)
if result[0]:
env[cmd] = result[0].replace('\n', '')
if 'rpm' in env:
env['dist'] = 'redhat'
env['rc.d-path'] = '/etc/rc.d/init.d/'
elif 'dpkg' in env:
env['dist'] = 'debian'
env['rc.d-path'] = '/etc/init.d/'
else:
env['dist'] = 'unknown'
env['rc.d-path'] = '/dev/null/'
return env
def get_service_installer_command(self, env):
"""
Returns list of args required to set a service to run on boot.
"""
if env['dist'] == 'redhat':
cmd = env['chkconfig']
return [cmd, self.name, 'on']
else:
cmd = env['update-rc.d']
return [cmd, self.name, 'defaults']
def get_service_uninstaller_command(self, env):
"""
Returns list of arge required to stop a service from running at boot.
"""
if env['dist'] == 'redhat':
cmd = env['chkconfig']
return [cmd, self.name, 'off']
else:
cmd = env['update-rc.d']
return [cmd, self.name, 'remove']
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
# TODO: Comment this code
import sys
import shutil
import os
from gluon.languages import findT
sys.path.insert(0, '.')
def sync_language(d, data):
''' this function makes sure a translated string will be prefered over an untranslated
string when syncing languages between apps. when both are translated, it prefers the
latter app, as did the original script
'''
for key in data:
# if this string is not in the allready translated data, add it
if key not in d:
d[key] = data[key]
# see if there is a translated string in the original list, but not in the new list
elif (
((d[key] != '') or (d[key] != key)) and
((data[key] == '') or (data[key] == key))
):
d[key] = d[key]
# any other case (wether there is or there isn't a translated string)
else:
d[key] = data[key]
return d
def sync_main(file, apps):
d = {}
for app in apps:
path = 'applications/%s/' % app
findT(path, file)
langfile = open(os.path.join(path, 'languages', '%s.py' % file))
try:
data = eval(langfile.read())
finally:
langfile.close()
d = sync_language(d, data)
path = 'applications/%s/' % apps[-1]
file1 = os.path.join(path, 'languages', '%s.py' % file)
f = open(file1, 'w')
try:
f.write('# coding: utf8\n')
f.write('{\n')
keys = d.keys()
keys.sort()
for key in keys:
f.write("'''%s''':'''%s''',\n" % (key.replace("'", "\\'"), str(d[key].replace("'", "\\'"))))
f.write('}\n')
finally:
f.close()
oapps = reversed(apps[:-1])
for app in oapps:
path2 = 'applications/%s/' % app
file2 = os.path.join(path2, 'languages', '%s.py' % file)
if file1 != file2:
shutil.copyfile(file1, file2)
if __name__ == "__main__":
file = sys.argv[1]
apps = sys.argv[2:]
sync_main(file, apps)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""Create web2py model (python code) to represent PostgreSQL tables.
Features:
* Uses ANSI Standard INFORMATION_SCHEMA (might work with other RDBMS)
* Detects legacy "keyed" tables (not having an "id" PK)
* Connects directly to running databases, no need to do a SQL dump
* Handles notnull, unique and referential constraints
* Detects most common datatypes and default values
* Support PostgreSQL columns comments (ie. for documentation)
Requeriments:
* Needs PostgreSQL pyscopg2 python connector (same as web2py)
* If used against other RDBMS, import and use proper connector (remove pg_ code)
Created by Mariano Reingart, based on a script to "generate schemas from dbs"
(mysql) by Alexandre Andrade
"""
_author__ = "Mariano Reingart <reingart@gmail.com>"
HELP = """
USAGE: extract_pgsql_models db host port user passwd
Call with PostgreSQL database connection parameters,
web2py model will be printed on standard output.
EXAMPLE: python extract_pgsql_models.py mydb localhost 5432 reingart saraza
"""
# Config options
DEBUG = False # print debug messages to STDERR
SCHEMA = 'public' # change if not using default PostgreSQL schema
# Constant for Field keyword parameter order (and filter):
KWARGS = ('type', 'length', 'default', 'required', 'ondelete',
'notnull', 'unique', 'label', 'comment')
import sys
def query(conn, sql, *args):
"Execute a SQL query and return rows as a list of dicts"
cur = conn.cursor()
ret = []
try:
if DEBUG:
print >> sys.stderr, "QUERY: ", sql % args
cur.execute(sql, args)
for row in cur:
dic = {}
for i, value in enumerate(row):
field = cur.description[i][0]
dic[field] = value
if DEBUG:
print >> sys.stderr, "RET: ", dic
ret.append(dic)
return ret
finally:
cur.close()
def get_tables(conn, schema=SCHEMA):
"List table names in a given schema"
rows = query(conn, """SELECT table_name FROM information_schema.tables
WHERE table_schema = %s
ORDER BY table_name""", schema)
return [row['table_name'] for row in rows]
def get_fields(conn, table):
"Retrieve field list for a given table"
if DEBUG:
print >> sys.stderr, "Processing TABLE", table
rows = query(conn, """
SELECT column_name, data_type,
is_nullable,
character_maximum_length,
numeric_precision, numeric_precision_radix, numeric_scale,
column_default
FROM information_schema.columns
WHERE table_name=%s
ORDER BY ordinal_position""", table)
return rows
def define_field(conn, table, field, pks):
"Determine field type, default value, references, etc."
f = {}
ref = references(conn, table, field['column_name'])
if ref:
f.update(ref)
elif field['column_default'] and \
field['column_default'].startswith("nextval") and \
field['column_name'] in pks:
# postgresql sequence (SERIAL) and primary key!
f['type'] = "'id'"
elif field['data_type'].startswith('character'):
f['type'] = "'string'"
if field['character_maximum_length']:
f['length'] = field['character_maximum_length']
elif field['data_type'] in ('text', ):
f['type'] = "'text'"
elif field['data_type'] in ('boolean', 'bit'):
f['type'] = "'boolean'"
elif field['data_type'] in ('integer', 'smallint', 'bigint'):
f['type'] = "'integer'"
elif field['data_type'] in ('double precision', 'real'):
f['type'] = "'double'"
elif field['data_type'] in ('timestamp', 'timestamp without time zone'):
f['type'] = "'datetime'"
elif field['data_type'] in ('date', ):
f['type'] = "'date'"
elif field['data_type'] in ('time', 'time without time zone'):
f['type'] = "'time'"
elif field['data_type'] in ('numeric', 'currency'):
f['type'] = "'decimal'"
f['precision'] = field['numeric_precision']
f['scale'] = field['numeric_scale'] or 0
elif field['data_type'] in ('bytea', ):
f['type'] = "'blob'"
elif field['data_type'] in ('point', 'lseg', 'polygon', 'unknown', 'USER-DEFINED'):
f['type'] = "" # unsupported?
else:
raise RuntimeError("Data Type not supported: %s " % str(field))
try:
if field['column_default']:
if field['column_default'] == "now()":
d = "request.now"
elif field['column_default'] == "true":
d = "True"
elif field['column_default'] == "false":
d = "False"
else:
d = repr(eval(field['column_default']))
f['default'] = str(d)
except (ValueError, SyntaxError):
pass
except Exception, e:
raise RuntimeError(
"Default unsupported '%s'" % field['column_default'])
if not field['is_nullable']:
f['notnull'] = "True"
comment = get_comment(conn, table, field)
if comment is not None:
f['comment'] = repr(comment)
return f
def is_unique(conn, table, field):
"Find unique columns (incomplete support)"
rows = query(conn, """
SELECT information_schema.constraint_column_usage.column_name
FROM information_schema.table_constraints
NATURAL JOIN information_schema.constraint_column_usage
WHERE information_schema.table_constraints.table_name=%s
AND information_schema.constraint_column_usage.column_name=%s
AND information_schema.table_constraints.constraint_type='UNIQUE'
;""", table, field['column_name'])
return rows and True or False
def get_comment(conn, table, field):
"Find the column comment (postgres specific)"
rows = query(conn, """
SELECT d.description AS comment
FROM pg_class c
JOIN pg_description d ON c.oid=d.objoid
JOIN pg_attribute a ON c.oid = a.attrelid
WHERE c.relname=%s AND a.attname=%s
AND a.attnum = d.objsubid
;""", table, field['column_name'])
return rows and rows[0]['comment'] or None
def primarykeys(conn, table):
"Find primary keys"
rows = query(conn, """
SELECT information_schema.constraint_column_usage.column_name
FROM information_schema.table_constraints
NATURAL JOIN information_schema.constraint_column_usage
WHERE information_schema.table_constraints.table_name=%s
AND information_schema.table_constraints.constraint_type='PRIMARY KEY'
;""", table)
return [row['column_name'] for row in rows]
def references(conn, table, field):
"Find a FK (fails if multiple)"
rows1 = query(conn, """
SELECT table_name, column_name, constraint_name,
update_rule, delete_rule, ordinal_position
FROM information_schema.key_column_usage
NATURAL JOIN information_schema.referential_constraints
NATURAL JOIN information_schema.table_constraints
WHERE information_schema.key_column_usage.table_name=%s
AND information_schema.key_column_usage.column_name=%s
AND information_schema.table_constraints.constraint_type='FOREIGN KEY'
;""", table, field)
if len(rows1) == 1:
rows2 = query(conn, """
SELECT table_name, column_name, *
FROM information_schema.constraint_column_usage
WHERE constraint_name=%s
""", rows1[0]['constraint_name'])
row = None
if len(rows2) > 1:
row = rows2[int(rows1[0]['ordinal_position']) - 1]
keyed = True
if len(rows2) == 1:
row = rows2[0]
keyed = False
if row:
if keyed: # THIS IS BAD, DON'T MIX "id" and primarykey!!!
ref = {'type': "'reference %s.%s'" % (row['table_name'],
row['column_name'])}
else:
ref = {'type': "'reference %s'" % (row['table_name'],)}
if rows1[0]['delete_rule'] != "NO ACTION":
ref['ondelete'] = repr(rows1[0]['delete_rule'])
return ref
elif rows2:
raise RuntimeError("Unsupported foreign key reference: %s" %
str(rows2))
elif rows1:
raise RuntimeError("Unsupported referential constraint: %s" %
str(rows1))
def define_table(conn, table):
"Output single table definition"
fields = get_fields(conn, table)
pks = primarykeys(conn, table)
print "db.define_table('%s'," % (table, )
for field in fields:
fname = field['column_name']
fdef = define_field(conn, table, field, pks)
if fname not in pks and is_unique(conn, table, field):
fdef['unique'] = "True"
if fdef['type'] == "'id'" and fname in pks:
pks.pop(pks.index(fname))
print " Field('%s', %s)," % (fname,
', '.join(["%s=%s" % (k, fdef[k]) for k in KWARGS
if k in fdef and fdef[k]]))
if pks:
print " primarykey=[%s]," % ", ".join(["'%s'" % pk for pk in pks])
print " migrate=migrate)"
print
def define_db(conn, db, host, port, user, passwd):
"Output database definition (model)"
dal = 'db = DAL("postgres://%s:%s@%s:%s/%s", pool_size=10)'
print dal % (user, passwd, host, port, db)
print
print "migrate = False"
print
for table in get_tables(conn):
define_table(conn, table)
if __name__ == "__main__":
if len(sys.argv) < 6:
print HELP
else:
# Parse arguments from command line:
db, host, port, user, passwd = sys.argv[1:6]
# Make the database connection (change driver if required)
import psycopg2
cnn = psycopg2.connect(database=db, host=host, port=port,
user=user, password=passwd,
)
# Start model code generation:
define_db(cnn, db, host, port, user, passwd)
| Python |
import sys
import re
def cleancss(text):
text = re.compile('\s+').sub(' ', text)
text = re.compile('\s*(?P<a>,|:)\s*').sub('\g<a> ', text)
text = re.compile('\s*;\s*').sub(';\n ', text)
text = re.compile('\s*\{\s*').sub(' {\n ', text)
text = re.compile('\s*\}\s*').sub('\n}\n\n', text)
return text
def cleanhtml(text):
text = text.lower()
r = re.compile('\<script.+?/script\>', re.DOTALL)
scripts = r.findall(text)
text = r.sub('<script />', text)
r = re.compile('\<style.+?/style\>', re.DOTALL)
styles = r.findall(text)
text = r.sub('<style />', text)
text = re.compile(
'<(?P<tag>(input|meta|link|hr|br|img|param))(?P<any>[^\>]*)\s*(?<!/)>')\
.sub('<\g<tag>\g<any> />', text)
text = text.replace('\n', ' ')
text = text.replace('>', '>\n')
text = text.replace('<', '\n<')
text = re.compile('\s*\n\s*').sub('\n', text)
lines = text.split('\n')
(indent, newlines) = (0, [])
for line in lines:
if line[:2] == '</': indent = indent - 1
newlines.append(indent * ' ' + line)
if not line[:2] == '</' and line[-1:] == '>' and \
not line[-2:] in ['/>', '->']: indent = indent + 1
text = '\n'.join(newlines)
text = re.compile(
'\<div(?P<a>( .+)?)\>\s+\</div\>').sub('<div\g<a>></div>', text)
text = re.compile('\<a(?P<a>( .+)?)\>\s+(?P<b>[\w\s\(\)\/]+?)\s+\</a\>').sub('<a\g<a>>\g<b></a>', text)
text = re.compile('\<b(?P<a>( .+)?)\>\s+(?P<b>[\w\s\(\)\/]+?)\s+\</b\>').sub('<b\g<a>>\g<b></b>', text)
text = re.compile('\<i(?P<a>( .+)?)\>\s+(?P<b>[\w\s\(\)\/]+?)\s+\</i\>').sub('<i\g<a>>\g<b></i>', text)
text = re.compile('\<span(?P<a>( .+)?)\>\s+(?P<b>[\w\s\(\)\/]+?)\s+\</span\>').sub('<span\g<a>>\g<b></span>', text)
text = re.compile('\s+\<br(?P<a>.*?)\/\>').sub('<br\g<a>/>', text)
text = re.compile('\>(?P<a>\s+)(?P<b>[\.\,\:\;])').sub('>\g<b>\g<a>', text)
text = re.compile('\n\s*\n').sub('\n', text)
for script in scripts:
text = text.replace('<script />', script, 1)
for style in styles:
text = text.replace('<style />', cleancss(style), 1)
return text
def read_file(filename):
f = open(filename, 'r')
try:
return f.read()
finally:
f.close()
file = sys.argv[1]
if file[-4:] == '.css':
print cleancss(read_file(file))
if file[-5:] == '.html':
print cleanhtml(read_file(file))
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import sys
import re
filename = sys.argv[1]
datafile = open(filename, 'r')
try:
data = '\n' + datafile.read()
finally:
datafile.close()
SPACE = '\n ' if '-n' in sys.argv[1:] else ' '
data = re.compile('(?<!\:)//(?P<a>.*)').sub('/* \g<a> */', data)
data = re.compile('[ ]+').sub(' ', data)
data = re.compile('\s*{\s*').sub(' {' + SPACE, data)
data = re.compile('\s*;\s*').sub(';' + SPACE, data)
data = re.compile(',\s*').sub(', ', data)
data = re.compile('\s*\*/\s*').sub('*/' + SPACE, data)
data = re.compile('\s*}\s*').sub(SPACE + '}\n', data)
data = re.compile('\n\s*\n').sub('\n', data)
data = re.compile(';\s+/\*').sub('; /*', data)
data = re.compile('\*/\s+/\*').sub(' ', data)
data = re.compile('[ ]+\n').sub('\n', data)
data = re.compile('\n\s*/[\*]+(?P<a>.*?)[\*]+/', re.DOTALL).sub(
'\n/*\g<a>*/\n', data)
data = re.compile('[ \t]+(?P<a>\S.+?){').sub(' \g<a>{', data)
data = data.replace('}', '}\n')
print data
| Python |
'''
Create the web2py code needed to access your mysql legacy db.
To make this work all the legacy tables you want to access need to have an "id" field.
This plugin needs:
mysql
mysqldump
installed and globally available.
Under Windows you will probably need to add the mysql executable directory to the PATH variable,
you will also need to modify mysql to mysql.exe and mysqldump to mysqldump.exe below.
Just guessing here :)
Access your tables with:
legacy_db(legacy_db.mytable.id>0).select()
If the script crashes this is might be due to that fact that the data_type_map dictionary below is incomplete.
Please complete it, improve it and continue.
Created by Falko Krause, minor modifications by Massimo Di Pierro and Ron McOuat
'''
import subprocess
import re
import sys
data_type_map = dict(
varchar='string',
int='integer',
integer='integer',
tinyint='integer',
smallint='integer',
mediumint='integer',
bigint='integer',
float='double',
double='double',
char='string',
decimal='integer',
date='date',
#year = 'date',
time='time',
timestamp='datetime',
datetime='datetime',
binary='blob',
blob='blob',
tinyblob='blob',
mediumblob='blob',
longblob='blob',
text='text',
tinytext='text',
mediumtext='text',
longtext='text',
)
def mysql(database_name, username, password):
p = subprocess.Popen(['mysql',
'--user=%s' % username,
'--password=%s' % password,
'--execute=show tables;',
database_name],
stdin=subprocess.PIPE,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
sql_showtables, stderr = p.communicate()
tables = [re.sub(
'\|\s+([^\|*])\s+.*', '\1', x) for x in sql_showtables.split()[1:]]
connection_string = "legacy_db = DAL('mysql://%s:%s@localhost/%s')" % (
username, password, database_name)
legacy_db_table_web2py_code = []
for table_name in tables:
#get the sql create statement
p = subprocess.Popen(['mysqldump',
'--user=%s' % username,
'--password=%s' % password,
'--skip-add-drop-table',
'--no-data', database_name,
table_name], stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
sql_create_stmnt, stderr = p.communicate()
if 'CREATE' in sql_create_stmnt: # check if the table exists
#remove garbage lines from sql statement
sql_lines = sql_create_stmnt.split('\n')
sql_lines = [x for x in sql_lines if not(
x.startswith('--') or x.startswith('/*') or x == '')]
#generate the web2py code from the create statement
web2py_table_code = ''
table_name = re.search(
'CREATE TABLE .(\S+). \(', sql_lines[0]).group(1)
fields = []
for line in sql_lines[1:-1]:
if re.search('KEY', line) or re.search('PRIMARY', line) or re.search(' ID', line) or line.startswith(')'):
continue
hit = re.search('(\S+)\s+(\S+)(,| )( .*)?', line)
if hit is not None:
name, d_type = hit.group(1), hit.group(2)
d_type = re.sub(r'(\w+)\(.*', r'\1', d_type)
name = re.sub('`', '', name)
web2py_table_code += "\n Field('%s','%s')," % (
name, data_type_map[d_type])
web2py_table_code = "legacy_db.define_table('%s',%s\n migrate=False)" % (table_name, web2py_table_code)
legacy_db_table_web2py_code.append(web2py_table_code)
#----------------------------------------
#write the legacy db to file
legacy_db_web2py_code = connection_string + "\n\n"
legacy_db_web2py_code += "\n\n#--------\n".join(
legacy_db_table_web2py_code)
return legacy_db_web2py_code
regex = re.compile('(.*?):(.*?)@(.*)')
if len(sys.argv) < 2 or not regex.match(sys.argv[1]):
print 'USAGE:\n\n extract_mysql_models.py username:password@data_basename\n\n'
else:
m = regex.match(sys.argv[1])
print mysql(m.group(3), m.group(1), m.group(2))
| Python |
# -*- coding: utf-8 -*-
'''
autoroutes writes routes for you based on a simpler routing
configuration file called routes.conf. Example:
----- BEGIN routes.conf-------
127.0.0.1 /examples/default
domain1.com /app1/default
domain2.com /app2/default
domain3.com /app3/default
----- END ----------
It maps a domain (the left-hand side) to an app (one app per domain),
and shortens the URLs for the app by removing the listed path prefix. That means:
http://domain1.com/index is mapped to /app1/default/index
http://domain2.com/index is mapped to /app2/default/index
It preserves admin, appadmin, static files, favicon.ico and robots.txt:
http://domain1.com/favicon.ico /welcome/static/favicon.ico
http://domain1.com/robots.txt /welcome/static/robots.txt
http://domain1.com/admin/... /admin/...
http://domain1.com/appadmin/... /app1/appadmin/...
http://domain1.com/static/... /app1/static/...
and vice-versa.
To use, cp scripts/autoroutes.py routes.py
and either edit the config string below, or set config = "" and edit routes.conf
'''
config = '''
127.0.0.1 /examples/default
domain1.com /app1/default
domain2.com /app2/default
domain3.com /app3/defcon3
'''
if not config.strip():
try:
config_file = open('routes.conf', 'r')
try:
config = config_file.read()
finally:
config_file.close()
except:
config = ''
def auto_in(apps):
routes = [
('/robots.txt', '/welcome/static/robots.txt'),
('/favicon.ico', '/welcome/static/favicon.ico'),
('/admin$anything', '/admin$anything'),
]
for domain, path in [x.strip().split() for x in apps.split('\n') if x.strip() and not x.strip().startswith('#')]:
if not path.startswith('/'):
path = '/' + path
if path.endswith('/'):
path = path[:-1]
app = path.split('/')[1]
routes += [
('.*:https?://(.*\.)?%s:$method /' % domain, '%s' % path),
('.*:https?://(.*\.)?%s:$method /static/$anything' %
domain, '/%s/static/$anything' % app),
('.*:https?://(.*\.)?%s:$method /appadmin/$anything' %
domain, '/%s/appadmin/$anything' % app),
('.*:https?://(.*\.)?%s:$method /$anything' %
domain, '%s/$anything' % path),
]
return routes
def auto_out(apps):
routes = []
for domain, path in [x.strip().split() for x in apps.split('\n') if x.strip() and not x.strip().startswith('#')]:
if not path.startswith('/'):
path = '/' + path
if path.endswith('/'):
path = path[:-1]
app = path.split('/')[1]
routes += [
('/%s/static/$anything' % app, '/static/$anything'),
('/%s/appadmin/$anything' % app, '/appadmin/$anything'),
('%s/$anything' % path, '/$anything'),
]
return routes
routes_in = auto_in(config)
routes_out = auto_out(config)
def __routes_doctest():
'''
Dummy function for doctesting autoroutes.py.
Use filter_url() to test incoming or outgoing routes;
filter_err() for error redirection.
filter_url() accepts overrides for method and remote host:
filter_url(url, method='get', remote='0.0.0.0', out=False)
filter_err() accepts overrides for application and ticket:
filter_err(status, application='app', ticket='tkt')
>>> filter_url('http://domain1.com/favicon.ico')
'http://domain1.com/welcome/static/favicon.ico'
>>> filter_url('https://domain2.com/robots.txt')
'https://domain2.com/welcome/static/robots.txt'
>>> filter_url('http://domain3.com/fcn')
'http://domain3.com/app3/defcon3/fcn'
>>> filter_url('http://127.0.0.1/fcn')
'http://127.0.0.1/examples/default/fcn'
>>> filter_url('HTTP://DOMAIN.COM/app/ctr/fcn')
'http://domain.com/app/ctr/fcn'
>>> filter_url('http://domain.com/app/ctr/fcn?query')
'http://domain.com/app/ctr/fcn?query'
>>> filter_url('http://otherdomain.com/fcn')
'http://otherdomain.com/fcn'
>>> regex_filter_out('/app/ctr/fcn')
'/app/ctr/fcn'
>>> regex_filter_out('/app1/ctr/fcn')
'/app1/ctr/fcn'
>>> filter_url('https://otherdomain.com/app1/default/fcn', out=True)
'/fcn'
>>> filter_url('http://otherdomain.com/app2/ctr/fcn', out=True)
'/app2/ctr/fcn'
>>> filter_url('http://domain1.com/app1/default/fcn?query', out=True)
'/fcn?query'
>>> filter_url('http://domain2.com/app3/defcon3/fcn#anchor', out=True)
'/fcn#anchor'
'''
pass
if __name__ == '__main__':
try:
import gluon.main
except ImportError:
import sys
import os
os.chdir(os.path.dirname(os.path.dirname(__file__)))
sys.path.append(os.path.dirname(os.path.dirname(__file__)))
import gluon.main
from gluon.rewrite import regex_select, load, filter_url, regex_filter_out
regex_select() # use base routing parameters
load(routes=__file__) # load this file
import doctest
doctest.testmod()
| Python |
#
# This files allows to delegate authentication for every URL within a domain
# to a web2py app within the same domain
# If you are logged in the app, you have access to the URL
# even if the URL is not a web2py URL
#
# in /etc/apache2/sites-available/default
#
# <VirtualHost *:80>
# WSGIDaemonProcess web2py user=www-data group=www-data
# WSGIProcessGroup web2py
# WSGIScriptAlias / /home/www-data/web2py/wsgihandler.py
#
# AliasMatch ^myapp/whatever/myfile /path/to/myfile
# <Directory /path/to/>
# WSGIAccessScript /path/to/web2py/scripts/access.wsgi
# </Directory>
# </VirtualHost>
#
# in yourapp/controllers/default.py
#
# def check_access():
# request_uri = request.vars.request_uri
# return 'true' if auth.is_logged_in() else 'false'
#
# start web2py as deamon
#
# nohup python web2py.py -a '' -p 8002
#
# now try visit:
#
# http://domain/myapp/whatever/myfile
#
# and you will have access ONLY if you are logged into myapp
#
URL_CHECK_ACCESS = 'http://127.0.0.1:8002/%(app)s/default/check_access'
def allow_access(environ,host):
import os
import urllib
import urllib2
import datetime
header = '%s @ %s ' % (datetime.datetime.now(),host) + '='*20
pprint = '\n'.join('%s:%s' % item for item in environ.items())
filename = os.path.join(os.path.dirname(__file__),'access.wsgi.log')
f = open(filename,'a')
try:
f.write('\n'+header+'\n'+pprint+'\n')
finally:
f.close()
app = environ['REQUEST_URI'].split('/')[1]
keys = [key for key in environ if key.startswith('HTTP_')]
headers = {}
for key in environ:
if key.startswith('HTTP_'):
headers[key[5:]] = environ[key] # this passes the cookies through!
try:
data = urllib.urlencode({'request_uri':environ['REQUEST_URI']})
request = urllib2.Request(URL_CHECK_ACCESS % dict(app=app),data,headers)
response = urllib2.urlopen(request).read().strip().lower()
if response.startswith('true'): return True
except: pass
return False
| Python |
# -*- coding: utf-8 -*-
'''
Create the web2py model code needed to access your sqlite legacy db.
Usage:
python extract_sqlite_models.py
Access your tables with:
legacy_db(legacy_db.mytable.id>0).select()
extract_sqlite_models.py -- Copyright (C) Michele Comitini
This code is distributed with web2py.
The regexp code and the dictionary type map was extended from
extact_mysql_models.py that comes with web2py. extact_mysql_models.py is Copyright (C) Falko Krause.
'''
import re
import sys
import sqlite3
data_type_map = dict(
varchar='string',
int='integer',
integer='integer',
tinyint='integer',
smallint='integer',
mediumint='integer',
bigint='integer',
float='double',
double='double',
char='string',
decimal='integer',
date='date',
time='time',
timestamp='datetime',
datetime='datetime',
binary='blob',
blob='blob',
tinyblob='blob',
mediumblob='blob',
longblob='blob',
text='text',
tinytext='text',
mediumtext='text',
longtext='text',
bit='boolean',
nvarchar='text',
numeric='decimal(30,15)',
real='decimal(30,15)',
)
def get_foreign_keys(sql_lines):
fks = dict()
for line in sql_lines[1:-1]:
hit = re.search(r'FOREIGN\s+KEY\s+\("(\S+)"\)\s+REFERENCES\s+"(\S+)"\s+\("(\S+)"\)', line)
if hit:
fks[hit.group(1)] = hit.groups()[1:]
return fks
def sqlite(database_name):
conn = sqlite3.connect(database_name)
c = conn.cursor()
r = c.execute(r"select name,sql from sqlite_master where type='table' and not name like '\_%' and not lower(name) like 'sqlite_%'")
tables = r.fetchall()
connection_string = "legacy_db = DAL('sqlite://%s')" % database_name.split('/')[-1]
legacy_db_table_web2py_code = []
for table_name, sql_create_stmnt in tables:
if table_name.startswith('_'):
continue
if 'CREATE' in sql_create_stmnt: # check if the table exists
#remove garbage lines from sql statement
sql_lines = sql_create_stmnt.split('\n')
sql_lines = [x for x in sql_lines if not(
x.startswith('--') or x.startswith('/*') or x == '')]
#generate the web2py code from the create statement
web2py_table_code = ''
fields = []
fks = get_foreign_keys(sql_lines)
for line in sql_lines[1:-1]:
if re.search('KEY', line) or re.search('PRIMARY', line) or re.search('"ID"', line) or line.startswith(')'):
continue
hit = re.search(r'"(\S+)"\s+(\w+(\(\S+\))?),?( .*)?', line)
if hit is not None:
name, d_type = hit.group(1), hit.group(2)
d_type = re.sub(r'(\w+)\(.*', r'\1', d_type)
name = unicode(re.sub('`', '', name))
if name in fks.keys():
if fks[name][1].lower() == 'id':
field_type = 'reference %s' % (fks[name][0])
else:
field_type = 'reference %s.%s' % (fks[name][0], fks[name][1])
else:
field_type = data_type_map[d_type]
web2py_table_code += "\n Field('%s','%s')," % (
name, field_type)
web2py_table_code = "legacy_db.define_table('%s',%s\n migrate=False)" % (table_name, web2py_table_code)
legacy_db_table_web2py_code.append(web2py_table_code)
#----------------------------------------
#write the legacy db to file
legacy_db_web2py_code = connection_string + "\n\n"
legacy_db_web2py_code += "\n\n#--------\n".join(
legacy_db_table_web2py_code)
return legacy_db_web2py_code
if len(sys.argv) < 2:
print 'USAGE:\n\n extract_mysql_models.py data_basename\n\n'
else:
print "# -*- coding: utf-8 -*-"
print sqlite(sys.argv[1])
| Python |
import re
def cleanjs(text):
text = re.sub('\s*}\s*', '\n}\n', text)
text = re.sub('\s*{\s*', ' {\n', text)
text = re.sub('\s*;\s*', ';\n', text)
text = re.sub('\s*,\s*', ', ', text)
text = re.sub('\s*(?P<a>[\+\-\*/\=]+)\s*', ' \g<a> ', text)
lines = text.split('\n')
text = ''
indent = 0
for line in lines:
rline = line.strip()
if rline:
pass
return text
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
Usage:
Install cx_Freeze: http://cx-freeze.sourceforge.net/
Copy script to the web2py directory
c:\Python27\python standalone_exe_cxfreeze.py build_exe
"""
from cx_Freeze import setup, Executable
from gluon.import_all import base_modules, contributed_modules
from gluon.fileutils import readlines_file
from glob import glob
import fnmatch
import os
import shutil
import sys
import re
#read web2py version from VERSION file
web2py_version_line = readlines_file('VERSION')[0]
#use regular expression to get just the version number
v_re = re.compile('[0-9]+\.[0-9]+\.[0-9]+')
web2py_version = v_re.search(web2py_version_line).group(0)
base = None
if sys.platform == 'win32':
base = "Win32GUI"
base_modules.remove('macpath')
buildOptions = dict(
compressed=True,
excludes=["macpath", "PyQt4"],
includes=base_modules,
include_files=[
'applications',
'ABOUT',
'LICENSE',
'VERSION',
'logging.example.conf',
'options_std.py',
'app.example.yaml',
'queue.example.yaml',
],
# append any extra module by extending the list below -
# "contributed_modules+["lxml"]"
packages=contributed_modules,
)
setup(
name="Web2py",
version=web2py_version,
author="Massimo DiPierro",
description="web2py web framework",
license="LGPL v3",
options=dict(build_exe=buildOptions),
executables=[Executable("web2py.py",
base=base,
compress=True,
icon="web2py.ico",
targetName="web2py.exe",
copyDependentFiles=True)],
)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import cStringIO
import re
import sys
import tarfile
import urllib
import xml.parsers.expat as expat
"""
Update script for contenttype.py module.
Usage: python contentupdate.py /path/to/contenttype.py
If no path is specified, script will look for contenttype.py in current
working directory.
Internet connection is required to perform the update.
"""
OVERRIDE = [
('.pdb', 'chemical/x-pdb'),
('.xyz', 'chemical/x-pdb')
]
class MIMEParser(dict):
def __start_element_handler(self, name, attrs):
if name == 'mime-type':
if self.type:
for extension in self.extensions:
self[extension] = self.type
self.type = attrs['type'].lower()
self.extensions = []
elif name == 'glob':
pattern = attrs['pattern']
if pattern.startswith('*.'):
self.extensions.append(pattern[1:].lower())
def __init__(self, fileobj):
dict.__init__(self)
self.type = ''
self.extensions = ''
parser = expat.ParserCreate()
parser.StartElementHandler = self.__start_element_handler
parser.ParseFile(fileobj)
for extension, contenttype in OVERRIDE:
self[extension] = contenttype
if __name__ == '__main__':
try:
path = sys.argv[1]
except:
path = 'contenttype.py'
vregex = re.compile('database version (?P<version>.+?)\.?\n')
sys.stdout.write('Checking contenttype.py database version:')
sys.stdout.flush()
try:
pathfile = open(path)
try:
current = pathfile.read()
finally:
pathfile.close()
cversion = re.search(vregex, current).group('version')
sys.stdout.write('\t[OK] version %s\n' % cversion)
except Exception, e:
sys.stdout.write('\t[ERROR] %s\n' % e)
exit()
sys.stdout.write('Checking freedesktop.org database version:')
sys.stdout.flush()
try:
search = re.search(
'(?P<url>http://freedesktop.org/.+?/shared-mime-info-(?P<version>.+?)\.tar\.(?P<type>[gb]z2?))',
urllib.urlopen('http://www.freedesktop.org/wiki/Software/shared-mime-info').read())
url = search.group('url')
assert url is not None
nversion = search.group('version')
assert nversion is not None
ftype = search.group('type')
assert ftype is not None
sys.stdout.write('\t[OK] version %s\n' % nversion)
except:
sys.stdout.write('\t[ERROR] unknown version\n')
exit()
if cversion == nversion:
sys.stdout.write('\nContenttype.py database is up to date\n')
exit()
try:
raw_input('\nContenttype.py database updates are available from:\n%s (approx. 0.5MB)\nPress enter to continue or CTRL-C to quit now\nWARNING: this will replace contenttype.py file content IN PLACE' % url)
except:
exit()
sys.stdout.write('\nDownloading new database:')
sys.stdout.flush()
fregex = re.compile('^.*/freedesktop\.org\.xml$')
try:
io = cStringIO.StringIO()
io.write(urllib.urlopen(url).read())
sys.stdout.write('\t[OK] done\n')
except Exception, e:
sys.stdout.write('\t[ERROR] %s\n' % e)
exit()
sys.stdout.write('Installing new database:')
sys.stdout.flush()
try:
tar = tarfile.TarFile.open(fileobj=io, mode='r:%s' % ftype)
try:
for content in tar.getnames():
if fregex.match(content):
xml = tar.extractfile(content)
break
finally:
tar.close()
data = MIMEParser(xml)
io = cStringIO.StringIO()
io.write('CONTENT_TYPE = {\n')
for key in sorted(data):
io.write(' \'%s\': \'%s\',\n' % (key, data[key]))
io.write(' }')
io.seek(0)
contenttype = open('contenttype.py', 'w')
try:
contenttype.write(re.sub(vregex, 'database version %s.\n' % nversion, re.sub('CONTENT_TYPE = \{(.|\n)+?\}', io.getvalue(), current)))
finally:
contenttype.close()
if not current.closed:
current.close()
sys.stdout.write('\t\t\t[OK] done\n')
except Exception, e:
sys.stdout.write('\t\t\t[ERROR] %s\n' % e)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import sys
import os
import time
import stat
import datetime
from gluon.utils import md5_hash
from gluon.restricted import RestrictedError
from gluon.tools import Mail
path = os.path.join(request.folder, 'errors')
hashes = {}
mail = Mail()
### CONFIGURE HERE
SLEEP_MINUTES = 5
ALLOW_DUPLICATES = True
mail.settings.server = 'localhost:25'
mail.settings.sender = 'you@localhost'
administrator_email = 'you@localhost'
### END CONFIGURATION
while 1:
for file in os.listdir(path):
if not ALLOW_DUPLICATES:
fileobj = open(file, 'r')
try:
file_data = fileobj.read()
finally:
fileobj.close()
key = md5_hash(file_data)
if key in hashes:
continue
hashes[key] = 1
error = RestrictedError()
error.load(request, request.application, file)
mail.send(to=administrator_email,
subject='new web2py ticket', message=error.traceback)
os.unlink(os.path.join(path, file))
time.sleep(SLEEP_MINUTES * 60)
| Python |
import sys
import glob
def read_fileb(filename, mode='rb'):
f = open(filename, mode)
try:
return f.read()
finally:
f.close()
def write_fileb(filename, value, mode='wb'):
f = open(filename, mode)
try:
f.write(value)
finally:
f.close()
for filename in glob.glob(sys.argv[1]):
data1 = read_fileb(filename)
write_fileb(filename + '.bak2', data1)
data2lines = read_fileb(filename).strip().split('\n')
data2 = '\n'.join([line.rstrip(
).replace('\t', ' ' * 2) for line in data2lines]) + '\n'
write_fileb(filename, data2)
print filename, len(data1) - len(data2)
| Python |
import os
import sys
paths = [sys.argv[1]]
paths1 = []
paths2 = []
while paths:
path = paths.pop()
for filename in os.listdir(path):
fullname = os.path.join(path, filename)
if os.path.isdir(fullname):
paths.append(fullname)
else:
extension = filename.split('.')[-1]
if extension.lower() in ('png', 'gif', 'jpg', 'jpeg', 'js', 'css'):
paths1.append((filename, fullname))
if extension.lower() in ('css', 'js', 'py', 'html'):
paths2.append(fullname)
for filename, fullname in paths1:
for otherfullname in paths2:
if open(otherfullname).read().find(filename) >= 0:
break
else:
print fullname
# os.system('hg rm '+fullname)
# os.system('rm '+fullname)
| Python |
import os
import sys
from collections import deque
import string
import argparse
import cStringIO
import operator
import cPickle as pickle
from collections import deque
import math
import re
import cmd
import readline
try:
from gluon import DAL
except ImportError as err:
print('gluon path not found')
class refTable(object):
def __init__(self):
self.columns = None
self.rows = None
def getcolHeader(self, colHeader):
return "{0}".format(' | '.join([string.join(string.strip('**{0}**'.format(item)),
'') for item in colHeader]))
def wrapTable(
self, rows, hasHeader=False, headerChar='-', delim=' | ', justify='left',
separateRows=False, prefix='', postfix='', wrapfunc=lambda x: x):
def rowWrapper(row):
'''---
newRows is returned like
[['w'], ['x'], ['y'], ['z']]
---'''
newRows = [wrapfunc(item).split('\n') for item in row]
self.rows = newRows
'''---
rowList gives like newRows but
formatted like [[w, x, y, z]]
---'''
rowList = [[substr or '' for substr in item]
for item in map(None, *newRows)]
return rowList
logicalRows = [rowWrapper(row) for row in rows]
columns = map(None, *reduce(operator.add, logicalRows))
self.columns = columns
maxWidths = [max(
[len(str
(item)) for
item in column]
) for column
in columns]
rowSeparator = headerChar * (len(prefix) + len(postfix) + sum(maxWidths) +
len(delim) * (len(maxWidths) - 1))
justify = {'center': str
.center,
'right': str
.rjust,
'left': str.
ljust
}[justify
.lower(
)]
output = cStringIO.StringIO()
if separateRows:
print >> output, rowSeparator
for physicalRows in logicalRows:
for row in physicalRows:
print >> output,\
prefix + delim.join([
justify(str(item), width) for (
item, width) in zip(row, maxWidths)]
) + postfix
if separateRows or hasHeader:
print >> output, rowSeparator
hasHeader = False
return output.getvalue()
def wrap_onspace(self, text, width):
return reduce(lambda line, word, width=width: '{0}{1}{2}'
.format(line, ' \n'[(len(
line[line.rfind('\n'
) + 1:]) + len(
word.split('\n', 1)[0]) >=
width)], word), text.split(' '))
def wrap_onspace_strict(self, text, width):
wordRegex = re.compile(r'\S{' + str(width) + r',}')
return self.wrap_onspace(
wordRegex.sub(
lambda m: self.
wrap_always(
m.group(), width), text
), width)
def wrap_always(self, text, width):
return '\n'.join(
[text[width * i:width * (i + 1
)] for i in xrange(
int(math.ceil(1. * len(
text) / width)))])
class tableHelper():
def __init__(self):
self.oTable = refTable()
def getAsRows(self, data):
return [row.strip().split(',') for row in data.splitlines()]
def getTable_noWrap(self, data, header=None):
rows = self.getAsRows(data)
if header is not None:
hRows = [header] + rows
else:
hRows = rows
table = self.oTable.wrapTable(hRows, hasHeader=True)
return table
def getTable_Wrap(self, data, wrapStyle, header=None, width=65):
wrapper = None
if len(wrapStyle) > 1:
rows = self.getAsRows(data)
if header is not None:
hRows = [header] + rows
else:
hRows = rows
for wrapper in (self.oTable.wrap_always,
self.oTable.wrap_onspace,
self.oTable.wrap_onspace_strict):
return self.oTable.wrapTable(hRows, hasHeader=True, separateRows=True, prefix='| ', postfix=' |', wrapfunc=lambda x:
wrapper(x, width))
else:
return self.getTable_noWrap(data, header)
def getAsErrorTable(self, err):
return self.getTable_Wrap(err, None)
class console:
def __init__(self, prompt, banner=None):
self.prompt = prompt
self.banner = banner
self.commands = {}
self.commandSort = []
self.db = None
for i in dir(self):
if "cmd_" == i[:4]:
cmd = i.split("cmd_")[1].lower()
self.commands[cmd] = getattr(self, i)
try:
self.commandSort.append((int(self
.commands[cmd].__doc__.split(
"|")[0]), cmd))
except:
pass
self.commandSort.sort()
self.commandSort = [i[1] for i in self.commandSort]
self.var_DEBUG = False
self.var_tableStyle = ''
self.configvars = {}
for i in dir(self):
if "var_" == i[:4]:
var = i.split("var_")[1]
self.configvars[var] = i
def setBanner(self, banner):
self.banner = banner
def execCmd(self, db):
self.db = db
print self.banner
while True:
try:
command = raw_input(self.prompt)
try:
self.execCommand(command)
except:
self.execute(command)
except KeyboardInterrupt:
break
except EOFError:
break
except Exception, a:
self.printError(a)
print ("\r\n\r\nBye!...")
sys.exit(0)
def printError(self, err):
sys.stderr.write("Error: {0}\r\n".format(str(err),))
if self.var_DEBUG:
pass
def execute(self, cmd):
try:
if not '-table ' in cmd:
exec '{0}'.format(cmd)
else:
file = None
table = None
fields = []
items = string.split(cmd, ' ')
invalidParams = []
table = self.getTable(items[1])
allowedParams = ['fields', 'file']
for i in items:
if '=' in i and not string.split(i, '=')[0] in allowedParams:
try:
invalidParams.append(i)
except Exception, err:
raise Exception('invalid parameter\n{0}'.format(i))
else:
if 'file=' in i:
file = os.path.abspath(string.strip(string.split(
i, '=')[1]))
if 'fields=' in i:
for field in string.split(string.split(i, '=')[1], ','):
if field in self.db[table].fields:
fields.append(string.strip(field))
if len(invalidParams) > 0:
print('the following parameter(s) is not valid\n{0}'.format(
string.join(invalidParams, ',')))
else:
try:
self.cmd_table(table, file, fields)
except Exception, err:
print('could not generate table for table {0}\n{1}'
.format(table, err))
except Exception, err:
print('sorry, can not do that!\n{0}'.format(err))
def getTable(self, tbl):
for mTbl in db.tables:
if tbl in mTbl:
if mTbl.startswith(tbl):
return mTbl
def execCommand(self, cmd):
words = cmd.split(" ")
words = [i for i in words if i]
if not words:
return
cmd, parameters = words[0].lower(), words[1:]
if not cmd in self.commands:
raise Exception(
"Command {0} not found. Try 'help'\r\n".format(cmd))
self.commands[cmd](*parameters)
'''---
DEFAULT COMMANDS (begins with cmd_)
---'''
def cmd_clear(self, numlines=100):
"""-5|clear|clear the screen"""
if os.name == "posix":
'''---
Unix/Linux/MacOS/BSD/etc
---'''
os.system('clear')
elif os.name in ("nt", "dos", "ce"):
'''---
Windows
---'''
os.system('CLS')
else:
'''---
Fallback for other operating systems.
---'''
print '\n' * numlines
def cmd_table(self, tbl, file=None, fields=[]):
"""-4|-table [TABLENAME] optional[file=None] [fields=None]|\
the default tableStyle is no_wrap - use the 'set x y' command to change the style\n\
style choices:
\twrap_always
\twrap_onspace
\twrap_onspace_strict
\tno_wrap (value '')\n
\t the 2nd optional param is a path to a file where the table will be written
\t the 3rd optional param is a list of fields you want displayed\n"""
table = None
for mTbl in db.tables:
if tbl in mTbl:
if mTbl.startswith(tbl):
table = mTbl
break
oTable = tableHelper()
'''---
tablestyle:
wrap_always
wrap_onspace
wrap_onspace_strict
or set set to "" for no wrapping
---'''
tableStyle = self.var_tableStyle
filedNotFound = []
table_fields = None
if len(fields) == 0:
table_fields = self.db[table].fields
else:
table_fields = fields
for field in fields:
if not field in self.db[table].fields:
filedNotFound.append(field)
if len(filedNotFound) == 0:
rows = self.db(self.db[table].id > 0).select()
rows_data = []
for row in rows:
rowdata = []
for f in table_fields:
rowdata.append('{0}'.format(row[f]))
rows_data.append(string.join(rowdata, ','))
data = string.join(rows_data, '\n')
dataTable = oTable.getTable_Wrap(data, tableStyle, table_fields)
print('TABLE {0}\n{1}'.format(table, dataTable))
if file is not None:
try:
tail, head = os.path.split(file)
try:
os.makedirs(tail)
except:
'do nothing, folders exist'
oFile = open(file, 'w')
oFile.write('TABLE: {0}\n{1}'.format(table, dataTable))
oFile.close()
print('{0} has been created and populated with all available data from table {1}\n'.format(file, table))
except Exception, err:
print("EXCEPTION: could not create table {0}\n{1}".format(
table, err))
else:
print('the following fields are not valid [{0}]'.format(
string.join(filedNotFound, ',')))
def cmd_help(self, *args):
'''-3|help|Show's help'''
alldata = []
lengths = []
for i in self.commandSort:
alldata.append(
self.commands[i].__doc__.split("|")[1:])
for i in alldata:
if len(i) > len(lengths):
for j in range(len(i)
- len(lengths)):
lengths.append(0)
j = 0
while j < len(i):
if len(i[j]) > lengths[j]:
lengths[j] = len(i[j])
j += 1
print ("-" * (lengths[0] + lengths[1] + 4))
for i in alldata:
print (("%-" + str(lengths[0]) + "s - %-" + str(
lengths[1]) + "s") % (i[0], i[1]))
if len(i) > 2:
for j in i[2:]: print (("%" + str(lengths[
0] + 9) + "s* %s") % (" ", j))
print
def cmd_vars(self, *args):
'''-2|vars|Show variables'''
print ("variables\r\n" + "-" * 79)
for i, j in self.configvars.items():
value = self.parfmt(repr(getattr(self, j)), 52)
print ("| %20s | %52s |" % (i, value[0]))
for k in value[1:]: print ("| %20s | %52s |" % ("", k))
if len(value) > 1:
print("| %20s | %52s |" % ("", ""))
print ("-" * 79)
def parfmt(self, txt, width):
res = []
pos = 0
while True:
a = txt[pos:pos + width]
if not a:
break
res.append(a)
pos += width
return res
def cmd_set(self, *args):
'''-1|set [variable_name] [value]|Set configuration variable value|Values are an expressions (100 | string.lower('ABC') | etc.'''
value = " ".join(args[1:])
if args[0] not in self.configvars:
setattr(self, "var_{0}".format(args[0]), eval(value))
setattr(self, "var_{0}".format(args[0]), eval(value))
def cmd_clearscreen(self, numlines=50):
'''---Clear the console.
---'''
if os.name == "posix":
'''---
Unix/Linux/MacOS/BSD/etc
---'''
os.system('clear')
elif os.name in ("nt", "dos", "ce"):
'''---
Windows
---'''
os.system('CLS')
else:
'''---
Fallback for other operating systems.
---'''
print '\n' * numlines
class dalShell(console):
def __init__(self):
pass
def shell(self, db):
console.__init__(self, prompt=">>> ", banner='dal interactive shell')
self.execCmd(db)
class setCopyDB():
def __init__(self):
'''---
non source or target specific vars
---'''
self.strModel = None
self.dalPath = None
self.db = None
'''---
source vars
---'''
self.sourceModel = None
self.sourceFolder = None
self.sourceConnectionString = None
self.sourcedbType = None
self.sourcedbName = None
'''---
target vars
---'''
self.targetdbType = None
self.targetdbName = None
self.targetModel = None
self.targetFolder = None
self.targetConnectionString = None
self.truncate = False
def _getDal(self):
mDal = None
if self.dalPath is not None:
global DAL
sys.path.append(self.dalPath)
mDal = __import__(
'dal', globals={}, locals={}, fromlist=['DAL'], level=0)
DAL = mDal.DAL
return mDal
def instDB(self, storageFolder, storageConnectionString, autoImport):
self.db = DAL(storageConnectionString, folder=os.path.abspath(
storageFolder), auto_import=autoImport)
return self.db
def delete_DB_tables(self, storageFolder, storageType):
print 'delete_DB_tablesn\n\t{0}\n\t{1}'.format(
storageFolder, storageType)
dataFiles = [storageType, "sql.log"]
try:
for f in os.listdir(storageFolder):
if ".table" in f:
fTable = "{0}/{1}".format(storageFolder, f)
os.remove(fTable)
print('deleted {0}'.format(fTable))
for dFile in dataFiles:
os.remove("{0}/{1}".format(storageFolder, dFile))
print('deleted {0}'.format(
"{0}/{1}".format(storageFolder, dFile)))
except Exception, errObj:
print(str(errObj))
def truncatetables(self, tables=[]):
if len(tables) != 0:
try:
print 'table value: {0}'.format(tables)
for tbl in self.db.tables:
for mTbl in tables:
if mTbl.startswith(tbl):
self.db[mTbl].truncate()
except Exception, err:
print('EXCEPTION: {0}'.format(err))
else:
try:
for tbl in self.db.tables:
self.db[tbl].truncate()
except Exception, err:
print('EXCEPTION: {0}'.format(err))
def copyDB(self):
other_db = DAL("{0}://{1}".format(
self.targetdbType, self.targetdbName), folder=self.targetFolder)
print 'creating tables...'
for table in self.db:
other_db.define_table(
table._tablename, *[field for field in table])
'''
should there be an option to truncAte target DB?
if yes, then change args to allow for choice
and set self.trancate to the art value
if self.truncate==True:
other_db[table._tablename].truncate()
'''
print 'exporting data...'
self.db.export_to_csv_file(open('tmp.sql', 'wb'))
print 'importing data...'
other_db.import_from_csv_file(open('tmp.sql', 'rb'))
other_db.commit()
print 'done!'
print 'Attention: do not run this program again or you end up with duplicate records'
def createfolderPath(self, folder):
try:
if folder is not None:
os.makedirs(folder)
except Exception, err:
pass
if __name__ == '__main__':
oCopy = setCopyDB()
db = None
targetDB = None
dbfolder = None
clean = False
model = None
truncate = False
parser = argparse.ArgumentParser(description='\
samplecmd line:\n\
-f ./blueLite/db_storage -i -y sqlite://storage.sqlite -Y sqlite://storage2.sqlite -d ./blueLite/pyUtils/sql/blueSQL -t True',
epilog='')
reqGroup = parser.add_argument_group('Required arguments')
reqGroup.add_argument('-f', '--sourceFolder', required=True, help="path to the 'source' folder of the 'source' DB")
reqGroup.add_argument('-F', '--targetFolder', required=False, help="path to the 'target' folder of the 'target' DB")
reqGroup.add_argument('-y', '--sourceConnectionString', required=True, help="source db connection string ()\n\
------------------------------------------------\n\
\
sqlite://storage.db\n\
mysql://username:password@localhost/test\n\
postgres://username:password@localhost/test\n\
mssql://username:password@localhost/test\n\
firebird://username:password@localhost/test\n\
oracle://username/password@test\n\
db2://username:password@test\n\
ingres://username:password@localhost/test\n\
informix://username:password@test\n\
\
------------------------------------------------")
reqGroup.add_argument('-Y', '--targetConnectionString', required=True,
help="target db type (sqlite,mySql,etc.)")
autoImpGroup = parser.add_argument_group('optional args (auto_import)')
autoImpGroup.add_argument('-a', '--autoimport', required=False, help='set to True to bypass loading of the model')
"""
*** removing -m/-M options for now --> i need a
better regex to match db.define('bla')...with optional db.commit()
modelGroup=parser.add_argument_group('optional args (create model)')
modelGroup.add_argument('-m','--sourcemodel'\
,required=False\
,help='to create a model from an existing model, point to the source model')
modelGroup.add_argument('-M','--targetmodel'\
,required=False\
,help='to create a model from an existing model, point to the target model')
"""
miscGroup = parser.add_argument_group('optional args/tasks')
miscGroup.add_argument('-i', '--interactive', required=False, action='store_true', help='run in interactive mode')
miscGroup.add_argument(
'-d', '--dal', required=False, help='path to dal.py')
miscGroup.add_argument('-t', '--truncate', choices=['True', 'False'], help='delete the records but *not* the table of the SOURCE DB')
miscGroup.add_argument('-b', '--tables', required=False, type=list, help='optional list (comma delimited) of SOURCE tables to truncate, defaults to all')
miscGroup.add_argument('-c', '--clean', required=False, help='delete the DB,tables and the log file, WARNING: this is unrecoverable')
args = parser.parse_args()
db = None
mDal = None
try:
oCopy.sourceFolder = args.sourceFolder
oCopy.targetFolder = args.sourceFolder
sourceItems = string.split(args.sourceConnectionString, '://')
oCopy.sourcedbType = sourceItems[0]
oCopy.sourcedbName = sourceItems[1]
targetItems = string.split(args.targetConnectionString, '://')
oCopy.targetdbType = targetItems[0]
oCopy.targetdbName = targetItems[1]
except Exception, err:
print('EXCEPTION: {0}'.format(err))
if args.dal:
try:
autoImport = True
if args.autoimport:
autoImport = args.autoimport
#sif not DAL in globals:
#if not sys.path.__contains__():
oCopy.dalPath = args.dal
mDal = oCopy._getDal()
db = oCopy.instDB(args.sourceFolder, args.sourceConnectionString,
autoImport)
except Exception, err:
print('EXCEPTION: could not set DAL\n{0}'.format(err))
if args.truncate:
try:
if args.truncate:
if args.tables:
tables = string.split(string.strip(args.tables), ',')
else:
oCopy.truncatetables([])
except Exception, err:
print('EXCEPTION: could not truncate tables\n{0}'.format(err))
try:
if args.clean:
oCopy.delete_DB_tables(oCopy.targetFolder, oCopy.targetType)
except Exception, err:
print('EXCEPTION: could not clean db\n{0}'.format(err))
"""
*** goes with -m/-M options... removed for now
if args.sourcemodel:
try:
oCopy.sourceModel=args.sourcemodel
oCopy.targetModel=args.sourcemodel
oCopy.createModel()
except Exception, err:
print('EXCEPTION: could not create model\n\
source model: {0}\n\
target model: {1}\n\
{2}'.format(args.sourcemodel,args.targetmodel,err))
"""
if args.sourceFolder:
try:
oCopy.sourceFolder = os.path.abspath(args.sourceFolder)
oCopy.createfolderPath(oCopy.sourceFolder)
except Exception, err:
print('EXCEPTION: could not create folder path\n{0}'.format(err))
else:
oCopy.dbStorageFolder = os.path.abspath(os.getcwd())
if args.targetFolder:
try:
oCopy.targetFolder = os.path.abspath(args.targetFolder)
oCopy.createfolderPath(oCopy.targetFolder)
except Exception, err:
print('EXCEPTION: could not create folder path\n{0}'.format(err))
if not args.interactive:
try:
oCopy.copyDB()
except Exception, err:
print('EXCEPTION: could not make a copy of the database\n{0}'.format(err))
else:
s = dalShell()
s.shell(db)
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
"""
crontab -e
* 3 * * * root path/to/this/file
"""
USER = 'www-data'
TMPFILENAME = 'web2py_src_update.zip'
import sys
import os
import urllib
import zipfile
if len(sys.argv) > 1 and sys.argv[1] == 'nightly':
version = 'http://web2py.com/examples/static/nightly/web2py_src.zip'
else:
version = 'http://web2py.com/examples/static/web2py_src.zip'
realpath = os.path.realpath(__file__)
path = os.path.dirname(os.path.dirname(os.path.dirname(realpath)))
os.chdir(path)
try:
old_version = open('web2py/VERSION', 'r').read().strip()
except IOError:
old_version = ''
open(TMPFILENAME, 'wb').write(urllib.urlopen(version).read())
new_version = zipfile.ZipFile(TMPFILENAME).read('web2py/VERSION').strip()
if new_version > old_version:
os.system('sudo -u %s unzip -o %s' % (USER, TMPFILENAME))
os.system('apachectl restart | apache2ctl restart')
| Python |
import os
import glob
import zipfile
import urllib
import tempfile
import shutil
def copytree(src, dst):
names = os.listdir(src)
ignored_names = set()
errors = []
if not os.path.exists(dst):
os.makedirs(dst)
for name in names:
srcname = os.path.join(src, name)
dstname = os.path.join(dst, name)
if os.path.isdir(srcname):
copytree(srcname, dstname)
else:
shutil.copy2(srcname, dstname)
class W2PInstance(object):
SOURCES = {'stable':'http://web2py.com/examples/static/web2py_src.zip',
'nightly':'http://web2py.com/examples/static/nightly/web2py_src.zip',
'trunk':'https://github.com/web2py/web2py/archive/master.zip'}
def __init__(self,path):
self.path = path
def warn(self,message="system going down soon"):
apps = glob.glob(os.path.join(self.path,'applications','*'))
for app in apps:
if os.path.isdir(app):
open(os.path.join(app,'notifications.txt'),'w').write(message)
def install(self,source='stable'):
if not os.path.exists(self.path):
os.mkdir(self.path)
tmpdir = tempfile.mkdtemp()
link = self.SOURCES[source]
srcfile = os.path.join(tmpdir,'web2py_src.zip')
print 'downloading...'
open(srcfile,'wb').write(urllib.urlopen(link).read())
print 'extracing...'
zipfile.ZipFile(srcfile,'r').extractall(tmpdir)
print 'copying...'
copytree(os.path.join(tmpdir,'web2py'),self.path)
def upgrade(self,source='stable'):
self.install(source)
def upgrade_tmp(self,source,common=False):
tmpdir = tempfile.mkdtemp()
link = self.SOURCES[source]
srcfile = os.path.join(tmpdir,'web2py_src.zip')
print 'copying production...'
copytree(self.path,os.path.join(tmpdir,'web2py'))
tmpdir_web2py = os.path.join(tmpdir,'web2py')
tmp_web2py = W2PInstance(tempdir_web2py)
tmp_web2py.clear_sessions()
tmp_web2py.clear_cache()
tmp_web2py.clear_error()
print 'downloading...'
open(srcfile,'wb').write(urllib.urlopen(link).read())
print 'extracing...'
zipfile.ZipFile(srcfile,'r').extractall(tmpdir)
print 'running tests...'
try:
olddir = os.getcwd()
os.chdir(tempdir_web2py)
ret = os.system("PYTHONPATH=. python -m unittest -v gluon.tests")
# eventually start web2py and run functional tests
finally:
os.chrid(olddir)
if ret:
sys.exit(ret and 1)
copytree(os.path.join(tmpdir,'web2py'),self.path)
def clear_sessions(self):
files = glob.glob(os.path.join(self.path,'applications','*','sessions','*'))
for file in files:
try:
os.unlink(file)
except:
pass
def clear_cache(self):
files = glob.glob(os.path.join(self.path,'applications','*','cache','*'))
for file in files:
try:
os.unlink(file)
except:
pass
def clear_errors(self):
files = glob.glob(os.path.join(self.path,'applications','*','errors','*'))
for file in files:
try:
os.unlink(file)
except:
pass
web2py = W2PInstance('/Users/massimodipierro/Downloads/web2py')
#web2py.install()
web2py.clear_sessions()
"""
{{
import os
_notifications = os.path.join(request.folder,'notifications.txt')
if os.path.exixts(_notifications):
response.flash = response.flash or open(_notifications).read()
pass
}}
"""
| Python |
# -*- coding: utf-8 -*-
# routers are dictionaries of URL routing parameters.
#
# For each request, the effective router is:
# the built-in default base router (shown below),
# updated by the BASE router in routes.py routers,
# updated by the app-specific router in routes.py routers (if any),
# updated by the app-specific router from applications/app/routes.py routers (if any)
#
#
# Router members:
#
# default_application: default application name
# applications: list of all recognized applications, or 'ALL' to use all currently installed applications
# Names in applications are always treated as an application names when they appear first in an incoming URL.
# Set applications=None to disable the removal of application names from outgoing URLs.
# domains: optional dict mapping domain names to application names
# The domain name can include a port number: domain.com:8080
# The application name can include a controller: appx/ctlrx
# or a controller and a function: appx/ctlrx/fcnx
# Example:
# domains = { "domain.com" : "app",
# "x.domain.com" : "appx",
# },
# path_prefix: a path fragment that is prefixed to all outgoing URLs and stripped from all incoming URLs
#
# Note: default_application, applications, domains & path_prefix are permitted only in the BASE router,
# and domain makes sense only in an application-specific router.
# The remaining members can appear in the BASE router (as defaults for all applications)
# or in application-specific routers.
#
# default_controller: name of default controller
# default_function: name of default function (in all controllers) or dictionary of default functions
# by controller
# controllers: list of valid controllers in selected app
# or "DEFAULT" to use all controllers in the selected app plus 'static'
# or None to disable controller-name removal.
# Names in controllers are always treated as controller names when they appear in an incoming URL after
# the (optional) application and language names.
# functions: list of valid functions in the default controller (default None) or dictionary of valid
# functions by controller.
# If present, the default function name will be omitted when the controller is the default controller
# and the first arg does not create an ambiguity.
# languages: list of all supported languages
# Names in languages are always treated as language names when they appear in an incoming URL after
# the (optional) application name.
# default_language
# The language code (for example: en, it-it) optionally appears in the URL following
# the application (which may be omitted). For incoming URLs, the code is copied to
# request.language; for outgoing URLs it is taken from request.language.
# If languages=None, language support is disabled.
# The default_language, if any, is omitted from the URL.
# root_static: list of static files accessed from root (by default, favicon.ico & robots.txt)
# (mapped to the default application's static/ directory)
# Each default (including domain-mapped) application has its own root-static files.
# domain: the domain that maps to this application (alternative to using domains in the BASE router)
# exclusive_domain: If True (default is False), an exception is raised if an attempt is made to generate
# an outgoing URL with a different application without providing an explicit host.
# map_hyphen: If True (default is False), hyphens in incoming /a/c/f fields are converted
# to underscores, and back to hyphens in outgoing URLs.
# Language, args and the query string are not affected.
# map_static: By default (None), the default application is not stripped from static URLs.
# Set map_static=True to override this policy.
# Set map_static=False to map lang/static/file to static/lang/file
# acfe_match: regex for valid application, controller, function, extension /a/c/f.e
# file_match: regex for valid subpath (used for static file paths)
# if file_match does not contain '/', it is uses to validate each element of a static file subpath,
# rather than the entire subpath.
# args_match: regex for valid args
# This validation provides a measure of security.
# If it is changed, the application perform its own validation.
#
#
# The built-in default router supplies default values (undefined members are None):
#
# default_router = dict(
# default_application = 'init',
# applications = 'ALL',
# default_controller = 'default',
# controllers = 'DEFAULT',
# default_function = 'index',
# functions = None,
# default_language = None,
# languages = None,
# root_static = ['favicon.ico', 'robots.txt'],
# map_static = None,
# domains = None,
# map_hyphen = False,
# acfe_match = r'\w+$', # legal app/ctlr/fcn/ext
# file_match = r'([-+=@$%\w]|(?<=[-+=@$%\w])[./])*$', # legal static subpath
# args_match = r'([\w@ -]|(?<=[\w@ -])[.=])*$', # legal arg in args
# )
#
# See rewrite.map_url_in() and rewrite.map_url_out() for implementation details.
# This simple router set overrides only the default application name,
# but provides full rewrite functionality.
routers = dict(
# base router
BASE=dict(
default_application='welcome',
),
)
# Specify log level for rewrite's debug logging
# Possible values: debug, info, warning, error, critical (loglevels),
# off, print (print uses print statement rather than logging)
# GAE users may want to use 'off' to suppress routine logging.
#
logging = 'debug'
# Error-handling redirects all HTTP errors (status codes >= 400) to a specified
# path. If you wish to use error-handling redirects, uncomment the tuple
# below. You can customize responses by adding a tuple entry with the first
# value in 'appName/HTTPstatusCode' format. ( Only HTTP codes >= 400 are
# routed. ) and the value as a path to redirect the user to. You may also use
# '*' as a wildcard.
#
# The error handling page is also passed the error code and ticket as
# variables. Traceback information will be stored in the ticket.
#
# routes_onerror = [
# (r'init/400', r'/init/default/login')
# ,(r'init/*', r'/init/static/fail.html')
# ,(r'*/404', r'/init/static/cantfind.html')
# ,(r'*/*', r'/init/error/index')
# ]
# specify action in charge of error handling
#
# error_handler = dict(application='error',
# controller='default',
# function='index')
# In the event that the error-handling page itself returns an error, web2py will
# fall back to its old static responses. You can customize them here.
# ErrorMessageTicket takes a string format dictionary containing (only) the
# "ticket" key.
# error_message = '<html><body><h1>%s</h1></body></html>'
# error_message_ticket = '<html><body><h1>Internal error</h1>Ticket issued: <a href="/admin/default/ticket/%(ticket)s" target="_blank">%(ticket)s</a></body></html>'
def __routes_doctest():
'''
Dummy function for doctesting routes.py.
Use filter_url() to test incoming or outgoing routes;
filter_err() for error redirection.
filter_url() accepts overrides for method and remote host:
filter_url(url, method='get', remote='0.0.0.0', out=False)
filter_err() accepts overrides for application and ticket:
filter_err(status, application='app', ticket='tkt')
>>> import os
>>> import gluon.main
>>> from gluon.rewrite import load, filter_url, filter_err, get_effective_router
>>> load(routes=os.path.basename(__file__))
>>> filter_url('http://domain.com/abc', app=True)
'welcome'
>>> filter_url('http://domain.com/welcome', app=True)
'welcome'
>>> os.path.relpath(filter_url('http://domain.com/favicon.ico'))
'applications/welcome/static/favicon.ico'
>>> filter_url('http://domain.com/abc')
'/welcome/default/abc'
>>> filter_url('http://domain.com/index/abc')
"/welcome/default/index ['abc']"
>>> filter_url('http://domain.com/default/abc.css')
'/welcome/default/abc.css'
>>> filter_url('http://domain.com/default/index/abc')
"/welcome/default/index ['abc']"
>>> filter_url('http://domain.com/default/index/a bc')
"/welcome/default/index ['a bc']"
>>> filter_url('https://domain.com/app/ctr/fcn', out=True)
'/app/ctr/fcn'
>>> filter_url('https://domain.com/welcome/ctr/fcn', out=True)
'/ctr/fcn'
>>> filter_url('https://domain.com/welcome/default/fcn', out=True)
'/fcn'
>>> filter_url('https://domain.com/welcome/default/index', out=True)
'/'
>>> filter_url('https://domain.com/welcome/appadmin/index', out=True)
'/appadmin'
>>> filter_url('http://domain.com/welcome/default/fcn?query', out=True)
'/fcn?query'
>>> filter_url('http://domain.com/welcome/default/fcn#anchor', out=True)
'/fcn#anchor'
>>> filter_url('http://domain.com/welcome/default/fcn?query#anchor', out=True)
'/fcn?query#anchor'
>>> filter_err(200)
200
>>> filter_err(399)
399
>>> filter_err(400)
400
'''
pass
if __name__ == '__main__':
import doctest
doctest.testmod()
| Python |
#!/usr/bin/env python
# -*- coding: utf-8 -*-
import os
import sys
path = os.getcwd()
try:
if sys.argv[1] and os.path.exists(sys.argv[1]):
path = sys.argv[1]
except:
pass
os.chdir(path)
sys.path = [path]+[p for p in sys.path if not p==path]
# import gluon.import_all ##### This should be uncommented for py2exe.py
import gluon.widget
def main():
# Start Web2py and Web2py cron service!
gluon.widget.start(cron=True)
if __name__ == '__main__':
main()
| Python |
#!/usr/bin/env python
import gluon
from gluon.fileutils import untar
import os
import sys
def main():
path = gluon.__path__
out_path = os.getcwd()
try:
if sys.argv[1] and os.path.exists(sys.argv[1]):# To untar the web2py env to the selected path
out_path = sys.argv[1]
else:
os.mkdir(sys.argv[1])
out_path = sys.argv[1]
except:
pass
try:
print "Creating a web2py env in: " + out_path
untar(os.path.join(path[0],'env.tar'),out_path)
except:
print "Failed to create the web2py env"
print "Please reinstall web2py from pip"
if __name__ == '__main__':
main()
| Python |
EXPIRATION_MINUTES=60
DIGITS=('0','1','2','3','4','5','6','7','8','9')
import os, time, stat, cPickle, logging
path = os.path.join(request.folder,'sessions')
if not os.path.exists(path):
os.mkdir(path)
now = time.time()
for filename in os.listdir(path):
fullpath=os.path.join(path,filename)
if os.path.isfile(fullpath) and filename.startswith(DIGITS):
try:
filetime = os.stat(fullpath)[stat.ST_MTIME] # get it before our io
try:
session_data = cPickle.load(open(fullpath, 'rb+'))
expiration = session_data['auth']['expiration']
except:
expiration = EXPIRATION_MINUTES * 60
if (now - filetime) > expiration:
os.unlink(fullpath)
except:
logging.exception('failure to check %s' % fullpath)
| Python |
# coding: utf8
{
'!langcode!': 'zh-cn',
'!langname!': '中文',
'"browse"': '游览',
'"save"': '"保存"',
'"submit"': '"提交"',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"更新"是可配置项 如 "field1=\'newvalue\'",你无法在JOIN 中更新或删除',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s 行已删',
'%s %%{row} updated': '%s 行更新',
'(requires internet access)': '(requires internet access)',
'(something like "it-it")': '(就酱 "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available': '新版本web2py已经可用',
'A new version of web2py is available: %s': '新版本web2py已经可用: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': '',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': '',
'ATTENTION: you cannot edit the running application!': '注意: 不能修改正在运行中的应用!',
'About': '关于',
'About application': '关于这个应用',
'Admin is disabled because insecure channel': '管理因不安全通道而关闭',
'Admin is disabled because unsecure channel': '管理因不稳定通道而关闭',
'Admin language': 'Admin language',
'Administrator Password:': '管理员密码:',
'Application name:': 'Application name:',
'Are you sure you want to delete file "%s"?': '你真想删除文件"%s"?',
'Are you sure you want to delete plugin "%s"?': 'Are you sure you want to delete plugin "%s"?',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'Are you sure you want to uninstall application "%s"': '你真确定要卸载应用 "%s"',
'Are you sure you want to uninstall application "%s"?': '你真确定要卸载应用 "%s" ?',
'Are you sure you want to upgrade web2py now?': 'Are you sure you want to upgrade web2py now?',
'Available databases and tables': '可用数据库/表',
'Cannot be empty': '不能不填',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': '无法编译: 应用中有错误,请修订后再试.',
'Cannot compile: there are errors in your app:': 'Cannot compile: there are errors in your app:',
'Change Password': '修改密码',
'Change admin password': 'change admin password',
'Check for upgrades': 'check for upgrades',
'Check to delete': '检验删除',
'Checking for upgrades...': '是否有升级版本检查ing...',
'Clean': '清除',
'Client IP': '客户端IP',
'Compile': '编译',
'Controllers': '控制器s',
'Create': 'create',
'Create new simple application': '创建一个新应用',
'Current request': '当前请求',
'Current response': '当前返回',
'Current session': '当前会话',
'DESIGN': '设计',
'Date and Time': '时间日期',
'Debug': 'Debug',
'Delete': '删除',
'Delete:': '删除:',
'Deploy': 'deploy',
'Deploy on Google App Engine': '部署到GAE',
'Deploy to OpenShift': 'Deploy to OpenShift',
'Description': '描述',
'Design for': '设计:',
'Disable': 'Disable',
'E-mail': '邮箱:',
'EDIT': '编辑',
'Edit': '修改',
'Edit Profile': '修订配置',
'Edit application': '修订应用',
'Edit current record': '修订当前记录',
'Editing Language file': '修订语言文件',
'Editing file': '修订文件',
'Editing file "%s"': '修订文件 %s',
'Enterprise Web Framework': '强悍的网络开发框架',
'Error logs for "%(app)s"': '"%(app)s" 的错误日志',
'Errors': '错误',
'Exception instance attributes': 'Exception instance attributes',
'First name': '姓',
'Functions with no doctests will result in [passed] tests.': '',
'Get from URL:': 'Get from URL:',
'Group ID': '组ID',
'Hello World': '道可道,非常道;名可名,非常名',
'Help': '帮助',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'Import/Export': '导入/导出',
'Install': 'install',
'Installed applications': '已安装的应用',
'Internal State': '内部状态',
'Invalid Query': '无效查询',
'Invalid action': '无效动作',
'Invalid email': '无效的email',
'Language files (static strings) updated': '语言文件(静态部分)已更新',
'Languages': '语言',
'Last name': '名',
'Last saved on:': '最后保存于:',
'License for': '许可证',
'Login': '登录',
'Login to the Administrative Interface': '登录到管理员界面',
'Logout': '注销',
'Lost Password': '忘记密码',
'Models': '模型s',
'Modules': '模块s',
'NO': '不',
'Name': '姓名',
'New Record': '新记录',
'New application wizard': 'New application wizard',
'New simple application': 'New simple application',
'No databases in this application': '这应用没有数据库',
'Origin': '起源',
'Original/Translation': '原始文件/翻译文件',
'Overwrite installed app': 'overwrite installed app',
'PAM authenticated user, cannot change password here': 'PAM authenticated user, cannot change password here',
'Pack all': '全部打包',
'Pack compiled': '包编译完',
'Password': '密码',
'Peeking at file': '选个文件',
'Plugin "%s" in application': 'Plugin "%s" in application',
'Plugins': 'Plugins',
'Powered by': '',
'Query:': '查询',
'Record ID': '记录ID',
'Register': '注册',
'Registration key': '注册密匙',
'Reload routes': 'Reload routes',
'Remove compiled': '已移除',
'Resolve Conflict file': '解决冲突文件',
'Role': '角色',
'Rows in table': '表行',
'Rows selected': '行选择',
'Running on %s': 'Running on %s',
'Saved file hash:': '已存文件Hash:',
'Site': '总站',
'Start wizard': 'start wizard',
'Static files': '静态文件',
'Sure you want to delete this object?': '真的要删除这个对象?',
'TM': '',
'Table name': '表名',
'Testing application': '应用测试',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '',
'There are no controllers': '冇控制器',
'There are no models': '冇模型s',
'There are no modules': '冇模块s',
'There are no static files': '冇静态文件',
'There are no translators, only default language is supported': '没有找到相应翻译,只能使用默认语言',
'There are no views': '冇视图',
'This is the %(filename)s template': '这是 %(filename)s 模板',
'Ticket': '传票',
'Timestamp': '时间戳',
'To create a plugin, name a file/folder plugin_[name]': 'To create a plugin, name a file/folder plugin_[name]',
'Unable to check for upgrades': '无法检查是否需要升级',
'Unable to download': '无法下载',
'Unable to download app': '无法下载应用',
'Unable to download app because:': 'Unable to download app because:',
'Unable to download because': 'Unable to download because',
'Uninstall': '卸载',
'Update:': '更新:',
'Upload & install packed application': 'Upload & install packed application',
'Upload a package:': 'Upload a package:',
'Upload and install packed application': 'Upload and install packed application',
'Upload existing application': '上传已有应用',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': '',
'Use an url:': 'Use an url:',
'User ID': '用户ID',
'Version': '版本',
'Views': '视图',
'Welcome to web2py': '欢迎使用web2py',
'YES': '是',
'additional code for your application': '给你的应用附加代码',
'admin disabled because no admin password': '管理员需要设定密码,否则无法管理',
'admin disabled because not supported on google app engine': '未支持GAE,无法管理',
'admin disabled because unable to access password file': '需要可以操作密码文件,否则无法进行管理',
'administrative interface': 'administrative interface',
'and rename it (required):': '重命名为 (必须):',
'and rename it:': ' 重命名为:',
'appadmin': '应用管理',
'appadmin is disabled because insecure channel': '应用管理因非法通道失效',
'application "%s" uninstalled': '应用"%s" 已被卸载',
'application compiled': '应用已编译完',
'application is compiled and cannot be designed': '应用已编译完无法设计',
'arguments': 'arguments',
'back': 'back',
'cache': 'cache',
'cache, errors and sessions cleaned': '缓存、错误、sesiones已被清空',
'cannot create file': '无法创建文件',
'cannot upload file "%(filename)s"': '无法上传文件 "%(filename)s"',
'check all': '检查所有',
'click here for online examples': '猛击此处,查看在线实例',
'click here for the administrative interface': '猛击此处,进入管理界面',
'click to check for upgrades': '猛击查看是否有升级版本',
'code': 'code',
'compiled application removed': '已编译应用已移走',
'controllers': '控制器',
'create file with filename:': '创建文件用这名:',
'create new application:': '创建新应用:',
'created by': '创建自',
'crontab': '定期事务',
'currently running': 'currently running',
'currently saved or': '保存当前的或',
'customize me!': '定制俺!',
'data uploaded': '数据已上传',
'database': '数据库',
'database %s select': '数据库 %s 选择',
'database administration': '数据库管理',
'db': '',
'defines tables': '已定义表',
'delete': '删除',
'delete all checked': '删除所有选择的',
'delete plugin': 'delete plugin',
'design': '设计',
'direction: ltr': 'direction: ltr',
'done!': '搞定!',
'edit controller': '修订控制器',
'edit views:': 'edit views:',
'export as csv file': '导出为CSV文件',
'exposes': '暴露',
'extends': '扩展',
'failed to reload module': '重新加载模块失败',
'failed to reload module because:': 'failed to reload module because:',
'file "%(filename)s" created': '文件 "%(filename)s" 已创建',
'file "%(filename)s" deleted': '文件 "%(filename)s" 已删除',
'file "%(filename)s" uploaded': '文件 "%(filename)s" 已上传',
'file "%(filename)s" was not deleted': '文件 "%(filename)s" 没删除',
'file "%s" of %s restored': '文件"%s" 有关 %s 已重存',
'file changed on disk': '硬盘上的文件已经修改',
'file does not exist': '文件并不存在',
'file saved on %(time)s': '文件保存于 %(time)s',
'file saved on %s': '文件保存在 %s',
'htmledit': 'html编辑',
'includes': '包含',
'insert new': '新插入',
'insert new %s': '新插入 %s',
'internal error': '内部错误',
'invalid password': '无效密码',
'invalid request': '无效请求',
'invalid ticket': '无效传票',
'language file "%(filename)s" created/updated': '语言文件 "%(filename)s"被创建/更新',
'languages': '语言',
'languages updated': '语言已被刷新',
'loading...': '载入中...',
'login': '登录',
'merge': '合并',
'models': '模型s',
'modules': '模块s',
'new application "%s" created': '新应用 "%s"已被创建',
'new plugin installed': 'new plugin installed',
'new record inserted': '新记录被插入',
'next 100 rows': '后100行',
'no match': 'no match',
'or import from csv file': '或者,从csv文件导入',
'or provide app url:': 'or provide app url:',
'or provide application url:': '或者,提供应用所在地址链接:',
'pack plugin': 'pack plugin',
'password changed': 'password changed',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" deleted',
'previous 100 rows': '前100行',
'record': 'record',
'record does not exist': '记录并不存在',
'record id': '记录ID',
'restore': '重存',
'revert': '恢复',
'save': '保存',
'selected': '已选',
'session expired': '会话过期',
'shell': '',
'some files could not be removed': '有些文件无法被移除',
'state': '状态',
'static': '静态文件',
'submit': '提交',
'table': '表',
'test': '测试',
'the application logic, each URL path is mapped in one exposed function in the controller': '应用逻辑:每个URL由控制器暴露的函式完成映射',
'the data representation, define database tables and sets': '数据表达式,定义数据库/表',
'the presentations layer, views are also known as templates': '提交层/视图都在模板中可知',
'these files are served without processing, your images go here': '',
'to previous version.': 'to previous version.',
'to previous version.': '退回前一版本',
'translation strings for the application': '应用的翻译字串',
'try': '尝试',
'try something like': '尝试',
'unable to create application "%s"': '无法创建应用 "%s"',
'unable to delete file "%(filename)s"': '无法删除文件 "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'unable to delete file plugin "%(plugin)s"',
'unable to parse csv file': '无法生成 cvs',
'unable to uninstall "%s"': '无法卸载 "%s"',
'unable to upgrade because "%s"': 'unable to upgrade because "%s"',
'uncheck all': '反选全部',
'update': '更新',
'update all languages': '更新所有语言',
'upgrade web2py now': 'upgrade web2py now',
'upload application:': '提交已有的应用:',
'upload file:': '提交文件:',
'upload plugin file:': 'upload plugin file:',
'variables': 'variables',
'versioning': '版本',
'view': '视图',
'views': '视图s',
'web2py Recent Tweets': 'twitter上的web2py进展实播',
'web2py is up to date': 'web2py现在已经是最新的版本了',
'web2py upgraded; please restart it': 'web2py upgraded; please restart it',
}
| Python |
# coding: utf8
{
'!langcode!': 'it',
'!langname!': 'Italiano',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" è un\'espressione opzionale come "campo1=\'nuovo valore\'". Non si può fare "update" o "delete" dei risultati di un JOIN ',
'%s %%{row} deleted': '%s righe ("record") cancellate',
'%s %%{row} updated': '%s righe ("record") modificate',
'%Y-%m-%d': '%d/%m/%Y',
'%Y-%m-%d %H:%M:%S': '%d/%m/%Y %H:%M:%S',
'(requires internet access)': '(requires internet access)',
'(something like "it-it")': '(qualcosa simile a "it-it")',
'@markmin\x01(file **gluon/contrib/plural_rules/%s.py** is not found)': '(file **gluon/contrib/plural_rules/%s.py** is not found)',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available: %s': 'È disponibile una nuova versione di web2py: %s',
'About': 'informazioni',
'About application': "Informazioni sull'applicazione",
'additional code for your application': 'righe di codice aggiuntive per la tua applicazione',
'Additional code for your application': 'Additional code for your application',
'admin disabled because no admin password': 'amministrazione disabilitata per mancanza di password amministrativa',
'admin disabled because not supported on google app engine': 'amministrazione non supportata da Google Apps Engine',
'admin disabled because unable to access password file': 'amministrazione disabilitata per impossibilità di leggere il file delle password',
'Admin is disabled because insecure channel': 'amministrazione disabilitata: comunicazione non sicura',
'Admin language': 'Admin language',
'administrative interface': 'administrative interface',
'Administrator Password:': 'Password Amministratore:',
'An error occured, please %s the page': 'An error occured, please %s the page',
'and rename it (required):': 'e rinominala (obbligatorio):',
'and rename it:': 'e rinominala:',
'appadmin': 'appadmin ',
'appadmin is disabled because insecure channel': 'amministrazione app (appadmin) disabilitata: comunicazione non sicura',
'application "%s" uninstalled': 'applicazione "%s" disinstallata',
'application compiled': 'applicazione compilata',
'application is compiled and cannot be designed': "l'applicazione è compilata e non si può modificare",
'Application name:': 'Application name:',
'are not used': 'are not used',
'are not used yet': 'are not used yet',
'Are you sure you want to delete file "%s"?': 'Confermi di voler cancellare il file "%s"?',
'Are you sure you want to delete plugin "%s"?': 'Confermi di voler cancellare il plugin "%s"?',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'Are you sure you want to uninstall application "%s"?': 'Confermi di voler disinstallare l\'applicazione "%s"?',
'Are you sure you want to upgrade web2py now?': 'Confermi di voler aggiornare web2py ora?',
'arguments': 'arguments',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': "ATTENZIONE: L'accesso richiede una connessione sicura (HTTPS) o l'esecuzione di web2py in locale (connessione su localhost)",
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATTENTZIONE: NON ESEGUIRE PIÙ TEST IN PARALLELO (I TEST NON SONO "THREAD SAFE")',
'ATTENTION: you cannot edit the running application!': "ATTENZIONE: non puoi modificare l'applicazione correntemente in uso ",
'Available databases and tables': 'Database e tabelle disponibili',
'back': 'indietro',
'cache': 'cache',
'cache, errors and sessions cleaned': 'pulitura cache, errori and sessioni ',
'can be a git repo': 'can be a git repo',
'Cannot be empty': 'Non può essere vuoto',
'Cannot compile: there are errors in your app:': "Compilazione fallita: ci sono errori nell'applicazione.",
'cannot create file': 'impossibile creare il file',
'cannot upload file "%(filename)s"': 'impossibile caricare il file "%(filename)s"',
'Change admin password': 'change admin password',
'change password': 'cambia password',
'check all': 'controlla tutto',
'Check for upgrades': 'check for upgrades',
'Check to delete': 'Seleziona per cancellare',
'Checking for upgrades...': 'Controllo aggiornamenti in corso...',
'Clean': 'pulisci',
'click here for online examples': 'clicca per vedere gli esempi',
'click here for the administrative interface': "clicca per l'interfaccia amministrativa",
'click to check for upgrades': 'clicca per controllare presenza di aggiornamenti',
'code': 'code',
'collapse/expand all': 'collapse/expand all',
'Compile': 'compila',
'compiled application removed': "rimosso il codice compilato dell'applicazione",
'Controller': 'Controller',
'Controllers': 'Controllers',
'controllers': 'controllers',
'Copyright': 'Copyright',
'Create': 'crea',
'create file with filename:': 'crea un file col nome:',
'create new application:': 'create new application:',
'Create new simple application': 'Crea nuova applicazione',
'created by': 'creato da',
'crontab': 'crontab',
'Current request': 'Richiesta (request) corrente',
'Current response': 'Risposta (response) corrente',
'Current session': 'Sessione (session) corrente',
'currently running': 'currently running',
'currently saved or': 'attualmente salvato o',
'customize me!': 'Personalizzami!',
'data uploaded': 'dati caricati',
'Database': 'Database',
'database': 'database',
'database %s select': 'database %s select',
'database administration': 'amministrazione database',
'Date and Time': 'Data and Ora',
'db': 'db',
'DB Model': 'Modello di DB',
'Debug': 'Debug',
'defines tables': 'defininisce le tabelle',
'Delete': 'Cancella',
'delete': 'Cancella',
'delete all checked': 'cancella tutti i selezionati',
'delete plugin': 'cancella plugin',
'Delete this file (you will be asked to confirm deletion)': 'Delete this file (you will be asked to confirm deletion)',
'Delete:': 'Cancella:',
'Deploy': 'deploy',
'Deploy on Google App Engine': 'Installa su Google App Engine',
'Deploy to OpenShift': 'Deploy to OpenShift',
'design': 'progetta',
'Detailed traceback description': 'Detailed traceback description',
'direction: ltr': 'direction: ltr',
'Disable': 'Disable',
'docs': 'docs',
'done!': 'fatto!',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'EDIT': 'MODIFICA',
'Edit': 'modifica',
'Edit application': 'Modifica applicazione',
'edit controller': 'modifica controller',
'Edit current record': 'Modifica record corrente',
'edit profile': 'modifica profilo',
'Edit This App': 'Modifica questa applicazione',
'edit views:': 'modifica viste (view):',
'Editing file "%s"': 'Modifica del file "%s"',
'Editing Language file': 'Modifica file linguaggio',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error logs for "%(app)s"': 'Log degli errori per "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'errori',
'Exception instance attributes': 'Exception instance attributes',
'Expand Abbreviation': 'Expand Abbreviation',
'export as csv file': 'esporta come file CSV',
'exposes': 'espone',
'exposes:': 'exposes:',
'extends': 'estende',
'failed to reload module because:': 'ricaricamento modulo fallito perché:',
'file "%(filename)s" created': 'creato il file "%(filename)s"',
'file "%(filename)s" deleted': 'cancellato il file "%(filename)s"',
'file "%(filename)s" uploaded': 'caricato il file "%(filename)s"',
'file "%s" of %s restored': 'ripristinato "%(filename)s"',
'file changed on disk': 'il file ha subito una modifica su disco',
'file does not exist': 'file inesistente',
'file saved on %(time)s': "file salvato nell'istante %(time)s",
'file saved on %s': 'file salvato: %s',
'filter': 'filter',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'I test delle funzioni senza "doctests" risulteranno sempre [passed].',
'Get from URL:': 'Get from URL:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'graph model': 'graph model',
'Hello World': 'Salve Mondo',
'Help': 'aiuto',
'Hide/Show Translated strings': 'Hide/Show Translated strings',
'htmledit': 'modifica come html',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'Import/Export': 'Importa/Esporta',
'includes': 'include',
'Index': 'Indice',
'insert new': 'inserisci nuovo',
'insert new %s': 'inserisci nuovo %s',
'inspect attributes': 'inspect attributes',
'Install': 'installa',
'Installed applications': 'Applicazioni installate',
'internal error': 'errore interno',
'Internal State': 'Stato interno',
'Invalid action': 'Azione non valida',
'invalid password': 'password non valida',
'Invalid Query': 'Richiesta (query) non valida',
'invalid request': 'richiesta non valida',
'invalid ticket': 'ticket non valido',
'Key bindings': 'Key bindings',
'Key bindings for ZenCoding Plugin': 'Key bindings for ZenCoding Plugin',
'language file "%(filename)s" created/updated': 'file linguaggio "%(filename)s" creato/aggiornato',
'Language files (static strings) updated': 'Linguaggi (documenti con stringhe statiche) aggiornati',
'languages': 'linguaggi',
'Languages': 'Linguaggi',
'Last saved on:': 'Ultimo salvataggio:',
'Layout': 'Layout',
'License for': 'Licenza relativa a',
'loading...': 'caricamento...',
'locals': 'locals',
'login': 'accesso',
'Login': 'Accesso',
'Login to the Administrative Interface': "Accesso all'interfaccia amministrativa",
'Logout': 'uscita',
'Main Menu': 'Menu principale',
'Menu Model': 'Menu Modelli',
'merge': 'unisci',
'models': 'modelli',
'Models': 'Modelli',
'Modules': 'Moduli',
'modules': 'moduli',
'new application "%s" created': 'creata la nuova applicazione "%s"',
'New application wizard': 'New application wizard',
'new plugin installed': 'installato nuovo plugin',
'New Record': 'Nuovo elemento (record)',
'new record inserted': 'nuovo record inserito',
'New simple application': 'New simple application',
'next 100 rows': 'prossime 100 righe',
'NO': 'NO',
'No databases in this application': 'Nessun database presente in questa applicazione',
'no match': 'nessuna corrispondenza',
'or alternatively': 'or alternatively',
'Or Get from URL:': 'Or Get from URL:',
'or import from csv file': 'oppure importa da file CSV',
'or provide app url:': "oppure fornisci url dell'applicazione:",
'Original/Translation': 'Originale/Traduzione',
'Overwrite installed app': 'sovrascrivi applicazione installata',
'Pack all': 'crea pacchetto',
'Pack compiled': 'crea pacchetto del codice compilato',
'pack plugin': 'crea pacchetto del plugin',
'PAM authenticated user, cannot change password here': 'utente autenticato tramite PAM, impossibile modificare password qui',
'password changed': 'password modificata',
'Peeking at file': 'Uno sguardo al file',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" cancellato',
'Plugin "%s" in application': 'Plugin "%s" nell\'applicazione',
'plugins': 'plugins',
'Plugins': 'I Plugins',
'Plural-Forms:': 'Plural-Forms:',
'Powered by': 'Powered by',
'previous 100 rows': '100 righe precedenti',
'private files': 'private files',
'Private files': 'Private files',
'Query:': 'Richiesta (query):',
'record': 'record',
'record does not exist': 'il record non esiste',
'record id': 'ID del record',
'register': 'registrazione',
'reload': 'reload',
'Remove compiled': 'rimozione codice compilato',
'request': 'request',
'Resolve Conflict file': 'File di risoluzione conflitto',
'response': 'response',
'restore': 'ripristino',
'revert': 'versione precedente',
'Rows in table': 'Righe nella tabella',
'Rows selected': 'Righe selezionate',
'rules are not defined': 'rules are not defined',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Running on %s': 'Running on %s',
'Save': 'Save',
'Save via Ajax': 'Save via Ajax',
'Saved file hash:': 'Hash del file salvato:',
'selected': 'selezionato',
'session': 'session',
'session expired': 'sessions scaduta',
'shell': 'shell',
'Site': 'sito',
'some files could not be removed': 'non è stato possibile rimuovere alcuni files',
'Start wizard': 'start wizard',
'state': 'stato',
'static': 'statico',
'Static': 'Static',
'Static files': 'Files statici',
'Stylesheet': 'Foglio di stile (stylesheet)',
'submit': 'invia',
'Submit': 'Submit',
'Sure you want to delete this object?': 'Vuoi veramente cancellare questo oggetto?',
'table': 'tabella',
'test': 'test',
'Testing application': 'Test applicazione in corsg',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'La richiesta (query) è una condizione come ad esempio "db.tabella1.campo1==\'valore\'". Una condizione come "db.tabella1.campo1==db.tabella2.campo2" produce un "JOIN" SQL.',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'the application logic, each URL path is mapped in one exposed function in the controller': 'logica dell\'applicazione, ogni percorso "URL" corrisponde ad una funzione esposta da un controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'the data representation, define database tables and sets': 'rappresentazione dei dati, definizione di tabelle di database e di "set" ',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'the presentations layer, views are also known as templates': 'Presentazione dell\'applicazione, viste (views, chiamate anche "templates")',
'There are no controllers': 'Non ci sono controller',
'There are no models': 'Non ci sono modelli',
'There are no modules': 'Non ci sono moduli',
'There are no plugins': 'There are no plugins',
'There are no private files': 'There are no private files',
'There are no static files': 'Non ci sono file statici',
'There are no translators, only default language is supported': 'Non ci sono traduzioni, viene solo supportato il linguaggio di base',
'There are no views': 'Non ci sono viste ("view")',
'These files are not served, they are only available from within your app': 'These files are not served, they are only available from within your app',
'these files are served without processing, your images go here': 'questi files vengono serviti così come sono, le immagini vanno qui',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'This is the %(filename)s template': 'Questo è il template %(filename)s',
'Ticket': 'Ticket',
'Ticket ID': 'Ticket ID',
'TM': 'TM',
'to previous version.': 'torna a versione precedente',
'To create a plugin, name a file/folder plugin_[name]': 'Per creare un plugin, chiamare un file o cartella plugin_[nome]',
'toggle breakpoint': 'toggle breakpoint',
'Toggle Fullscreen': 'Toggle Fullscreen',
'Traceback': 'Traceback',
'translation strings for the application': "stringhe di traduzioni per l'applicazione",
'Translation strings for the application': 'Translation strings for the application',
'try': 'prova',
'try something like': 'prova qualcosa come',
'Try the mobile interface': 'Try the mobile interface',
'try view': 'try view',
'Unable to check for upgrades': 'Impossibile controllare presenza di aggiornamenti',
'unable to create application "%s"': 'impossibile creare applicazione "%s"',
'unable to delete file "%(filename)s"': 'impossibile rimuovere file "%(plugin)s"',
'unable to delete file plugin "%(plugin)s"': 'impossibile rimuovere file di plugin "%(plugin)s"',
'Unable to download app because:': 'Impossibile scaricare applicazione perché',
'Unable to download because': 'Impossibile scaricare perché',
'Unable to download because:': 'Unable to download because:',
'unable to parse csv file': 'non riesco a decodificare questo file CSV',
'unable to uninstall "%s"': 'impossibile disinstallare "%s"',
'unable to upgrade because "%s"': 'impossibile aggiornare perché "%s"',
'uncheck all': 'smarca tutti',
'Uninstall': 'disinstalla',
'update': 'aggiorna',
'update all languages': 'aggiorna tutti i linguaggi',
'Update:': 'Aggiorna:',
'upgrade web2py now': 'upgrade web2py now',
'upload': 'upload',
'Upload': 'Upload',
'Upload & install packed application': 'Carica ed installa pacchetto con applicazione',
'Upload a package:': 'Upload a package:',
'Upload and install packed application': 'Upload and install packed application',
'upload application:': 'carica applicazione:',
'upload file:': 'carica file:',
'upload plugin file:': 'carica file di plugin:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Per costruire richieste (query) più complesse si usano (...)&(...) come "e" (AND), (...)|(...) come "o" (OR), e ~(...) come negazione (NOT).',
'Use an url:': 'Use an url:',
'variables': 'variables',
'Version': 'Versione',
'Version %s.%s.%s %s (%s)': 'Version %s.%s.%s %s (%s)',
'Version %s.%s.%s (%s) %s': 'Version %s.%s.%s (%s) %s',
'versioning': 'sistema di versioni',
'Versioning': 'Versioning',
'view': 'vista',
'View': 'Vista',
'Views': 'viste',
'views': 'viste',
'Web Framework': 'Web Framework',
'web2py is up to date': 'web2py è aggiornato',
'web2py Recent Tweets': 'Tweets recenti per web2py',
'web2py upgraded; please restart it': 'web2py aggiornato; prego riavviarlo',
'Welcome %s': 'Benvenuto %s',
'Welcome to web2py': 'Benvenuto su web2py',
'YES': 'SI',
}
| Python |
# coding: utf8
{
'!langcode!': 'sr-cr',
'!langname!': 'Српски (Ћирилица)',
'%Y-%m-%d': '%d-%m-%Y',
'%Y-%m-%d %H:%M:%S': '%d-%m-%Y %H:%M:%S',
'(requires internet access)': '(захтијева приступ интернету)',
'(something like "it-it")': '(нешто као "it-it")',
'@markmin\x01(file **gluon/contrib/plural_rules/%s.py** is not found)': '(датотека **gluon/contrib/plural_rules/%s.py** није пронађена)',
'About': 'Информације',
'About application': 'О апликацији',
'Additional code for your application': 'Додатни код за апликацију',
'admin disabled because unable to access password file': 'администрација онемогућена јер не могу приступити датотеци са лозинком',
'Admin language': 'Језик администратора',
'administrative interface': 'административни интерфејс',
'Administrator Password:': 'Лозинка администратора:',
'and rename it:': 'и преименуј у:',
'Application name:': 'Назив апликације:',
'are not used': 'није кориштено',
'are not used yet': 'није још кориштено',
'Are you sure you want to delete this object?': 'Да ли сте сигурни да желите обрисати?',
'arguments': 'arguments',
'at char %s': 'код слова %s',
'at line %s': 'на линији %s',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.',
'back': 'назад',
'Basics': 'Основе',
'Begin': 'Почетак',
'cache, errors and sessions cleaned': 'кеш, грешке и сесије су обрисани',
'can be a git repo': 'може бити git repo',
'cannot upload file "%(filename)s"': 'не мофу отпремити датотеку "%(filename)s"',
'Change admin password': 'Промијени лзинку администратора',
'check all': 'check all',
'Check for upgrades': 'Провјери могућност надоградње',
'Checking for upgrades...': 'Провјеравам могућност надоградње...',
'Clean': 'Прочисти',
'Click row to expand traceback': 'Click row to expand traceback',
'code': 'код',
'collapse/expand all': 'сакрити/приказати све',
'Compile': 'Компајлирај',
'Controllers': 'Контролери',
'controllers': 'контролери',
'Count': 'Count',
'Create': 'Креирај',
'create file with filename:': 'Креирај датотеку под називом:',
'Create rules': 'Креирај правила',
'created by': 'израдио',
'crontab': 'crontab',
'currently running': 'тренутно покренут',
'currently saved or': 'тренутно сачувано или',
'database administration': 'администрација базе података',
'Debug': 'Debug',
'defines tables': 'дефинише табеле',
'delete': 'обриши',
'Delete': 'Обриши',
'delete all checked': 'delete all checked',
'Delete this file (you will be asked to confirm deletion)': 'Обриши ову даатотеку (бићете упитани за потврду брисања)',
'Deploy': 'Постави',
'Deploy on Google App Engine': 'Постави на Google App Engine',
'Deploy to OpenShift': 'Постави на OpenShift',
'Detailed traceback description': 'Detailed traceback description',
'direction: ltr': 'direction: ltr',
'Disable': 'Искључи',
'docs': 'документација',
'download layouts': 'преузми layouts',
'download plugins': 'преузми plugins',
'Edit': 'Уређивање',
'edit all': 'уреди све',
'Edit application': 'Уреди апликацију',
'edit controller': 'уреди контролер',
'edit views:': 'уреди views:',
'Editing file "%s"': 'Уређивање датотеке "%s"',
'Editing Language file': 'Уређивање језичке датотеке',
'Error': 'Грешка',
'Error logs for "%(app)s"': 'Преглед грешака за "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'Грешке',
'Exception instance attributes': 'Exception instance attributes',
'Expand Abbreviation': 'Expand Abbreviation',
'exposes': 'exposes',
'exposes:': 'exposes:',
'extends': 'проширује',
'failed to compile file because:': 'нисам могао да компајлирам због:',
'File': 'Датотека',
'file does not exist': 'датотека не постоји',
'file saved on %s': 'датотека сачувана на %s',
'filter': 'филтер',
'Find Next': 'Пронађи сљедећи',
'Find Previous': 'Пронађи претходни',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'Functions with no doctests will result in [passed] tests.',
'Generate': 'Generate',
'Get from URL:': 'Преузми са странице:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Go to Matching Pair': 'Go to Matching Pair',
'go!': 'крени!',
'Help': 'Помоћ',
'Hide/Show Translated strings': 'Сакрити/Приказати преведене ријечи',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'includes': 'укључује',
'inspect attributes': 'inspect attributes',
'Install': 'Инсталирај',
'Installed applications': 'Инсталиране апликације',
'invalid password.': 'погрешна лозинка.',
'Key bindings': 'Пречице',
'Key bindings for ZenCoding Plugin': 'Пречице за ZenCoding Plugin',
'Language files (static strings) updated': 'Језичке датотеке су ажуриране',
'languages': 'језици',
'Languages': 'Језици',
'Last saved on:': 'Посљедња измјена:',
'License for': 'Лиценца за',
'loading...': 'преузимам...',
'locals': 'locals',
'Login': 'Пријава',
'Login to the Administrative Interface': 'Пријава за административни интерфејс',
'Logout': 'Излаз',
'Match Pair': 'Match Pair',
'Merge Lines': 'Споји линије',
'models': 'models',
'Models': 'Models',
'Modules': 'Modules',
'modules': 'modules',
'New Application Wizard': 'Чаробњак за нове апликације',
'New application wizard': 'Чаробњак за нове апликације',
'New simple application': 'Нова једноставна апликација',
'Next Edit Point': 'Next Edit Point',
'No ticket_storage.txt found under /private folder': 'No ticket_storage.txt found under /private folder',
'online designer': 'онлајн дизајнер',
'Original/Translation': 'Оргинал/Превод',
'Overwrite installed app': 'Пребриши постојећу апликацију',
'Pack all': 'Запакуј све',
'Peeking at file': 'Peeking at file',
'Plugins': 'Plugins',
'plugins': 'plugins',
'Plural-Forms:': 'Plural-Forms:',
'Powered by': 'Омогућио',
'Previous Edit Point': 'Previous Edit Point',
'Private files': 'Private files',
'private files': 'private files',
'Project Progress': 'Напредак пројекта',
'Reload routes': 'Обнови преусмјерења',
'Removed Breakpoint on %s at line %s': 'Removed Breakpoint on %s at line %s',
'Replace': 'Замијени',
'Replace All': 'Замијени све',
'request': 'request',
'response': 'response',
'restart': 'restart',
'restore': 'restore',
'revert': 'revert',
'rules are not defined': 'правила нису дефинисана',
'rules:': 'правила:',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Running on %s': 'Покренути на %s',
'Save': 'Сачувај',
'Save via Ajax': 'сачувај via Ajax',
'Saved file hash:': 'Сачувано као хаш:',
'session': 'сесија',
'session expired': 'сесија истекла',
'Set Breakpoint on %s at line %s: %s': 'Set Breakpoint on %s at line %s: %s',
'shell': 'shell',
'Site': 'Сајт',
'skip to generate': 'skip to generate',
'Start a new app': 'Покрени нову апликацију',
'Start searching': 'Покрени претрагу',
'Start wizard': 'Покрени чаробњака',
'static': 'static',
'Static files': 'Static files',
'Step': 'Корак',
'Submit': 'Прихвати',
'successful': 'успјешан',
'test': 'тест',
'Testing application': 'Тестирање апликације',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no models': 'There are no models',
'There are no plugins': 'There are no plugins',
'There are no private files': 'There are no private files',
'These files are not served, they are only available from within your app': 'These files are not served, they are only available from within your app',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'Ticket ID': 'Ticket ID',
'Ticket Missing': 'Ticket nedostaje',
'to previous version.': 'на претходну верзију.',
'To create a plugin, name a file/folder plugin_[name]': 'To create a plugin, name a file/folder plugin_[name]',
'toggle breakpoint': 'toggle breakpoint',
'Toggle Fullscreen': 'Toggle Fullscreen',
'Traceback': 'Traceback',
'Translation strings for the application': 'Ријечи у апликацији које треба превести',
'Try the mobile interface': 'Пробај мобилни интерфејс',
'try view': 'try view',
'uncheck all': 'uncheck all',
'Uninstall': 'Деинсталирај',
'update': 'ажурирај',
'update all languages': 'ажурирај све језике',
'upload': 'Отпреми',
'Upload a package:': 'Преузми пакет:',
'Upload and install packed application': 'Преузми и инсталирај запаковану апликацију',
'upload file:': 'преузми датотеку:',
'upload plugin file:': 'преузми плагин датотеку:',
'variables': 'variables',
'Version': 'Верзија',
'Version %s.%s.%s (%s) %s': 'Верзија %s.%s.%s (%s) %s',
'Versioning': 'Versioning',
'views': 'views',
'Views': 'Views',
'Web Framework': 'Web Framework',
'web2py is up to date': 'web2py је ажуран',
'web2py Recent Tweets': 'web2py Recent Tweets',
'Wrap with Abbreviation': 'Wrap with Abbreviation',
}
| Python |
# coding: utf8
{
'!langcode!': 'es',
'!langname!': 'Español',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"actualice" es una expresión opcional como "campo1=\'nuevo_valor\'". No se puede actualizar o eliminar resultados de un JOIN',
'%s %%{row} deleted': '%s filas eliminadas',
'%s %%{row} updated': '%s filas actualizadas',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'(something like "it-it")': '(algo como "it-it")',
'@markmin\x01(file **gluon/contrib/plural_rules/%s.py** is not found)': '(file **gluon/contrib/plural_rules/%s.py** is not found)',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available': 'Hay una nueva versión de web2py disponible',
'A new version of web2py is available: %s': 'Hay una nueva versión de web2py disponible: %s',
'About': 'acerca de',
'About application': 'Acerca de la aplicación',
'additional code for your application': 'código adicional para su aplicación',
'Additional code for your application': 'Additional code for your application',
'admin disabled because no admin password': ' por falta de contraseña',
'admin disabled because not supported on google app engine': 'admin deshabilitado, no es soportado en GAE',
'admin disabled because unable to access password file': 'admin deshabilitado, imposible acceder al archivo con la contraseña',
'Admin is disabled because insecure channel': 'Admin deshabilitado, el canal no es seguro',
'Admin is disabled because unsecure channel': 'Admin deshabilitado, el canal no es seguro',
'Admin language': 'Admin language',
'administrative interface': 'administrative interface',
'Administrator Password:': 'Contraseña del Administrador:',
'An error occured, please %s the page': 'An error occured, please %s the page',
'and rename it (required):': 'y renombrela (requerido):',
'and rename it:': ' y renombrelo:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'admin deshabilitado, el canal no es seguro',
'application "%s" uninstalled': 'aplicación "%s" desinstalada',
'application compiled': 'aplicación compilada',
'application is compiled and cannot be designed': 'la aplicación está compilada y no puede ser modificada',
'are not used': 'are not used',
'are not used yet': 'are not used yet',
'Are you sure you want to delete file "%s"?': '¿Está seguro que desea eliminar el archivo "%s"?',
'Are you sure you want to delete plugin "%s"?': '¿Está seguro que quiere eliminar el plugin "%s"?',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'Are you sure you want to uninstall application "%s"': '¿Está seguro que desea desinstalar la aplicación "%s"',
'Are you sure you want to uninstall application "%s"?': '¿Está seguro que desea desinstalar la aplicación "%s"?',
'Are you sure you want to upgrade web2py now?': '¿Está seguro que desea actualizar web2py ahora?',
'arguments': 'argumentos',
'at char %s': 'at char %s',
'at line %s': 'at line %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ATENCION: Inicio de sesión requiere una conexión segura (HTTPS) o localhost.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATENCION: NO EJECUTE VARIAS PRUEBAS SIMULTANEAMENTE, NO SON THREAD SAFE.',
'ATTENTION: you cannot edit the running application!': 'ATENCION: no puede modificar la aplicación que se ejecuta!',
'Autocomplete': 'Autocomplete',
'Available databases and tables': 'Bases de datos y tablas disponibles',
'back': 'atrás',
'breakpoint': 'breakpoint',
'breakpoints': 'breakpoints',
'browse': 'buscar',
'cache': 'cache',
'cache, errors and sessions cleaned': 'cache, errores y sesiones eliminados',
'Cannot be empty': 'No puede estar vacío',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'No se puede compilar: hay errores en su aplicación. Depure, corrija errores y vuelva a intentarlo.',
'Cannot compile: there are errors in your app:': 'No se puede compilar: hay errores en su aplicación:',
'cannot create file': 'no es posible crear archivo',
'cannot upload file "%(filename)s"': 'no es posible subir archivo "%(filename)s"',
'Change admin password': 'cambie contraseña admin',
'Change Password': 'Cambie Contraseña',
'check all': 'marcar todos',
'Check to delete': 'Marque para eliminar',
'Checking for upgrades...': 'Buscando actulizaciones...',
'Clean': 'limpiar',
'click here for online examples': 'haga clic aquí para ver ejemplos en línea',
'click here for the administrative interface': 'haga clic aquí para usar la interfaz administrativa',
'Click row to expand traceback': 'Click row to expand traceback',
'click to check for upgrades': 'haga clic para buscar actualizaciones',
'click to open': 'click to open',
'Client IP': 'IP del Cliente',
'code': 'código',
'Code listing': 'Code listing',
'collapse/expand all': 'collapse/expand all',
'commit (mercurial)': 'commit (mercurial)',
'Compile': 'compilar',
'compiled application removed': 'aplicación compilada removida',
'continue': 'continue',
'Controllers': 'Controladores',
'controllers': 'controladores',
'Count': 'Count',
'Create': 'crear',
'create file with filename:': 'cree archivo con nombre:',
'Create new application using the Wizard': 'Create new application using the Wizard',
'create new application:': 'nombre de la nueva aplicación:',
'Create new simple application': 'Cree una nueva aplicación',
'created by': 'creado por',
'crontab': 'crontab',
'Current request': 'Solicitud en curso',
'Current response': 'Respuesta en curso',
'Current session': 'Sesión en curso',
'currently saved or': 'actualmente guardado o',
'customize me!': 'Adaptame!',
'data uploaded': 'datos subidos',
'database': 'base de datos',
'database %s select': 'selección en base de datos %s',
'database administration': 'administración base de datos',
'Date and Time': 'Fecha y Hora',
'db': 'db',
'Debug': 'Debug',
'defines tables': 'define tablas',
'Delete': 'Elimine',
'delete': 'eliminar',
'delete all checked': 'eliminar marcados',
'delete plugin': 'eliminar plugin',
'Delete this file (you will be asked to confirm deletion)': 'Delete this file (you will be asked to confirm deletion)',
'Delete:': 'Elimine:',
'Deploy on Google App Engine': 'Instale en Google App Engine',
'Description': 'Descripción',
'design': 'modificar',
'DESIGN': 'DISEÑO',
'Design for': 'Diseño para',
'direction: ltr': 'direction: ltr',
'docs': 'docs',
'done!': 'listo!',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'E-mail': 'Correo electrónico',
'EDIT': 'EDITAR',
'Edit': 'editar',
'Edit application': 'Editar aplicación',
'edit controller': 'editar controlador',
'Edit current record': 'Edite el registro actual',
'Edit Profile': 'Editar Perfil',
'edit views:': 'editar vistas:',
'Editing file': 'Editando archivo',
'Editing file "%s"': 'Editando archivo "%s"',
'Editing Language file': 'Editando archivo de lenguaje',
'Enterprise Web Framework': 'Armazón Empresarial para Internet',
'Error': 'Error',
'Error logs for "%(app)s"': 'Bitácora de errores en "%(app)s"',
'Errors': 'errores',
'Exception instance attributes': 'Atributos de la instancia de Excepción',
'export as csv file': 'exportar como archivo CSV',
'exposes': 'expone',
'exposes:': 'exposes:',
'extends': 'extiende',
'failed to compile file because:': 'failed to compile file because:',
'failed to reload module': 'recarga del módulo ha fallado',
'failed to reload module because:': 'no es posible recargar el módulo por:',
'File': 'File',
'file "%(filename)s" created': 'archivo "%(filename)s" creado',
'file "%(filename)s" deleted': 'archivo "%(filename)s" eliminado',
'file "%(filename)s" uploaded': 'archivo "%(filename)s" subido',
'file "%(filename)s" was not deleted': 'archivo "%(filename)s" no fué eliminado',
'file "%s" of %s restored': 'archivo "%s" de %s restaurado',
'file changed on disk': 'archivo modificado en el disco',
'file does not exist': 'archivo no existe',
'file saved on %(time)s': 'archivo guardado %(time)s',
'file saved on %s': 'archivo guardado %s',
'filter': 'filter',
'Find Next': 'Find Next',
'Find Previous': 'Find Previous',
'First name': 'Nombre',
'Functions with no doctests will result in [passed] tests.': 'Funciones sin doctests equivalen a pruebas [aceptadas].',
'Globals##debug': 'Globals',
'graph model': 'graph model',
'Group ID': 'ID de Grupo',
'Hello World': 'Hola Mundo',
'Help': 'ayuda',
'htmledit': 'htmledit',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Si el reporte anterior contiene un número de tiquete este indica un falla en la ejecución del controlador, antes de cualquier intento de ejecutat doctests. Esto generalmente se debe a un error en la indentación o un error por fuera del código de la función.\r\nUn titulo verde indica que todas las pruebas pasaron (si existen). En dicho caso los resultados no se muestran.',
'Import/Export': 'Importar/Exportar',
'includes': 'incluye',
'insert new': 'inserte nuevo',
'insert new %s': 'inserte nuevo %s',
'Install': 'instalar',
'Installed applications': 'Aplicaciones instaladas',
'Interaction at %s line %s': 'Interaction at %s line %s',
'Interactive console': 'Interactive console',
'internal error': 'error interno',
'Internal State': 'Estado Interno',
'Invalid action': 'Acción inválida',
'Invalid email': 'Correo inválido',
'invalid password': 'contraseña inválida',
'Invalid Query': 'Consulta inválida',
'invalid request': 'solicitud inválida',
'invalid ticket': 'tiquete inválido',
'Key bindings': 'Key bindings',
'language file "%(filename)s" created/updated': 'archivo de lenguaje "%(filename)s" creado/actualizado',
'Language files (static strings) updated': 'Archivos de lenguaje (cadenas estáticas) actualizados',
'languages': 'lenguajes',
'Languages': 'Lenguajes',
'languages updated': 'lenguajes actualizados',
'Last name': 'Apellido',
'Last saved on:': 'Guardado en:',
'License for': 'Licencia para',
'loading...': 'cargando...',
'Locals##debug': 'Locals',
'Login': 'Inicio de sesión',
'login': 'inicio de sesión',
'Login to the Administrative Interface': 'Inicio de sesión para la Interfaz Administrativa',
'Logout': 'fin de sesión',
'Lost Password': 'Contraseña perdida',
'manage': 'manage',
'merge': 'combinar',
'Models': 'Modelos',
'models': 'modelos',
'Modules': 'Módulos',
'modules': 'módulos',
'Name': 'Nombre',
'new application "%s" created': 'nueva aplicación "%s" creada',
'new plugin installed': 'nuevo plugin instalado',
'New Record': 'Registro nuevo',
'new record inserted': 'nuevo registro insertado',
'next': 'next',
'next 100 rows': '100 filas siguientes',
'NO': 'NO',
'No databases in this application': 'No hay bases de datos en esta aplicación',
'No Interaction yet': 'No Interaction yet',
'no match': 'no encontrado',
'or alternatively': 'or alternatively',
'or import from csv file': 'o importar desde archivo CSV',
'or provide app url:': 'o provea URL de la aplicación:',
'or provide application url:': 'o provea URL de la aplicación:',
'Origin': 'Origen',
'Original/Translation': 'Original/Traducción',
'Overwrite installed app': 'sobreescriba aplicación instalada',
'Pack all': 'empaquetar todo',
'Pack compiled': 'empaquete compiladas',
'pack plugin': 'empaquetar plugin',
'PAM authenticated user, cannot change password here': 'usuario autenticado por PAM, no puede cambiar la contraseña aquí',
'Password': 'Contraseña',
'password changed': 'contraseña cambiada',
'Peeking at file': 'Visualizando archivo',
'Please': 'Please',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" eliminado',
'Plugin "%s" in application': 'Plugin "%s" en aplicación',
'plugins': 'plugins',
'Plugins': 'Plugins',
'Plural-Forms:': 'Plural-Forms:',
'Powered by': 'Este sitio usa',
'previous 100 rows': '100 filas anteriores',
'Private files': 'Private files',
'private files': 'private files',
'Query:': 'Consulta:',
'record': 'registro',
'record does not exist': 'el registro no existe',
'record id': 'id de registro',
'Record ID': 'ID de Registro',
'refresh': 'refresh',
'Register': 'Registrese',
'Registration key': 'Contraseña de Registro',
'reload': 'reload',
'Remove compiled': 'eliminar compiladas',
'Removed Breakpoint on %s at line %s': 'Removed Breakpoint on %s at line %s',
'Replace': 'Replace',
'Replace All': 'Replace All',
'Resolve Conflict file': 'archivo Resolución de Conflicto',
'restore': 'restaurar',
'return': 'return',
'revert': 'revertir',
'Role': 'Rol',
'Rows in table': 'Filas en la tabla',
'Rows selected': 'Filas seleccionadas',
'rules are not defined': 'rules are not defined',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Save': 'Save',
'save': 'guardar',
'Save file:': 'Save file:',
'Save via Ajax': 'Save via Ajax',
'Saved file hash:': 'Hash del archivo guardado:',
'selected': 'seleccionado(s)',
'session expired': 'sesión expirada',
'Set Breakpoint on %s at line %s: %s': 'Set Breakpoint on %s at line %s: %s',
'shell': 'shell',
'Site': 'sitio',
'some files could not be removed': 'algunos archivos no pudieron ser removidos',
'Start searching': 'Start searching',
'state': 'estado',
'static': 'estáticos',
'Static': 'Static',
'Static files': 'Archivos estáticos',
'step': 'step',
'stop': 'stop',
'submit': 'enviar',
'successful': 'successful',
'Sure you want to delete this object?': '¿Está seguro que desea eliminar este objeto?',
'table': 'tabla',
'Table name': 'Nombre de la tabla',
'test': 'probar',
'Testing application': 'Probando aplicación',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'La "consulta" es una condición como "db.tabla1.campo1==\'valor\'". Algo como "db.tabla1.campo1==db.tabla2.campo2" resulta en un JOIN SQL.',
'the application logic, each URL path is mapped in one exposed function in the controller': 'la lógica de la aplicación, cada ruta URL se mapea en una función expuesta en el controlador',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'the data representation, define database tables and sets': 'la representación de datos, define tablas y conjuntos de base de datos',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'the presentations layer, views are also known as templates': 'la capa de presentación, las vistas también son llamadas plantillas',
'There are no controllers': 'No hay controladores',
'There are no models': 'No hay modelos',
'There are no modules': 'No hay módulos',
'There are no plugins': 'There are no plugins',
'There are no private files': 'There are no private files',
'There are no static files': 'No hay archivos estáticos',
'There are no translators, only default language is supported': 'No hay traductores, sólo el lenguaje por defecto es soportado',
'There are no views': 'No hay vistas',
'These files are not served, they are only available from within your app': 'These files are not served, they are only available from within your app',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'these files are served without processing, your images go here': 'estos archivos son servidos sin procesar, sus imágenes van aquí',
'This is the %(filename)s template': 'Esta es la plantilla %(filename)s',
'this page to see if a breakpoint was hit and debug interaction is required.': 'this page to see if a breakpoint was hit and debug interaction is required.',
'Ticket': 'Tiquete',
'Timestamp': 'Timestamp',
'TM': 'MR',
'to previous version.': 'a la versión previa.',
'To create a plugin, name a file/folder plugin_[name]': 'Para crear un plugin, nombre un archivo/carpeta plugin_[nombre]',
'To emulate a breakpoint programatically, write:': 'To emulate a breakpoint programatically, write:',
'to use the debugger!': 'to use the debugger!',
'toggle breakpoint': 'toggle breakpoint',
'Toggle Fullscreen': 'Toggle Fullscreen',
'translation strings for the application': 'cadenas de caracteres de traducción para la aplicación',
'Translation strings for the application': 'Translation strings for the application',
'try': 'intente',
'try something like': 'intente algo como',
'Type some Python code in here and hit Return (Enter) to execute it.': 'Type some Python code in here and hit Return (Enter) to execute it.',
'Unable to check for upgrades': 'No es posible verificar la existencia de actualizaciones',
'unable to create application "%s"': 'no es posible crear la aplicación "%s"',
'unable to delete file "%(filename)s"': 'no es posible eliminar el archivo "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'no es posible eliminar plugin "%(plugin)s"',
'Unable to download': 'No es posible la descarga',
'Unable to download app': 'No es posible descargar la aplicación',
'Unable to download app because:': 'No es posible descargar la aplicación porque:',
'Unable to download because': 'No es posible descargar porque',
'unable to parse csv file': 'no es posible analizar el archivo CSV',
'unable to uninstall "%s"': 'no es posible instalar "%s"',
'unable to upgrade because "%s"': 'no es posible actualizar porque "%s"',
'uncheck all': 'desmarcar todos',
'Uninstall': 'desinstalar',
'update': 'actualizar',
'update all languages': 'actualizar todos los lenguajes',
'Update:': 'Actualice:',
'upgrade web2py now': 'actualize web2py ahora',
'Upload': 'Upload',
'Upload & install packed application': 'Suba e instale aplicación empaquetada',
'upload application:': 'subir aplicación:',
'Upload existing application': 'Suba esta aplicación',
'upload file:': 'suba archivo:',
'upload plugin file:': 'suba archivo de plugin:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Use (...)&(...) para AND, (...)|(...) para OR, y ~(...) para NOT, para crear consultas más complejas.',
'User ID': 'ID de Usuario',
'variables': 'variables',
'Version': 'Versión',
'versioning': 'versiones',
'Versioning': 'Versioning',
'view': 'vista',
'Views': 'Vistas',
'views': 'vistas',
'web2py is up to date': 'web2py está actualizado',
'web2py online debugger': 'web2py online debugger',
'web2py Recent Tweets': 'Tweets Recientes de web2py',
'web2py upgraded; please restart it': 'web2py actualizado; favor reiniciar',
'Welcome to web2py': 'Bienvenido a web2py',
'YES': 'SI',
'You need to set up and reach a': 'You need to set up and reach a',
'Your application will be blocked until you click an action button (next, step, continue, etc.)': 'Your application will be blocked until you click an action button (next, step, continue, etc.)',
'Your can inspect variables using the console below': 'Your can inspect variables using the console below',
}
| Python |
#!/usr/bin/env python
{
# "singular form (0)": ["first plural form (1)", "second plural form (2)", ...],
'файл': ['файла','файлов'],
}
| Python |
#!/usr/bin/env python
{
# "singular form (0)": ["first plural form (1)", "second plural form (2)", ...],
'file': ['files'],
}
| Python |
# coding: utf8
{
'!langcode!': 'ja-jp',
'!langname!': '日本語',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s rows deleted',
'%s %%{row} updated': '%s rows updated',
'(requires internet access)': '(インターネットアクセスが必要)',
'(something like "it-it")': '(例: "it-it")',
'@markmin\x01Searching: **%s** %%{file}': '検索中: **%s** ファイル',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': '注意: 安全(HTTPS)な接続でログインするかlocalhostで実行されている必要があります。',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': '注意: テストはスレッドセーフではないので複数のテストを同時に実行しないでください。',
'ATTENTION: you cannot edit the running application!': '注意: 実行中のアプリケーションは編集できません!',
'Abort': '中断',
'About': 'About',
'About application': 'アプリケーションについて',
'Additional code for your application': 'アプリケーションに必要な追加記述',
'Admin language': '管理画面の言語',
'Administrator Password:': '管理者パスワード:',
'Application name:': 'アプリケーション名:',
'Are you sure you want to delete plugin "%s"?': '"%s"プラグインを削除してもよろしいですか?',
'Are you sure you want to delete this object?': 'このオブジェクトを削除してもよろしいですか?',
'Are you sure you want to uninstall application "%s"?': '"%s"アプリケーションを削除してもよろしいですか?',
'Available databases and tables': '利用可能なデータベースとテーブル一覧',
'Basics': '基本情報',
'Begin': '開始',
'Change admin password': '管理者パスワード変更',
'Check for upgrades': '更新チェック',
'Checking for upgrades...': '更新を確認中...',
'Clean': '一時データ削除',
'Click row to expand traceback': '列をクリックしてトレースバックを展開',
'Compile': 'コンパイル',
'Controllers': 'コントローラ',
'Count': '回数',
'Create': '作成',
'Delete': '削除',
'Delete this file (you will be asked to confirm deletion)': 'ファイルの削除(確認画面が出ます)',
'Deploy': 'デプロイ',
'Deploy on Google App Engine': 'Google App Engineにデプロイ',
'Detailed traceback description': '詳細なトレースバック内容',
'Disable': '無効',
'Edit': '編集',
'Edit application': 'アプリケーションを編集',
'Editing file "%s"': '"%s"ファイルを編集中',
'Enable': '有効',
'Error': 'エラー',
'Error logs for "%(app)s"': '"%(app)s"のエラーログ',
'Error snapshot': 'エラー発生箇所',
'Error ticket': 'エラーチケット',
'Errors': 'エラー',
'Exception instance attributes': '例外インスタンス引数',
'File': 'ファイル',
'Frames': 'フレーム',
'Functions with no doctests will result in [passed] tests.': 'doctestsのない関数は自動的にテストをパスします。',
'Generate': 'アプリ生成',
'Get from URL:': 'URLから取得:',
'Help': 'ヘルプ',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'もし上記のレポートにチケット番号が含まれる場合は、doctestを実行する前に、コントローラの実行で問題があったことを示します。これはインデントの問題やその関数の外部で問題があった場合に起きるが一般的です。\n緑色のタイトルは全てのテスト(もし定義されていれば)をパスしたことを示します。その場合、テスト結果は表示されません。',
'Install': 'インストール',
'Installed applications': 'アプリケーション一覧',
'Languages': '言語',
'Last saved on:': '最終保存日時:',
'License for': 'License for',
'Login': 'ログイン',
'Login to the Administrative Interface': '管理画面へログイン',
'Logout': 'ログアウト',
'Models': 'モデル',
'Modules': 'モジュール',
'NO': 'いいえ',
'New Application Wizard': '新規アプリケーション作成ウィザード',
'New application wizard': '新規アプリケーション作成ウィザード',
'New simple application': '新規アプリケーション',
'No databases in this application': 'このアプリケーションにはデータベースが存在しません',
'Overwrite installed app': 'アプリケーションを上書き',
'Pack all': 'パッケージ化',
'Pack compiled': 'コンパイルデータのパッケージ化',
'Peeking at file': 'ファイルを参照',
'Plugin "%s" in application': '"%s"プラグイン',
'Plugins': 'プラグイン',
'Powered by': 'Powered by',
'Reload routes': 'ルーティング再読み込み',
'Remove compiled': 'コンパイルデータの削除',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "このファイルのテストを実行(全てのファイルに対して実行する場合は、'テスト'というボタンを使用できます)",
'Save': '保存',
'Saved file hash:': '保存されたファイルハッシュ:',
'Site': 'サイト',
'Sorry, could not find mercurial installed': 'インストールされているmercurialが見つかりません',
'Start a new app': '新規アプリの作成',
'Start wizard': 'ウィザードの開始',
'Static files': '静的ファイル',
'Step': 'ステップ',
'Testing application': 'アプリケーションをテスト中',
'The application logic, each URL path is mapped in one exposed function in the controller': 'アプリケーションロジック、それぞれのURLパスはコントローラで公開されている各関数にマッピングされています',
'The data representation, define database tables and sets': 'データの表示方法, テーブルとセットの定義',
'The presentations layer, views are also known as templates': 'プレゼンテーション層、ビューはテンプレートとしても知られています',
'There are no controllers': 'コントローラがありません',
'There are no modules': 'モジュールがありません',
'There are no plugins': 'プラグインはありません',
'There are no translators, only default language is supported': '翻訳がないためデフォルト言語のみをサポートします',
'There are no views': 'ビューがありません',
'These files are served without processing, your images go here': 'これらのファイルは直接参照されます, ここに画像が入ります',
'Ticket ID': 'チケットID',
'To create a plugin, name a file/folder plugin_[name]': 'ファイル名/フォルダ名 plugin_[名称]としてプラグインを作成してください',
'Traceback': 'トレースバック',
'Translation strings for the application': 'アプリケーションの翻訳文字列',
'Unable to download because:': '以下の理由でダウンロードできません:',
'Uninstall': 'アプリ削除',
'Upload a package:': 'パッケージをアップロード:',
'Upload and install packed application': 'パッケージのアップロードとインストール',
'Version': 'バージョン',
'Versioning': 'バージョン管理',
'Views': 'ビュー',
'Web Framework': 'Web Framework',
'YES': 'はい',
'administrative interface': '管理画面',
'and rename it:': 'ファイル名を変更:',
'appadmin': 'アプリ管理画面',
'application "%s" uninstalled': '"%s"アプリケーションが削除されました',
'application compiled': 'アプリケーションがコンパイルされました',
'arguments': '引数',
'back': '戻る',
'cache': 'cache',
'cannot upload file "%(filename)s"': '"%(filename)s"ファイルをアップロードできません',
'check all': '全てを選択',
'code': 'コード',
'collapse/expand all': '全て開閉する',
'compiled application removed': 'コンパイル済みのアプリケーションが削除されました',
'controllers': 'コントローラ',
'create file with filename:': 'ファイル名:',
'created by': '作成者',
'crontab': 'crontab',
'currently running': '現在実行中',
'currently saved or': '現在保存されているデータ または',
'database administration': 'データベース管理',
'db': 'db',
'defines tables': 'テーブル定義',
'delete all checked': '選択したデータを全て削除',
'delete plugin': 'プラグイン削除',
'design': 'デザイン',
'details': '詳細',
'direction: ltr': 'direction: ltr',
'docs': 'ドキュメント',
'download layouts': 'レイアウトのダウンロード',
'download plugins': 'プラグインのダウンロード',
'edit all': '全て編集',
'edit views:': 'ビューの編集:',
'exposes': '公開',
'exposes:': '公開:',
'extends': '継承',
'filter': 'フィルタ',
'go!': '実行!',
'includes': 'インクルード',
'index': 'index',
'inspect attributes': '引数の検査',
'languages': '言語',
'loading...': 'ロードしています...',
'locals': 'ローカル',
'models': 'モデル',
'modules': 'モジュール',
'new plugin installed': '新しいプラグインがインストールされました',
'online designer': 'オンラインデザイナー',
'pack plugin': 'プラグインのパッケージ化',
'plugin "%(plugin)s" deleted': '"%(plugin)s"プラグインは削除されました',
'plugins': 'プラグイン',
'request': 'リクエスト',
'response': 'レスポンス',
'restart': '最初からやり直し',
'restore': '復元',
'revert': '一つ前に戻す',
'session': 'セッション',
'session expired': 'セッションの有効期限が切れました',
'shell': 'shell',
'skip to generate': 'スキップしてアプリ生成画面へ移動',
'state': 'state',
'static': '静的ファイル',
'test': 'テスト',
'to previous version.': '前のバージョンへ戻す。',
'uncheck all': '全ての選択を解除',
'update all languages': '全ての言語を更新',
'upload': 'アップロード',
'upload file:': 'ファイルをアップロード:',
'upload plugin file:': 'プラグインファイルをアップロード:',
'user': 'ユーザー',
'variables': '変数',
'views': 'ビュー',
'web2py Recent Tweets': '最近のweb2pyTweets',
'web2py is up to date': 'web2pyは最新です',
}
| Python |
# coding: utf8
{
'!langcode!': 'cs-cz',
'!langname!': 'čeština',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': 'Kolonka "Upravit" je nepovinný výraz, například "pole1=\'nováhodnota\'". Výsledky databázového JOINu nemůžete mazat ani upravovat.',
'"User Exception" debug mode. An error ticket could be issued!': '"User Exception" debug mode. An error ticket could be issued!',
'%%{Row} in Table': '%%{řádek} v tabulce',
'%%{Row} selected': 'označených %%{řádek}',
'%s %%{row} deleted': '%s smazaných %%{záznam}',
'%s %%{row} updated': '%s upravených %%{záznam}',
'%s selected': '%s označených',
'%Y-%m-%d': '%d.%m.%Y',
'%Y-%m-%d %H:%M:%S': '%d.%m.%Y %H:%M:%S',
'(requires internet access)': '(vyžaduje připojení k internetu)',
'(requires internet access, experimental)': '(requires internet access, experimental)',
'(something like "it-it")': '(například "cs-cs")',
'@markmin\x01(file **gluon/contrib/plural_rules/%s.py** is not found)': '(soubor **gluon/contrib/plural_rules/%s.py** nenalezen)',
'@markmin\x01Searching: **%s** %%{file}': 'Hledání: **%s** %%{soubor}',
'About': 'O programu',
'About application': 'O aplikaci',
'Access Control': 'Řízení přístupu',
'Add breakpoint': 'Přidat bod přerušení',
'Additional code for your application': 'Další kód pro Vaši aplikaci',
'Admin design page': 'Admin design page',
'Admin language': 'jazyk rozhraní',
'Administrative interface': 'pro administrátorské rozhraní klikněte sem',
'Administrative Interface': 'Administrátorské rozhraní',
'administrative interface': 'rozhraní pro správu',
'Administrator Password:': 'Administrátorské heslo:',
'Ajax Recipes': 'Recepty s ajaxem',
'An error occured, please %s the page': 'An error occured, please %s the page',
'and rename it:': 'a přejmenovat na:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'appadmin je zakázaná bez zabezpečeného spojení',
'Application': 'Application',
'application "%s" uninstalled': 'application "%s" odinstalována',
'application compiled': 'aplikace zkompilována',
'Application name:': 'Název aplikace:',
'are not used': 'nepoužita',
'are not used yet': 'ještě nepoužita',
'Are you sure you want to delete this object?': 'Opravdu chcete odstranit tento objekt?',
'Are you sure you want to uninstall application "%s"?': 'Opravdu chcete odinstalovat aplikaci "%s"?',
'arguments': 'arguments',
'at char %s': 'at char %s',
'at line %s': 'at line %s',
'ATTENTION:': 'ATTENTION:',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.',
'Available Databases and Tables': 'Dostupné databáze a tabulky',
'back': 'zpět',
'Back to wizard': 'Back to wizard',
'Basics': 'Basics',
'Begin': 'Začít',
'breakpoint': 'bod přerušení',
'Breakpoints': 'Body přerušení',
'breakpoints': 'body přerušení',
'Buy this book': 'Koupit web2py knihu',
'Cache': 'Cache',
'cache': 'cache',
'Cache Keys': 'Klíče cache',
'cache, errors and sessions cleaned': 'cache, chyby a relace byly pročištěny',
'can be a git repo': 'může to být git repo',
'Cancel': 'Storno',
'Cannot be empty': 'Nemůže být prázdné',
'Change Admin Password': 'Změnit heslo pro správu',
'Change admin password': 'Změnit heslo pro správu aplikací',
'Change password': 'Změna hesla',
'check all': 'vše označit',
'Check for upgrades': 'Zkusit aktualizovat',
'Check to delete': 'Označit ke smazání',
'Check to delete:': 'Označit ke smazání:',
'Checking for upgrades...': 'Zjišťuji, zda jsou k dispozici aktualizace...',
'Clean': 'Pročistit',
'Clear CACHE?': 'Vymazat CACHE?',
'Clear DISK': 'Vymazat DISK',
'Clear RAM': 'Vymazat RAM',
'Click row to expand traceback': 'Pro rozbalení stopy, klikněte na řádek',
'Click row to view a ticket': 'Pro zobrazení chyby (ticketu), klikněte na řádku...',
'Client IP': 'IP adresa klienta',
'code': 'code',
'Code listing': 'Code listing',
'collapse/expand all': 'vše sbalit/rozbalit',
'Community': 'Komunita',
'Compile': 'Zkompilovat',
'compiled application removed': 'zkompilovaná aplikace smazána',
'Components and Plugins': 'Komponenty a zásuvné moduly',
'Condition': 'Podmínka',
'continue': 'continue',
'Controller': 'Kontrolér (Controller)',
'Controllers': 'Kontroléry',
'controllers': 'kontroléry',
'Copyright': 'Copyright',
'Count': 'Počet',
'Create': 'Vytvořit',
'create file with filename:': 'vytvořit soubor s názvem:',
'created by': 'vytvořil',
'Created By': 'Vytvořeno - kým',
'Created On': 'Vytvořeno - kdy',
'crontab': 'crontab',
'Current request': 'Aktuální požadavek',
'Current response': 'Aktuální odpověď',
'Current session': 'Aktuální relace',
'currently running': 'právě běží',
'currently saved or': 'uloženo nebo',
'customize me!': 'upravte mě!',
'data uploaded': 'data nahrána',
'Database': 'Rozhraní databáze',
'Database %s select': 'databáze %s výběr',
'Database administration': 'Database administration',
'database administration': 'správa databáze',
'Date and Time': 'Datum a čas',
'day': 'den',
'db': 'db',
'DB Model': 'Databázový model',
'Debug': 'Ladění',
'defines tables': 'defines tables',
'Delete': 'Smazat',
'delete': 'smazat',
'delete all checked': 'smazat vše označené',
'delete plugin': 'delete plugin',
'Delete this file (you will be asked to confirm deletion)': 'Smazat tento soubor (budete požádán o potvrzení mazání)',
'Delete:': 'Smazat:',
'deleted after first hit': 'smazat po prvním dosažení',
'Demo': 'Demo',
'Deploy': 'Nahrát',
'Deploy on Google App Engine': 'Nahrát na Google App Engine',
'Deploy to OpenShift': 'Nahrát na OpenShift',
'Deployment Recipes': 'Postupy pro deployment',
'Description': 'Popis',
'design': 'návrh',
'Detailed traceback description': 'Podrobný výpis prostředí',
'details': 'podrobnosti',
'direction: ltr': 'směr: ltr',
'Disable': 'Zablokovat',
'DISK': 'DISK',
'Disk Cache Keys': 'Klíče diskové cache',
'Disk Cleared': 'Disk smazán',
'docs': 'dokumentace',
'Documentation': 'Dokumentace',
"Don't know what to do?": 'Nevíte kudy kam?',
'done!': 'hotovo!',
'Download': 'Stáhnout',
'download layouts': 'stáhnout moduly rozvržení stránky',
'download plugins': 'stáhnout zásuvné moduly',
'E-mail': 'E-mail',
'Edit': 'Upravit',
'edit all': 'edit all',
'Edit application': 'Správa aplikace',
'edit controller': 'edit controller',
'Edit current record': 'Upravit aktuální záznam',
'Edit Profile': 'Upravit profil',
'edit views:': 'upravit pohled:',
'Editing file "%s"': 'Úprava souboru "%s"',
'Editing Language file': 'Úprava jazykového souboru',
'Editing Plural Forms File': 'Editing Plural Forms File',
'Email and SMS': 'Email a SMS',
'Enable': 'Odblokovat',
'enter a number between %(min)g and %(max)g': 'zadejte číslo mezi %(min)g a %(max)g',
'enter an integer between %(min)g and %(max)g': 'zadejte celé číslo mezi %(min)g a %(max)g',
'Error': 'Chyba',
'Error logs for "%(app)s"': 'Seznam výskytu chyb pro aplikaci "%(app)s"',
'Error snapshot': 'Snapshot chyby',
'Error ticket': 'Ticket chyby',
'Errors': 'Chyby',
'Exception %(extype)s: %(exvalue)s': 'Exception %(extype)s: %(exvalue)s',
'Exception %s': 'Exception %s',
'Exception instance attributes': 'Prvky instance výjimky',
'Expand Abbreviation': 'Expand Abbreviation',
'export as csv file': 'exportovat do .csv souboru',
'exposes': 'vystavuje',
'exposes:': 'vystavuje funkce:',
'extends': 'rozšiřuje',
'failed to compile file because:': 'soubor se nepodařilo zkompilovat, protože:',
'FAQ': 'Často kladené dotazy',
'File': 'Soubor',
'file': 'soubor',
'file "%(filename)s" created': 'file "%(filename)s" created',
'file saved on %(time)s': 'soubor uložen %(time)s',
'file saved on %s': 'soubor uložen %s',
'Filename': 'Název souboru',
'filter': 'filtr',
'Find Next': 'Najít další',
'Find Previous': 'Najít předchozí',
'First name': 'Křestní jméno',
'Forgot username?': 'Zapomněl jste svoje přihlašovací jméno?',
'forgot username?': 'zapomněl jste svoje přihlašovací jméno?',
'Forms and Validators': 'Formuláře a validátory',
'Frames': 'Frames',
'Free Applications': 'Aplikace zdarma',
'Functions with no doctests will result in [passed] tests.': 'Functions with no doctests will result in [passed] tests.',
'Generate': 'Vytvořit',
'Get from URL:': 'Stáhnout z internetu:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Globals##debug': 'Globální proměnné',
'go!': 'OK!',
'Goto': 'Goto',
'graph model': 'graph model',
'Group %(group_id)s created': 'Skupina %(group_id)s vytvořena',
'Group ID': 'ID skupiny',
'Groups': 'Skupiny',
'Hello World': 'Ahoj světe',
'Help': 'Nápověda',
'Hide/Show Translated strings': 'Skrýt/Zobrazit přeložené texty',
'Hits': 'Kolikrát dosaženo',
'Home': 'Domovská stránka',
'honored only if the expression evaluates to true': 'brát v potaz jen když se tato podmínka vyhodnotí kladně',
'How did you get here?': 'Jak jste se sem vlastně dostal?',
'If start the upgrade, be patient, it may take a while to download': 'If start the upgrade, be patient, it may take a while to download',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'import': 'import',
'Import/Export': 'Import/Export',
'includes': 'zahrnuje',
'Index': 'Index',
'insert new': 'vložit nový záznam ',
'insert new %s': 'vložit nový záznam %s',
'inspect attributes': 'inspect attributes',
'Install': 'Instalovat',
'Installed applications': 'Nainstalované aplikace',
'Interaction at %s line %s': 'Interakce v %s, na řádce %s',
'Interactive console': 'Interaktivní příkazová řádka',
'Internal State': 'Vnitřní stav',
'Introduction': 'Úvod',
'Invalid email': 'Neplatný email',
'Invalid password': 'Nesprávné heslo',
'invalid password.': 'neplatné heslo',
'Invalid Query': 'Neplatný dotaz',
'invalid request': 'Neplatný požadavek',
'Is Active': 'Je aktivní',
'It is %s %%{day} today.': 'Dnes je to %s %%{den}.',
'Key': 'Klíč',
'Key bindings': 'Vazby klíčů',
'Key bindings for ZenCoding Plugin': 'Key bindings for ZenCoding Plugin',
'languages': 'jazyky',
'Languages': 'Jazyky',
'Last name': 'Příjmení',
'Last saved on:': 'Naposledy uloženo:',
'Layout': 'Rozvržení stránky (layout)',
'Layout Plugins': 'Moduly rozvržení stránky (Layout Plugins)',
'Layouts': 'Rozvržení stránek',
'License for': 'Licence pro',
'Line number': 'Číslo řádku',
'LineNo': 'Č.řádku',
'Live Chat': 'Online pokec',
'loading...': 'nahrávám...',
'locals': 'locals',
'Locals##debug': 'Lokální proměnné',
'Logged in': 'Přihlášení proběhlo úspěšně',
'Logged out': 'Odhlášení proběhlo úspěšně',
'Login': 'Přihlásit se',
'login': 'přihlásit se',
'Login to the Administrative Interface': 'Přihlásit se do Správce aplikací',
'logout': 'odhlásit se',
'Logout': 'Odhlásit se',
'Lost Password': 'Zapomněl jste heslo',
'Lost password?': 'Zapomněl jste heslo?',
'lost password?': 'zapomněl jste heslo?',
'Manage': 'Manage',
'Manage Cache': 'Manage Cache',
'Menu Model': 'Model rozbalovací nabídky',
'Models': 'Modely',
'models': 'modely',
'Modified By': 'Změněno - kým',
'Modified On': 'Změněno - kdy',
'Modules': 'Moduly',
'modules': 'moduly',
'My Sites': 'Správa aplikací',
'Name': 'Jméno',
'new application "%s" created': 'nová aplikace "%s" vytvořena',
'New Application Wizard': 'Nový průvodce aplikací',
'New application wizard': 'Nový průvodce aplikací',
'New password': 'Nové heslo',
'New Record': 'Nový záznam',
'new record inserted': 'nový záznam byl založen',
'New simple application': 'Vytvořit primitivní aplikaci',
'next': 'next',
'next 100 rows': 'dalších 100 řádků',
'No databases in this application': 'V této aplikaci nejsou žádné databáze',
'No Interaction yet': 'Ještě žádná interakce nenastala',
'No ticket_storage.txt found under /private folder': 'Soubor ticket_storage.txt v adresáři /private nenalezen',
'Object or table name': 'Objekt či tabulka',
'Old password': 'Původní heslo',
'online designer': 'online návrhář',
'Online examples': 'Příklady online',
'Open new app in new window': 'Open new app in new window',
'or alternatively': 'or alternatively',
'Or Get from URL:': 'Or Get from URL:',
'or import from csv file': 'nebo importovat z .csv souboru',
'Origin': 'Původ',
'Original/Translation': 'Originál/Překlad',
'Other Plugins': 'Ostatní moduly',
'Other Recipes': 'Ostatní zásuvné moduly',
'Overview': 'Přehled',
'Overwrite installed app': 'Přepsat instalovanou aplikaci',
'Pack all': 'Zabalit',
'Pack compiled': 'Zabalit zkompilované',
'pack plugin': 'pack plugin',
'password': 'heslo',
'Password': 'Heslo',
"Password fields don't match": 'Hesla se neshodují',
'Peeking at file': 'Peeking at file',
'Please': 'Prosím',
'Plugin "%s" in application': 'Plugin "%s" in application',
'plugins': 'zásuvné moduly',
'Plugins': 'Zásuvné moduly',
'Plural Form #%s': 'Plural Form #%s',
'Plural-Forms:': 'Množná čísla:',
'Powered by': 'Poháněno',
'Preface': 'Předmluva',
'previous 100 rows': 'předchozích 100 řádků',
'Private files': 'Soukromé soubory',
'private files': 'soukromé soubory',
'profile': 'profil',
'Project Progress': 'Vývoj projektu',
'Python': 'Python',
'Query:': 'Dotaz:',
'Quick Examples': 'Krátké příklady',
'RAM': 'RAM',
'RAM Cache Keys': 'Klíče RAM Cache',
'Ram Cleared': 'RAM smazána',
'Readme': 'Nápověda',
'Recipes': 'Postupy jak na to',
'Record': 'Záznam',
'record does not exist': 'záznam neexistuje',
'Record ID': 'ID záznamu',
'Record id': 'id záznamu',
'refresh': 'obnovte',
'register': 'registrovat',
'Register': 'Zaregistrovat se',
'Registration identifier': 'Registrační identifikátor',
'Registration key': 'Registrační klíč',
'reload': 'reload',
'Reload routes': 'Znovu nahrát cesty',
'Remember me (for 30 days)': 'Zapamatovat na 30 dní',
'Remove compiled': 'Odstranit zkompilované',
'Removed Breakpoint on %s at line %s': 'Bod přerušení smazán - soubor %s na řádce %s',
'Replace': 'Zaměnit',
'Replace All': 'Zaměnit vše',
'request': 'request',
'Reset Password key': 'Reset registračního klíče',
'response': 'response',
'restart': 'restart',
'restore': 'obnovit',
'Retrieve username': 'Získat přihlašovací jméno',
'return': 'return',
'revert': 'vrátit se k původnímu',
'Role': 'Role',
'Rows in Table': 'Záznamy v tabulce',
'Rows selected': 'Záznamů zobrazeno',
'rules are not defined': 'pravidla nejsou definována',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Spustí testy v tomto souboru (ke spuštění všech testů, použijte tlačítko 'test')",
'Running on %s': 'Běží na %s',
'Save': 'Uložit',
'Save file:': 'Save file:',
'Save via Ajax': 'Uložit pomocí Ajaxu',
'Saved file hash:': 'hash uloženého souboru:',
'Semantic': 'Modul semantic',
'Services': 'Služby',
'session': 'session',
'session expired': 'session expired',
'Set Breakpoint on %s at line %s: %s': 'Bod přerušení nastaven v souboru %s na řádce %s: %s',
'shell': 'příkazová řádka',
'Singular Form': 'Singular Form',
'Site': 'Správa aplikací',
'Size of cache:': 'Velikost cache:',
'skip to generate': 'skip to generate',
'Sorry, could not find mercurial installed': 'Bohužel mercurial není nainstalován.',
'Start a new app': 'Vytvořit novou aplikaci',
'Start searching': 'Začít hledání',
'Start wizard': 'Spustit průvodce',
'state': 'stav',
'Static': 'Static',
'static': 'statické soubory',
'Static files': 'Statické soubory',
'Statistics': 'Statistika',
'Step': 'Step',
'step': 'step',
'stop': 'stop',
'Stylesheet': 'CSS styly',
'submit': 'odeslat',
'Submit': 'Odeslat',
'successful': 'úspěšně',
'Support': 'Podpora',
'Sure you want to delete this object?': 'Opravdu chcete smazat tento objekt?',
'Table': 'tabulka',
'Table name': 'Název tabulky',
'Temporary': 'Dočasný',
'test': 'test',
'Testing application': 'Testing application',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"Dotaz" je podmínka, například "db.tabulka1.pole1==\'hodnota\'". Podmínka "db.tabulka1.pole1==db.tabulka2.pole2" pak vytvoří SQL JOIN.',
'The application logic, each URL path is mapped in one exposed function in the controller': 'Logika aplikace: každá URL je mapována na funkci vystavovanou kontrolérem.',
'The Core': 'Jádro (The Core)',
'The data representation, define database tables and sets': 'Reprezentace dat: definovat tabulky databáze a záznamy',
'The output of the file is a dictionary that was rendered by the view %s': 'Výstup ze souboru je slovník, který se zobrazil v pohledu %s.',
'The presentations layer, views are also known as templates': 'Prezentační vrstva: pohledy či templaty (šablony)',
'The Views': 'Pohledy (The Views)',
'There are no controllers': 'There are no controllers',
'There are no modules': 'There are no modules',
'There are no plugins': 'Žádné moduly nejsou instalovány.',
'There are no private files': 'Žádné soukromé soubory neexistují.',
'There are no static files': 'There are no static files',
'There are no translators, only default language is supported': 'There are no translators, only default language is supported',
'There are no views': 'There are no views',
'These files are not served, they are only available from within your app': 'Tyto soubory jsou klientům nepřístupné. K dispozici jsou pouze v rámci aplikace.',
'These files are served without processing, your images go here': 'Tyto soubory jsou servírovány bez přídavné logiky, sem patří např. obrázky.',
'This App': 'Tato aplikace',
'This is a copy of the scaffolding application': 'Toto je kopie aplikace skelet.',
'This is an experimental feature and it needs more testing. If you decide to upgrade you do it at your own risk': 'This is an experimental feature and it needs more testing. If you decide to upgrade you do it at your own risk',
'This is the %(filename)s template': 'This is the %(filename)s template',
'this page to see if a breakpoint was hit and debug interaction is required.': 'tuto stránku, abyste uviděli, zda se dosáhlo bodu přerušení.',
'Ticket': 'Ticket',
'Ticket ID': 'Ticket ID',
'Time in Cache (h:m:s)': 'Čas v Cache (h:m:s)',
'Timestamp': 'Časové razítko',
'to previous version.': 'k předchozí verzi.',
'To create a plugin, name a file/folder plugin_[name]': 'Zásuvný modul vytvoříte tak, že pojmenujete soubor/adresář plugin_[jméno modulu]',
'To emulate a breakpoint programatically, write:': 'K nastavení bodu přerušení v kódu programu, napište:',
'to use the debugger!': ', abyste mohli ladící program používat!',
'toggle breakpoint': 'vyp./zap. bod přerušení',
'Toggle Fullscreen': 'Na celou obrazovku a zpět',
'too short': 'Příliš krátké',
'Traceback': 'Traceback',
'Translation strings for the application': 'Překlad textů pro aplikaci',
'try something like': 'try something like',
'Try the mobile interface': 'Zkuste rozhraní pro mobilní zařízení',
'try view': 'try view',
'Twitter': 'Twitter',
'Type python statement in here and hit Return (Enter) to execute it.': 'Type python statement in here and hit Return (Enter) to execute it.',
'Type some Python code in here and hit Return (Enter) to execute it.': 'Type some Python code in here and hit Return (Enter) to execute it.',
'Unable to check for upgrades': 'Unable to check for upgrades',
'unable to parse csv file': 'csv soubor nedá sa zpracovat',
'uncheck all': 'vše odznačit',
'Uninstall': 'Odinstalovat',
'update': 'aktualizovat',
'update all languages': 'aktualizovat všechny jazyky',
'Update:': 'Upravit:',
'Upgrade': 'Upgrade',
'upgrade now': 'upgrade now',
'upgrade now to %s': 'upgrade now to %s',
'upload': 'nahrát',
'Upload': 'Upload',
'Upload a package:': 'Nahrát balík:',
'Upload and install packed application': 'Nahrát a instalovat zabalenou aplikaci',
'upload file:': 'nahrát soubor:',
'upload plugin file:': 'nahrát soubor modulu:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Použijte (...)&(...) pro AND, (...)|(...) pro OR a ~(...) pro NOT pro sestavení složitějších dotazů.',
'User %(id)s Logged-in': 'Uživatel %(id)s přihlášen',
'User %(id)s Logged-out': 'Uživatel %(id)s odhlášen',
'User %(id)s Password changed': 'Uživatel %(id)s změnil heslo',
'User %(id)s Profile updated': 'Uživatel %(id)s upravil profil',
'User %(id)s Registered': 'Uživatel %(id)s se zaregistroval',
'User %(id)s Username retrieved': 'Uživatel %(id)s si nachal zaslat přihlašovací jméno',
'User ID': 'ID uživatele',
'Username': 'Přihlašovací jméno',
'variables': 'variables',
'Verify Password': 'Zopakujte heslo',
'Version': 'Verze',
'Version %s.%s.%s (%s) %s': 'Verze %s.%s.%s (%s) %s',
'Versioning': 'Verzování',
'Videos': 'Videa',
'View': 'Pohled (View)',
'Views': 'Pohledy',
'views': 'pohledy',
'Web Framework': 'Web Framework',
'web2py is up to date': 'Máte aktuální verzi web2py.',
'web2py online debugger': 'Ladící online web2py program',
'web2py Recent Tweets': 'Štěbetání na Twitteru o web2py',
'web2py upgrade': 'web2py upgrade',
'web2py upgraded; please restart it': 'web2py upgraded; please restart it',
'Welcome': 'Vítejte',
'Welcome to web2py': 'Vitejte ve web2py',
'Welcome to web2py!': 'Vítejte ve web2py!',
'Which called the function %s located in the file %s': 'která zavolala funkci %s v souboru (kontroléru) %s.',
'You are successfully running web2py': 'Úspěšně jste spustili web2py.',
'You can also set and remove breakpoint in the edit window, using the Toggle Breakpoint button': 'Nastavovat a mazat body přerušení je též možno v rámci editování zdrojového souboru přes tlačítko Vyp./Zap. bod přerušení',
'You can modify this application and adapt it to your needs': 'Tuto aplikaci si můžete upravit a přizpůsobit ji svým potřebám.',
'You need to set up and reach a': 'Je třeba nejprve nastavit a dojít až na',
'You visited the url %s': 'Navštívili jste stránku %s,',
'Your application will be blocked until you click an action button (next, step, continue, etc.)': 'Aplikace bude blokována než se klikne na jedno z tlačítek (další, krok, pokračovat, atd.)',
'Your can inspect variables using the console bellow': 'Níže pomocí příkazové řádky si můžete prohlédnout proměnné',
}
| Python |
# coding: utf8
{
'!langcode!': 'sr-lt',
'!langname!': 'Srpski (Latinica)',
'%Y-%m-%d': '%d-%m-%Y',
'%Y-%m-%d %H:%M:%S': '%d-%m-%Y %H:%M:%S',
'(requires internet access)': '(zahtijeva pristup internetu)',
'(something like "it-it")': '(nešto kao "it-it")',
'@markmin\x01(file **gluon/contrib/plural_rules/%s.py** is not found)': '(datoteka **gluon/contrib/plural_rules/%s.py** nije pronađena)',
'About': 'Informacije',
'About application': 'O aplikaciji',
'Additional code for your application': 'Dodatni kod za aplikaciju',
'admin disabled because unable to access password file': 'administracija onemogućena jer ne mogu pristupiti datoteci sa lozinkom',
'Admin language': 'Jezik administratora',
'administrative interface': 'administrativni interfejs',
'Administrator Password:': 'Lozinka administratora:',
'and rename it:': 'i preimenuj u:',
'Application name:': 'Naziv aplikacije:',
'are not used': 'nije korišteno',
'are not used yet': 'nije još korišteno',
'Are you sure you want to delete this object?': 'Da li ste sigurni da želite obrisati?',
'arguments': 'arguments',
'at char %s': 'kod slova %s',
'at line %s': 'na liniji %s',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.',
'back': 'nazad',
'Basics': 'Osnove',
'Begin': 'Početak',
'cache, errors and sessions cleaned': 'keš, greške i sesije su obrisani',
'can be a git repo': 'može biti git repo',
'cannot upload file "%(filename)s"': 'ne mogu otpremiti datoteku "%(filename)s"',
'Change admin password': 'Promijeni lozinku administratora',
'check all': 'check all',
'Check for upgrades': 'Provjeri mogućnost nadogradnje',
'Checking for upgrades...': 'Provjeravam mogućnost nadogradnje...',
'Clean': 'Pročisti',
'Click row to expand traceback': 'Click row to expand traceback',
'code': 'kod',
'collapse/expand all': 'sakriti/prikazati sve',
'Compile': 'Kompajliraj',
'Controllers': 'Kontroleri',
'controllers': 'kontroleri',
'Count': 'Count',
'Create': 'Kreiraj',
'create file with filename:': 'Kreiraj datoteku pod nazivom:',
'Create rules': 'Kreiraj pravila',
'created by': 'izradio',
'crontab': 'crontab',
'currently running': 'trenutno pokrenut',
'currently saved or': 'trenutno sačuvano ili',
'database administration': 'administracija baze podataka',
'Debug': 'Debug',
'defines tables': 'definiše tabele',
'delete': 'obriši',
'Delete': 'Obriši',
'delete all checked': 'delete all checked',
'Delete this file (you will be asked to confirm deletion)': 'Obriši ovu datoteku (bićete upitani za potvrdu brisanja)',
'Deploy': 'Postavi',
'Deploy on Google App Engine': 'Postavi na Google App Engine',
'Deploy to OpenShift': 'Postavi na OpenShift',
'Detailed traceback description': 'Detailed traceback description',
'direction: ltr': 'direction: ltr',
'Disable': 'Isključi',
'docs': 'dokumentacija',
'download layouts': 'preuzmi layouts',
'download plugins': 'preuzmi plugins',
'Edit': 'Uređivanje',
'edit all': 'uredi sve',
'Edit application': 'Uredi aplikaciju',
'edit controller': 'uredi controller',
'edit views:': 'uredi views:',
'Editing file "%s"': 'Uređivanje datoteke "%s"',
'Editing Language file': 'Uređivanje jezičke datoteke',
'Error': 'Greška',
'Error logs for "%(app)s"': 'Pregled grešaka za "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'Greške',
'Exception instance attributes': 'Exception instance attributes',
'Expand Abbreviation': 'Expand Abbreviation',
'exposes': 'exposes',
'exposes:': 'exposes:',
'extends': 'proširuje',
'failed to compile file because:': 'nisam mogao da kompajliram zbog:',
'File': 'Datoteka',
'file does not exist': 'datoteka ne postoji',
'file saved on %s': 'datoteka sačuvana na %s',
'filter': 'filter',
'Find Next': 'Pronađi sljedeći',
'Find Previous': 'Pronađi prethodni',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'Functions with no doctests will result in [passed] tests.',
'Generate': 'Generate',
'Get from URL:': 'Preuzmi sa stranice:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Go to Matching Pair': 'Go to Matching Pair',
'go!': 'kreni!',
'Help': 'Pomoć',
'Hide/Show Translated strings': 'Sakriti/Prikazati prevedene riječi',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'includes': 'uključuje',
'inspect attributes': 'inspect attributes',
'Install': 'Instaliraj',
'Installed applications': 'Instalirane aplikacije',
'invalid password.': 'pogrešna lozinka.',
'Key bindings': 'Prečice',
'Key bindings for ZenCoding Plugin': 'Prečice za for ZenCoding Plugin',
'Language files (static strings) updated': 'Jezičke datoteke su ažurirane',
'languages': 'jezici',
'Languages': 'Jezici',
'Last saved on:': 'Posljednja izmjena:',
'License for': 'Licenca za',
'loading...': 'preuzimam...',
'locals': 'locals',
'Login': 'Prijava',
'Login to the Administrative Interface': 'Prijava za administrativni interfejs',
'Logout': 'Izlaz',
'Match Pair': 'Match Pair',
'Merge Lines': 'Spoji linije',
'models': 'models',
'Models': 'Models',
'Modules': 'Modules',
'modules': 'modules',
'New Application Wizard': 'Čarobnjak za nove aplikacije',
'New application wizard': 'Čarobnjak za nove aplikacije',
'New simple application': 'Nova jednostavna aplikacija',
'Next Edit Point': 'Next Edit Point',
'No ticket_storage.txt found under /private folder': 'No ticket_storage.txt found under /private folder',
'online designer': 'onlajn dizajner',
'Original/Translation': 'Original/Prevod',
'Overwrite installed app': 'Prebriši postojeću aplikaciju',
'Pack all': 'Zapakuj sve',
'Peeking at file': 'Peeking at file',
'Plugins': 'Plugins',
'plugins': 'plugins',
'Plural-Forms:': 'Plural-Forms:',
'Powered by': 'Omogućio',
'Previous Edit Point': 'Previous Edit Point',
'Private files': 'Private files',
'private files': 'private files',
'Project Progress': 'Napredak projekta',
'Reload routes': 'Obnovi preusmjerenja',
'Removed Breakpoint on %s at line %s': 'Removed Breakpoint on %s at line %s',
'Replace': 'Zamijeni',
'Replace All': 'Zamijeni sve',
'request': 'request',
'response': 'response',
'restart': 'restart',
'restore': 'restore',
'revert': 'revert',
'rules are not defined': 'pravila nisu definisana',
'rules:': 'pravila:',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Running on %s': 'Pokrenuto na %s',
'Save': 'Sačuvaj',
'Save via Ajax': 'Sačuvaj via Ajax',
'Saved file hash:': 'Sačuvano kao haš:',
'session': 'sesija',
'session expired': 'sesija istekla',
'Set Breakpoint on %s at line %s: %s': 'Set Breakpoint on %s at line %s: %s',
'shell': 'shell',
'Site': 'Sajt',
'skip to generate': 'skip to generate',
'Start a new app': 'Pokreni novu aplikaciju',
'Start searching': 'Pokreni pretragu',
'Start wizard': 'Pokreni čarobnjaka',
'static': 'static',
'Static files': 'Static files',
'Step': 'Korak',
'Submit': 'Prihvati',
'successful': 'uspješan',
'test': 'test',
'Testing application': 'Testing application',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no models': 'There are no models',
'There are no plugins': 'There are no plugins',
'There are no private files': 'There are no private files',
'These files are not served, they are only available from within your app': 'These files are not served, they are only available from within your app',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'Ticket ID': 'Ticket ID',
'Ticket Missing': 'Ticket nedostaje',
'to previous version.': 'na prethodnu verziju.',
'To create a plugin, name a file/folder plugin_[name]': 'To create a plugin, name a file/folder plugin_[name]',
'toggle breakpoint': 'toggle breakpoint',
'Toggle Fullscreen': 'Toggle Fullscreen',
'Traceback': 'Traceback',
'Translation strings for the application': 'Riječi u aplikaciji koje treba prevesti',
'Try the mobile interface': 'Probaj mobilni interfejs',
'try view': 'try view',
'uncheck all': 'uncheck all',
'Uninstall': 'Deinstaliraj',
'update': 'ažuriraj',
'update all languages': 'ažuriraj sve jezike',
'upload': 'Otpremi',
'Upload a package:': 'Preuzmi paket:',
'Upload and install packed application': 'Preuzmi i instaliraj zapakovanu aplikaciju',
'upload file:': 'preuzmi datoteku:',
'upload plugin file:': 'preuzmi plugin datoteku:',
'variables': 'variables',
'Version': 'Verzija',
'Version %s.%s.%s (%s) %s': 'Verzija %s.%s.%s (%s) %s',
'Versioning': 'Versioning',
'views': 'views',
'Views': 'Views',
'Web Framework': 'Web Framework',
'web2py is up to date': 'web2py je ažuran',
'web2py Recent Tweets': 'web2py Recent Tweets',
'Wrap with Abbreviation': 'Wrap with Abbreviation',
}
| Python |
# coding: utf8
{
'!langcode!': 'af',
'!langname!': 'Afrikaanse',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s rows deleted',
'%s %%{row} updated': '%s rows updated',
'(requires internet access)': '(vereis internet toegang)',
'(something like "it-it")': '(iets soos "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Soek: **%s** lêre',
'About': 'oor',
'About application': 'Oor program',
'Additional code for your application': 'Additionele kode vir u application',
'Admin language': 'Admin taal',
'Application name:': 'Program naam:',
'Change admin password': 'verander admin wagwoord',
'Check for upgrades': 'soek vir upgrades',
'Clean': 'maak skoon',
'Compile': 'kompileer',
'Controllers': 'Beheerders',
'Create': 'skep',
'Deploy': 'deploy',
'Deploy on Google App Engine': 'Stuur na Google App Engine toe',
'Edit': 'wysig',
'Edit application': 'Wysig program',
'Errors': 'foute',
'Help': 'hulp',
'Install': 'installeer',
'Installed applications': 'Geinstalleerde apps',
'Languages': 'Tale',
'License for': 'Lisensie vir',
'Logout': 'logout',
'Models': 'Modelle',
'Modules': 'Modules',
'New application wizard': 'Nuwe app wizard',
'New simple application': 'Nuwe eenvoudige app',
'Overwrite installed app': 'skryf oor geinstalleerde program',
'Pack all': 'pack alles',
'Plugins': 'Plugins',
'Powered by': 'Aangedryf deur',
'Site': 'site',
'Start wizard': 'start wizard',
'Static files': 'Static files',
'Sure you want to delete this object?': 'Is jy seker jy will hierde object verwyder?',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no plugins': 'Daar is geen plugins',
'These files are served without processing, your images go here': 'Hierdie lêre is sonder veranderinge geserved, jou images gaan hier',
'To create a plugin, name a file/folder plugin_[name]': 'Om n plugin te skep, noem n lêer/gids plugin_[name]',
'Translation strings for the application': 'Vertaling woorde vir die program',
'Uninstall': 'verwyder',
'Upload & install packed application': 'Oplaai & install gepakte program',
'Upload a package:': 'Oplaai n package:',
'Use an url:': 'Gebruik n url:',
'Views': 'Views',
'administrative interface': 'administrative interface',
'and rename it:': 'en verander die naam:',
'collapse/expand all': 'collapse/expand all',
'controllers': 'beheerders',
'create file with filename:': 'skep lêer met naam:',
'created by': 'geskep deur',
'crontab': 'crontab',
'currently running': 'loop tans',
'database administration': 'database administration',
'direction: ltr': 'direction: ltr',
'download layouts': 'aflaai layouts',
'download plugins': 'aflaai plugins',
'exposes': 'exposes',
'extends': 'extends',
'filter': 'filter',
'includes': 'includes',
'languages': 'tale',
'loading...': 'laai...',
'models': 'modelle',
'modules': 'modules',
'plugins': 'plugins',
'shell': 'shell',
'static': 'static',
'test': 'toets',
'update all languages': 'update all languages',
'upload': 'oplaai',
'upload file:': 'oplaai lêer:',
'upload plugin file:': 'upload plugin lêer:',
'versioning': 'versioning',
'views': 'views',
'web2py Recent Tweets': 'web2py Onlangse Tweets',
}
| Python |
# coding: utf8
{
'!langcode!': 'uk',
'!langname!': 'Українська',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"Оновити" це додатковий вираз, такий, як "field1=\'нове_значення\'". Ви не можете змінювати або вилучати дані об\'єднаних таблиць',
'"User Exception" debug mode. ': 'Режим ладнання "Сигнали від користувачів" ("User Exception" debug mode) ',
'"User Exception" debug mode. An error ticket could be issued!': 'Режим ладнання "Сигнали від користувачів" ("User Exception" debug mode). Користувачі можуть залишати позначки про помилки!',
'%s': '%s',
'%s %%{row} deleted': 'Вилучено %s %%{рядок}',
'%s %%{row} updated': 'Вилучено %s %%{рядок}',
'%s Recent Tweets': '%s останніх твітів',
'%s students registered': '%s студентів зареєстровано',
'%Y-%m-%d': '%Y/%m/%d',
'%Y-%m-%d %H:%M:%S': '%Y/%m/%d %H:%M:%S',
'(requires internet access)': '(потрібно мати доступ в інтернет)',
'(something like "it-it")': '(щось схоже на "uk-ua")',
'@markmin\x01(file **gluon/contrib/plural_rules/%s.py** is not found)': '(не існує файлу **gluon/contrib/plural_rules/%s.py**)',
'@markmin\x01Searching: **%s** %%{file}': 'Знайдено: **%s** %%{файл}',
'Abort': 'Припинити',
'About': 'Про',
'about': 'про',
'About application': 'Про додаток',
'Add breakpoint': 'Додати точку зупинки',
'Additional code for your application': 'Додатковий код для вашого додатку',
'admin disabled because no admin password': 'адмін.інтерфейс відключено, бо не вказано пароль адміністратора',
'admin disabled because not supported on google app engine': 'адмін.інтерфейс відключено через те, що Google Application Engine його не підтримує',
'admin disabled because too many invalid login attempts': 'адмін.інтерфейс заблоковано, бо кількість хибних спроб входу перевищило граничний рівень',
'admin disabled because unable to access password file': 'адмін.інтерфейс відключено через відсутність доступу до файлу паролів',
'Admin is disabled because insecure channel': "Адмін.інтерфейс відключено через використання ненадійного каналу звя'зку",
'Admin language': 'Мова інтерфейсу:',
'administrative interface': 'інтерфейс адміністратора',
'Administrator Password:': 'Пароль адміністратора:',
'and rename it:': 'i змінити назву на:',
'App does not exist or your are not authorized': 'Додаток не існує, або ви не авторизовані',
'appadmin': 'Aдм.панель',
'appadmin is disabled because insecure channel': "адмін.панель відключено через використання ненадійного каналу зв'язку",
'Application': 'Додаток (Application)',
'application "%s" uninstalled': 'додаток "%s" вилучено',
'application %(appname)s installed with md5sum: %(digest)s': 'додаток %(appname)s встановлено з md5sum: %(digest)s',
'Application cannot be generated in demo mode': 'В демо-режимі генерувати додатки не можна',
'application compiled': 'додаток скомпільовано',
'Application exists already': 'Додаток вже існує',
'application is compiled and cannot be designed': 'додаток скомпільований. налаштування змінювати не можна',
'Application name:': 'Назва додатку:',
'are not used': 'не використовуються',
'are not used yet': 'поки що не використовуються',
'Are you sure you want to delete file "%s"?': 'Ви впевнені, що хочете вилучити файл "%s"?',
'Are you sure you want to delete plugin "%s"?': 'Ви впевнені, що хочете вилучити втулку "%s"?"',
'Are you sure you want to delete this object?': "Ви впевнені, що хочете вилучити цей об'єкт?",
'Are you sure you want to uninstall application "%s"?': 'Ви впевнені, що хочете вилучити (uninstall) додаток "%s"?',
'arguments': 'аргументи',
'at char %s': 'на символі %s',
'at line %s': 'в рядку %s',
'ATTENTION:': 'УВАГА:',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': "УВАГА: Вхід потребує надійного (HTTPS) з'єднання або запуску на локальному комп'ютері.",
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ОБЕРЕЖНО: ТЕСТУВАННЯ НЕ Є ПОТОКО-БЕЗПЕЧНИМ, ТОЖ НЕ ЗАПУСКАЙТЕ ДЕКІЛЬКА ТЕСТІВ ОДНОЧАСНО.',
'ATTENTION: you cannot edit the running application!': 'УВАГА: Ви не можете редагувати додаток, який зараз виконуєте!',
'Available databases and tables': 'Доступні бази даних та таблиці',
'back': '<< назад',
'bad_resource': 'поганий_ресурс',
'Basics': 'Початок',
'Begin': 'Початок',
'breakpoint': 'точку зупинки',
'Breakpoints': 'Точки зупинок',
'breakpoints': 'точки зупинок',
'Bulk Register': 'Масова реєстрація',
'Bulk Student Registration': 'Масова реєстрація студентів',
'cache': 'кеш',
'Cache Keys': 'Ключі кешу',
'cache, errors and sessions cleaned': 'кеш, список зареєстрованих помилок та сесії очищенні',
'can be a git repo': 'може бути git-репозитарієм',
'Cancel': 'Відмінити',
'Cannot be empty': 'Не може бути порожнім',
'Cannot compile: there are errors in your app:': 'Не вдається скомпілювати: є помилки у вашому додатку:',
'cannot create file': 'не можу створити файл',
'cannot upload file "%(filename)s"': 'не можу завантажити файл "%(filename)s"',
'Change admin password': 'Змінити пароль адміністратора',
'check all': 'відмітити всі',
'Check for upgrades': 'Перевірити оновлення',
'Check to delete': 'Помітити на вилучення',
'Checking for upgrades...': 'Відбувається пошук оновлень...',
'Clean': 'Очистити',
'Clear CACHE?': 'Очистити ВЕСЬ кеш?',
'Clear DISK': 'Очистити ДИСКОВИЙ КЕШ',
'Clear RAM': "Очистити КЕШ В ПАМ'ЯТІ",
'Click row to expand traceback': '"Клацніть" мишкою по рядку, щоб розгорнути стек викликів (traceback)',
'Click row to view a ticket': 'Для перегляду позначки (ticket) "клацніть" мишкою по рядку',
'code': 'код',
'Code listing': 'Лістинг',
'collapse/expand all': 'згорнути/розгорнути все',
'Command': 'Команда',
'Commit': 'Комміт',
'Compile': 'Компілювати',
'compiled application removed': 'скомпільований додаток вилучено',
'Condition': 'Умова',
'contact_admin': "зв'язатись_з_адміністратором",
'continue': 'продовжити',
'Controllers': 'Контролери',
'controllers': 'контролери',
'Count': 'К-сть',
'Create': 'Створити',
'create': 'створити',
'create file with filename:': 'створити файл з назвою:',
'create plural-form': 'створити форму множини',
'Create rules': 'Створити правила',
'created by': 'Автор:',
'Created On': 'Створено в',
'crontab': 'таблиця cron',
'Current request': 'Поточний запит',
'Current response': 'Поточна відповідь',
'Current session': 'Поточна сесія',
'currently running': 'наразі, активний додаток',
'currently saved or': 'останній збережений, або',
'data uploaded': 'дані завантажено',
'database': 'база даних',
'database %s select': 'Вибірка з бази даних %s',
'database administration': 'адміністрування бази даних',
'Date and Time': 'Дата і час',
'db': 'база даних',
'Debug': 'Ладнати (Debug)',
'defines tables': "об'являє таблиці",
'Delete': 'Вилучити',
'delete': 'вилучити',
'delete all checked': 'вилучити всі відмічені',
'delete plugin': 'вилучити втулку',
'Delete this file (you will be asked to confirm deletion)': 'Вилучити цей файл (буде відображено запит на підтвердження операції)',
'Delete:': 'Вилучити:',
'deleted after first hit': 'автоматично вилучається після першого спрацювання',
'Deploy': 'Розгорнути',
'Deploy on Google App Engine': 'Розгорнути на Google App Engine (GAE)',
'Deploy to OpenShift': 'Розгорнути на OpenShift',
'Deployment form': 'Форма розгортання (deployment form)',
'design': 'налаштування',
'Detailed traceback description': 'Детальний опис стеку викликів (traceback)',
'details': 'детальніше',
'direction: ltr': 'напрямок: зліва-направо (ltr)',
'directory not found': 'каталог не знайдено',
'Disable': 'Вимкнути',
'Disabled': 'Вимкнено',
'disabled in demo mode': 'відключено в демо-режимі',
'disabled in multi user mode': 'відключено в багато-користувацькому режимі',
'Disk Cache Keys': 'Ключі дискового кешу',
'Disk Cleared': 'Дисковий кеш очищено',
'docs': 'док.',
'done!': 'зроблено!',
'Downgrade': 'Повернути попередню версію',
'download layouts': 'завантажити макет (layout)',
'download plugins': 'завантажити втулки',
'Edit': 'Редагувати',
'edit all': 'редагувати всі',
'Edit application': 'Налаштування додатку',
'edit controller': 'редагувати контролер',
'Edit current record': 'Редагувати поточний запис',
'edit views:': 'редагувати відображення (views):',
'Editing file "%s"': 'Редагується файл "%s"',
'Editing Language file': 'Редагується файл перекладу',
'Editing Plural Forms File': 'Редагується файл форм множини',
'Enable': 'Увімкнути',
'enter a value': 'введіть значення',
'Error': 'Помилка',
'Error logs for "%(app)s"': 'Список зареєстрованих помилок додатку "%(app)s"',
'Error snapshot': 'Розгорнутий знімок стану (Error snapshot)',
'Error ticket': 'Позначка (ticket) про помилку',
'Errors': 'Помилки',
'Errors in form, please check it out.': 'Помилка у формі, будь-ласка перевірте її.',
'Exception %(extype)s: %(exvalue)s': 'Виключення %(extype)s: %(exvalue)s',
'Exception %s': 'Виключення %s',
'Exception instance attributes': 'Атрибути примірника класу Exception (виключення)',
'Expand Abbreviation': 'Розгорнути абревіатуру',
'export as csv file': 'експортувати як файл csv',
'exposes': 'обслуговує',
'exposes:': 'обслуговує:',
'extends': 'розширює',
'failed to compile file because:': 'не вдалось скомпілювати файл через:',
'failed to reload module because:': 'не вдалось перевантажити модуль через:',
'faq': 'ЧаПи (faq)',
'File': 'Файл',
'file "%(filename)s" created': 'файл "%(filename)s" створено',
'file "%(filename)s" deleted': 'файл "%(filename)s" вилучено',
'file "%(filename)s" uploaded': 'файл "%(filename)s" завантажено',
'file "%s" of %s restored': 'файл "%s" з %s відновлено',
'file changed on disk': 'файл змінено на диску',
'file does not exist': 'файлу не існує',
'file not found': 'файл не знайдено',
'file saved on %(time)s': 'файл збережено в %(time)s',
'file saved on %s': 'файл збережено в %s',
'Filename': "Ім'я файлу",
'filter': 'фільтр',
'Frames': 'Стек викликів',
'Functions with no doctests will result in [passed] tests.': 'Функції, в яких відсутні док-тести відносяться до функцій, які успішно пройшли тести.',
'GAE Email': 'Ел.пошта GAE',
'GAE Output': 'Відповідь GAE',
'GAE Password': 'Пароль GAE',
'Generate': 'Генерувати',
'Get from URL:': 'Отримати з URL:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Globals##debug': 'Глобальні змінні',
'Go to Matching Pair': 'Перейти до відповідної пари',
'go!': 'почали!',
'Google App Engine Deployment Interface': 'Інтерфейс розгортання Google App Engine',
'Google Application Id': 'Ідентифікатор Google Application',
'Goto': 'Перейти до',
'Help': 'Допомога',
'Hide/Show Translated strings': 'Сховати/показати ВЖЕ ПЕРЕКЛАДЕНІ рядки',
'Hits': 'Спрацьовувань',
'Home': 'Домівка',
'honored only if the expression evaluates to true': 'точка зупинки активується тільки за істинності умови',
'If start the downgrade, be patient, it may take a while to rollback': 'Запустивши повернення на попередню версію, будьте терплячими, це може зайняти трохи часу',
'If start the upgrade, be patient, it may take a while to download': 'Запустивши оновлення, будьте терплячими, потрібен час для завантаження необхідних даних',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Якщо в наданому вище звіті присутня позначка про помилку (ticket number), то це вказує на збій у виконанні контролера ще до початку запуску док-тестів. Це, зазвичай, сигналізує про помилку вирівнювання тексту програми (indention error) або помилку за межами функції (error outside function code). Зелений заголовок сигналізує, що всі тести (з наявних) пройшли успішно. В цьому випадку результат тестів показано не буде.',
'Import/Export': 'Імпорт/Експорт',
'In development, use the default Rocket webserver that is currently supported by this debugger.': 'Під час розробки , використовуйте вбудований веб-сервер Rocket, він найкраще налаштований на спільну роботу з інтерактивним ладначем.',
'includes': 'включає',
'index': 'індекс',
'insert new': 'вставити новий',
'insert new %s': 'вставити новий %s',
'inspect attributes': 'інспектувати атрибути',
'Install': 'Встановлення',
'Installed applications': 'Встановлені додатки (applications)',
'Interaction at %s line %s': 'Виконується %s рядок %s',
'Interactive console': 'Інтерактивна консоль',
'internal error': 'внутрішня помилка',
'internal error: %s': 'внутрішня помилка: %s',
'Internal State': 'Внутрішній стан',
'Invalid action': 'Помилкова дія',
'invalid circual reference': 'помилкове циклічне посилання',
'invalid circular reference': 'помилкове циклічне посилання',
'invalid password': 'неправильний пароль',
'invalid password.': 'неправильний пароль.',
'Invalid Query': 'Помилковий запит',
'invalid request': 'хибний запит',
'invalid request ': 'Хибний запит',
'invalid table names (auth_* tables already defined)': 'хибна назва таблиці (таблиці auth_* вже оголошено)',
'invalid ticket': 'недійсна позначка про помилку (ticket)',
'Key': 'Ключ',
'Key bindings': 'Клавіатурні скорочення:',
'Key bindings for ZenCoding Plugin': 'Клавіатурні скорочення для втулки ZenCoding plugin',
'kill process': 'вбити процес',
'language file "%(filename)s" created/updated': 'Файл перекладу "%(filename)s" створено/оновлено',
'Language files (static strings) updated': 'Файли перекладів (із статичних рядків в першоджерелах) оновлено',
'languages': 'переклади',
'Languages': 'Переклади',
'Last saved on:': 'Востаннє збережено:',
'License for': 'Ліцензія додатку',
'Line number': '№ рядка',
'LineNo': '№ рядка',
'loading...': 'завантаження...',
'locals': 'локальні',
'Locals##debug': 'Локальні змінні',
'Login': 'Вхід',
'login': 'вхід',
'Login to the Administrative Interface': 'Вхід в адміністративний інтерфейс',
'Logout': 'Вихід',
'Main Menu': 'Основне меню',
'Manage Admin Users/Students': 'Адміністратор керування користувачами/студентами',
'Manage Students': 'Керувати студентами',
'Match Pair': 'Знайти пару',
'merge': "з'єднати",
'Merge Lines': "З'єднати рядки",
'Minimum length is %s': 'Мінімальна довжина становить %s',
'Models': 'Моделі',
'models': 'моделі',
'Modified On': 'Змінено в',
'Modules': 'Модулі',
'modules': 'модулі',
'Must include at least %s %s': 'Має вміщувати щонайменше %s %s',
'Must include at least %s lower case': 'Повинен включати щонайменше %s малих букв',
'Must include at least %s of the following : %s': 'Має включати не менше %s таких символів : %s',
'Must include at least %s upper case': 'Повинен включати щонайменше %s великих букв',
'new application "%s" created': 'новий додаток "%s" створено',
'New Application Wizard': 'Майстер створення нового додатку',
'New application wizard': 'Майстер створення нового додатку',
'new plugin installed': 'нова втулка (plugin) встановлена',
'New Record': 'Новий запис',
'new record inserted': 'новий рядок додано',
'New simple application': 'Новий простий додаток',
'next': 'наступний',
'next 100 rows': 'наступні 100 рядків',
'Next Edit Point': 'Наступне місце редагування',
'NO': 'НІ',
'No databases in this application': 'Даний додаток не використовує бази даних',
'No Interaction yet': 'Ладнач не активовано',
'no match': 'співпадань нема',
'no permission to uninstall "%s"': 'нема прав на вилучення (uninstall) "%s"',
'No ticket_storage.txt found under /private folder': 'В каталозі /private відсутній файл ticket_storage.txt',
'Not Authorized': 'Не дозволено',
'Note: If you receive an error with github status code of 128, ensure the system and account you are deploying from has a cooresponding ssh key configured in the openshift account.': 'Примітка: Якщо ви отримали повідомлення про помилку з кодом стану github рівним 128, переконайтесь, що система та обліковий запис, з якого відбувається розгортання використовують відповідний ключ ssh, налаштований в обліковому записі openshift.',
"On production, you'll have to configure your webserver to use one process and multiple threads to use this debugger.": 'У промисловій експлуатації, ви повинні налаштувати ваш веб-сервер на використання одного процесу та багатьох потоків, якщо бажаєте скористатись цим ладначем.',
'online designer': 'дизайнер БД',
'OpenShift Deployment Interface': 'OpenShift: Інтерфейс розгортання',
'OpenShift Output': 'Вивід OpenShift',
'or import from csv file': 'або імпортувати через csv-файл',
'Original/Translation': 'Оригінал/переклад',
'Overwrite installed app': 'Перезаписати встановлений додаток',
'Pack all': 'Запак.все',
'Pack compiled': 'Запак.компл',
'pack plugin': 'запакувати втулку',
'PAM authenticated user, cannot change password here': 'Ввімкнена система ідентифікації користувачів PAM. Для зміни паролю скористайтесь командами вашої ОС ',
'password changed': 'пароль змінено',
'Path to appcfg.py': 'Шлях до appcfg.py',
'Path to local openshift repo root.': 'Шлях до локального корня репозитарія openshift.',
'peek': 'глянути',
'Peeking at file': 'Перегляд файлу',
'Please': 'Будь-ласка',
'plugin': 'втулка',
'plugin "%(plugin)s" deleted': 'втулку "%(plugin)s" вилучено',
'Plugin "%s" in application': 'Втулка "%s" в додатку',
'plugin not specified': 'втулку не визначено',
'plugins': 'втулки (plugins)',
'Plugins': 'Втулки (Plugins)',
'Plural Form #%s': 'Форма множини #%s',
'Plural-Forms:': 'Форми множини:',
'Powered by': 'Працює на',
'previous 100 rows': 'попередні 100 рядків',
'Previous Edit Point': 'Попереднє місце редагування',
'Private files': 'Приватні файли',
'private files': 'приватні файли',
'Project Progress': 'Поступ проекту',
'Pull': 'Втягнути',
'Push': 'Проштовхнути',
'Query:': 'Запит:',
'RAM Cache Keys': 'Ключ ОЗП-кешу (RAM Cache)',
'Ram Cleared': "Кеш в пам'яті очищено",
'record': 'запис',
'record does not exist': 'запису не існує',
'record id': 'Ід.запису',
'refresh': 'оновіть',
'Reload routes': 'Перезавантажити маршрути',
'Remove compiled': 'Вилуч.компл',
'Removed Breakpoint on %s at line %s': 'Вилучено точку зупинки у %s в рядку %s',
'request': 'запит',
'requires python-git, but not installed': 'Для розгортання необхідний пакет python-git, але він не встановлений',
'resolve': "розв'язати",
'Resolve Conflict file': "Файл розв'язування конфлікту",
'response': 'відповідь',
'restart': 'перезапустити майстра',
'restore': 'повернути',
'return': 'повернутись',
'revert': 'відновитись',
'Rows in table': 'Рядків у таблиці',
'Rows selected': 'Рядків вибрано',
'rules are not defined': 'правила не визначені',
'rules parsed with errors': 'в правилах є помилка',
'rules:': 'правила:',
'Run tests': 'Запустити всі тести',
'Run tests in this file': 'Запустити тести у цьому файлі',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Запустити тести з цього файлу (для тестування всіх файлів, вам необхідно натиснути кнопку з назвою 'тестувати всі')",
'Running on %s': 'Запущено на %s',
'runonce': 'одноразово',
'Save': 'Зберегти',
'Save via Ajax': 'зберегти через Ajax',
'Saved file hash:': 'Хеш збереженого файлу:',
'search': 'пошук',
'selected': 'відмічено',
'session': 'сесія',
'session expired': 'час даної сесії вичерпано',
'Set Breakpoint on %s at line %s: %s': 'Додано точку зупинки в %s на рядок %s: %s',
'shell': 'консоль',
'signup': 'підписатись',
'signup_requested': 'необхідна_реєстрація',
'Singular Form': 'Форма однини',
'site': 'сайт',
'Site': 'Сайт',
'skip to generate': 'перейти до генерування результату',
'some files could not be removed': 'деякі файли не можна вилучити',
'Sorry, could not find mercurial installed': 'Не вдалось виявити встановлену систему контролю версій Mercurial',
'Start a new app': 'Створюється новий додаток',
'Start wizard': 'Активувати майстра',
'state': 'стан',
'static': 'статичні',
'Static files': 'Статичні файли',
'Step': 'Крок',
'step': 'крок',
'stop': 'зупинити',
'submit': 'застосувати',
'Submit': 'Застосувати',
'successful': 'успішно',
'table': 'таблиця',
'tags': 'мітки (tags)',
'Temporary': 'Тимчасово',
'test': 'тестувати всі',
'Testing application': 'Тестування додатку',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"Запит" це умова, на зразок "db.table1.field1==\'значення\'". Вираз "db.table1.field1==db.table2.field2" повертає результат об\'єднання (SQL JOIN) таблиць.',
'The app exists, was created by wizard, continue to overwrite!': 'Додаток вже існує і його було створено майстром. Продовжуємо переписування!',
'The app exists, was NOT created by wizard, continue to overwrite!': 'Додаток вже існує, і його НЕ було створено майстром. Продовжуємо перезаписування!',
'The application logic, each URL path is mapped in one exposed function in the controller': 'Логіка додатку, кожний шлях URL проектується на одну з функцій обслуговування в контролері',
'The data representation, define database tables and sets': 'Представлення даних, опис таблиць БД та наборів',
'The presentations layer, views are also known as templates': 'Презентаційний рівень, відображення, відомі також як шаблони',
'There are no controllers': 'Жодного контролера, наразі, не існує',
'There are no models': 'Моделей, наразі, нема',
'There are no modules': 'Модулів поки що нема',
'There are no plugins': 'Жодної втулки, наразі, не встановлено',
'There are no private files': 'Приватних файлів поки що нема',
'There are no static files': 'Статичних файлів, наразі, нема',
'There are no translators': 'Перекладів нема',
'There are no translators, only default language is supported': 'Перекладів нема, підтримується тільки мова оригіналу',
'There are no views': 'Відображень нема',
'These files are not served, they are only available from within your app': 'Ці файли ніяк не обробляються, вони доступні тільки в межах вашого додатку',
'These files are served without processing, your images go here': 'Ці файли обслуговуються "як є", без обробки, ваші графічні файли та інші супутні файли даних можуть знаходитись тут',
"This debugger may not work properly if you don't have a threaded webserver or you're using multiple daemon processes.": 'Цей ладнач може працювати некоректно, якщо ви використовуєте веб-сервер без підтримки потоків або використовуєте декілька сервісних процесів.',
'This is an experimental feature and it needs more testing. If you decide to downgrade you do it at your own risk': 'Це експериментальна властивість, яка вимагає подальшого тестування. Якщо ви вирішили повернутись на попередню версію, ви це робити на ваш власний розсуд.',
'This is an experimental feature and it needs more testing. If you decide to upgrade you do it at your own risk': 'Це експериментальна властивість, яка вимагає подальшого тестування. Якщо ви вирішили розпочати оновлення, ви це робите на ваш власний розсуд',
'This is the %(filename)s template': 'Це шаблон %(filename)s',
"This page can commit your changes to an openshift app repo and push them to your cloud instance. This assumes that you've already created the application instance using the web2py skeleton and have that repo somewhere on a filesystem that this web2py instance can access. This functionality requires GitPython installed and on the python path of the runtime that web2py is operating in.": 'На цій сторінці можна закомітити ваші зміни в репозитарій додатків openshift та проштовхнути їх у ваш примірник в хмарі. Це передбачає, що ви вже створили примірник додатку, використовуючи базовий додаток web2py, як скелет, і маєте репозитарій десь на вашій файловій системі, причому екземпляр web2py має до нього доступ. Ця властивість вимагає наявності встановленого модулю GitPython так, щоб web2py міг його викликати.',
'This page can upload your application to the Google App Engine computing cloud. Mind that you must first create indexes locally and this is done by installing the Google appserver and running the app locally with it once, or there will be errors when selecting records. Attention: deployment may take long time, depending on the network speed. Attention: it will overwrite your app.yaml. DO NOT SUBMIT TWICE.': 'На цій сторінці ви можете завантажити свій додаток в сервіс хмарних обчислень Google App Engine. Майте на увазі, що спочатку необхідно локально створити індекси, і це можна зробити встановивши сервер додатків Google appserver та запустивши в ньому додаток один раз, інакше при виборі записів виникатимуть помилки. Увага: розгортання може зайняти тривалий час, в залежності від швидкості мережі. Увага: це призведе до перезапису app.yaml. НЕ ПУБЛІКУЙТЕ ДВІЧІ.',
'this page to see if a breakpoint was hit and debug interaction is required.': 'цю сторінку, щоб побачити, чи була досягнута точка зупинки і процес ладнання розпочато.',
'This will pull changes from the remote repo for application "%s"?': '"Втягнути" (pull) зміни з віддаленого репозитарію для додатку "%s"?',
'This will push changes to the remote repo for application "%s".': 'Проштовхнути (push) зміни у віддалений репозитарій для додатку "%s"?',
'ticket': 'позначка',
'Ticket': 'Позначка (Ticket)',
'Ticket ID': 'Ід.позначки (Ticket ID)',
'Ticket Missing': 'Позначка (ticket) відсутня',
'tickets': 'позначки (tickets)',
'Time in Cache (h:m:s)': 'Час в кеші (г:хв:сек)',
'to previous version.': 'до попередньої версії.',
'To create a plugin, name a file/folder plugin_[name]': 'Для створення втулки, назвіть файл/каталог plugin_[name]',
'To emulate a breakpoint programatically, write:': 'Для встановлення точки зупинки програмним чином напишіть:',
'to use the debugger!': 'щоб активувати ладнач!',
'toggle breakpoint': '+/- точку зупинки',
'Toggle Fullscreen': 'Перемкнути на весь екран',
'Traceback': 'Стек викликів (Traceback)',
'Translation strings for the application': 'Пари рядків <оригінал>:<переклад> для вибраної мови',
'try something like': 'спробуйте щось схоже на',
'Try the mobile interface': 'Спробуйте мобільний інтерфейс',
'try view': 'дивитись результат',
'Type PDB debugger command in here and hit Return (Enter) to execute it.': 'наберіть тут будь-які команди ладнача PDB і натисніть клавішу [Return] ([Enter]), щоб запустити їх на виконання.',
'Type python statement in here and hit Return (Enter) to execute it.': 'Наберіть тут будь-які вирази Python і натисніть клавішу [Return] ([Enter]), щоб запустити їх на виконання.',
'Unable to check for upgrades': 'Неможливо перевірити оновлення',
'unable to create application "%s"': 'не можу створити додаток "%s"',
'unable to create application "%s" (it may exist already)': 'не можу створити додаток "%s" (можливо його вже створено)',
'unable to delete file "%(filename)s"': 'не можу вилучити файл "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'не можу вилучити файл втулки "%(plugin)s"',
'Unable to determine the line number!': 'Не можу визначити номер рядка!',
'Unable to download app because:': 'Не можу завантажити додаток через:',
'Unable to download because:': 'Неможливо завантажити через:',
'unable to download layout': 'не вдається завантажити макет',
'unable to download plugin: %s': 'не вдається завантажити втулку: %s',
'unable to install application "%(appname)s"': 'не вдається встановити додаток "%(appname)s"',
'unable to parse csv file': 'не вдається розібрати csv-файл',
'unable to uninstall "%s"': 'не вдається вилучити "%s"',
'unable to upgrade because "%s"': 'не вдається оновити, тому що "%s"',
'unauthorized': 'неавторизовано',
'uncheck all': 'зняти відмітку з усіх',
'uninstall': 'вилучити',
'Uninstall': 'Вилучити',
'Unsupported webserver working mode: %s': 'Веб-сервер знаходиться в режимі, який не підтримується: %s',
'update': 'оновити',
'update all languages': 'оновити всі переклади',
'Update:': 'Поновити:',
'Upgrade': 'Оновити',
'upgrade now': 'оновитись зараз',
'upgrade_web2py': 'оновити web2py',
'upload': 'завантажити',
'Upload a package:': 'Завантажити пакет:',
'Upload and install packed application': 'Завантажити та встановити запакований додаток',
'upload file:': 'завантажити файл:',
'upload plugin file:': 'завантажити файл втулки:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Для створення складних запитів використовуйте (...)&(...) замість AND, (...)|(...) замість OR, та ~(...) замість NOT.',
'user': 'користувач',
'Using the shell may lock the database to other users of this app.': 'Використання оболонки може заблокувати базу даних від сумісного використання іншими користувачами цього додатку.',
'value not allowed': 'недопустиме значення',
'variables': 'змінні',
'Version': 'Версія',
'Version %s.%s.%s (%s) %s': 'Версія %s.%s.%s (%s) %s',
'Versioning': 'Контроль версій',
'view': 'перегляд',
'Views': 'Відображення (Views)',
'views': 'відображення',
'WARNING:': 'ПОПЕРЕДЖЕННЯ:',
'Web Framework': 'Веб-каркас (Web Framework)',
'web2py apps to deploy': 'Готові до розгортання додатки web2py',
'web2py Debugger': 'Ладнач web2py',
'web2py downgrade': 'повернення на попередню версію web2py',
'web2py is up to date': 'web2py оновлено до актуальної версії',
'web2py online debugger': 'оперативний ладнач (online debugger) web2py',
'web2py Recent Tweets': 'Останні твіти web2py',
'web2py upgrade': 'оновлення web2py',
'web2py upgraded; please restart it': 'web2py оновлено; будь-ласка перезапустіть його',
'Wrap with Abbreviation': 'Загорнути з абревіатурою',
'WSGI reference name': "ім'я посилання WSGI",
'YES': 'ТАК',
'You can also set and remove breakpoint in the edit window, using the Toggle Breakpoint button': 'Ви також можете встановлювати/вилучати точки зупинок під час редагування першоджерел (sources), використовуючи кнопку "+/- точку зупинки"',
'You have one more login attempt before you are locked out': 'У вас є ще одна спроба перед тим, як вхід буде заблоковано',
'you must specify a name for the uploaded application': "ви повинні вказати ім'я додатка, перед ти, як завантажити його",
'You need to set up and reach a': 'Треба встановити та досягнути',
'Your application will be blocked until you click an action button (next, step, continue, etc.)': 'Ваш додаток буде заблоковано, поки ви не клацнете по одній з кнопок керування ("наступний", "крок", "продовжити", та ін.)',
'Your can inspect variables using the console bellow': 'Ви можете досліджувати змінні, використовуючи інтерактивну консоль',
}
| Python |
# coding: utf8
{
'!langcode!': 'pl',
'!langname!': 'Polska',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"Uaktualnij" jest dodatkowym wyrażeniem postaci "pole1=\'nowawartość\'". Nie możesz uaktualnić lub usunąć wyników z JOIN:',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': 'Wierszy usuniętych: %s',
'%s %%{row} updated': 'Wierszy uaktualnionych: %s',
'(requires internet access)': '(requires internet access)',
'(something like "it-it")': '(coś podobnego do "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available': 'Nowa wersja web2py jest dostępna',
'A new version of web2py is available: %s': 'Nowa wersja web2py jest dostępna: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'UWAGA: Wymagane jest bezpieczne (HTTPS) połączenie lub połączenie z lokalnego adresu.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'UWAGA: TESTOWANIE NIE JEST BEZPIECZNE W ŚRODOWISKU WIELOWĄTKOWYM, TAK WIĘC NIE URUCHAMIAJ WIELU TESTÓW JEDNOCZEŚNIE.',
'ATTENTION: you cannot edit the running application!': 'UWAGA: nie można edytować uruchomionych aplikacji!',
'About': 'informacje',
'About application': 'Informacje o aplikacji',
'Additional code for your application': 'Additional code for your application',
'Admin is disabled because insecure channel': 'Panel administracyjny wyłączony z powodu braku bezpiecznego połączenia',
'Admin is disabled because unsecure channel': 'Panel administracyjny wyłączony z powodu braku bezpiecznego połączenia',
'Administrator Password:': 'Hasło administratora:',
'Application name:': 'Application name:',
'Are you sure you want to delete file "%s"?': 'Czy na pewno chcesz usunąć plik "%s"?',
'Are you sure you want to delete plugin "%s"?': 'Czy na pewno chcesz usunąć wtyczkę "%s"?',
'Are you sure you want to uninstall application "%s"': 'Czy na pewno chcesz usunąć aplikację "%s"',
'Are you sure you want to uninstall application "%s"?': 'Czy na pewno chcesz usunąć aplikację "%s"?',
'Are you sure you want to upgrade web2py now?': 'Are you sure you want to upgrade web2py now?',
'Available databases and tables': 'Dostępne bazy danych i tabele',
'Cannot be empty': 'Nie może być puste',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Nie można skompilować: w Twojej aplikacji są błędy . Znajdź je, popraw a następnie spróbój ponownie.',
'Cannot compile: there are errors in your app:': 'Cannot compile: there are errors in your app:',
'Change admin password': 'change admin password',
'Check for upgrades': 'check for upgrades',
'Check to delete': 'Zaznacz aby usunąć',
'Checking for upgrades...': 'Sprawdzanie aktualizacji...',
'Clean': 'oczyść',
'Compile': 'skompiluj',
'Controllers': 'Kontrolery',
'Create': 'create',
'Create new simple application': 'Utwórz nową aplikację',
'Current request': 'Aktualne żądanie',
'Current response': 'Aktualna odpowiedź',
'Current session': 'Aktualna sesja',
'DESIGN': 'PROJEKTUJ',
'Date and Time': 'Data i godzina',
'Delete': 'Usuń',
'Delete:': 'Usuń:',
'Deploy': 'deploy',
'Deploy on Google App Engine': 'Umieść na Google App Engine',
'Design for': 'Projekt dla',
'EDIT': 'EDYTUJ',
'Edit': 'edytuj',
'Edit application': 'Edycja aplikacji',
'Edit current record': 'Edytuj aktualny rekord',
'Editing Language file': 'Edytuj plik tłumaczeń',
'Editing file': 'Edycja pliku',
'Editing file "%s"': 'Edycja pliku "%s"',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error logs for "%(app)s"': 'Wpisy błędów dla "%(app)s"',
'Errors': 'błędy',
'Exception instance attributes': 'Exception instance attributes',
'Functions with no doctests will result in [passed] tests.': 'Funkcje bez doctestów będą dołączone do [zaliczonych] testów.',
'Hello World': 'Witaj Świecie',
'Help': 'pomoc',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Jeżeli powyższy raport zawiera numer biletu błędu, oznacza to błąd podczas wykonywania kontrolera przez próbą uruchomienia doctestów. Zazwyczaj jest to spowodowane nieprawidłowymi wcięciami linii kodu lub błędami w module poza ciałem funkcji.\nTytuł w kolorze zielonym oznacza, ze wszystkie (zdefiniowane) testy zakończyły się sukcesem. W tej sytuacji ich wyniki nie są pokazane.',
'Import/Export': 'Importuj/eksportuj',
'Install': 'install',
'Installed applications': 'Zainstalowane aplikacje',
'Internal State': 'Stan wewnętrzny',
'Invalid Query': 'Błędne zapytanie',
'Invalid action': 'Błędna akcja',
'Language files (static strings) updated': 'Pliki tłumaczeń (ciągi statyczne) zostały uaktualnione',
'Languages': 'Tłumaczenia',
'Last saved on:': 'Ostatnio zapisany:',
'License for': 'Licencja dla',
'Login': 'Zaloguj',
'Login to the Administrative Interface': 'Logowanie do panelu administracyjnego',
'Logout': 'wyloguj',
'Models': 'Modele',
'Modules': 'Moduły',
'NO': 'NIE',
'New Record': 'Nowy rekord',
'New application wizard': 'New application wizard',
'New simple application': 'New simple application',
'No databases in this application': 'Brak baz danych w tej aplikacji',
'Original/Translation': 'Oryginał/tłumaczenie',
'Overwrite installed app': 'overwrite installed app',
'PAM authenticated user, cannot change password here': 'PAM authenticated user, cannot change password here',
'Pack all': 'spakuj wszystko',
'Pack compiled': 'spakuj skompilowane',
'Peeking at file': 'Podgląd pliku',
'Plugin "%s" in application': 'Wtyczka "%s" w aplikacji',
'Plugins': 'Wtyczki',
'Powered by': 'Zasilane przez',
'Query:': 'Zapytanie:',
'Remove compiled': 'usuń skompilowane',
'Resolve Conflict file': 'Rozwiąż konflikt plików',
'Rows in table': 'Wiersze w tabeli',
'Rows selected': 'Wierszy wybranych',
'Saved file hash:': 'Suma kontrolna zapisanego pliku:',
'Site': 'strona główna',
'Start wizard': 'start wizard',
'Static files': 'Pliki statyczne',
'Sure you want to delete this object?': 'Czy na pewno chcesz usunąć ten obiekt?',
'TM': 'TM',
'Testing application': 'Testowanie aplikacji',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"Zapytanie" jest warunkiem postaci "db.tabela1.pole1==\'wartość\'". Takie coś jak "db.tabela1.pole1==db.tabela2.pole2" oznacza SQL JOIN.',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no controllers': 'Brak kontrolerów',
'There are no models': 'Brak modeli',
'There are no modules': 'Brak modułów',
'There are no plugins': 'There are no plugins',
'There are no static files': 'Brak plików statycznych',
'There are no translators, only default language is supported': 'Brak plików tłumaczeń, wspierany jest tylko domyślny język',
'There are no views': 'Brak widoków',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'This is the %(filename)s template': 'To jest szablon %(filename)s',
'Ticket': 'Bilet',
'To create a plugin, name a file/folder plugin_[name]': 'Aby utworzyć wtyczkę, nazwij plik/katalog plugin_[nazwa]',
'Translation strings for the application': 'Translation strings for the application',
'Unable to check for upgrades': 'Nie można sprawdzić aktualizacji',
'Unable to download': 'Nie można ściągnąć',
'Unable to download app': 'Nie można ściągnąć aplikacji',
'Unable to download app because:': 'Unable to download app because:',
'Unable to download because': 'Unable to download because',
'Uninstall': 'odinstaluj',
'Update:': 'Uaktualnij:',
'Upload & install packed application': 'Upload & install packed application',
'Upload a package:': 'Upload a package:',
'Upload existing application': 'Wyślij istniejącą aplikację',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Użyj (...)&(...) jako AND, (...)|(...) jako OR oraz ~(...) jako NOT do tworzenia bardziej skomplikowanych zapytań.',
'Use an url:': 'Use an url:',
'Version': 'Wersja',
'Views': 'Widoki',
'Welcome to web2py': 'Witaj w web2py',
'YES': 'TAK',
'additional code for your application': 'dodatkowy kod Twojej aplikacji',
'admin disabled because no admin password': 'panel administracyjny wyłączony z powodu braku hasła administracyjnego',
'admin disabled because not supported on google app engine': 'panel administracyjny wyłączony z powodu braku wsparcia na google apps engine',
'admin disabled because unable to access password file': 'panel administracyjny wyłączony z powodu braku dostępu do pliku z hasłem',
'administrative interface': 'administrative interface',
'and rename it (required):': 'i nadaj jej nową nazwę (wymagane):',
'and rename it:': 'i nadaj mu nową nazwę:',
'appadmin': 'administracja aplikacji',
'appadmin is disabled because insecure channel': 'administracja aplikacji wyłączona z powodu braku bezpiecznego połączenia',
'application "%s" uninstalled': 'aplikacja "%s" została odinstalowana',
'application compiled': 'aplikacja została skompilowana',
'application is compiled and cannot be designed': 'aplikacja jest skompilowana i nie może być projektowana',
'arguments': 'arguments',
'back': 'wstecz',
'cache': 'cache',
'cache, errors and sessions cleaned': 'pamięć podręczna, bilety błędów oraz pliki sesji zostały wyczyszczone',
'cannot create file': 'nie można utworzyć pliku',
'cannot upload file "%(filename)s"': 'nie można wysłać pliku "%(filename)s"',
'check all': 'zaznacz wszystko',
'click here for online examples': 'kliknij aby przejść do interaktywnych przykładów',
'click here for the administrative interface': 'kliknij aby przejść do panelu administracyjnego',
'click to check for upgrades': 'kliknij aby sprawdzić aktualizacje',
'code': 'code',
'collapse/expand all': 'collapse/expand all',
'compiled application removed': 'skompilowana aplikacja została usunięta',
'controllers': 'kontrolery',
'create file with filename:': 'utwórz plik o nazwie:',
'create new application:': 'utwórz nową aplikację:',
'created by': 'utworzone przez',
'crontab': 'crontab',
'currently running': 'currently running',
'currently saved or': 'aktualnie zapisany lub',
'data uploaded': 'dane wysłane',
'database': 'baza danych',
'database %s select': 'wybór z bazy danych %s',
'database administration': 'administracja bazy danych',
'db': 'baza danych',
'defines tables': 'zdefiniuj tabele',
'delete': 'usuń',
'delete all checked': 'usuń wszystkie zaznaczone',
'delete plugin': 'usuń wtyczkę',
'design': 'projektuj',
'direction: ltr': 'direction: ltr',
'done!': 'zrobione!',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'edit controller': 'edytuj kontroler',
'edit views:': 'edit views:',
'export as csv file': 'eksportuj jako plik csv',
'exposes': 'eksponuje',
'extends': 'rozszerza',
'failed to reload module': 'nie udało się przeładować modułu',
'failed to reload module because:': 'failed to reload module because:',
'file "%(filename)s" created': 'plik "%(filename)s" został utworzony',
'file "%(filename)s" deleted': 'plik "%(filename)s" został usunięty',
'file "%(filename)s" uploaded': 'plik "%(filename)s" został wysłany',
'file "%(filename)s" was not deleted': 'plik "%(filename)s" nie został usunięty',
'file "%s" of %s restored': 'plik "%s" z %s został odtworzony',
'file changed on disk': 'plik na dysku został zmieniony',
'file does not exist': 'plik nie istnieje',
'file saved on %(time)s': 'plik zapisany o %(time)s',
'file saved on %s': 'plik zapisany o %s',
'filter': 'filter',
'htmledit': 'edytuj HTML',
'includes': 'zawiera',
'insert new': 'wstaw nowy rekord tabeli',
'insert new %s': 'wstaw nowy rekord do tabeli %s',
'internal error': 'wewnętrzny błąd',
'invalid password': 'błędne hasło',
'invalid request': 'błędne zapytanie',
'invalid ticket': 'błędny bilet',
'language file "%(filename)s" created/updated': 'plik tłumaczeń "%(filename)s" został utworzony/uaktualniony',
'languages': 'pliki tłumaczeń',
'languages updated': 'pliki tłumaczeń zostały uaktualnione',
'loading...': 'wczytywanie...',
'login': 'zaloguj',
'merge': 'zespól',
'models': 'modele',
'modules': 'moduły',
'new application "%s" created': 'nowa aplikacja "%s" została utworzona',
'new plugin installed': 'nowa wtyczka została zainstalowana',
'new record inserted': 'nowy rekord został wstawiony',
'next 100 rows': 'następne 100 wierszy',
'no match': 'no match',
'or import from csv file': 'lub zaimportuj z pliku csv',
'or provide app url:': 'or provide app url:',
'or provide application url:': 'lub podaj url aplikacji:',
'pack plugin': 'spakuj wtyczkę',
'password changed': 'password changed',
'plugin "%(plugin)s" deleted': 'wtyczka "%(plugin)s" została usunięta',
'plugins': 'plugins',
'previous 100 rows': 'poprzednie 100 wierszy',
'record': 'rekord',
'record does not exist': 'rekord nie istnieje',
'record id': 'ID rekordu',
'restore': 'odtwórz',
'revert': 'przywróć',
'save': 'zapisz',
'selected': 'zaznaczone',
'session expired': 'sesja wygasła',
'shell': 'powłoka',
'some files could not be removed': 'niektóre pliki nie mogły zostać usunięte',
'state': 'stan',
'static': 'pliki statyczne',
'submit': 'wyślij',
'table': 'tabela',
'test': 'testuj',
'the application logic, each URL path is mapped in one exposed function in the controller': 'logika aplikacji, każda ścieżka URL jest mapowana na jedną z funkcji eksponowanych w kontrolerze',
'the data representation, define database tables and sets': 'reprezentacja danych, definicje zbiorów i tabel bazy danych',
'the presentations layer, views are also known as templates': 'warstwa prezentacji, widoki zwane są również szablonami',
'these files are served without processing, your images go here': 'pliki obsługiwane bez interpretacji, to jest miejsce na Twoje obrazy',
'to previous version.': 'do poprzedniej wersji.',
'translation strings for the application': 'ciągi tłumaczeń dla aplikacji',
'try': 'spróbój',
'try something like': 'spróbój czegos takiego jak',
'unable to create application "%s"': 'nie można utworzyć aplikacji "%s"',
'unable to delete file "%(filename)s"': 'nie można usunąć pliku "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'nie można usunąc pliku wtyczki "%(plugin)s"',
'unable to parse csv file': 'nie można sparsować pliku csv',
'unable to uninstall "%s"': 'nie można odinstalować "%s"',
'unable to upgrade because "%s"': 'unable to upgrade because "%s"',
'uncheck all': 'odznacz wszystko',
'update': 'uaktualnij',
'update all languages': 'uaktualnij wszystkie pliki tłumaczeń',
'upgrade web2py now': 'upgrade web2py now',
'upload': 'upload',
'upload application:': 'wyślij plik aplikacji:',
'upload file:': 'wyślij plik:',
'upload plugin file:': 'wyślij plik wtyczki:',
'variables': 'variables',
'versioning': 'versioning',
'view': 'widok',
'views': 'widoki',
'web2py Recent Tweets': 'najnowsze tweety web2py',
'web2py is up to date': 'web2py jest aktualne',
'web2py upgraded; please restart it': 'web2py upgraded; please restart it',
}
| Python |
# coding: utf8
{
'!langcode!': 'ru',
'!langname!': 'Русский',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"Update" ist ein optionaler Ausdruck wie "Feld1 = \'newvalue". JOIN Ergebnisse können nicht aktualisiert oder gelöscht werden',
'%s %%{row} deleted': '%s %%{строкa} %%{удаленa}',
'%s %%{row} updated': '%s %%{строкa} %%{обновленa}',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'(requires internet access)': '(требует подключения к интернету)',
'(something like "it-it")': '(наподобие "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Найдено: **%s** %%{файл}',
'A new version of web2py is available': 'Доступна новая версия web2py',
'A new version of web2py is available: %s': 'Доступна новая версия web2py: %s',
'Abort': 'Отмена',
'About': 'О',
'About application': 'О приложении',
'additional code for your application': 'добавочный код для вашего приложения',
'Additional code for your application': 'Допольнительный код для вашего приложения',
'admin disabled because no admin password': 'админка отключена, потому что отсутствует пароль администратора',
'admin disabled because not supported on google apps engine': 'админка отключена, т.к. не поддерживается на google app engine',
'admin disabled because unable to access password file': 'админка отключена, т.к. невозможно получить доступ к файлу с паролями ',
'Admin is disabled because insecure channel': 'Админпанель выключена из-за небезопасного соединения',
'Admin is disabled because unsecure channel': 'Админпанель выключен из-за небезопасного соединения',
'Admin language': 'Язык админпанели',
'administrative interface': 'интерфейс администратора',
'Administrator Password:': 'Пароль администратора:',
'and rename it (required):': 'и переименуйте его (необходимо):',
'and rename it:': ' и переименуйте его:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'Appadmin отключен, т.к. соединение не безопасно',
'application "%s" uninstalled': 'Приложение "%s" удалено',
'application compiled': 'Приложение скомпилировано',
'application is compiled and cannot be designed': 'Приложение скомпилировано и дизайн не может быть изменен',
'Application name:': 'Название приложения:',
'are not used': 'are not used',
'are not used yet': 'are not used yet',
'Are you sure you want to delete file "%s"?': 'Вы действительно хотите удалить файл "%s"?',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'Are you sure you want to uninstall application "%s"': 'Вы действительно хотите удалить приложение "%s"',
'Are you sure you want to uninstall application "%s"?': 'Вы действительно хотите удалить приложение "%s"?',
'Are you sure you want to upgrade web2py now?': 'Вы действительно хотите обновить web2py сейчас?',
'arguments': 'аргументы',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ВНИМАНИЕ: Для входа требуется бесопасное (HTTPS) соединение либо запуск на localhost.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ВНИМАНИЕ: Тестирование не потокобезопасно, поэтому не запускайте несколько тестов параллельно.',
'ATTENTION: This is an experimental feature and it needs more testing.': 'ВНИМАНИЕ: Это экспериментальная возможность и требует тестирования.',
'ATTENTION: you cannot edit the running application!': 'ВНИМАНИЕ: Вы не можете редактировать работающее приложение!',
'Authentication': 'Аутентификация',
'Available databases and tables': 'Доступные базы данных и таблицы',
'back': 'назад',
'beautify': 'Раскрасить',
'cache': 'кэш',
'cache, errors and sessions cleaned': 'Кэш, ошибки и сессии очищены',
'call': 'вызов',
'Cannot be empty': 'Не может быть пустым',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Невозможно компилировать: в приложении присутствуют ошибки. Отладьте его, исправьте ошибки и попробуйте заново.',
'cannot create file': 'Невозможно создать файл',
'cannot upload file "%(filename)s"': 'Невозможно загрузить файл "%(filename)s"',
'Change admin password': 'Изменить пароль администратора',
'Change Password': 'Изменить пароль',
'change password': 'изменить пароль',
'check all': 'проверить все',
'Check for upgrades': 'проверить обновления',
'Check to delete': 'Поставьте для удаления',
'Checking for upgrades...': 'Проверка обновлений...',
'Clean': 'Очистить',
'click here for online examples': 'нажмите здесь для онлайн примеров',
'click here for the administrative interface': 'нажмите здесь для интерфейса администратора',
'click to check for upgrades': 'нажмите для проверки обновления',
'Client IP': 'IP клиента',
'code': 'код',
'collapse/expand all': 'свернуть/развернуть все',
'Compile': 'Компилировать',
'compiled application removed': 'скомпилированное приложение удалено',
'Controller': 'Контроллер',
'Controllers': 'Контроллеры',
'controllers': 'контроллеры',
'Copyright': 'Copyright',
'Create': 'Создать',
'create file with filename:': 'Создать файл с названием:',
'create new application:': 'создать новое приложение:',
'Create new simple application': 'Создать новое простое приложение',
'created by': 'создано',
'crontab': 'crontab',
'Current request': 'Текущий запрос',
'Current response': 'Текущий ответ',
'Current session': 'Текущая сессия',
'currently running': 'сейчас работает',
'currently saved or': 'сейчас сохранено или',
'customize me!': 'настрой меня!',
'data uploaded': 'дата загрузки',
'Database': 'База данных',
'database': 'база данных',
'database %s select': 'Выбор базы данных %s ',
'database administration': 'администрирование базы данных',
'Date and Time': 'Дата и время',
'db': 'бд',
'DB Model': 'Модель БД',
'Debug': 'Debug',
'defines tables': 'определить таблицы',
'Delete': 'Удалить',
'delete': 'удалить',
'delete all checked': 'удалить выбранные',
'delete plugin': 'удалить плагин',
'Delete this file (you will be asked to confirm deletion)': 'Delete this file (you will be asked to confirm deletion)',
'Delete:': 'Удалить:',
'Deploy': 'Развернуть',
'Deploy on Google App Engine': 'Развернуть на Google App Engine',
'Deploy to OpenShift': 'Deploy to OpenShift',
'Description': 'Описание',
'design': 'дизайн',
'DESIGN': 'ДИЗАЙН',
'Design for': 'Дизайн для',
'Detailed traceback description': 'Detailed traceback description',
'direction: ltr': 'направление: ltr',
'Disable': 'Disable',
'docs': 'docs',
'documentation': 'документация',
'done!': 'выполнено!',
'download layouts': 'загрузить шаблоны',
'download plugins': 'загрузить плагины',
'E-mail': 'E-mail',
'EDIT': 'ПРАВКА',
'Edit': 'Правка',
'Edit application': 'Правка приложения',
'edit controller': 'правка контроллера',
'Edit current record': 'Правка текущей записи',
'Edit Profile': 'Правка профиля',
'edit profile': 'правка профиля',
'Edit This App': 'Правка данного приложения',
'edit views:': 'правка видов:',
'Editing file': 'Правка файла',
'Editing file "%s"': 'Правка файла "%s"',
'Editing Language file': 'Правка языкового файла',
'Editing Plural Forms File': 'Editing Plural Forms File',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error logs for "%(app)s"': 'Журнал ошибок для "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'Ошибка',
'escape': 'escape',
'Exception instance attributes': 'Атрибуты объекта исключения',
'Expand Abbreviation': 'Раскрыть аббревиатуру',
'export as csv file': 'Экспорт в CSV',
'exposes': 'открывает',
'extends': 'расширяет',
'failed to reload module': 'невозможно загрузить модуль',
'file "%(filename)s" created': 'файл "%(filename)s" создан',
'file "%(filename)s" deleted': 'файл "%(filename)s" удален',
'file "%(filename)s" uploaded': 'файл "%(filename)s" загружен',
'file "%(filename)s" was not deleted': 'файл "%(filename)s" не был удален',
'file "%s" of %s restored': 'файл "%s" из %s восстановлен',
'file changed on disk': 'файл изменился на диске',
'file does not exist': 'файл не существует',
'file saved on %(time)s': 'файл сохранен %(time)s',
'file saved on %s': 'файл сохранен %s',
'filter': 'фильтр',
'First name': 'Имя',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'Функции без doctest будут давать [прошел] в тестах.',
'Get from URL:': 'Get from URL:',
'Go to Matching Pair': 'К подходящей паре',
'Group ID': 'ID группы',
'Hello World': 'Привет, Мир',
'Help': 'Помощь',
'Hide/Show Translated strings': 'Hide/Show Translated strings',
'htmledit': 'htmledit',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Если отчет выше содержит номер ошибки, это указывает на ошибку при работе контроллера, до попытки выполнить doctest. Причиной чаще является неверные отступы или ошибки в коде вне функции. \nЗеленый заголовок указывает на успешное выполнение всех тестов. В этом случае результаты тестов не показываются.',
'If you answer "yes", be patient, it may take a while to download': 'Если вы ответили "Да", потерпите, загрузка может потребовать времени',
'If you answer yes, be patient, it may take a while to download': 'Если вы ответили "Да", потерпите, загрузка может потребовать времени',
'Import/Export': 'Импорт/Экспорт',
'includes': 'включает',
'Index': 'Индекс',
'index': 'index',
'insert new': 'вставить новый',
'insert new %s': 'вставить новый %s',
'inspect attributes': 'inspect attributes',
'Install': 'Установить',
'Installed applications': 'Установленные приложения',
'internal error': 'внутренняя ошибка',
'Internal State': 'Внутренний статус',
'Invalid action': 'Неверное действие',
'Invalid email': 'Неверный email',
'invalid password': 'неверный пароль',
'Invalid Query': 'Неверный запрос',
'invalid request': 'неверный запрос',
'invalid ticket': 'неверный тикет',
'Key bindings': 'Связываник клавиш',
'Key bindings for ZenConding Plugin': 'Связывание клавиш для плагина ZenConding',
'language file "%(filename)s" created/updated': 'Языковой файл "%(filename)s" создан/обновлен',
'Language files (static strings) updated': 'Языковые файлы (статичные строки) обновлены',
'languages': 'языки',
'Languages': 'Языки',
'languages updated': 'языки обновлены',
'Last name': 'Фамилия',
'Last saved on:': 'Последнее сохранение:',
'Layout': 'Верстка',
'License for': 'Лицензия для',
'loading...': 'загрузка...',
'locals': 'locals',
'located in the file': 'расположенный в файле',
'Login': 'Логин',
'login': 'логин',
'Login to the Administrative Interface': 'Вход в интерфейс администратора',
'Logout': 'выход',
'Lost Password': 'Забыли пароль',
'lost password?': 'Пароль утерен?',
'Main Menu': 'Главное меню',
'Match Pair': 'Найти пару',
'Menu Model': 'Модель меню',
'merge': 'объединить',
'Merge Lines': 'Объединить линии',
'Models': 'Модели',
'models': 'модели',
'Modules': 'Модули',
'modules': 'модули',
'Name': 'Название',
'new application "%s" created': 'новое приложение "%s" создано',
'New application wizard': 'Мастер нового приложения',
'New Record': 'Новая запись',
'new record inserted': 'новая запись вставлена',
'New simple application': 'Новое простое приложение',
'next 100 rows': 'следующие 100 строк',
'Next Edit Point': 'Следующее место правки',
'NO': 'НЕТ',
'No databases in this application': 'В приложении нет базы данных',
'or import from csv file': 'или испорт из cvs файла',
'or provide app url:': 'или URL приложения:',
'or provide application url:': 'или URL приложения:',
'Origin': 'Оригинал',
'Original/Translation': 'Оригинал/Перевод',
'Overwrite installed app': 'Переписать на установленное приложение',
'Pack all': 'упаковать все',
'Pack compiled': 'Архив скомпилирован',
'pack plugin': 'Упаковать плагин',
'Password': 'Пароль',
'Peeking at file': 'Просмотр',
'please wait!': 'подождите, пожалуйста!',
'Plugin "%s" in application': 'Плагин "%s" в приложении',
'plugins': 'плагины',
'Plugins': 'Плагины',
'Plural Form #%s': 'Plural Form #%s',
'Plural-Forms:': 'Plural-Forms:',
'Powered by': 'Обеспечен',
'previous 100 rows': 'предыдущие 100 строк',
'Previous Edit Point': 'Предыдущее место правки',
'Query:': 'Запрос:',
'record': 'запись',
'record does not exist': 'запись не существует',
'record id': 'id записи',
'Record ID': 'ID записи',
'register': 'зарегистрироваться',
'Register': 'Зарегистрироваться',
'Registration key': 'Ключ регистрации',
'Reload routes': 'Reload routes',
'Remove compiled': 'Удалить скомпилированное',
'request': 'request',
'Reset Password key': 'Сброс пароля',
'Resolve Conflict file': 'Решить конфликт в файле',
'response': 'response',
'restore': 'восстановить',
'revert': 'откатиться',
'Role': 'Роль',
'Rows in table': 'Строк в таблице',
'Rows selected': 'Выбрано строк',
'rules:': 'rules:',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Running on %s': 'Running on %s',
'Save': 'Save',
'save': 'сохранить',
'Save via Ajax': 'Сохранить через Ajax',
'Saved file hash:': 'Хэш сохраненного файла:',
'selected': 'выбрано',
'session': 'session',
'session expired': 'сессия истекла',
'shell': 'shell',
'Singular Form': 'Singular Form',
'Site': 'сайт',
'some files could not be removed': 'некоторые файлы нельзя удалить',
'Start wizard': 'запустить мастер',
'state': 'статус',
'static': 'статичные файлы',
'Static files': 'Статические файлы',
'Stylesheet': 'Таблицы стилей',
'submit': 'Отправить',
'Sure you want to delete this object?': 'Действительно хотите удалить данный объект?',
'table': 'таблица',
'Table name': 'Название таблицы',
'test': 'тест',
'test_def': 'test_def',
'test_for': 'test_for',
'test_if': 'test_if',
'test_try': 'test_try',
'Testing application': 'Тест приложения',
'Testing controller': 'Тест контроллера',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"query" является условием вида "db.table1.field1 == \'значение\'". Что-либо типа "db.table1.field1 db.table2.field2 ==" ведет к SQL JOIN.',
'the application logic, each URL path is mapped in one exposed function in the controller': 'Логика приложения, каждый URL отображается в открытую функцию в контроллере',
'The application logic, each URL path is mapped in one exposed function in the controller': 'Логика приложения, каждый URL отображается к одной функции в контроллере',
'the data representation, define database tables and sets': 'представление данных, определить таблицы и наборы',
'The data representation, define database tables and sets': 'Представление данных, определите таблицы базы данных и наборы',
'The output of the file is a dictionary that was rendered by the view': 'Выводом файла является словарь, который создан в виде',
'The presentations layer, views are also known as templates': 'Слой презентации, виды так же известны, как шаблоны',
'the presentations layer, views are also known as templates': 'слой представления, виды известные так же как шаблоны',
'There are no controllers': 'Отсутствуют контроллеры',
'There are no models': 'Отсутствуют модели',
'There are no modules': 'Отсутствуют модули',
'There are no plugins': 'Отсутствуют плагины',
'There are no static files': 'Отсутствуют статичные файлы',
'There are no translators, only default language is supported': 'Отсутствуют переводчики, поддерживается только стандартный язык',
'There are no views': 'Отсутствуют виды',
'These files are served without processing, your images go here': 'Эти файлы обслуживаются без обработки, ваши изображения попадут сюда',
'these files are served without processing, your images go here': 'Эти файлы обслуживаются без обработки, ваши изображения попадут сюда',
'This is a copy of the scaffolding application': 'Это копия сгенерированного приложения',
'This is the %(filename)s template': 'Это шаблон %(filename)s',
'Ticket': 'Тикет',
'Ticket ID': 'Ticket ID',
'Timestamp': 'Время',
'TM': 'TM',
'to previous version.': 'на предыдущую версию.',
'To create a plugin, name a file/folder plugin_[name]': 'Для создания плагина назовите файл/папку plugin_[название]',
'toggle breakpoint': 'toggle breakpoint',
'Traceback': 'Traceback',
'translation strings for the application': 'строки перевода для приложения',
'Translation strings for the application': 'Строки перевода для приложения',
'try': 'try',
'try something like': 'попробовать что-либо вида',
'Unable to check for upgrades': 'Невозможно проверить обновления',
'unable to create application "%s"': 'невозможно создать приложение "%s" nicht möglich',
'unable to delete file "%(filename)s"': 'невозможно удалить файл "%(filename)s"',
'Unable to download': 'Невозможно загрузить',
'Unable to download app': 'Невозможно загрузить',
'unable to parse csv file': 'невозможно разобрать файл csv',
'unable to uninstall "%s"': 'невозможно удалить "%s"',
'uncheck all': 'снять выбор всего',
'Uninstall': 'Удалить',
'update': 'обновить',
'update all languages': 'обновить все языки',
'Update:': 'Обновить:',
'upgrade web2py now': 'обновить web2py сейчас',
'upload': 'загрузить',
'Upload & install packed application': 'Загрузить и установить приложение в архиве',
'Upload a package:': 'Загрузить пакет:',
'Upload and install packed application': 'Upload and install packed application',
'upload application:': 'загрузить файл:',
'Upload existing application': 'Загрузить существующее приложение',
'upload file:': 'загрузить файл:',
'upload plugin file:': 'загрузить файл плагина:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Используйте (...)&(...) для AND, (...)|(...) для OR, и ~(...) для NOT при создании сложных запросов.',
'Use an url:': 'Используйте url:',
'user': 'пользователь',
'User ID': 'ID пользователя',
'variables': 'переменные',
'Version': 'Версия',
'versioning': 'версии',
'Versioning': 'Versioning',
'View': 'Вид',
'view': 'вид',
'Views': 'Виды',
'views': 'виды',
'Web Framework': 'Web Framework',
'web2py is up to date': 'web2py обновлен',
'web2py Recent Tweets': 'последние твиты по web2py',
'Welcome %s': 'Добро пожаловать, %s',
'Welcome to web2py': 'Добро пожаловать в web2py',
'Which called the function': 'Который вызвал функцию',
'Wrap with Abbreviation': 'Заключить в аббревиатуру',
'xml': 'xml',
'YES': 'ДА',
'You are successfully running web2py': 'Вы успешно запустили web2by',
'You can modify this application and adapt it to your needs': 'Вы можете изменить это приложение и подогнать под свои нужды',
'You visited the url': 'Вы посетили URL',
}
| Python |
# coding: utf8
# Translation by: Klaus Kappel <kkappel@yahoo.de>
{
'!langcode!': 'de',
'!langname!': 'Deutsch',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"Update" ist ein optionaler Ausdruck wie "Feld1 = \'newvalue". JOIN Ergebnisse k?nnen nicht aktualisiert oder gel?scht werden',
'%s %%{row} deleted': '%s %%{row} Zeilen gel?scht',
'%s %%{row} updated': '%s %%{row} Zeilen aktualisiert',
'%Y-%m-%d': '%d.%m.%Y',
'%Y-%m-%d %H:%M:%S': '%d.%m.%Y %H:%M:%S',
'(requires internet access)': '(Internet Zugang wir ben?tigt)',
'(requires internet access, experimental)': '(ben?tigt Internet Zugang)',
'(something like "it-it")': '(so etwas wie "it-it")',
'@markmin\x01Searching: **%s** %%{file}': '@markmin\x01Suche: **%s** Dateien',
'A new version of web2py is available': 'Eine neue Version von web2py ist verf?gbar',
'A new version of web2py is available: %s': 'Eine neue Version von web2py ist verf?gbar: %s',
'Abort': 'Abbrechen',
'About': '?ber',
'About application': '?ber die Anwendung',
'Additional code for your application': 'zus?tzlicher Code f?r Ihre Anwendung',
'admin disabled because no admin password': 'admin ist deaktiviert, weil kein Admin-Passwort gesetzt ist',
'admin disabled because not supported on google apps engine': 'admin ist deaktiviert, es existiert daf?r keine Unterst?tzung auf der google apps engine',
'admin disabled because unable to access password file': 'admin ist deaktiviert, weil kein Zugriff auf die Passwortdatei besteht',
'Admin is disabled because insecure channel': 'Appadmin ist deaktiviert, wegen der Benutzung eines unsicheren Kanals',
'Admin is disabled because unsecure channel': 'Appadmin ist deaktiviert, wegen der Benutzung eines unsicheren Kanals',
'Admin language': 'Admin-Sprache',
'administrative interface': 'Administrative Schnittstelle',
'Administrator Password:': 'Administrator Passwort:',
'An error occured, please %s the page': 'Ein Fehler ist aufgetereten, bitte %s die Seite',
'and rename it (required):': 'und benenne sie um (erforderlich):',
'and rename it:': ' und benenne sie um:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'Appadmin ist deaktiviert, wegen der Benutzung eines unsicheren Kanals',
'Application': 'Anwendung',
'application "%s" uninstalled': 'Anwendung "%s" deinstalliert',
'application compiled': 'Anwendung kompiliert',
'application is compiled and cannot be designed': 'Die Anwendung ist kompiliert kann deswegen nicht mehr ge?ndert werden',
'Application name:': 'Name der Applikation:',
'Are you sure you want to delete file "%s"?': 'Sind Sie sich sicher, dass Sie diese Datei l?schen wollen "%s"?',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'Are you sure you want to uninstall application "%s"': 'Sind Sie sich sicher, dass Sie diese Anwendung deinstallieren wollen "%s"',
'Are you sure you want to uninstall application "%s"?': 'Sind Sie sich sicher, dass Sie diese Anwendung deinstallieren wollen "%s"?',
'Are you sure you want to upgrade web2py now?': 'Sind Sie sich sicher, dass Sie web2py jetzt upgraden m?chten?',
'arguments': 'arguments',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ACHTUNG: Die Einwahl ben?tigt eine sichere (HTTPS) Verbindung. Es sei denn sie l?uft Lokal(localhost).',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ACHTUNG: Testen ist nicht threadsicher. F?hren sie also nicht mehrere Tests gleichzeitig aus.',
'ATTENTION: This is an experimental feature and it needs more testing.': 'ACHTUNG: Dies ist eine experimentelle Funktion und ben?tigt noch weitere Tests.',
'ATTENTION: you cannot edit the running application!': 'ACHTUNG: Eine laufende Anwendung kann nicht editiert werden!',
'Authentication': 'Authentifizierung',
'Available databases and tables': 'Verf?gbare Datenbanken und Tabellen',
'back': 'zur?ck',
'beautify': 'versch?nern',
'cache': 'Pufferspeicher',
'cache, errors and sessions cleaned': 'Zwischenspeicher (cache), Fehler und Sitzungen (sessions) gel?scht',
'call': 'Aufruf',
'can be a git repo': 'kann ein git Repository sein',
'Cannot be empty': 'Darf nicht leer sein',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Nicht Kompilierbar:Es sind Fehler in der Anwendung. Beseitigen Sie die Fehler und versuchen Sie es erneut.',
'cannot create file': 'Kann Datei nicht erstellen',
'cannot upload file "%(filename)s"': 'Kann Datei nicht Hochladen "%(filename)s"',
'Change admin password': 'Administrator-Passwort ?ndern',
'Change Password': 'Passwort ?ndern',
'change password': 'Passwort ?ndern',
'check all': 'alles ausw?hlen',
'Check for upgrades': 'check for upgrades',
'Check to delete': 'Markiere zum l?schen',
'Checking for upgrades...': 'Auf Updates ?berpr?fen...',
'Clean': 'leeren',
'click here for online examples': 'hier klicken f?r online Beispiele',
'click here for the administrative interface': 'hier klicken f?r die Administrationsoberfl?che ',
'Click row to expand traceback': 'Klicke auf die Zeile f?r Fehlerverfolgung',
'click to check for upgrades': 'hier klicken um nach Upgrades zu suchen',
'Client IP': 'Client IP',
'code': 'code',
'collapse/expand all': 'alles zu- bzw. aufklappen',
'Compile': 'kompilieren',
'compiled application removed': 'kompilierte Anwendung gel?scht',
'Controller': 'Controller',
'Controllers': 'Controller',
'controllers': 'Controllers',
'Copyright': 'Urheberrecht',
'Count': 'Anzahl',
'Create': 'erstellen',
'create file with filename:': 'erzeuge Datei mit Dateinamen:',
'create new application:': 'erzeuge neue Anwendung:',
'Create new simple application': 'Erzeuge neue Anwendung',
'created by': 'erstellt von',
'crontab': 'crontab',
'Current request': 'Aktuelle Anfrage (request)',
'Current response': 'Aktuelle Antwort (response)',
'Current session': 'Aktuelle Sitzung (session)',
'currently running': 'aktuell in Betrieb',
'currently saved or': 'des derzeit gespeicherten oder',
'customize me!': 'pass mich an!',
'data uploaded': 'Daten hochgeladen',
'Database': 'Datenbank',
'database': 'Datenbank',
'database %s select': 'Datenbank %s ausgew?hlt',
'database administration': 'Datenbankadministration',
'Date and Time': 'Datum und Uhrzeit',
'db': 'db',
'DB Model': 'DB Modell',
'Debug': 'Debug',
'defines tables': 'definiere Tabellen',
'Delete': 'L?schen',
'delete': 'l?schen',
'delete all checked': 'l?sche alle markierten',
'delete plugin': 'Plugin l?schen',
'Delete:': 'L?schen:',
'Deploy': 'Installieren',
'Deploy on Google App Engine': 'Auf Google App Engine installieren',
'Deploy to OpenShift': 'Auf OpenShift installieren',
'Description': 'Beschreibung',
'design': 'design',
'DESIGN': 'design',
'Design for': 'Design f?r',
'Detailed traceback description': 'Detailed traceback description',
'direction: ltr': 'direction: ltr',
'Disable': 'Deaktivieren',
'documentation': 'Dokumentation',
'done!': 'fertig!',
'Download .w2p': 'Download .w2p',
'download layouts': 'Layouts herunterladen',
'download plugins': 'download plugins',
'E-mail': 'E-mail',
'EDIT': 'BEARBEITEN',
'Edit': 'bearbeiten',
'Edit application': 'Bearbeite Anwendung',
'edit controller': 'Bearbeite Controller',
'Edit current record': 'Bearbeite aktuellen Datensatz',
'Edit Profile': 'Bearbeite Profil',
'edit profile': 'bearbeite Profil',
'Edit This App': 'Bearbeite diese Anwendung',
'edit views:': 'Views bearbeiten:',
'Editing file': 'Bearbeite Datei',
'Editing file "%s"': 'Bearbeite Datei "%s"',
'Editing Language file': 'Sprachdatei bearbeiten',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error': 'Fehler',
'Error logs for "%(app)s"': 'Fehlerprotokoll f?r "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'Fehler',
'escape': 'escape',
'Exception instance attributes': 'Atribute der Ausnahmeinstanz',
'Expand Abbreviation': 'K?rzel erweitern',
'export as csv file': 'Exportieren als CSV-Datei',
'exposes': 'stellt zur Verf?gung',
'extends': 'erweitert',
'failed to reload module': 'neu laden des Moduls fehlgeschlagen',
'File': 'Datei',
'file "%(filename)s" created': 'Datei "%(filename)s" erstellt',
'file "%(filename)s" deleted': 'Datei "%(filename)s" gel?scht',
'file "%(filename)s" uploaded': 'Datei "%(filename)s" hochgeladen',
'file "%(filename)s" was not deleted': 'Datei "%(filename)s" wurde nicht gel?scht',
'file "%s" of %s restored': 'Datei "%s" von %s wiederhergestellt',
'file changed on disk': 'Datei auf Festplatte ge?ndert',
'file does not exist': 'Datei existiert nicht',
'file saved on %(time)s': 'Datei gespeichert am %(time)s',
'file saved on %s': 'Datei gespeichert auf %s',
'filter': 'filter',
'First name': 'Vorname',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'Funktionen ohne doctests erzeugen [passed] in Tests',
'Get from URL:': 'Get from URL:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Go to Matching Pair': 'gehe zum ?bereinstimmenden Paar',
'Goto': 'Goto',
'Group ID': 'Gruppen ID',
'Hello World': 'Hallo Welt',
'Help': 'Hilfe',
'Home': 'Home',
'htmledit': 'htmledit',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Falls der obere Test eine Fehler-Ticketnummer enth?lt deutet das auf einen Fehler in der Ausf?hrung des Controllers hin, noch bevor der Doctest ausgef?hrt werden konnte. Gew?hnlich f?hren fehlerhafte Einr?ckungen oder fehlerhafter Code ausserhalb der Funktion zu solchen Fehlern. Ein gr?ner Titel deutet darauf hin, dass alle Test(wenn sie vorhanden sind) erfolgreich durchlaufen wurden. In diesem Fall werden die Testresultate nicht angezeigt.',
'If you answer "yes", be patient, it may take a while to download': '',
'If you answer yes, be patient, it may take a while to download': 'If you answer yes, be patient, it may take a while to download',
'Import/Export': 'Importieren/Exportieren',
'includes': 'Einf?gen',
'Index': 'Index',
'index': 'index',
'insert new': 'neu einf?gen',
'insert new %s': 'neu einf?gen %s',
'inspect attributes': 'inspect attributes',
'Install': 'installieren',
'Installed applications': 'Installierte Anwendungen',
'internal error': 'interner Fehler',
'Internal State': 'interner Status',
'Invalid action': 'Ung?ltige Aktion',
'Invalid email': 'Ung?ltige Email',
'invalid password': 'Ung?ltiges Passwort',
'Invalid Query': 'Ung?ltige Abfrage',
'invalid request': 'ung?ltige Anfrage',
'invalid ticket': 'ung?ltiges Ticket',
'Key bindings': 'Tastenbelegungen',
'Key bindings for ZenConding Plugin': 'Tastenbelegungen f?r das ZenConding Plugin',
'language file "%(filename)s" created/updated': 'Sprachdatei "%(filename)s" erstellt/aktualisiert',
'Language files (static strings) updated': 'Sprachdatei (statisch Strings) aktualisiert',
'languages': 'Sprachen',
'Languages': 'Sprachen',
'languages updated': 'Sprachen aktualisiert',
'Last name': 'Nachname',
'Last saved on:': 'Zuletzt gespeichert am:',
'Layout': 'Layout',
'License for': 'Lizenz f?r',
'loading...': 'lade...',
'locals': 'locals',
'located in the file': 'located in Datei',
'Login': 'Anmelden',
'login': 'anmelden',
'Login to the Administrative Interface': 'An das Administrations-Interface anmelden',
'Logout': 'abmelden',
'Lost Password': 'Passwort vergessen',
'lost password?': 'Passwort vergessen?',
'Main Menu': 'Men? principal',
'Manage': 'Verwalten',
'Match Pair': 'Paare finden',
'Menu Model': 'Men? Modell',
'merge': 'verbinden',
'Merge Lines': 'Zeilen zusammenf?gen',
'Models': 'Modelle',
'models': 'Modelle',
'Modules': 'Module',
'modules': 'Module',
'Name': 'Name',
'new application "%s" created': 'neue Anwendung "%s" erzeugt',
'New application wizard': 'Neue Anwendung per Assistent',
'New Record': 'Neuer Datensatz',
'new record inserted': 'neuer Datensatz eingef?gt',
'New simple application': 'Neue einfache Anwendung',
'next 100 rows': 'n?chsten 100 Zeilen',
'Next Edit Point': 'n?chster Bearbeitungsschritt',
'NO': 'NEIN',
'No databases in this application': 'Keine Datenbank in dieser Anwendung',
'No ticket_storage.txt found under /private folder': 'No ticket_storage.txt found under /private folder',
'Or Get from URL:': 'oder hole es von folgender URL:',
'or import from csv file': 'oder importieren von cvs Datei',
'or provide app url:': 'oder geben Sie eine Anwendungs-URL an:',
'or provide application url:': 'oder geben Sie eine Anwendungs-URL an:',
'Origin': 'Herkunft',
'Original/Translation': 'Original/?bersetzung',
'Overwrite installed app': 'installierte Anwendungen ?berschreiben',
'Pack all': 'verpacke alles',
'Pack compiled': 'Verpacke kompiliert',
'Pack custom': 'Verpacke individuell',
'pack plugin': 'Plugin verpacken',
'Password': 'Passwort',
'Peeking at file': 'Dateiansicht',
'please wait!': 'bitte warten!',
'Plugin "%s" in application': 'Plugin "%s" in Anwendung',
'plugins': 'plugins',
'Plugins': 'Plugins',
'Powered by': 'Unterst?tzt von',
'previous 100 rows': 'vorherige 100 zeilen',
'Previous Edit Point': 'vorheriger Bearbeitungsschritt',
'Project Progress': 'Projekt Fortschritt',
'Query:': 'Abfrage:',
'record': 'Datensatz',
'record does not exist': 'Datensatz existiert nicht',
'record id': 'Datensatz id',
'Record ID': 'Datensatz ID',
'register': 'Registrierung',
'Register': 'registrieren',
'Registration key': 'Registrierungsschl?ssel',
'reload': 'Neu laden',
'Reload routes': 'Routen neu laden',
'Remove compiled': 'Bytecode l?schen',
'request': 'request',
'Reset Password key': 'Passwortschl?ssel zur?cksetzen',
'Resolve Conflict file': 'bereinige Konflikt-Datei',
'response': 'Antwort',
'restore': 'wiederherstellen',
'revert': 'zur?ckkehren',
'Role': 'Rolle',
'Rows in table': 'Zeilen in Tabelle',
'Rows selected': 'Zeilen ausgew?hlt',
'Running on %s': 'L?uft auf %s',
'save': 'sichern',
'Save via Ajax': 'via Ajax sichern',
'Saved file hash:': 'Gespeicherter Datei-Hash:',
'Select Files to Package': 'Dateien zum Paketieren w?hlen',
'selected': 'ausgew?hlt(e)',
'session': 'Sitzung',
'session expired': 'Sitzung abgelaufen',
'shell': 'shell',
'Site': 'Seite',
'some files could not be removed': 'einige Dateien konnten nicht gel?scht werden',
'Start wizard': 'Assistent starten',
'state': 'Status',
'static': 'statische Dateien',
'Static files': 'statische Dateien',
'Stylesheet': 'Stylesheet',
'Submit': 'Submit',
'submit': 'Absenden',
'Sure you want to delete this object?': 'Wollen Sie das Objekt wirklich l?schen?',
'table': 'Tabelle',
'Table name': 'Tabellen Name',
'test': 'Test',
'test_def': 'test_def',
'test_for': 'test_for',
'test_if': 'test_if',
'test_try': 'test_try',
'Testing application': 'Teste die Anwendung',
'Testing controller': 'teste Controller',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'Die "query" ist eine Bedingung wie "db.table1.field1 == \'Wert\'". Etwas wie "db.table1.field1 db.table2.field2 ==" f?hrt zu einem SQL JOIN.',
'the application logic, each URL path is mapped in one exposed function in the controller': 'Die Logik der Anwendung, jeder URL-Pfad wird auf eine Funktion abgebildet die der Controller zur Verf?gung stellt',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'the data representation, define database tables and sets': 'Die Datenrepr?sentation definiert Mengen von Tabellen und Datenbanken ',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The output of the file is a dictionary that was rendered by the view': 'The output of the file is a dictionary that was rendered by the view',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'the presentations layer, views are also known as templates': 'Die Pr?sentationsschicht, Views sind auch bekannt als Vorlagen/Templates',
'There are no controllers': 'Keine Controller vorhanden',
'There are no models': 'Keine Modelle vorhanden',
'There are no modules': 'Keine Module vorhanden',
'There are no plugins': 'There are no plugins',
'There are no static files': 'Keine statischen Dateien vorhanden',
'There are no translators, only default language is supported': 'Keine ?bersetzungen vorhanden, nur die voreingestellte Sprache wird unterst?tzt',
'There are no views': 'Keine Views vorhanden',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'these files are served without processing, your images go here': 'Diese Dateien werden ohne Verarbeitung ausgeliefert. Beispielsweise Bilder kommen hier hin.',
'This is a copy of the scaffolding application': 'Dies ist eine Kopie einer Grundger?st-Anwendung',
'This is the %(filename)s template': 'Dies ist das Template %(filename)s',
'Ticket': 'Ticket',
'Ticket ID': 'Ticket ID',
'Timestamp': 'Zeitstempel',
'TM': 'TM',
'to previous version.': 'zu einer fr?heren Version.',
'To create a plugin, name a file/folder plugin_[name]': 'Um ein Plugin zu erstellen benennen Sie eine(n) Datei/Ordner plugin_[Name]',
'Traceback': 'Traceback',
'translation strings for the application': '?bersetzungs-Strings f?r die Anwendung',
'Translation strings for the application': '?bersetzungs-Strings f?r die Anwendung',
'try': 'versuche',
'try something like': 'versuche so etwas wie',
'Try the mobile interface': 'Try the mobile interface',
'Unable to check for upgrades': '?berpr?fen von Upgrades nicht m?glich',
'unable to create application "%s"': 'erzeugen von Anwendung "%s" nicht m?glich',
'unable to delete file "%(filename)s"': 'l?schen von Datein "%(filename)s" nicht m?glich',
'Unable to download': 'herunterladen nicht m?glich',
'Unable to download app': 'herunterladen der Anwendung nicht m?glich',
'unable to parse csv file': 'analysieren der cvs Datei nicht m?glich',
'unable to uninstall "%s"': 'deinstallieren von "%s" nicht m?glich',
'uncheck all': 'Selektionen entfernen',
'Uninstall': 'deinstallieren',
'update': 'aktualisieren',
'update all languages': 'aktualisiere alle Sprachen',
'Update:': 'Aktualisiere:',
'upgrade web2py now': 'jetzt web2py upgraden',
'upload': 'upload',
'Upload & install packed application': 'Verpackte Anwendung hochladen und installieren',
'Upload a package:': 'Ein Packet hochladen:',
'Upload and install packed application': 'Verpackte Anwendung hochladen und installieren',
'upload application:': 'lade Anwendung hoch:',
'Upload existing application': 'lade existierende Anwendung hoch',
'upload file:': 'lade Datei hoch:',
'upload plugin file:': 'Plugin-Datei hochladen:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Benutze (...)&(...) f?r AND, (...)|(...) f?r OR, und ~(...) f?r NOT, um komplexe Abfragen zu erstellen.',
'Use an url:': 'Verwende URL:',
'user': 'Nutzer',
'User ID': 'Benutzer ID',
'variables': 'Variablen',
'Version': 'Version',
'Version %s.%s.%s (%s) %s': 'Version %s.%s.%s (%s) %s',
'versioning': 'Versionierung',
'Versioning': 'Versionierung',
'View': 'Ansicht',
'view': 'Ansicht',
'Views': 'Ansichten',
'views': 'Ansichten',
'Web Framework': 'Web Framework',
'web2py is up to date': 'web2py ist auf dem neuesten Stand',
'web2py Recent Tweets': 'neuste Tweets von web2py',
'Welcome %s': 'Willkommen %s',
'Welcome to web2py': 'Willkommen zu web2py',
'Which called the function': 'welche die Funktion aufrief',
'Wrap with Abbreviation': 'mit K?rzel einh?llen',
'xml': 'xml',
'YES': 'JA',
'You are successfully running web2py': 'web2by wird erfolgreich ausgef?hrt',
'You can modify this application and adapt it to your needs': 'Sie k?nnen diese Anwendung ver?ndern und Ihren Bed?rfnissen anpassen',
'You visited the url': 'Sie besuchten die URL',
}
| Python |
# coding: utf8
{
'!langcode!': 'bg',
'!langname!': 'Български',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s записите бяха изтрити',
'%s %%{row} updated': '%s записите бяха обновени',
'(requires internet access)': '(requires internet access)',
'(something like "it-it")': '(something like "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available': 'A new version of web2py is available',
'A new version of web2py is available: %s': 'A new version of web2py is available: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.',
'ATTENTION: you cannot edit the running application!': 'ATTENTION: you cannot edit the running application!',
'About': 'about',
'About application': 'About application',
'Additional code for your application': 'Additional code for your application',
'Admin is disabled because insecure channel': 'Admin is disabled because insecure channel',
'Admin is disabled because unsecure channel': 'Admin is disabled because unsecure channel',
'Admin language': 'Admin language',
'Administrator Password:': 'Administrator Password:',
'Application name:': 'Application name:',
'Are you sure you want to delete file "%s"?': 'Are you sure you want to delete file "%s"?',
'Are you sure you want to delete plugin "%s"?': 'Are you sure you want to delete plugin "%s"?',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'Are you sure you want to uninstall application "%s"': 'Are you sure you want to uninstall application "%s"',
'Are you sure you want to uninstall application "%s"?': 'Are you sure you want to uninstall application "%s"?',
'Are you sure you want to upgrade web2py now?': 'Are you sure you want to upgrade web2py now?',
'Available databases and tables': 'Available databases and tables',
'Cannot be empty': 'Cannot be empty',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Cannot compile: there are errors in your app. Debug it, correct errors and try again.',
'Cannot compile: there are errors in your app:': 'Cannot compile: there are errors in your app:',
'Change admin password': 'change admin password',
'Check for upgrades': 'check for upgrades',
'Check to delete': 'Check to delete',
'Checking for upgrades...': 'Checking for upgrades...',
'Clean': 'clean',
'Compile': 'compile',
'Controllers': 'Controllers',
'Create': 'create',
'Create new simple application': 'Create new simple application',
'Current request': 'Current request',
'Current response': 'Current response',
'Current session': 'Current session',
'DESIGN': 'DESIGN',
'Date and Time': 'Date and Time',
'Debug': 'Debug',
'Delete': 'Delete',
'Delete:': 'Delete:',
'Deploy': 'deploy',
'Deploy on Google App Engine': 'Deploy on Google App Engine',
'Deploy to OpenShift': 'Deploy to OpenShift',
'Design for': 'Design for',
'Disable': 'Disable',
'EDIT': 'EDIT',
'Edit': 'edit',
'Edit application': 'Edit application',
'Edit current record': 'Edit current record',
'Editing Language file': 'Editing Language file',
'Editing file': 'Editing file',
'Editing file "%s"': 'Editing file "%s"',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error logs for "%(app)s"': 'Error logs for "%(app)s"',
'Errors': 'errors',
'Exception instance attributes': 'Exception instance attributes',
'Functions with no doctests will result in [passed] tests.': 'Functions with no doctests will result in [passed] tests.',
'Get from URL:': 'Get from URL:',
'Hello World': 'Здравей, свят',
'Help': 'help',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'Import/Export': 'Import/Export',
'Install': 'install',
'Installed applications': 'Installed applications',
'Internal State': 'Internal State',
'Invalid Query': 'Невалидна заявка',
'Invalid action': 'Invalid action',
'Language files (static strings) updated': 'Language files (static strings) updated',
'Languages': 'Languages',
'Last saved on:': 'Last saved on:',
'License for': 'License for',
'Login': 'Login',
'Login to the Administrative Interface': 'Login to the Administrative Interface',
'Logout': 'logout',
'Models': 'Models',
'Modules': 'Modules',
'NO': 'NO',
'New Record': 'New Record',
'New application wizard': 'New application wizard',
'New simple application': 'New simple application',
'No databases in this application': 'No databases in this application',
'Original/Translation': 'Original/Translation',
'Overwrite installed app': 'overwrite installed app',
'PAM authenticated user, cannot change password here': 'PAM authenticated user, cannot change password here',
'Pack all': 'pack all',
'Pack compiled': 'pack compiled',
'Peeking at file': 'Peeking at file',
'Plugin "%s" in application': 'Plugin "%s" in application',
'Plugins': 'Plugins',
'Powered by': 'Powered by',
'Query:': 'Query:',
'Reload routes': 'Reload routes',
'Remove compiled': 'remove compiled',
'Resolve Conflict file': 'Resolve Conflict file',
'Rows in table': 'Rows in table',
'Rows selected': 'Rows selected',
'Running on %s': 'Running on %s',
'Saved file hash:': 'Saved file hash:',
'Site': 'site',
'Start wizard': 'start wizard',
'Static files': 'Static files',
'Sure you want to delete this object?': 'Сигурен ли си, че искаш да изтриеш този обект?',
'TM': 'TM',
'Testing application': 'Testing application',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no controllers': 'There are no controllers',
'There are no models': 'There are no models',
'There are no modules': 'There are no modules',
'There are no plugins': 'There are no plugins',
'There are no static files': 'There are no static files',
'There are no translators, only default language is supported': 'There are no translators, only default language is supported',
'There are no views': 'There are no views',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'This is the %(filename)s template': 'This is the %(filename)s template',
'Ticket': 'Ticket',
'To create a plugin, name a file/folder plugin_[name]': 'To create a plugin, name a file/folder plugin_[name]',
'Translation strings for the application': 'Translation strings for the application',
'Unable to check for upgrades': 'Unable to check for upgrades',
'Unable to download': 'Unable to download',
'Unable to download app because:': 'Unable to download app because:',
'Unable to download because': 'Unable to download because',
'Uninstall': 'uninstall',
'Update:': 'Update:',
'Upload & install packed application': 'Upload & install packed application',
'Upload a package:': 'Upload a package:',
'Upload and install packed application': 'Upload and install packed application',
'Upload existing application': 'Upload existing application',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.',
'Use an url:': 'Use an url:',
'Version': 'Version',
'Views': 'Views',
'Web Framework': 'Web Framework',
'Welcome to web2py': 'Добре дошъл в web2py',
'YES': 'YES',
'additional code for your application': 'additional code for your application',
'admin disabled because no admin password': 'admin disabled because no admin password',
'admin disabled because not supported on google app engine': 'admin disabled because not supported on google apps engine',
'admin disabled because unable to access password file': 'admin disabled because unable to access password file',
'administrative interface': 'administrative interface',
'and rename it (required):': 'and rename it (required):',
'and rename it:': 'and rename it:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'appadmin is disabled because insecure channel',
'application "%s" uninstalled': 'application "%s" uninstalled',
'application compiled': 'application compiled',
'application is compiled and cannot be designed': 'application is compiled and cannot be designed',
'arguments': 'arguments',
'back': 'back',
'cache': 'cache',
'cache, errors and sessions cleaned': 'cache, errors and sessions cleaned',
'cannot create file': 'cannot create file',
'cannot upload file "%(filename)s"': 'cannot upload file "%(filename)s"',
'check all': 'check all',
'click here for online examples': 'щракни тук за онлайн примери',
'click here for the administrative interface': 'щракни тук за административния интерфейс',
'click to check for upgrades': 'click to check for upgrades',
'code': 'code',
'collapse/expand all': 'collapse/expand all',
'compiled application removed': 'compiled application removed',
'controllers': 'controllers',
'create file with filename:': 'create file with filename:',
'create new application:': 'create new application:',
'created by': 'created by',
'crontab': 'crontab',
'currently running': 'currently running',
'currently saved or': 'currently saved or',
'data uploaded': 'данните бяха качени',
'database': 'database',
'database %s select': 'database %s select',
'database administration': 'database administration',
'db': 'дб',
'defines tables': 'defines tables',
'delete': 'delete',
'delete all checked': 'delete all checked',
'delete plugin': 'delete plugin',
'design': 'дизайн',
'direction: ltr': 'direction: ltr',
'done!': 'готово!',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'edit controller': 'edit controller',
'edit views:': 'edit views:',
'export as csv file': 'export as csv file',
'exposes': 'exposes',
'extends': 'extends',
'failed to reload module': 'failed to reload module',
'failed to reload module because:': 'failed to reload module because:',
'file "%(filename)s" created': 'file "%(filename)s" created',
'file "%(filename)s" deleted': 'file "%(filename)s" deleted',
'file "%(filename)s" uploaded': 'file "%(filename)s" uploaded',
'file "%(filename)s" was not deleted': 'file "%(filename)s" was not deleted',
'file "%s" of %s restored': 'file "%s" of %s restored',
'file changed on disk': 'file changed on disk',
'file does not exist': 'file does not exist',
'file saved on %(time)s': 'file saved on %(time)s',
'file saved on %s': 'file saved on %s',
'filter': 'filter',
'htmledit': 'htmledit',
'includes': 'includes',
'insert new': 'insert new',
'insert new %s': 'insert new %s',
'internal error': 'internal error',
'invalid password': 'invalid password',
'invalid request': 'невалидна заявка',
'invalid ticket': 'invalid ticket',
'language file "%(filename)s" created/updated': 'language file "%(filename)s" created/updated',
'languages': 'languages',
'languages updated': 'languages updated',
'loading...': 'loading...',
'login': 'login',
'merge': 'merge',
'models': 'models',
'modules': 'modules',
'new application "%s" created': 'new application "%s" created',
'new plugin installed': 'new plugin installed',
'new record inserted': 'новият запис беше добавен',
'next 100 rows': 'next 100 rows',
'no match': 'no match',
'or import from csv file': 'or import from csv file',
'or provide app url:': 'or provide app url:',
'or provide application url:': 'or provide application url:',
'pack plugin': 'pack plugin',
'password changed': 'password changed',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" deleted',
'plugins': 'plugins',
'previous 100 rows': 'previous 100 rows',
'record': 'record',
'record does not exist': 'записът не съществува',
'record id': 'record id',
'restore': 'restore',
'revert': 'revert',
'save': 'save',
'selected': 'selected',
'session expired': 'session expired',
'shell': 'shell',
'some files could not be removed': 'some files could not be removed',
'state': 'състояние',
'static': 'static',
'submit': 'submit',
'table': 'table',
'test': 'test',
'the application logic, each URL path is mapped in one exposed function in the controller': 'the application logic, each URL path is mapped in one exposed function in the controller',
'the data representation, define database tables and sets': 'the data representation, define database tables and sets',
'the presentations layer, views are also known as templates': 'the presentations layer, views are also known as templates',
'these files are served without processing, your images go here': 'these files are served without processing, your images go here',
'to previous version.': 'to previous version.',
'translation strings for the application': 'translation strings for the application',
'try': 'try',
'try something like': 'try something like',
'unable to create application "%s"': 'unable to create application "%s"',
'unable to delete file "%(filename)s"': 'unable to delete file "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'unable to delete file plugin "%(plugin)s"',
'unable to parse csv file': 'не е възможна обработката на csv файла',
'unable to uninstall "%s"': 'unable to uninstall "%s"',
'unable to upgrade because "%s"': 'unable to upgrade because "%s"',
'uncheck all': 'uncheck all',
'update': 'update',
'update all languages': 'update all languages',
'upgrade web2py now': 'upgrade web2py now',
'upload': 'upload',
'upload application:': 'upload application:',
'upload file:': 'upload file:',
'upload plugin file:': 'upload plugin file:',
'variables': 'variables',
'versioning': 'versioning',
'view': 'view',
'views': 'views',
'web2py Recent Tweets': 'web2py Recent Tweets',
'web2py is up to date': 'web2py is up to date',
'web2py upgraded; please restart it': 'web2py upgraded; please restart it',
}
| Python |
# coding: utf8
{
'!langcode!': 'pt',
'!langname!': 'Português',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" é uma expressão opcional como "campo1=\'novo_valor\'". Não é permitido atualizar ou apagar resultados de um JOIN',
'%Y-%m-%d': '%d/%m/%Y',
'%Y-%m-%d %H:%M:%S': '%d/%m/%Y %H:%M:%S',
'%s %%{row} deleted': '%s registros apagados',
'%s %%{row} updated': '%s registros atualizados',
'(requires internet access)': '(requer acesso a internet)',
'(something like "it-it")': '(algo como "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available': 'Está disponível uma nova versão do web2py',
'A new version of web2py is available: %s': 'Está disponível uma nova versão do web2py: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ATENÇÃO o login requer uma conexão segura (HTTPS) ou executar de localhost.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATENÇÃO OS TESTES NÃO THREAD SAFE, NÃO EFETUE MÚLTIPLOS TESTES AO MESMO TEMPO.',
'ATTENTION: you cannot edit the running application!': 'ATENÇÃO: Não pode modificar a aplicação em execução!',
'About': 'sobre',
'About application': 'Sobre a aplicação',
'Additional code for your application': 'Additional code for your application',
'Admin is disabled because insecure channel': 'Admin desabilitado pois o canal não é seguro',
'Admin is disabled because unsecure channel': 'Admin desabilitado pois o canal não é seguro',
'Admin language': 'Linguagem do Admin',
'Administrator Password:': 'Senha de administrador:',
'Application name:': 'Nome da aplicação:',
'Are you sure you want to delete file "%s"?': 'Tem certeza que deseja apagar o arquivo "%s"?',
'Are you sure you want to delete plugin "%s"?': 'Tem certeza que deseja apagar o plugin "%s"?',
'Are you sure you want to uninstall application "%s"': 'Tem certeza que deseja apagar a aplicação "%s"?',
'Are you sure you want to uninstall application "%s"?': 'Tem certeza que deseja apagar a aplicação "%s"?',
'Are you sure you want to upgrade web2py now?': 'Tem certeza que deseja atualizar o web2py agora?',
'Available databases and tables': 'Bancos de dados e tabelas disponíveis',
'Cannot be empty': 'Não pode ser vazio',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Não é possível compilar: Existem erros em sua aplicação. Depure, corrija os errros e tente novamente',
'Cannot compile: there are errors in your app:': 'Não é possível compilar: Existem erros em sua aplicação',
'Change Password': 'Trocar Senha',
'Change admin password': 'mudar senha de administrador',
'Check for upgrades': 'checar por atualizações',
'Check to delete': 'Marque para apagar',
'Checking for upgrades...': 'Buscando atualizações...',
'Clean': 'limpar',
'Click row to expand traceback': 'Clique em uma coluna para expandir o log do erro',
'Client IP': 'IP do cliente',
'Compile': 'compilar',
'Controllers': 'Controladores',
'Count': 'Contagem',
'Create': 'criar',
'Create new application using the Wizard': 'Criar nova aplicação utilizando o assistente',
'Create new simple application': 'Crie uma nova aplicação',
'Current request': 'Requisição atual',
'Current response': 'Resposta atual',
'Current session': 'Sessão atual',
'DESIGN': 'Projeto',
'Date and Time': 'Data e Hora',
'Delete': 'Apague',
'Delete:': 'Apague:',
'Deploy': 'publicar',
'Deploy on Google App Engine': 'Publicar no Google App Engine',
'Description': 'Descrição',
'Design for': 'Projeto de',
'Detailed traceback description': 'Detailed traceback description',
'E-mail': 'E-mail',
'EDIT': 'EDITAR',
'Edit': 'editar',
'Edit Profile': 'Editar Perfil',
'Edit application': 'Editar aplicação',
'Edit current record': 'Editar o registro atual',
'Editing Language file': 'Editando arquivo de linguagem',
'Editing file': 'Editando arquivo',
'Editing file "%s"': 'Editando arquivo "%s"',
'Enterprise Web Framework': 'Framework web empresarial',
'Error': 'Erro',
'Error logs for "%(app)s"': 'Logs de erro para "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'erros',
'Exception instance attributes': 'Atributos da instancia de excessão',
'File': 'Arquivo',
'First name': 'Nome',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'Funções sem doctests resultarão em testes [aceitos].',
'Group ID': 'ID do Grupo',
'Hello World': 'Olá Mundo',
'Help': 'ajuda',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Se o relatório acima contém um número de ticket, isso indica uma falha no controlador em execução, antes de tantar executar os doctests. Isto acontece geralmente por erro de endentação ou erro fora do código da função.\nO titulo em verde indica que os testes (se definidos) passaram. Neste caso os testes não são mostrados.',
'Import/Export': 'Importar/Exportar',
'Install': 'instalar',
'Installed applications': 'Aplicações instaladas',
'Internal State': 'Estado Interno',
'Invalid Query': 'Consulta inválida',
'Invalid action': 'Ação inválida',
'Invalid email': 'E-mail inválido',
'Language files (static strings) updated': 'Arquivos de linguagem (textos estáticos) atualizados',
'Languages': 'Linguagens',
'Last name': 'Sobrenome',
'Last saved on:': 'Salvo em:',
'License for': 'Licença para',
'Login': 'Entrar',
'Login to the Administrative Interface': 'Entrar na interface adminitrativa',
'Logout': 'finalizar sessão',
'Lost Password': 'Senha perdida',
'Models': 'Modelos',
'Modules': 'Módulos',
'NO': 'NÃO',
'Name': 'Nome',
'New Record': 'Novo registro',
'New application wizard': 'Assistente para novas aplicações ',
'New simple application': 'Nova aplicação básica',
'No databases in this application': 'Não existem bancos de dados nesta aplicação',
'Origin': 'Origem',
'Original/Translation': 'Original/Tradução',
'Overwrite installed app': 'sobrescrever aplicação instalada',
'PAM authenticated user, cannot change password here': 'usuario autenticado por PAM, não pode alterar a senha por aqui',
'Pack all': 'criar pacote',
'Pack compiled': 'criar pacote compilado',
'Password': 'Senha',
'Peeking at file': 'Visualizando arquivo',
'Plugin "%s" in application': 'Plugin "%s" na aplicação',
'Plugins': 'Plugins',
'Powered by': 'Este site utiliza',
'Query:': 'Consulta:',
'Record ID': 'ID do Registro',
'Register': 'Registrar-se',
'Registration key': 'Chave de registro',
'Remove compiled': 'eliminar compilados',
'Resolve Conflict file': 'Arquivo de resolução de conflito',
'Role': 'Papel',
'Rows in table': 'Registros na tabela',
'Rows selected': 'Registros selecionados',
'Saved file hash:': 'Hash do arquivo salvo:',
'Site': 'site',
'Start wizard': 'iniciar assistente',
'Static files': 'Arquivos estáticos',
'Sure you want to delete this object?': 'Tem certeza que deseja apaagr este objeto?',
'TM': 'MR',
'Table name': 'Nome da tabela',
'Testing application': 'Testando a aplicação',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'A "consulta" é uma condição como "db.tabela.campo1==\'valor\'". Algo como "db.tabela1.campo1==db.tabela2.campo2" resulta em um JOIN SQL.',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no controllers': 'Não existem controllers',
'There are no models': 'Não existem modelos',
'There are no modules': 'Não existem módulos',
'There are no plugins': 'There are no plugins',
'There are no static files': 'Não existem arquicos estáticos',
'There are no translators, only default language is supported': 'Não há traduções, somente a linguagem padrão é suportada',
'There are no views': 'Não existem visões',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'This is the %(filename)s template': 'Este é o template %(filename)s',
'Ticket': 'Ticket',
'Ticket ID': 'Ticket ID',
'Timestamp': 'Data Atual',
'To create a plugin, name a file/folder plugin_[name]': 'Para criar um plugin, nomeio um arquivo/pasta como plugin_[nome]',
'Traceback': 'Traceback',
'Translation strings for the application': 'Translation strings for the application',
'Unable to check for upgrades': 'Não é possível checar as atualizações',
'Unable to download': 'Não é possível efetuar o download',
'Unable to download app': 'Não é possível baixar a aplicação',
'Unable to download app because:': 'Não é possível baixar a aplicação porque:',
'Unable to download because': 'Não é possível baixar porque',
'Uninstall': 'desinstalar',
'Update:': 'Atualizar:',
'Upload & install packed application': 'Faça upload e instale uma aplicação empacotada',
'Upload a package:': 'Faça upload de um pacote:',
'Upload existing application': 'Faça upload de uma aplicação existente',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Use (...)&(...) para AND, (...)|(...) para OR, y ~(...) para NOT, para criar consultas mais complexas.',
'Use an url:': 'Use uma url:',
'User ID': 'ID do Usuario',
'Version': 'Versão',
'Views': 'Visões',
'Welcome to web2py': 'Bem-vindo ao web2py',
'YES': 'SIM',
'additional code for your application': 'código adicional para sua aplicação',
'admin disabled because no admin password': ' admin desabilitado por falta de senha definida',
'admin disabled because not supported on google app engine': 'admin dehabilitado, não é soportado no GAE',
'admin disabled because unable to access password file': 'admin desabilitado, não foi possível ler o arquivo de senha',
'administrative interface': 'interface administrativa',
'and rename it (required):': 'e renomeie (requerido):',
'and rename it:': ' e renomeie:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'admin desabilitado, canal inseguro',
'application "%s" uninstalled': 'aplicação "%s" desinstalada',
'application compiled': 'aplicação compilada',
'application is compiled and cannot be designed': 'A aplicação está compilada e não pode ser modificada',
'arguments': 'argumentos',
'back': 'voltar',
'browse': 'buscar',
'cache': 'cache',
'cache, errors and sessions cleaned': 'cache, erros e sessões eliminadas',
'cannot create file': 'Não é possível criar o arquivo',
'cannot upload file "%(filename)s"': 'não é possível fazer upload do arquivo "%(filename)s"',
'check all': 'marcar todos',
'click here for online examples': 'clique para ver exemplos online',
'click here for the administrative interface': 'Clique aqui para acessar a interface administrativa',
'click to check for upgrades': 'clique aqui para checar por atualizações',
'click to open': 'clique para abrir',
'code': 'código',
'collapse/expand all': 'collapse/expand all',
'commit (mercurial)': 'commit (mercurial)',
'compiled application removed': 'aplicação compilada removida',
'controllers': 'controladores',
'create file with filename:': 'criar um arquivo com o nome:',
'create new application:': 'nome da nova aplicação:',
'created by': 'criado por',
'crontab': 'crontab',
'currently running': 'Executando',
'currently saved or': 'Atualmente salvo ou',
'customize me!': 'Modifique-me',
'data uploaded': 'Dados enviados',
'database': 'banco de dados',
'database %s select': 'Seleção no banco de dados %s',
'database administration': 'administração de banco de dados',
'db': 'db',
'defines tables': 'define as tabelas',
'delete': 'apagar',
'delete all checked': 'apagar marcados',
'delete plugin': 'apagar plugin',
'design': 'modificar',
'direction: ltr': 'direção: ltr',
'done!': 'feito!',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'edit controller': 'editar controlador',
'edit views:': 'editar visões:',
'export as csv file': 'exportar como arquivo CSV',
'exposes': 'expõe',
'extends': 'estende',
'failed to reload module': 'Falha ao recarregar o módulo',
'failed to reload module because:': 'falha ao recarregar o módulo por:',
'file "%(filename)s" created': 'arquivo "%(filename)s" criado',
'file "%(filename)s" deleted': 'arquivo "%(filename)s" apagado',
'file "%(filename)s" uploaded': 'arquivo "%(filename)s" enviado',
'file "%(filename)s" was not deleted': 'arquivo "%(filename)s" não foi apagado',
'file "%s" of %s restored': 'arquivo "%s" de %s restaurado',
'file changed on disk': 'arquivo modificado no disco',
'file does not exist': 'arquivo não existe',
'file saved on %(time)s': 'arquivo salvo em %(time)s',
'file saved on %s': 'arquivo salvo em %s',
'filter': 'filter',
'htmledit': 'htmledit',
'includes': 'inclui',
'insert new': 'inserir novo',
'insert new %s': 'inserir novo %s',
'inspect attributes': 'inspect attributes',
'internal error': 'erro interno',
'invalid password': 'senha inválida',
'invalid request': 'solicitação inválida',
'invalid ticket': 'ticket inválido',
'language file "%(filename)s" created/updated': 'arquivo de linguagem "%(filename)s" criado/atualizado',
'languages': 'linguagens',
'languages updated': 'linguagens atualizadas',
'loading...': 'carregando...',
'locals': 'locals',
'login': 'inicio de sessão',
'manage': 'gerenciar',
'merge': 'juntar',
'models': 'modelos',
'modules': 'módulos',
'new application "%s" created': 'nova aplicação "%s" criada',
'new plugin installed': 'novo plugin instalado',
'new record inserted': 'novo registro inserido',
'next 100 rows': 'próximos 100 registros',
'no match': 'não encontrado',
'or import from csv file': 'ou importar de um arquivo CSV',
'or provide app url:': 'ou forneça a url de uma aplicação:',
'or provide application url:': 'ou forneça a url de uma aplicação:',
'pack plugin': 'empacotar plugin',
'password changed': 'senha alterada',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" eliminado',
'plugins': 'plugins',
'previous 100 rows': '100 registros anteriores',
'record': 'registro',
'record does not exist': 'o registro não existe',
'record id': 'id do registro',
'request': 'request',
'response': 'response',
'restore': 'restaurar',
'revert': 'reverter',
'save': 'salvar',
'selected': 'selecionado(s)',
'session': 'session',
'session expired': 'sessão expirada',
'shell': 'Terminal',
'some files could not be removed': 'alguns arquicos não puderam ser removidos',
'state': 'estado',
'static': 'estáticos',
'submit': 'enviar',
'table': 'tabela',
'test': 'testar',
'the application logic, each URL path is mapped in one exposed function in the controller': 'A lógica da aplicação, cada URL é mapeada para uma função exposta pelo controlador',
'the data representation, define database tables and sets': 'A representação dos dadps, define tabelas e estruturas de dados',
'the presentations layer, views are also known as templates': 'A camada de apresentação, As visões também são chamadas de templates',
'these files are served without processing, your images go here': 'Estes arquivos são servidos sem processamento, suas imagens ficam aqui',
'to previous version.': 'para a versão anterior.',
'translation strings for the application': 'textos traduzidos para a aplicação',
'try': 'tente',
'try something like': 'tente algo como',
'unable to create application "%s"': 'não é possível criar a aplicação "%s"',
'unable to delete file "%(filename)s"': 'não é possível criar o arquico "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'não é possível criar o plugin "%(plugin)s"',
'unable to parse csv file': 'não é possível analisar o arquivo CSV',
'unable to uninstall "%s"': 'não é possível instalar "%s"',
'unable to upgrade because "%s"': 'não é possível atualizar porque "%s"',
'uncheck all': 'desmarcar todos',
'update': 'atualizar',
'update all languages': 'atualizar todas as linguagens',
'upgrade web2py now': 'atualize o web2py agora',
'upload': 'upload',
'upload application:': 'Fazer upload de uma aplicação:',
'upload file:': 'Enviar arquivo:',
'upload plugin file:': 'Enviar arquivo de plugin:',
'variables': 'variáveis',
'versioning': 'versionamento',
'view': 'visão',
'views': 'visões',
'web2py Recent Tweets': 'Tweets Recentes de @web2py',
'web2py is up to date': 'web2py está atualizado',
'web2py upgraded; please restart it': 'web2py atualizado; favor reiniciar',
}
| Python |
# coding: utf8
{
'!langcode!': 'sl',
'!langname!': 'Slovenski',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"Popravi" je izbirni izraz kot npr.: "stolpec1 = \'novavrednost\'". Rezultatov JOIN operacije ne morete popravljati ali brisati',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s vrstic izbrisanih',
'%s %%{row} updated': '%s vrstic popravljeno',
'(requires internet access)': '(zahteva internetni dostop)',
'(something like "it-it")': '(nekaj kot "sl-SI" ali samo "sl")',
'@markmin\x01Searching: **%s** %%{file}': 'Iskanje: **%s** datoteke',
'A new version of web2py is available': 'Nova različica web2py je na voljo',
'A new version of web2py is available: %s': 'Nova različica web2py je na voljo: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'POZOR: Prijava zahteva varno povezavo (HTTPS) ali lokalni (localhost) dostop.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'POZOR: Testiranje ni večopravilno, zato ne poganjajte več testov hkrati.',
'ATTENTION: This is an experimental feature and it needs more testing.': 'POZOR: To je preizkusni fazi in potrebuje več testiranja.',
'ATTENTION: you cannot edit the running application!': 'POZOR: Ne morete urejati aplikacije, ki že teče!',
'Abort': 'Preklic',
'About': 'Vizitka',
'About application': 'O aplikaciji',
'Additional code for your application': 'Dodatna koda za vašo aplikacijo',
'Admin is disabled because insecure channel': 'Skrbnik je izključen zaradi nezavarovane povezave',
'Admin is disabled because unsecure channel': 'Skrbnik je izključen zaradi nezavarovane povezave',
'Admin language': 'Skrbniški jezik',
'Administrator Password:': 'Skrbniško geslo:',
'Application name:': 'Ime aplikacije:',
'Are you sure you want to delete file "%s"?': 'Ali res želite pobrisati datoteko "%s"?',
'Are you sure you want to delete this object?': 'Ali res želite izbrisati ta predmet?',
'Are you sure you want to uninstall application "%s"': 'Ali res želite odstraniti program "%s"',
'Are you sure you want to uninstall application "%s"?': 'Ali res želite odstraniti program "%s"?',
'Are you sure you want to upgrade web2py now?': 'Ali želite sedaj nadgraditi web2py?',
'Authentication': 'Avtentikacija',
'Available databases and tables': 'Podatkovne baze in tabele',
'Begin': 'Začni',
'Cannot be empty': 'Ne sme biti prazno',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Nemogoče prevajanje: napake v programu. Odpravite napake in poskusite ponovno.',
'Change Password': 'Spremeni geslo',
'Change admin password': 'Spremenite skrbniško geslo',
'Check for upgrades': 'Preveri za posodobitve',
'Check to delete': 'Odkljukajte, če želite izbrisati',
'Checking for upgrades...': 'Preverjam posodobitve...',
'Clean': 'Počisti',
'Click row to expand traceback': 'Kliknite vrstico da razširite sledenje',
'Click row to view a ticket': 'Kliknite vrstico za ogled listka',
'Client IP': 'IP klienta',
'Compile': 'Prevedi',
'Controller': 'Krmilnik',
'Controllers': 'Krmilniki',
'Copyright': 'Copyright',
'Count': 'Število',
'Create': 'Ustvari',
'Create new simple application': 'Ustvari novo enostavno aplikacijo',
'Current request': 'Trenutna zahteva',
'Current response': 'Trenutni odgovor',
'Current session': 'Trenutna seja',
'DB Model': 'Podatkovni model',
'DESIGN': 'Izgled',
'Database': 'Podatkovna baza',
'Date and Time': 'Datum in čas',
'Delete': 'Izbriši',
'Delete this file (you will be asked to confirm deletion)': 'Izbriši to datoteko (izbris boste morali potrditi)',
'Delete:': 'Izbriši:',
'Deploy': 'Namesti',
'Deploy on Google App Engine': 'Prenesi na Google App sistem',
'Description': 'Opis',
'Design for': 'Oblikuj za',
'Detailed traceback description': 'Natačen opis sledenja',
'Disable': 'Izključi',
'E-mail': 'E-mail',
'EDIT': 'UREDI',
'Edit': 'Uredi',
'Edit Profile': 'Uredi profil',
'Edit This App': 'Uredi ta program',
'Edit application': 'Uredi program',
'Edit current record': 'Uredi trenutni zapis',
'Editing Language file': 'Uredi jezikovno datoteko',
'Editing file': 'Urejanje datoteke',
'Editing file "%s"': 'Urejanje datoteke "%s"',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error': 'Napaka',
'Error logs for "%(app)s"': 'Dnevnik napak za "%(app)s"',
'Error snapshot': 'Posnetek napake',
'Error ticket': 'Listek napake',
'Errors': 'Napake',
'Exception instance attributes': 'Lastnosti instance izjeme',
'Expand Abbreviation': 'Razširi okrajšave',
'File': 'Datoteka',
'First name': 'Ime',
'Frames': 'Okvirji',
'Functions with no doctests will result in [passed] tests.': 'Funkcije brez doctest bodo opravile teste brez preverjanja.',
'Get from URL:': 'Naloži iz URL:',
'Go to Matching Pair': 'Pojdi k ujemalnemu paru',
'Group ID': 'ID skupine',
'Hello World': 'Pozdravljen, Svet!',
'Help': 'Pomoč',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Če poročilo zgoraj vsebuje številko listka to pomeni napako pri izvajanju krmilnika, še preden so se izvedli doctesti. To ponavadi pomeni napako pri zamiku programske vrstice ali izven funkcije.\nZelen naslov označuje, da so vsi testi opravljeni. V tem primeru testi niso prikazani.',
'If you answer "yes", be patient, it may take a while to download': 'Če odgovorite z "DA", potrpite. Prenos traja nekaj časa',
'If you answer yes, be patient, it may take a while to download': 'Če odgovorite z "DA", potrpite. Prenos traja nekaj časa',
'Import/Export': 'Uvoz/Izvoz',
'Index': 'Indeks',
'Install': 'Namesti',
'Installed applications': 'Nameščene aplikacije',
'Internal State': 'Notranje stanje',
'Invalid Query': 'Napačno povpraševanje',
'Invalid action': 'Napačno dejanje',
'Invalid email': 'Napačen e-naslov',
'Key bindings': 'Povezave tipk',
'Key bindings for ZenConding Plugin': 'Povezave tipk za ZenConding vtičnik',
'Language files (static strings) updated': 'Jezikovna datoteka (statično besedilo) posodobljeno',
'Languages': 'Jeziki',
'Last name': 'Priimek',
'Last saved on:': 'Zadnjič shranjeno:',
'Layout': 'Postavitev',
'License for': 'Licenca za',
'Login': 'Prijava',
'Login to the Administrative Interface': 'Prijava v skrbniški vmesnik',
'Logout': 'Odjava',
'Lost Password': 'Izgubljeno geslo',
'Main Menu': 'Glavni meni',
'Match Pair': 'Ujemalni par',
'Menu Model': 'Model menija',
'Merge Lines': 'Združi vrstice',
'Models': 'Modeli',
'Modules': 'Moduli',
'NO': 'NE',
'Name': 'Ime',
'New Application Wizard': 'Čarovnik za novo aplikacijo',
'New Record': 'Nov zapis',
'New application wizard': 'Čarovnik za novo aplikacijo',
'New simple application': 'Nova enostavna aplikacija',
'Next Edit Point': 'Naslednja točka urejanja',
'No databases in this application': 'V tem programu ni podatkovnih baz',
'Origin': 'Izvor',
'Original/Translation': 'Izvor/Prevod',
'Overwrite installed app': 'Prepiši obstoječi program',
'Pack all': 'Zapakiraj vse',
'Pack compiled': 'Paket preveden',
'Password': 'Geslo',
'Peeking at file': 'Vpogled v datoteko',
'Plugin "%s" in application': 'Vtičnik "%s" v aplikaciji',
'Plugins': 'Vtičniki',
'Powered by': 'Narejeno z',
'Previous Edit Point': 'Prejšnja točka urejanja',
'Query:': 'Vprašanje:',
'Record ID': 'ID zapisa',
'Register': 'Registracija',
'Registration key': 'Registracijski ključ',
'Reload routes': 'Ponovno naloži preusmeritve',
'Remove compiled': 'Odstrani prevedeno',
'Reset Password key': 'Ponastavi ključ gesla',
'Resolve Conflict file': 'Datoteka za razrešitev problemov',
'Role': 'Vloga',
'Rows in table': 'Vrstic v tabeli',
'Rows selected': 'Izbranih vrstic',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Poženi teste v tej datoteki (za vse teste uporabite gumb 'test')",
'Save via Ajax': 'Shrani preko AJAX',
'Saved file hash:': 'Koda shranjene datoteke:',
'Site': 'Spletišče',
'Sorry, could not find mercurial installed': 'Oprostite. Mercurial ni nameščen.',
'Start a new app': 'Začnite z novo aplikacijo',
'Start wizard': 'Zaženi čarovnika',
'Static files': 'Statične datoteke',
'Stylesheet': 'CSS datoteka',
'Sure you want to delete this object?': 'Ali res želite izbrisati ta predmet?',
'TM': 'TM',
'Table name': 'Ime tabele',
'Testing application': 'Testiranje programa',
'Testing controller': 'Testiranje krmilnika',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"vprašanje" je pogoj kot npr. "db.table1.field1 == \'vrednost\'". Nekaj kot "db.table1.field1 == db.table2.field2" izvede SQL operacijo JOIN.',
'The application logic, each URL path is mapped in one exposed function in the controller': 'Logika delovanja aplikacije. Vsak URL je povezan z eno objavljeno funkcijo v krmilniku',
'The data representation, define database tables and sets': 'Predstavitev podatkov. Definirajte podatkovne tabele in množice',
'The output of the file is a dictionary that was rendered by the view': 'Rezultat datoteke je slovar, ki ga predela pogled',
'The presentations layer, views are also known as templates': 'Predstavitveni nivo. Pogledi so znani tudi kot predloge',
'There are no controllers': 'Ni krmilnikov',
'There are no models': 'Ni modelov',
'There are no modules': 'Ni modulov',
'There are no plugins': 'Ni vtičnikov',
'There are no static files': 'Ni statičnih datotek',
'There are no translators, only default language is supported': 'Ni prevodov. Podprt je samo privzeti jezik',
'There are no views': 'Ni pogledov',
'These files are served without processing, your images go here': 'Te datoteke so poslane brez obdelave. Vaše slike shranite tu.',
'This is a copy of the scaffolding application': 'To je kopija okvirne aplikacije',
'This is the %(filename)s template': 'To je predloga %(filename)s',
'Ticket': 'Listek',
'Ticket ID': 'ID listka',
'Timestamp': 'Časovni žig',
'To create a plugin, name a file/folder plugin_[name]': 'Če želite ustvariti vtičnik, poimenujte datoteko/mapo plugin_[ime]',
'Traceback': 'Sledljivost',
'Translation strings for the application': 'Prevajalna besedila za aplikacijo',
'Unable to check for upgrades': 'Ne morem preveriti posodobitev',
'Unable to download': 'Ne morem prenesti datoteke',
'Unable to download app': 'Ne morem prenesti programa',
'Uninstall': 'Odstrani',
'Update:': 'Posodobitev:',
'Upload & install packed application': 'Naloži in namesti pakirano aplikacijo',
'Upload a package:': 'Naloži paket:',
'Upload and install packed application': 'Naloži in namesti pakirano aplikacijo',
'Upload existing application': 'Naloži obstoječo aplikacijo',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Uporabie (...)&(...) za AND, (...)|(...) za OR, in ~(...) za NOT pri gradnji kompleksnih povpraševanj.',
'Use an url:': 'Uporabite URL:',
'User ID': 'ID uporabnika',
'Version': 'Različica',
'Versioning': 'Versioning',
'View': 'Pogled',
'Views': 'Pogledi',
'Web Framework': 'Web Framework',
'Welcome %s': 'Dobrodošli, %s',
'Welcome to web2py': 'Dobrodošli v web2py',
'Which called the function': 'Ki je klical funkcijo',
'Wrap with Abbreviation': 'Ovij z okrajšavo',
'YES': 'DA',
'You are successfully running web2py': 'Uspešno ste pognali web2py',
'You can modify this application and adapt it to your needs': 'Lahko spremenite to aplikacijo in jo prilagodite vašim potrebam',
'You visited the url': 'Obiskali ste URL',
'additional code for your application': 'dodatna koda za vašo aplikacijo',
'admin disabled because no admin password': 'skrbnik izključen, ker ni skrbniškega gesla',
'admin disabled because not supported on google apps engine': 'skrbnik izključen, ker ni podprt na Google App sistemu',
'admin disabled because unable to access password file': 'skrbnik izključen, ker ne morem dostopati do datoteke z gesli',
'administrative interface': 'skrbniški vmesnik',
'and rename it (required):': 'in jo preimenujte (obvezno):',
'and rename it:': ' in jo preimenujte:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'Appadmin izključen, ker zahteva varno (HTTPS) povezavo',
'application "%s" uninstalled': 'Aplikacija "%s" odstranjena',
'application compiled': 'aplikacija prevedena',
'application is compiled and cannot be designed': 'aplikacija je prevedena in je ne morete popravljati',
'arguments': 'argumenti',
'back': 'nazaj',
'beautify': 'olepšaj',
'cache': 'predpomnilnik',
'cache, errors and sessions cleaned': 'Predpomnilnik, napake in seja so očiščeni',
'call': 'kliči',
'cannot create file': 'ne morem ustvariti datoteke',
'cannot upload file "%(filename)s"': 'ne morem naložiti datoteke "%(filename)s"',
'change password': 'spremeni geslo',
'check all': 'označi vse',
'click here for online examples': 'kliknite za spletne primere',
'click here for the administrative interface': 'kliknite za skrbniški vmesnik',
'click to check for upgrades': 'kliknite za preverjanje nadgradenj',
'code': 'koda',
'collapse/expand all': 'zapri/odpri vse',
'compiled application removed': 'prevedena aplikacija je odstranjena',
'controllers': 'krmilniki',
'create file with filename:': 'Ustvari datoteko z imenom:',
'create new application:': 'Ustvari novo aplikacijo:',
'created by': 'ustvaril',
'crontab': 'crontab',
'currently running': 'trenutno teče',
'currently saved or': 'trenutno shranjeno ali',
'customize me!': 'Spremeni me!',
'data uploaded': 'podatki naloženi',
'database': 'podatkovna baza',
'database %s select': 'izberi podatkovno bazo %s ',
'database administration': 'upravljanje s podatkovno bazo',
'db': 'db',
'defines tables': 'definiraj tabele',
'delete': 'izbriši',
'delete all checked': 'izbriši vse označene',
'delete plugin': 'izbriši vtičnik',
'design': 'oblikuj',
'details': 'podrobnosti',
'direction: ltr': 'smer: ltr',
'documentation': 'dokumentacija',
'done!': 'Narejeno!',
'download layouts': 'prenesi postavitev',
'download plugins': 'prenesi vtičnik',
'edit controller': 'uredi krmilnik',
'edit profile': 'uredi profil',
'edit views:': 'urejaj poglede:',
'escape': 'escape',
'export as csv file': 'izvozi kot CSV',
'exposes': 'objavlja',
'extends': 'razširja',
'failed to reload module': 'nisem uspel ponovno naložiti modula',
'file "%(filename)s" created': 'datoteka "%(filename)s" ustvarjena',
'file "%(filename)s" deleted': 'datoteka "%(filename)s" izbrisana',
'file "%(filename)s" uploaded': 'datoteka "%(filename)s" prenešena',
'file "%(filename)s" was not deleted': 'datoteka "%(filename)s" ni bila izbrisana',
'file "%s" of %s restored': 'datoteka "%s" od %s obnovljena',
'file changed on disk': 'datoteka je bila spremenjena',
'file does not exist': 'datoteka ne obstaja',
'file saved on %(time)s': 'datoteka shranjena %(time)s',
'file saved on %s': 'datoteka shranjena %s',
'filter': 'fiter',
'htmledit': 'htmledit',
'includes': 'vključuje',
'index': 'indeks',
'insert new': 'vstavi nov',
'insert new %s': 'vstavi nov %s',
'inspect attributes': 'pregled lastnosti',
'internal error': 'notranja napaka',
'invalid password': 'napačno geslo',
'invalid request': 'napačna zahteva',
'invalid ticket': 'napačen kartonček',
'language file "%(filename)s" created/updated': 'jezikovna datoteka "%(filename)s" ustvarjena/posodobljena',
'languages': 'jeziki',
'languages updated': 'jeziki posodobljeni',
'loading...': 'nalaganje...',
'locals': 'locals',
'located in the file': 'se nahaja v datoteki',
'login': 'prijava',
'lost password?': 'Izgubljeno geslo?',
'merge': 'združi',
'models': 'modeli',
'modules': 'moduli',
'new application "%s" created': 'ustvarjen nov program "%s"',
'new record inserted': 'vstavljen nov zapis',
'next 100 rows': 'naslednjih 100 zapisov',
'or import from csv file': 'ali uvozi iz CSV datoteke',
'or provide app url:': 'ali vpišite URL programa:',
'or provide application url:': 'ali vpišite URL programa:',
'pack plugin': 'zapakiraj vtičnik',
'please wait!': 'Prosim počakajte!',
'plugins': 'vtičniki',
'previous 100 rows': 'prejšnjih 100 zapisov',
'record': 'zapis',
'record does not exist': 'zapis ne obstaja',
'record id': 'id zapisa',
'register': 'registracija',
'request': 'zahteva',
'response': 'odgovor',
'restore': 'obnovi',
'revert': 'povrni',
'save': 'shrani',
'selected': 'izbrano',
'session': 'seja',
'session expired': 'seja pretekla',
'shell': 'lupina',
'some files could not be removed': 'nekaterih datotek se ni dalo izbrisati',
'state': 'stanje',
'static': 'statično',
'submit': 'pošlji',
'table': 'tabela',
'test': 'test',
'test_def': 'test_def',
'test_for': 'test_for',
'test_if': 'test_if',
'test_try': 'test_try',
'the application logic, each URL path is mapped in one exposed function in the controller': 'krmilna logika, vsaka URL pot je preslikana v eno funkcijo v krmilniku',
'the data representation, define database tables and sets': 'podatkovna predstavitev, definirajte tabele in množice',
'the presentations layer, views are also known as templates': 'predstavitveni nivo, pogledi so tudi znani kot predloge',
'these files are served without processing, your images go here': 'te datoteke so poslane brez posredovanja in obdelave, svoje slike shranite tu',
'to previous version.': 'na prejšnjo različico.',
'translation strings for the application': 'prevodna besedila za program',
'try': 'poskusi',
'try something like': 'poskusite na primer',
'unable to create application "%s"': 'ne morem ustvariti programa "%s" ',
'unable to delete file "%(filename)s"': 'ne morem izbrisati datoteke "%(filename)s"',
'unable to parse csv file': 'ne morem obdelati csv datoteke',
'unable to uninstall "%s"': 'ne morem odstraniti "%s"',
'uncheck all': 'odznači vse',
'update': 'posodobi',
'update all languages': 'posodobi vse jezike',
'upgrade web2py now': 'posodobi web2py',
'upload': 'naloži',
'upload application:': 'naloži program:',
'upload file:': 'naloži datoteko:',
'upload plugin file:': 'naloži vtičnik:',
'user': 'uporabnik',
'variables': 'spremenljivke',
'versioning': 'različice',
'view': 'pogled',
'views': 'pogledi',
'web2py Recent Tweets': 'zadnji tviti na web2py',
'web2py is up to date': 'web2py je ažuren',
'xml': 'xml',
}
| Python |
#!/usr/bin/env python
{
# "singular form (0)": ["first plural form (1)", "second plural form (2)", ...],
'файл': ['файли','файлів'],
}
| Python |
# coding: utf8
{
'!langcode!': 'he-il',
'!langname!': 'עברית',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"עדכן" הוא ביטוי אופציונאלי, כגון "field1=newvalue". אינך יוכל להשתמש בjoin, בעת שימוש ב"עדכן" או "מחק".',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s רשומות נמחקו',
'%s %%{row} updated': '%s רשומות עודכנו',
'(requires internet access)': '(requires internet access)',
'(something like "it-it")': '(למשל "it-it")',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available: %s': 'גירסא חדשה של web2py זמינה: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'לתשומת ליבך: ניתן להתחבר רק בערוץ מאובטח (HTTPS) או מlocalhost',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'לתשומת ליבך: אין לערוך מספר בדיקות במקביל, שכן הן עשויות להפריע זו לזו',
'ATTENTION: you cannot edit the running application!': 'לתשומת ליבך: לא ניתן לערוך אפליקציה בזמן הרצתה',
'About': 'אודות',
'About application': 'אודות אפליקציה',
'Additional code for your application': 'Additional code for your application',
'Admin is disabled because insecure channel': 'ממשק האדמין נוטרל בשל גישה לא מאובטחת',
'Admin language': 'Admin language',
'Administrator Password:': 'סיסמת מנהל',
'Application name:': 'Application name:',
'Are you sure you want to delete file "%s"?': 'האם אתה בטוח שברצונך למחוק את הקובץ "%s"?',
'Are you sure you want to delete plugin "%s"?': 'האם אתה בטוח שברצונך למחוק את התוסף "%s"?',
'Are you sure you want to uninstall application "%s"?': 'האם אתה בטוח שברצונך להסיר את האפליקציה "%s"?',
'Are you sure you want to upgrade web2py now?': 'האם אתה בטוח שאתה רוצה לשדרג את web2py עכשיו?',
'Available databases and tables': 'מסדי נתונים וטבלאות זמינים',
'Cannot be empty': 'אינו יכול להישאר ריק',
'Cannot compile: there are errors in your app:': 'לא ניתן לקמפל: ישנן שגיאות באפליקציה שלך:',
'Change admin password': 'סיסמת מנהל שונתה',
'Check for upgrades': 'check for upgrades',
'Check to delete': 'סמן כדי למחוק',
'Checking for upgrades...': 'מחפש עדכונים',
'Clean': 'נקה',
'Compile': 'קמפל',
'Controllers': 'בקרים',
'Create': 'צור',
'Create new simple application': 'צור אפליקציה חדשה',
'Current request': 'בקשה נוכחית',
'Current response': 'מענה נוכחי',
'Current session': 'סשן זה',
'Date and Time': 'תאריך ושעה',
'Delete': 'מחק',
'Delete:': 'מחק:',
'Deploy': 'deploy',
'Deploy on Google App Engine': 'העלה ל Google App Engine',
'Detailed traceback description': 'Detailed traceback description',
'EDIT': 'ערוך!',
'Edit': 'ערוך',
'Edit application': 'ערוך אפליקציה',
'Edit current record': 'ערוך רשומה נוכחית',
'Editing Language file': 'עורך את קובץ השפה',
'Editing file "%s"': 'עורך את הקובץ "%s"',
'Enterprise Web Framework': 'סביבת הפיתוח לרשת',
'Error logs for "%(app)s"': 'דו"ח שגיאות עבור אפליקציה "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'שגיאות',
'Exception instance attributes': 'נתוני החריגה',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'פונקציות שלא הוגדר להן doctest ירשמו כבדיקות ש[עברו בהצלחה].',
'Help': 'עזרה',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'אם בדו"ח לעיל מופיע מספר דו"ח שגיאה, זה מצביע על שגיאה בבקר, עוד לפני שניתן היה להריץ את הdoctest. לרוב מדובר בשגיאת הזחה, או שגיאה שאינה בקוד של הפונקציה.\r\nכותרת ירוקה מצביע על כך שכל הבדיקות (אם הוגדרו) עברו בהצלחה, במידה ותוצאות הבדיקה אינן מופיעות.',
'Import/Export': 'יבא\יצא',
'Install': 'התקן',
'Installed applications': 'אפליקציות מותקנות',
'Internal State': 'מצב מובנה',
'Invalid Query': 'שאילתה לא תקינה',
'Invalid action': 'הוראה לא קיימת',
'Language files (static strings) updated': 'קובץ השפה (מחרוזות סטאטיות) עודכן',
'Languages': 'שפות',
'Last saved on:': 'לאחרונה נשמר בתאריך:',
'License for': 'רשיון עבור',
'Login': 'התחבר',
'Login to the Administrative Interface': 'התחבר לממשק המנהל',
'Logout': 'התנתק',
'Models': 'מבני נתונים',
'Modules': 'מודולים',
'NO': 'לא',
'New Record': 'רשומה חדשה',
'New application wizard': 'New application wizard',
'New simple application': 'New simple application',
'No databases in this application': 'אין מסדי נתונים לאפליקציה זו',
'Original/Translation': 'מקור\תרגום',
'Overwrite installed app': 'התקן על גבי אפלקציה מותקנת',
'PAM authenticated user, cannot change password here': 'שינוי סיסמא באמצעות PAM אינו יכול להתבצע כאן',
'Pack all': 'ארוז הכל',
'Pack compiled': 'ארוז מקומפל',
'Peeking at file': 'מעיין בקובץ',
'Plugin "%s" in application': 'פלאגין "%s" של אפליקציה',
'Plugins': 'תוספים',
'Powered by': 'מופעל ע"י',
'Query:': 'שאילתה:',
'Remove compiled': 'הסר מקומפל',
'Resolve Conflict file': 'הסר קובץ היוצר קונפליקט',
'Rows in table': 'רשומות בטבלה',
'Rows selected': 'רשומות נבחרו',
'Saved file hash:': 'גיבוב הקובץ השמור:',
'Site': 'אתר',
'Start wizard': 'start wizard',
'Static files': 'קבצים סטאטיים',
'Sure you want to delete this object?': 'האם אתה בטוח שברצונך למחוק אובייקט זה?',
'TM': 'סימן רשום',
'Testing application': 'בודק את האפליקציה',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"שאליתה" היא תנאי כגון "db1.table1.filed1=\'value\'" ביטוי כמו db.table1.field1=db.table2.field1 יחולל join',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no controllers': 'אין בקרים',
'There are no models': 'אין מבני נתונים',
'There are no modules': 'אין מודולים',
'There are no plugins': 'There are no plugins',
'There are no static files': 'אין קבצים סטאטיים',
'There are no translators, only default language is supported': 'אין תרגומים. רק שפת ברירת המחדל נתמכת',
'There are no views': 'אין קבצי תצוגה',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'This is the %(filename)s template': 'זוהי תבנית הקובץ %(filename)s ',
'Ticket': 'דו"ח שגיאה',
'Ticket ID': 'Ticket ID',
'To create a plugin, name a file/folder plugin_[name]': 'כדי ליצור תוסף, קרא לקובץ או סיפריה בשם לפי התבנית plugin_[name]',
'Traceback': 'Traceback',
'Translation strings for the application': 'Translation strings for the application',
'Unable to check for upgrades': 'לא ניתן היה לבדוק אם יש שדרוגים',
'Unable to download app because:': 'לא ניתן היה להוריד את האפליקציה כי:',
'Unable to download because': 'לא הצלחתי להוריד כי',
'Uninstall': 'הסר התקנה',
'Update:': 'עדכן:',
'Upload & install packed application': 'העלה והתקן אפליקציה ארוזה',
'Upload a package:': 'Upload a package:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'השתמש ב (...)&(...) עבור תנאי AND, (...)|(...) עבור תנאי OR ו~(...) עבור תנאי NOT ליצירת שאילתות מורכבות',
'Use an url:': 'Use an url:',
'Version': 'גירסא',
'Views': 'מראה',
'YES': 'כן',
'additional code for your application': 'קוד נוסף עבור האפליקציה שלך',
'admin disabled because no admin password': 'ממשק המנהל מנוטרל כי לא הוגדרה סיסמת מנהל',
'admin disabled because not supported on google app engine': 'ממשק המנהל נוטרל, כי אין תמיכה בGoogle app engine',
'admin disabled because unable to access password file': 'ממשק מנהל נוטרל, כי לא ניתן לגשת לקובץ הסיסמאות',
'administrative interface': 'administrative interface',
'and rename it (required):': 'ושנה את שמו (חובה):',
'and rename it:': 'ושנה את שמו:',
'appadmin': 'מנהל מסד הנתונים',
'appadmin is disabled because insecure channel': 'מנהל מסד הנתונים נוטרל בשל ערוץ לא מאובטח',
'application "%s" uninstalled': 'אפליקציה "%s" הוסרה',
'application compiled': 'אפליקציה קומפלה',
'application is compiled and cannot be designed': 'לא ניתן לערוך אפליקציה מקומפלת',
'arguments': 'פרמטרים',
'back': 'אחורה',
'cache': 'מטמון',
'cache, errors and sessions cleaned': 'מטמון, שגיאות וסשן נוקו',
'cannot create file': 'לא מצליח ליצור קובץ',
'cannot upload file "%(filename)s"': 'לא הצלחתי להעלות את הקובץ "%(filename)s"',
'check all': 'סמן הכל',
'click to check for upgrades': 'לחץ כדי לחפש עדכונים',
'code': 'קוד',
'collapse/expand all': 'collapse/expand all',
'compiled application removed': 'אפליקציה מקומפלת הוסרה',
'controllers': 'בקרים',
'create file with filename:': 'צור קובץ בשם:',
'create new application:': 'צור אפליקציה חדשה:',
'created by': 'נוצר ע"י',
'crontab': 'משימות מתוזמנות',
'currently running': 'currently running',
'currently saved or': 'נשמר כעת או',
'data uploaded': 'המידע הועלה',
'database': 'מסד נתונים',
'database %s select': 'מסד הנתונים %s נבחר',
'database administration': 'ניהול מסד נתונים',
'db': 'מסד נתונים',
'defines tables': 'הגדר טבלאות',
'delete': 'מחק',
'delete all checked': 'סמן הכל למחיקה',
'delete plugin': 'מחק תוסף',
'design': 'עיצוב',
'direction: ltr': 'direction: rtl',
'done!': 'הסתיים!',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'edit controller': 'ערוך בקר',
'edit views:': 'ערוך קיבצי תצוגה:',
'export as csv file': 'יצא לקובץ csv',
'exposes': 'חושף את',
'extends': 'הרחבה של',
'failed to reload module because:': 'נכשל בטעינה חוזרת של מודול בגלל:',
'file "%(filename)s" created': 'הקובץ "%(filename)s" נוצר',
'file "%(filename)s" deleted': 'הקובץ "%(filename)s" נמחק',
'file "%(filename)s" uploaded': 'הקובץ "%(filename)s" הועלה',
'file "%s" of %s restored': 'הקובץ "%s" of %s שוחזר',
'file changed on disk': 'קובץ שונה על גבי הדיסק',
'file does not exist': 'קובץ לא נמצא',
'file saved on %(time)s': 'הקובץ נשמר בשעה %(time)s',
'file saved on %s': 'הקובץ נשמר ב%s',
'filter': 'filter',
'htmledit': 'עורך ויזואלי',
'includes': 'מכיל',
'insert new': 'הכנס נוסף',
'insert new %s': 'הכנס %s נוסף',
'inspect attributes': 'inspect attributes',
'internal error': 'שגיאה מובנית',
'invalid password': 'סיסמא שגויה',
'invalid request': 'בקשה לא תקינה',
'invalid ticket': 'דו"ח שגיאה לא קיים',
'language file "%(filename)s" created/updated': 'קובץ השפה "%(filename)s" נוצר\עודכן',
'languages': 'שפות',
'loading...': 'טוען...',
'locals': 'locals',
'login': 'התחבר',
'merge': 'מזג',
'models': 'מבני נתונים',
'modules': 'מודולים',
'new application "%s" created': 'האפליקציה "%s" נוצרה',
'new plugin installed': 'פלאגין חדש הותקן',
'new record inserted': 'הרשומה נוספה',
'next 100 rows': '100 הרשומות הבאות',
'no match': 'לא נמצאה התאמה',
'or import from csv file': 'או יבא מקובץ csv',
'or provide app url:': 'או ספק כתובת url של אפליקציה',
'pack plugin': 'ארוז תוסף',
'password changed': 'סיסמא שונתה',
'plugin "%(plugin)s" deleted': 'תוסף "%(plugin)s" נמחק',
'plugins': 'plugins',
'previous 100 rows': '100 הרשומות הקודמות',
'record': 'רשומה',
'record does not exist': 'הרשומה אינה קיימת',
'record id': 'מזהה רשומה',
'request': 'request',
'response': 'response',
'restore': 'שחזר',
'revert': 'חזור לגירסא קודמת',
'selected': 'נבחרו',
'session': 'session',
'session expired': 'תם הסשן',
'shell': 'שורת פקודה',
'some files could not be removed': 'לא ניתן היה להסיר חלק מהקבצים',
'state': 'מצב',
'static': 'קבצים סטאטיים',
'submit': 'שלח',
'table': 'טבלה',
'test': 'בדיקות',
'the application logic, each URL path is mapped in one exposed function in the controller': 'הלוגיקה של האפליקציה, כל url ממופה לפונקציה חשופה בבקר',
'the data representation, define database tables and sets': 'ייצוג המידע, בו מוגדרים טבלאות ומבנים',
'the presentations layer, views are also known as templates': 'שכבת התצוגה, המכונה גם template',
'these files are served without processing, your images go here': 'אלו הם קבצים הנשלחים מהשרת ללא עיבוד. הכנס את התמונות כאן',
'to previous version.': 'אין גירסא קודמת',
'translation strings for the application': 'מחרוזות תרגום עבור האפליקציה',
'try': 'נסה',
'try something like': 'נסה משהו כמו',
'unable to create application "%s"': 'נכשל ביצירת האפליקציה "%s"',
'unable to delete file "%(filename)s"': 'נכשל במחיקת הקובץ "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'נכשל במחיקת התוסף "%(plugin)s"',
'unable to parse csv file': 'לא הצלחתי לנתח את הקלט של קובץ csv',
'unable to uninstall "%s"': 'לא ניתן להסיר את "%s"',
'unable to upgrade because "%s"': 'לא ניתן היה לשדרג כי "%s"',
'uncheck all': 'הסר סימון מהכל',
'update': 'עדכן',
'update all languages': 'עדכן את כלל קיבצי השפה',
'upgrade now': 'upgrade now',
'upgrade web2py now': 'שדרג את web2py עכשיו',
'upload': 'upload',
'upload application:': 'העלה אפליקציה:',
'upload file:': 'העלה קובץ:',
'upload plugin file:': 'העלה קובץ תוסף:',
'variables': 'משתנים',
'versioning': 'מנגנון גירסאות',
'view': 'הצג',
'views': 'מראה',
'web2py Recent Tweets': 'ציוצים אחרונים של web2py',
'web2py is up to date': 'web2py מותקנת בגירסתה האחרונה',
'web2py upgraded; please restart it': 'web2py שודרגה; נא אתחל אותה',
}
| Python |
# coding: utf8
{
'!langcode!': 'fr',
'!langname!': 'Français',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" est une expression en option tels que "field1 = \'newvalue\'". Vous ne pouvez pas mettre à jour ou supprimer les résultats d\'une jointure "a JOIN"',
'%Y-%m-%d': '%d-%m-%Y',
'%Y-%m-%d %H:%M:%S': '%d-%m-%Y %H:%M:%S',
'%s %%{row} deleted': 'lignes %s supprimées',
'%s %%{row} updated': 'lignes %s mises à jour',
'(requires internet access)': '(nécessite un accès Internet)',
'(something like "it-it")': '(quelque chose comme "it-it") ',
'@markmin\x01Searching: **%s** %%{file}': 'Cherche: **%s** fichiers',
'A new version of web2py is available: %s': 'Une nouvelle version de web2py est disponible: %s ',
'A new version of web2py is available: Version 1.68.2 (2009-10-21 09:59:29)\n': 'Une nouvelle version de web2py est disponible: Version 1.68.2 (2009-10-21 09:59:29)\r\n',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ATTENTION: nécessite une connexion sécurisée (HTTPS) ou être en localhost. ',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATTENTION: les tests ne sont pas thread-safe DONC NE PAS EFFECTUER DES TESTS MULTIPLES SIMULTANÉMENT.',
'ATTENTION: you cannot edit the running application!': "ATTENTION: vous ne pouvez pas modifier l'application qui tourne!",
'About': 'à propos',
'About application': "A propos de l'application",
'Additional code for your application': 'Code additionnel pour votre application',
'Admin is disabled because insecure channel': 'Admin est désactivé parce que canal non sécurisé',
'Admin language': "Language de l'admin",
'Administrator Password:': 'Mot de passe Administrateur:',
'Application name:': "Nom de l'application:",
'Are you sure you want to delete file "%s"?': 'Êtes-vous sûr de vouloir supprimer le fichier «%s»?',
'Are you sure you want to delete plugin "%s"?': 'Êtes-vous sûr de vouloir supprimer le plugin "%s"?',
'Are you sure you want to delete this object?': 'Êtes-vous sûr de vouloir supprimer cet objet?',
'Are you sure you want to uninstall application "%s"?': "Êtes-vous sûr de vouloir désinstaller l'application «%s»?",
'Are you sure you want to upgrade web2py now?': 'Êtes-vous sûr de vouloir mettre à jour web2py maintenant?',
'Available databases and tables': 'Bases de données et tables disponible',
'Cannot be empty': 'Ne peut pas être vide',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Ne peut pas compiler: il y a des erreurs dans votre application. corriger les erreurs et essayez à nouveau.',
'Cannot compile: there are errors in your app:': 'Ne peut pas compiler: il y a des erreurs dans votre application:',
'Change admin password': 'Changer le mot de passe admin',
'Check for upgrades': 'Vérifier les mises à jour',
'Check to delete': 'Cocher pour supprimer',
'Checking for upgrades...': 'Vérification des mises à jour ... ',
'Clean': 'nettoyer',
'Compile': 'compiler',
'Controllers': 'Contrôleurs',
'Create': 'Créer',
'Create new simple application': 'Créer une nouvelle application',
'Current request': 'Requête actuelle',
'Current response': 'Réponse actuelle',
'Current session': 'Session en cours',
'Date and Time': 'Date et heure',
'Delete': 'Supprimer',
'Delete this file (you will be asked to confirm deletion)': 'Supprimer ce fichier (on vous demandera de confirmer la suppression)',
'Delete:': 'Supprimer:',
'Deploy': 'Déployer',
'Deploy on Google App Engine': 'Déployer sur Google App Engine',
'EDIT': 'MODIFIER',
'Edit': 'modifier',
'Edit application': "Modifier l'application",
'Edit current record': 'Modifier cette entrée',
'Editing Language file': 'Modifier le fichier de langue',
'Editing file': 'Modifier le fichier',
'Editing file "%s"': 'Modifier le fichier "% s" ',
'Enterprise Web Framework': 'Enterprise Web Framework',
'Error logs for "%(app)s"': 'Journal d\'erreurs pour "%(app)s"',
'Errors': 'erreurs',
'Exception instance attributes': "Attributs d'instance Exception",
'Functions with no doctests will result in [passed] tests.': 'Des fonctions sans doctests entraîneront des tests [passed] .',
'Help': 'aide',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': "Si le rapport ci-dessus contient un numéro de ticket, cela indique une défaillance dans l'exécution du contrôleur, avant toute tentative d'exécuter les doctests. Cela est généralement dû à une erreur d'indentation ou une erreur à l'extérieur du code de la fonction.\r\nUn titre vert indique que tous les tests (si définis) sont passés. Dans ce cas, les résultats des essais ne sont pas affichées.",
'Import/Export': 'Importer/Exporter',
'Install': 'Installer',
'Installed applications': 'Applications installées',
'Internal State': 'État Interne',
'Invalid Query': 'Requête non valide',
'Invalid action': 'Action non valide',
'Language files (static strings) updated': 'Fichiers de langue (chaînes statiques) mis à jour ',
'Languages': 'Langues',
'Last saved on:': 'Dernière sauvegarde le:',
'License for': 'Licence pour',
'Login': 'Connexion',
'Login to the Administrative Interface': "Se connecter à l'interface d'administration",
'Logout': 'déconnexion',
'Models': 'Modèles',
'Modules': 'Modules',
'NO': 'NON',
'New Record': 'Nouvelle Entrée',
'New application wizard': 'Assistant nouvelle application',
'New simple application': 'Nouvelle application simple',
'No databases in this application': 'Aucune base de données dans cette application',
'Original/Translation': 'Original / Traduction',
'Overwrite installed app': "Écraser l'application installée",
'PAM authenticated user, cannot change password here': 'Utilisateur authentifié par PAM, vous ne pouvez pas changer le mot de passe ici',
'Pack all': 'tout empaqueter',
'Pack compiled': 'paquet compilé',
'Peeking at file': 'Jeter un oeil au fichier',
'Plugin "%s" in application': 'Plugin "%s" dans l\'application',
'Plugins': 'Plugins',
'Powered by': 'Propulsé par',
'Query:': 'Requête: ',
'Remove compiled': 'retirer compilé',
'Resolve Conflict file': 'Résoudre les conflits de fichiers',
'Rows in table': 'Lignes de la table',
'Rows selected': 'Lignes sélectionnées',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Lancer les tests dans ce fichier (pour lancer tous les fichiers, vous pouvez également utiliser le bouton nommé 'test')",
'Save': 'Enregistrer',
'Saved file hash:': 'Hash du Fichier enregistré:',
'Site': 'Site',
'Start wizard': "Démarrer l'assistant",
'Static files': 'Fichiers statiques',
'Sure you want to delete this object?': 'Vous êtes sûr de vouloir supprimer cet objet? ',
'TM': 'MD',
'Testing application': "Test de l'application",
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'La "requête" est une condition comme "db.table1.field1==\'value\'". Quelque chose comme "db.table1.field1==db.table2.field2" aboutit à un JOIN SQL.',
'The application logic, each URL path is mapped in one exposed function in the controller': "La logique de l'application, chaque chemin d'URL est mappé avec une fonction exposée dans le contrôleur",
'The data representation, define database tables and sets': 'La représentation des données, définir les tables et ensembles de la base de données',
'The presentations layer, views are also known as templates': "Les couches de présentation, les vues sont également appelées modples",
'There are no controllers': "Il n'y a pas de contrôleurs",
'There are no models': "Il n'y a pas de modèles",
'There are no modules': "Il n'y a pas de modules",
'There are no plugins': "Il n'y a pas de plugins",
'There are no static files': "Il n'y a pas de fichiers statiques",
'There are no translators, only default language is supported': "Il n'y a pas de traducteurs, seule la langue par défaut est prise en charge",
'There are no views': "Il n'y a pas de vues",
'These files are served without processing, your images go here': 'Ces fichiers sont renvoyés sans traitement, vos images viennent ici',
'This is the %(filename)s template': 'Ceci est le modèle %(filename)s ',
'Ticket': 'Ticket',
'To create a plugin, name a file/folder plugin_[name]': 'Pour créer un plugin, créer un fichier /dossier plugin_[nom]',
'Translation strings for the application': "Chaînes de traduction pour l'application",
'Unable to check for upgrades': 'Impossible de vérifier les mises à jour',
'Unable to download': 'Impossible de télécharger',
'Unable to download app': "Impossible de télécharger l'app",
'Unable to download app because:': "Impossible de télécharger l'app car:",
'Unable to download because': 'Impossible de télécharger car',
'Uninstall': 'désinstaller',
'Update:': 'Mise à jour:',
'Upload & install packed application': "Charger & installer l'application empaquetée",
'Upload a package:': 'Charger un paquet:',
'Upload existing application': 'Charger une application existante',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Utilisez (...)&(...) pour AND, (...)|(...) pour OR, et ~(...) pour NOT afin de construire des requêtes plus complexes. ',
'Use an url:': 'Utiliser une url:',
'Version': 'Version',
'Views': 'Vues',
'Web Framework': 'Framework Web',
'YES': 'OUI',
'additional code for your application': 'code supplémentaire pour votre application',
'admin disabled because no admin password': 'admin désactivée car aucun mot de passe admin',
'admin disabled because not supported on google app engine': 'admin désactivée car non prise en charge sur Google Apps engine',
'admin disabled because unable to access password file': "admin désactivée car incapable d'accéder au fichier mot de passe",
'administrative interface': "interface d'administration",
'and rename it (required):': 'et renommez-la (obligatoire):',
'and rename it:': 'et renommez-le:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'appadmin est désactivé parce que canal non sécurisé',
'application "%s" uninstalled': 'application "%s" désinstallée',
'application %(appname)s installed with md5sum: %(digest)s': 'application %(appname)s installée avec md5sum: %(digest)s',
'application compiled': 'application compilée',
'application is compiled and cannot be designed': "l'application est compilée et ne peut être modifiée",
'arguments': 'arguments',
'back': 'retour',
'cache': 'cache',
'cache, errors and sessions cleaned': 'cache, erreurs et sessions nettoyés',
'cannot create file': 'ne peut pas créer de fichier',
'cannot upload file "%(filename)s"': 'ne peut pas charger le fichier "%(filename)s"',
'check all': 'tout vérifier ',
'click to check for upgrades': 'Cliquez pour vérifier les mises jour',
'code': 'code',
'collapse/expand all': 'tout réduire/agrandir',
'compiled application removed': 'application compilée enlevée',
'controllers': 'contrôleurs',
'create file with filename:': 'créer un fichier avec nom de fichier:',
'create new application:': 'créer une nouvelle application:',
'created by': 'créé par',
'crontab': 'crontab',
'currently running': 'tourne actuellement',
'currently saved or': 'actuellement enregistré ou',
'data uploaded': 'données chargées',
'database': 'base de données',
'database %s select': 'base de données %s sélectionner',
'database administration': 'administration base de données',
'db': 'bdd',
'defines tables': 'définit les tables',
'delete': 'supprimer',
'delete all checked': 'supprimer tout ce qui est coché',
'delete plugin': ' supprimer le plugin',
'design': 'conception',
'direction: ltr': 'direction: ltr',
'docs': 'docs',
'done!': 'fait!',
'download layouts': 'télécharger layouts',
'download plugins': 'télécharger plugins',
'edit controller': 'modifier contrôleur',
'edit views:': 'modifier vues:',
'export as csv file': 'export au format CSV',
'exposes': 'expose',
'exposes:': 'expose:',
'extends': 'étend',
'failed to reload module': 'impossible de recharger le module',
'failed to reload module because:': 'impossible de recharger le module car:',
'file "%(filename)s" created': 'fichier "%(filename)s" créé',
'file "%(filename)s" deleted': 'fichier "%(filename)s" supprimé',
'file "%(filename)s" uploaded': 'fichier "%(filename)s" chargé',
'file "%s" of %s restored': 'fichier "%s" de %s restauré',
'file changed on disk': 'fichier modifié sur le disque',
'file does not exist': "fichier n'existe pas",
'file saved on %(time)s': 'fichier enregistré le %(time)s',
'file saved on %s': 'fichier enregistré le %s',
'filter': 'filtre',
'htmledit': 'edition html',
'includes': 'inclus',
'index': 'index',
'insert new': 'insérer nouveau',
'insert new %s': 'insérer nouveau %s',
'internal error': 'erreur interne',
'invalid password': 'mot de passe invalide',
'invalid request': 'Demande incorrecte',
'invalid ticket': 'ticket non valide',
'language file "%(filename)s" created/updated': 'fichier de langue "%(filename)s" créé/mis à jour',
'languages': 'langues',
'loading...': 'Chargement ...',
'login': 'connexion',
'merge': 'fusionner',
'models': 'modèles',
'modules': 'modules',
'new application "%s" created': 'nouvelle application "%s" créée',
'new plugin installed': 'nouveau plugin installé',
'new record inserted': 'nouvelle entrée insérée',
'next 100 rows': '100 lignes suivantes',
'no match': 'aucune correspondance',
'or import from csv file': 'ou importer depuis un fichier CSV ',
'or provide app url:': "ou fournir l'URL de l'app:",
'or provide application url:': "ou fournir l'URL de l'application:",
'pack plugin': 'paquet plugin',
'password changed': 'mot de passe modifié',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" supprimé',
'plugins': 'plugins',
'previous 100 rows': '100 lignes précédentes',
'record': 'entrée',
'record does not exist': "l'entrée n'existe pas",
'record id': 'id entrée',
'restore': 'restaurer',
'revert': 'revenir',
'save': 'sauver',
'selected': 'sélectionnés',
'session expired': 'la session a expiré ',
'shell': 'shell',
'some files could not be removed': 'certains fichiers ne peuvent pas être supprimés',
'state': 'état',
'static': 'statiques',
'submit': 'envoyer',
'table': 'table',
'test': 'tester',
'the application logic, each URL path is mapped in one exposed function in the controller': "la logique de l'application, chaque chemin d'URL est mappé dans une fonction exposée dans le contrôleur",
'the data representation, define database tables and sets': 'La représentation des données, définir les tables et ensembles de la base de données',
'the presentations layer, views are also known as templates': 'la couche de présentation, les vues sont également appelées modèles',
'these files are served without processing, your images go here': 'ces fichiers sont servis sans transformation, vos images vont ici',
'to previous version.': 'à la version précédente.',
'translation strings for the application': "chaînes de traduction de l'application",
'try': 'essayer',
'try something like': 'essayez quelque chose comme',
'unable to create application "%s"': 'impossible de créer l\'application "%s"',
'unable to delete file "%(filename)s"': 'impossible de supprimer le fichier "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': 'impossible de supprimer le plugin "%(plugin)s"',
'unable to parse csv file': "impossible d'analyser les fichiers CSV",
'unable to uninstall "%s"': 'impossible de désinstaller "%s"',
'unable to upgrade because "%s"': 'impossible de mettre à jour car "%s"',
'uncheck all': 'tout décocher',
'update': 'mettre à jour',
'update all languages': 'mettre à jour toutes les langues',
'upgrade now': 'mettre à jour maintenant',
'upgrade web2py now': 'mettre à jour web2py maintenant',
'upload': 'charger',
'upload application:': "charger l'application:",
'upload file:': 'charger le fichier:',
'upload plugin file:': 'charger fichier plugin:',
'user': 'utilisateur',
'variables': 'variables',
'versioning': 'versioning',
'view': 'vue',
'views': 'vues',
'web2py Recent Tweets': 'Tweets récents sur web2py ',
'web2py is up to date': 'web2py est à jour',
'web2py upgraded; please restart it': 'web2py mis à jour; veuillez le redémarrer',
}
| Python |
# coding: utf8
{
'!langcode!': 'nl',
'!langname!': 'Nederlands',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" is een optionele expressie zoals "veld1=\'nieuwewaarde\'". Je kan de resultaten van een JOIN niet updaten of verwijderen.',
'"User Exception" debug mode. ': '"Gebruiker Exceptie" debug mode.',
'"User Exception" debug mode. An error ticket could be issued!': '"Gebruiker Exceptie" debug mode. Een error ticket kan worden aangemaakt!',
'%s': '%s',
'%s %%{row} deleted': '%s %%{row} verwijderd',
'%s %%{row} updated': '%s %%{row} geupdate',
'%s Recent Tweets': '%s Recente Tweets',
'%s students registered': '%s studenten geregistreerd',
'%Y-%m-%d': '%Y/%m/%d',
'%Y-%m-%d %H:%M:%S': '%Y/%m/%d %H:%M:%S',
'(requires internet access)': '(vereist internettoegang)',
'(something like "it-it")': '(zoiets als "it-it")',
'@markmin\x01Searching: **%s** %%{file}': '@markmin: zoeken: **%s** %%{file}',
'Abort': 'Afbreken',
'About': 'Over',
'about': 'over',
'About application': 'Over applicatie',
'Add breakpoint': 'Voeg breakpoint toe',
'Additional code for your application': 'Additionele code voor je applicatie',
'admin disabled because no admin password': 'admin uitgezet omdat er geen admin wachtwoord is',
'admin disabled because not supported on google app engine': 'admin uitgezet omdat dit niet ondersteund wordt op google app engine',
'admin disabled because too many invalid login attempts': 'admin is uitgezet omdat er te veel ongeldige login attempts zijn geweest',
'admin disabled because unable to access password file': 'admin is uitgezet omdat er geen toegang was tot het wachtwoordbestand',
'Admin is disabled because insecure channel': 'Admin is uitgezet vanwege onveilig kanaal',
'Admin language': 'Admintaal',
'administrative interface': 'administratieve interface',
'Administrator Password:': 'Administrator Wachtwoord:',
'and rename it:': 'en hernoem het:',
'App does not exist or your are not authorized': 'App bestaat niet of je bent niet geautoriseerd',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'appadmin is uitgezet vanwege een onveilig kanaal',
'application "%s" uninstalled': 'applicatie "%s" gedeïnstalleerd',
'application %(appname)s installed with md5sum: %(digest)s': 'applicatie %(appname)s geïnstalleerd met md5sum: %(digest)s',
'Application cannot be generated in demo mode': 'Applicatie kan niet gegenereerd worden in demo-mode',
'application compiled': 'applicatie gecompileerd',
'application is compiled and cannot be designed': 'applicatie is gecompileerd en kan niet worden ontworpen',
'Application name:': 'Applicatienaam:',
'are not used': 'worden niet gebruikt',
'are not used yet': 'worden nog niet gebruikt',
'Are you sure you want to delete file "%s"?': 'Weet je zeker dat je bestand "%s" wilt verwijderen?',
'Are you sure you want to delete plugin "%s"?': 'Weet je zeker dat je plugin "%s"? wilt verwijderen?',
'Are you sure you want to delete this object?': 'Weet je zeker dat je dit object wilt verwijderen?',
'Are you sure you want to uninstall application "%s"?': 'Weet je zeker dat je applicatie "%s" wilt deïnstalleren?',
'arguments': 'argumenten',
'at char %s': 'bij karakter %s',
'at line %s': 'op regel %s',
'ATTENTION:': 'LET OP:',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'LET OP: Login heeft beveiligde (HTTPS) verbinding nodig of moet draaien op localhost.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'LET OP: TESTEN IS NIET THREAD SAFE EN PROBEER NIET MEERDERE TESTEN TEGELIJK TE DOEN.',
'ATTENTION: you cannot edit the running application!': 'LET OP: je kan de draaiende applicatie niet bewerken!',
'Available databases and tables': 'Beschikbare databases en tabellen',
'back': 'terug',
'bad_resource': 'slechte_resource',
'Basics': 'Basics',
'Begin': 'Begin',
'breakpoint': 'breakpoint',
'Breakpoints': 'Breakpoints',
'breakpoints': 'breakpoints',
'Bulk Register': 'Bulk Registreer',
'Bulk Student Registration': 'Bulk Studentenregistratie',
'cache': 'cache',
'Cache Keys': 'Cache Keys',
'cache, errors and sessions cleaned': 'cache, errors en sessies geleegd',
'can be a git repo': 'can een git repo zijn',
'Cancel': 'Cancel',
'Cannot be empty': 'Kan niet leeg zijn',
'Cannot compile: there are errors in your app:': 'Kan niet compileren: er bevinden zich fouten in je app:',
'cannot create file': 'kan bestand niet maken',
'cannot upload file "%(filename)s"': 'kan bestand "%(filename)s" niet uploaden',
'Change admin password': 'Verander admin wachtwoord',
'check all': 'vink alles aan',
'Check for upgrades': 'Controleer voor upgrades',
'Check to delete': 'Vink aan om te verwijderen',
'Checking for upgrades...': 'Controleren voor upgrades...',
'Clean': 'Clean',
'Clear CACHE?': 'Leeg CACHE?',
'Clear DISK': 'Leeg DISK',
'Clear RAM': 'Leeg RAM',
'Click row to expand traceback': 'Klik rij om traceback uit te klappen',
'Click row to view a ticket': 'Klik rij om ticket te bekijken',
'code': 'code',
'Code listing': 'Code listing',
'collapse/expand all': 'klap in/klap alles uit',
'Command': 'Commando',
'Commit': 'Commit',
'Compile': 'Compileer',
'compiled application removed': 'Gecompileerde applicatie verwijderd',
'Condition': 'Conditie',
'contact_admin': 'contact_admin',
'continue': 'ga door',
'Controllers': 'Controllers',
'controllers': 'controllers',
'Count': 'Count',
'Create': 'Maak',
'create': 'maak',
'create file with filename:': 'maak bestand met naam:',
'create plural-form': 'maak meervoudsvorm',
'Create rules': 'Maak regels',
'created by': 'gemaakt door:',
'Created On': 'Gemaakt Op',
'crontab': 'crontab',
'Current request': 'Huidige request',
'Current response': 'Huidige response',
'Current session': 'Huidige sessie',
'currently running': 'draait op het moment',
'currently saved or': 'op het moment opgeslagen of',
'data uploaded': 'data geupload',
'database': 'database',
'database %s select': 'database %s select',
'database administration': 'database administratie',
'Date and Time': 'Datum en Tijd',
'db': 'db',
'Debug': 'Debug',
'defines tables': 'definieert tabellen',
'Delete': 'Verwijder',
'delete': 'verwijder',
'delete all checked': 'verwijder alle aangevinkten',
'delete plugin': 'verwijder plugin',
'Delete this file (you will be asked to confirm deletion)': 'Verwijder dit bestand (je zal worden gevraagd om de verwijdering te bevestigen)',
'Delete:': 'Verwijder:',
'deleted after first hit': 'verwijder na eerste hit',
'Deploy': 'Deploy',
'Deploy on Google App Engine': 'Deploy op Google App Engine (GAE)',
'Deploy to OpenShift': 'Deploy op OpenShift',
'Deployment form': 'Deploymentformulier',
'design': 'design',
'Detailed traceback description': 'Gedetailleerde traceback beschrijving',
'details': 'details',
'direction: ltr': 'directie: ltr',
'directory not found': 'directory niet gevonden',
'Disable': 'Zet uit',
'Disabled': 'Uitgezet',
'disabled in demo mode': 'uitgezet in demo-modus',
'disabled in multi user mode': 'uitgezet in multi-usermodus',
'Disk Cache Keys': 'Disk Cache Keys',
'Disk Cleared': 'Disk Cleared',
'docs': 'docs',
'done!': 'gereed!',
'Downgrade': 'Downgrade',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'Edit': 'Bewerk',
'edit all': 'bewerk alles',
'Edit application': 'Bewerk applicatie',
'edit controller': 'bewerk controller',
'Edit current record': 'Bewerk huidige record',
'edit views:': 'bewerk views:',
'Editing file "%s"': 'Bewerk bestand "%s"',
'Editing Language file': 'Taalbestand aan het bewerken',
'Editing Plural Forms File': 'Meervoudsvormenbestand aan het bewerken',
'Enable': 'Zet aan',
'enter a value': 'geef een waarde',
'Error': 'Error',
'Error logs for "%(app)s"': 'Error logs voor "%(app)s"',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Errorticket',
'Errors': 'Errors',
'Exception %(extype)s: %(exvalue)s': 'Exceptie %(extype)s: %(exvalue)s',
'Exception %s': 'Exceptie %s',
'Exception instance attributes': 'Exceptie instantie attributen',
'Expand Abbreviation': 'Klap Afkorting uit',
'export as csv file': 'exporteer als csv-bestand',
'exposes': 'stelt bloot',
'exposes:': 'stelt bloot:',
'extends': 'extends',
'failed to compile file because:': 'niet gelukt om bestand te compileren omdat:',
'failed to reload module because:': 'niet gelukt om module te herladen omdat:',
'faq': 'faq',
'File': 'Bestand',
'file "%(filename)s" created': 'bestand "%(filename)s" gemaakt',
'file "%(filename)s" deleted': 'bestand "%(filename)s" verwijderd',
'file "%(filename)s" uploaded': 'bestand "%(filename)s" geupload',
'file "%s" of %s restored': 'bestand "%s" van %s hersteld',
'file changed on disk': 'bestand veranderd op schijf',
'file does not exist': 'bestand bestaat niet',
'file not found': 'bestand niet gevonden',
'file saved on %(time)s': 'bestand opgeslagen op %(time)s',
'file saved on %s': 'bestand bewaard op %s',
'Filename': 'Bestandsnaam',
'filter': 'filter',
'Frames': 'Frames',
'Functions with no doctests will result in [passed] tests.': 'Functies zonder doctests zullen resulteren in [passed] tests.',
'GAE Email': 'GAE Email',
'GAE Output': 'GAE Output',
'GAE Password': 'GAE Password',
'Generate': 'Genereer',
'Get from URL:': 'Krijg van URL:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Globals##debug': 'Globals##debug',
'Go to Matching Pair': 'Ga naar Matchende Paar',
'go!': 'ga!',
'Google App Engine Deployment Interface': 'Google App Engine Deployment Interface',
'Google Application Id': 'Google Application Id',
'Goto': 'Ga naar',
'Help': 'Help',
'Hide/Show Translated strings': 'Verberg/Toon Vertaalde strings',
'Hits': 'Hits',
'Home': 'Home',
'honored only if the expression evaluates to true': 'wordt alleen gerespecteerd als expressie waar is',
'If start the downgrade, be patient, it may take a while to rollback': 'Wees geduldig na het starten van de downgrade, het kan een tijd duren om de rollback uit te voeren',
'If start the upgrade, be patient, it may take a while to download': 'Wees geduldig na het starten van de upgrade, het kan een tijd duren om de download te voltooien',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Als de bovenstaande report een ticketnummer bevat indiceert dit een fout in het uitvoeren van de controller, nog voor een poging wordt gedaan om de doctests uit te voeren. Dit wordt meestal veroorzaak door een inspringfout of een fout buiten de functie-code. Een groene titel indiceert dat alle tests (wanneer gedefinieerd) geslaagd zijn. In dit geval worden testresultaten niet getoond.',
'Import/Export': 'Import/Export',
'In development, use the default Rocket webserver that is currently supported by this debugger.': 'Binnen ontwikkeling, gebruik de default Rocket webserver die op het moment ondersteund wordt door deze debugger.',
'includes': 'includes',
'index': 'index',
'insert new': 'insert new',
'insert new %s': 'insert new %s',
'inspect attributes': 'inspecteer attributen',
'Install': 'Install',
'Installed applications': 'Geïnstalleerde applicaties',
'Interaction at %s line %s': 'Interactie op %s regel %s',
'Interactive console': 'Interactieve console',
'internal error': 'interne error',
'internal error: %s': 'interne error: %s',
'Internal State': 'Interne State',
'Invalid action': 'Ongeldige actie',
'invalid circual reference': 'ongeldige cirkelreferentie',
'invalid circular reference': 'Ongeldige circulaire referentie',
'invalid password': 'ongeldig wachtwoord',
'invalid password.': 'ongeldig wachtwoord.',
'Invalid Query': 'Ongeldige Query',
'invalid request': 'ongeldige request',
'invalid request ': 'ongeldige request',
'invalid table names (auth_* tables already defined)': 'ongeldige tabelnamen (auth_* tabellen zijn al gedefinieerd)',
'invalid ticket': 'ongeldige ticket',
'Key': 'Key',
'Key bindings': 'Key bindings',
'Key bindings for ZenCoding Plugin': 'Key bindings voor ZenCoding Plugin',
'kill process': 'kill proces',
'language file "%(filename)s" created/updated': 'taalbestand "%(filename)s" gemaakt/geupdate',
'Language files (static strings) updated': 'Taalbestanden (statische strings) geupdate',
'languages': 'talen',
'Languages': 'Talen',
'Last saved on:': 'Laatst opgeslagen op:',
'License for': 'Licentie voor',
'Line number': 'Regelnummer',
'LineNo': 'RegelNr',
'loading...': 'laden...',
'locals': 'locals',
'Locals##debug': 'Locals##debug',
'Login': 'Login',
'login': 'Login',
'Login to the Administrative Interface': 'Login op de Administratieve Interface',
'Logout': 'Logout',
'Main Menu': 'Hoofdmenu',
'Manage Admin Users/Students': 'Beheer Admin Gebruikers/Studenten',
'Manage Students': 'Beheer Studenten',
'Match Pair': 'Match Pair',
'merge': 'samenvoegen',
'Merge Lines': 'Voeg Regels Samen',
'Minimum length is %s': 'Minimale lengte is %s',
'Models': 'Modellen',
'models': 'modellen',
'Modified On': 'Verandert Op',
'Modules': 'Modules',
'modules': 'modules',
'Must include at least %s %s': 'Moet ten minste bevatten %s %s',
'Must include at least %s lower case': 'Moet ten minste bevatten %s lower case',
'Must include at least %s of the following : %s': 'Moet ten minste bevatten %s van het volgende : %s',
'Must include at least %s upper case': 'Moet ten minste bevatten %s upper case',
'new application "%s" created': 'nieuwe applicatie "%s" gemaakt',
'New Application Wizard': 'Nieuwe Applicatie Wizard',
'New application wizard': 'Nieuwe applicatie wizard',
'new plugin installed': 'nieuwe plugin geïnstalleerd',
'New Record': 'Nieuw Record',
'new record inserted': 'nieuw record ingevoegd',
'New simple application': 'Nieuwe eenvoudige applicatie',
'next': 'volgende',
'next 100 rows': 'volgende 100 rijen',
'Next Edit Point': 'Volgende Bewerkpunt',
'NO': 'NEE',
'No databases in this application': 'Geen databases in deze applicatie',
'No Interaction yet': 'Nog geen interactie',
'no match': 'geen match',
'no permission to uninstall "%s"': 'geen permissie om "%s" te deïnstalleren',
'No ticket_storage.txt found under /private folder': 'Geen ticket_storage.txt gevonden onder /private directory',
'Not Authorized': 'Geen Rechten',
'Note: If you receive an error with github status code of 128, ensure the system and account you are deploying from has a cooresponding ssh key configured in the openshift account.': 'Notitie: Bij een Github error status code 128, zorg ervoor dat het systeem en het account dat je aan het deployen bent een correspondeerde ssh key geconfigureerd heeft in het openshift account. ',
"On production, you'll have to configure your webserver to use one process and multiple threads to use this debugger.": 'Om op productie deze debugger te gebruiken, moet je webserver configureren om een proces en meerdere threads te gebruiken.',
'online designer': 'online designer',
'OpenShift Deployment Interface': 'OpenShift Deployment Interface',
'OpenShift Output': 'OpenShift Output',
'or import from csv file': 'of importeer van csv-bestand',
'Original/Translation': 'Oorspronkelijk/Vertaling',
'Overwrite installed app': 'Overschrijf geïnstalleerde app',
'Pack all': 'Pack all',
'Pack compiled': 'Pack compiled',
'pack plugin': 'pack plugin',
'PAM authenticated user, cannot change password here': 'PAM geauthenticeerde gebruiker, kan wachtwoord hier niet wijzigen',
'password changed': 'wachtwoord gewijzigd',
'Path to appcfg.py': 'Pad naar appcfg.py',
'Path to local openshift repo root.': 'Pad naar lokale openshift repo root.',
'peek': 'gluur',
'Peeking at file': 'Gluren naar bestand',
'Please': 'Alstublieft',
'plugin': 'plugin',
'plugin "%(plugin)s" deleted': 'plugin "%(plugin)s" gedetecteerd',
'Plugin "%s" in application': 'Plugin "%s" in applicatie',
'plugin not specified': 'plugin niet gespecialiseerd',
'plugins': 'plugins',
'Plugins': 'Plugins',
'Plural Form #%s': 'Meervoudsvorm #%s',
'Plural-Forms:': 'Meervoudsvormen',
'Powered by': 'Powered by',
'previous 100 rows': 'vorige 100 rijen',
'Previous Edit Point': 'Vorige Bewerkpunt',
'Private files': 'Privébestanden',
'private files': 'privébestanden',
'Project Progress': 'Projectvoortgang',
'Pull': 'Pull',
'Push': 'Push',
'Query:': 'Query:',
'RAM Cache Keys': 'RAM Cache Keys',
'Ram Cleared': 'Ram Cleared',
'record': 'record',
'record does not exist': 'record bestaat niet',
'record id': 'record id',
'refresh': 'ververs',
'Reload routes': 'Herlaadt routes',
'Remove compiled': 'Verwijder gecompileerde',
'Removed Breakpoint on %s at line %s': 'Verwijder Breakpoint op %s op regel %s',
'request': 'request',
'requires python-git, but not installed': 'vereist python-git, maar niet geïnstalleerd',
'resolve': 'oplossen',
'Resolve Conflict file': 'Los Conflictbestand op',
'response': 'antwoord',
'restart': 'herstart',
'restore': 'herstel',
'return': 'keer terug',
'revert': 'herstel',
'Rows in table': 'Rijen in tabel',
'Rows selected': 'Rijen geselecteerd',
'rules are not defined': 'regels zijn niet gedefinieerd',
'rules parsed with errors': 'regels geparsed met errors',
'rules:': 'regels:',
'Run tests': 'Draai testen',
'Run tests in this file': 'Draai testen in dit bestand',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Draai testen in dit bestand (om alle bestanden te draaien, kun je ook de button genaamd 'test' gebruiken)",
'Running on %s': 'Draait op %s',
'runonce': 'runonce',
'Save': 'Bewaar',
'Save via Ajax': 'Bewaar via Ajax',
'Saved file hash:': 'Opgeslagen bestandhash:',
'search': 'zoek',
'selected': 'Geselecteerd',
'session': 'sessie',
'session expired': 'sessie verlopen',
'Set Breakpoint on %s at line %s: %s': 'Zet Breakpoint op %s op regel %s: %s',
'shell': 'shell',
'signup': 'signup',
'signup_requested': 'signup_requested',
'Singular Form': 'Enkelvoudsvorm',
'site': 'site',
'Site': 'Site',
'skip to generate': 'sla over om te genereren',
'some files could not be removed': 'sommige bestanden konden niet worden verwijderd',
'Sorry, could not find mercurial installed': 'Sorry, mercurial is niet geïnstalleerd',
'Start a new app': 'Start een nieuwe app',
'Start wizard': 'Start wizard',
'state': 'state',
'static': 'statisch',
'Static files': 'Statische bestanden',
'Step': 'Stap',
'step': 'stap',
'stop': 'stop',
'submit': 'submit',
'Submit': 'Submit',
'successful': 'succesvol',
'table': 'tabel',
'tags': 'tags',
'Temporary': 'tijdelijk',
'test': 'test',
'Testing application': 'Applicatie Testen',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': 'De "query" is een conditie zoals "db.tabel1.veld1==\'waarde\'". Zoiets als "db.tabel1.veld1==db.tabel2.veld2" resulteert in een SQL JOIN. ',
'The app exists, was created by wizard, continue to overwrite!': 'De app bestaat, was gemaakt door de wizard, ga door om te overschrijven!',
'The app exists, was NOT created by wizard, continue to overwrite!': 'De app bestaat, wat NIET gemaakt door de wizard, ga door om te overschrijven!',
'The application logic, each URL path is mapped in one exposed function in the controller': 'De applicatie logica, elk URL pad is gemapped in een blootgestelde functie in de controller',
'The data representation, define database tables and sets': 'De data representatie, definieer database tabellen en sets',
'The presentations layer, views are also known as templates': 'De presentatielaag, views ook bekend als templates',
'There are no controllers': 'Er zijn geen controllers',
'There are no models': 'Er zijn geen modellen',
'There are no modules': 'Er zijn geen modules',
'There are no plugins': 'Er zijn geen plugins',
'There are no static files': 'Er zijn geen statische bestanden',
'There are no translators': 'Er zijn geen vertalingen',
'There are no translators, only default language is supported': 'Er zijn geen vertalingen, alleen de standaardtaal wordt ondersteund.',
'There are no views': 'Er zijn geen views',
'These files are not served, they are only available from within your app': 'Deze bestanden worden niet geserveerd, ze zijn alleen beschikbaar vanuit binnen je app.',
'These files are served without processing, your images go here': 'Deze bestanden worden geserveerd zonder verwerkingen, je afbeeldingen horen hier',
"This debugger may not work properly if you don't have a threaded webserver or you're using multiple daemon processes.": 'Deze debugger werkt misschien niet goed, of je hebt geen threaded webserver, of je gebruikt multiple daemon processen.',
'This is an experimental feature and it needs more testing. If you decide to downgrade you do it at your own risk': 'Dit is een experimentele feature en heeft meer tests nodig. Downgraden op eigen risico.',
'This is an experimental feature and it needs more testing. If you decide to upgrade you do it at your own risk': 'Dit is een experimentele feature en heeft meer tests nodig. Upgraden op eigen risico.',
'This is the %(filename)s template': 'Dit is de %(filename)s template',
"This page can commit your changes to an openshift app repo and push them to your cloud instance. This assumes that you've already created the application instance using the web2py skeleton and have that repo somewhere on a filesystem that this web2py instance can access. This functionality requires GitPython installed and on the python path of the runtime that web2py is operating in.": 'Op deze pagina kan je veranderingen naar een openshift app repo committen en pushen naar je cloud-instantie. Dit gaat er vanuit dat je de applicatie-instantie al gemaakt hebt met de web2py skeleton en de repo ergens op een bestandssysteem hebt waar de web2py-instantie toegang tot heeft. Deze functionaliteit vereist ook een geïnstalleerde GitPython welke beschikbaar is in het python pad van de runtime waar web2py ook in opereert.',
'This page can upload your application to the Google App Engine computing cloud. Mind that you must first create indexes locally and this is done by installing the Google appserver and running the app locally with it once, or there will be errors when selecting records. Attention: deployment may take long time, depending on the network speed. Attention: it will overwrite your app.yaml. DO NOT SUBMIT TWICE.': 'Op deze pagina kan je applicatie uploaden naar Google App Engine. Let op, dat je eerst je indexes lokaal aanmaakt. Dit kun je doen door de Google appserver te installeren en de app lokaal eenmaal te draaien, anders krijg je error wanneer je records selecteert. Attentie: deployment kan een lange tijd duren, afhankelijk van de netwerksnelheid. Attentie: het overschrijft je app.yaml. SUBMIT NIET TWEE KEER!',
'this page to see if a breakpoint was hit and debug interaction is required.': 'deze pagina om te zien of een breakpoint geraakt is en debug-interactie nodig is',
'This will pull changes from the remote repo for application "%s"?': 'Dit zal veranderingen van de remote repo for applicatie "%s" pullen. ',
'This will push changes to the remote repo for application "%s".': 'Dit zal veranderingen naar de remote repo for applicatie "%s" pushen. ',
'ticket': 'ticket',
'Ticket': 'Ticket',
'Ticket ID': 'Ticket ID',
'tickets': 'tickets',
'Time in Cache (h:m:s)': 'Tijd in Cache (u:m:s)',
'to previous version.': 'naar vorige versie.',
'To create a plugin, name a file/folder plugin_[name]': 'Om een plugin te maken, neem een bestand/directory plugin_[naam]',
'To emulate a breakpoint programatically, write:': 'Om een breakpoint programmatische te emuleren, schrijf:',
'to use the debugger!': 'om de debugger te gebruiken!',
'toggle breakpoint': 'toggle breakpoint',
'Traceback': 'Traceback',
'Translation strings for the application': 'Vertaalstrings van de applicatie',
'try something like': 'probeer zoiets als',
'try view': 'try view',
'Type PDB debugger command in here and hit Return (Enter) to execute it.': 'Type PDB debugger commando hier en druk op Return (Enter) om het uit te voeren.',
'Type python statement in here and hit Return (Enter) to execute it.': 'Type python statement hier en druk op Return (Enter) om het uit te voeren.',
'Unable to check for upgrades': 'Onmogelijk om voor upgrades te checken',
'unable to create application "%s"': 'onmogelijk om applicatie "%s" te maken',
'unable to create application "%s" (it may exist already)': 'onmogelijk om applicatie "%s" te maken (mogelijk bestaat deze al)',
'unable to delete file "%(filename)s"': 'onmogelijk om bestand "%(filename)s" te verwijderen',
'unable to delete file plugin "%(plugin)s"': 'onmogelijk om pluginbestand "%(plugin)s" te verwijderen',
'Unable to determine the line number!': 'Onmogelijk om regelnummer te bepalen!',
'Unable to download app because:': 'Onmogelijk om app the downloaden omdat:',
'Unable to download because:': 'Onmogelijk om te downloaden omdat:',
'unable to download layout': 'onmogelijk om layout te downloaden',
'unable to download plugin: %s': 'onmogelijk om plugin te downloaden: %s',
'unable to install application "%(appname)s"': 'onmogelijk om applicatie "%(appname)s" te installeren',
'unable to parse csv file': 'onmogelijk om csv-bestand te parsen',
'unable to uninstall "%s"': 'onmogelijk om te deïnstalleren "%s"',
'unable to upgrade because "%s"': 'onmogelijk om te upgraden omdat "%s"',
'unauthorized': 'niet geautoriseerd ',
'uncheck all': 'vink alles uit',
'uninstall': 'deïnstalleer',
'Uninstall': 'Deïnstalleer',
'Unsupported webserver working mode: %s': 'Niet ondersteunde webserver werkmodus: %s',
'update': 'update',
'update all languages': 'update alle talen',
'Update:': 'Update:',
'Upgrade': 'Upgrade',
'upgrade now': 'upgrade now',
'upgrade_web2py': 'upgrade_web2py',
'upload': 'upload',
'Upload a package:': 'Upload een package:',
'Upload and install packed application': 'Upload en installeer packed applicatie',
'upload file:': 'upload bestand:',
'upload plugin file:': 'upload pluginbestand:',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Gebruik (...)&(...) voor AND, (...)|(...) voor OR, en ~(...) voor NOT om meer complexe queries te maken.',
'user': 'gebruiker',
'Using the shell may lock the database to other users of this app.': 'Het gebruik van de shell kan database locken voor andere gebruikers van deze app.',
'value not allowed': 'waarde is niet toegestaan',
'variables': 'variabelen',
'Version': 'Versie',
'Version %s.%s.%s (%s) %s': 'Versie %s.%s.%s (%s) %s',
'Versioning': 'Versionering',
'view': 'view',
'Views': 'Views',
'views': 'views',
'WARNING:': 'WAARSCHUWING:',
'Web Framework': 'Web Framework',
'web2py apps to deploy': 'web2py apps om te deployen',
'web2py Debugger': 'web2py Debugger',
'web2py downgrade': 'web2py downgrade',
'web2py is up to date': 'web2py is up to date',
'web2py online debugger': 'web2py online debugger',
'web2py Recent Tweets': 'web2py Recente Tweets',
'web2py upgrade': 'web2py upgrade',
'web2py upgraded; please restart it': 'web2py geupgrade; herstart alstublieft',
'Wrap with Abbreviation': 'Wrap met Afkorting',
'WSGI reference name': 'WSGI reference name',
'YES': 'JA',
'You can also set and remove breakpoint in the edit window, using the Toggle Breakpoint button': 'Je kan ook een breakpoint zetten of verwijderen in het bewerkscherm met de Toggle Breakpoint-knop',
'You have one more login attempt before you are locked out': 'Je hebt nog een poging om in te loggen voor je buitengesloten wordt.',
'you must specify a name for the uploaded application': 'je moet een naam specificeren voor de geuploade applicatie',
'You need to set up and reach a': 'Je moet het volgende opzetten en bereiken:',
'Your application will be blocked until you click an action button (next, step, continue, etc.)': 'Je applicatie zal geblokkeerd zijn tot je een actie button aanklikt (volgende, step, ga door, etc.)',
'Your can inspect variables using the console bellow': 'Je kan je variabelen inspecteren in de console hieronder',
}
| Python |
# coding: utf8
{
'!langcode!': 'zh-tw',
'!langname!': '台灣中文',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"更新" 是選擇性的條件式, 格式就像 "欄位1=\'值\'". 但是 JOIN 的資料不可以使用 update 或是 delete"',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '已刪除 %s 筆',
'%s %%{row} updated': '已更新 %s 筆',
'(something like "it-it")': '(格式類似 "zh-tw")',
'@markmin\x01Searching: **%s** %%{file}': 'Searching: **%s** files',
'A new version of web2py is available': '新版的 web2py 已發行',
'A new version of web2py is available: %s': '新版的 web2py 已發行: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': '注意: 登入管理帳號需要安全連線(HTTPS)或是在本機連線(localhost).',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': '注意: 因為在測試模式不保證多執行緒安全性,也就是說不可以同時執行多個測試案例',
'ATTENTION: you cannot edit the running application!': '注意:不可編輯正在執行的應用程式!',
'About': '關於',
'About application': '關於本應用程式',
'Admin is disabled because insecure channel': '管理功能(Admin)在不安全連線環境下自動關閉',
'Admin is disabled because unsecure channel': '管理功能(Admin)在不安全連線環境下自動關閉',
'Administrator Password:': '管理員密碼:',
'Are you sure you want to delete file "%s"?': '確定要刪除檔案"%s"?',
'Are you sure you want to delete plugin "%s"?': '確定要刪除插件 "%s"?',
'Are you sure you want to uninstall application "%s"': '確定要移除應用程式 "%s"',
'Are you sure you want to uninstall application "%s"?': '確定要移除應用程式 "%s"',
'Are you sure you want to upgrade web2py now?': '確定現在要升級 web2py?',
'Authentication': '驗證',
'Available databases and tables': '可提供的資料庫和資料表',
'Cannot be empty': '不可空白',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': '無法編譯:應用程式中含有錯誤,請除錯後再試一次.',
'Cannot compile: there are errors in your app:': '無法編譯: 在你的應用程式存在錯誤:',
'Change Password': '變更密碼',
'Change admin password': 'change admin password',
'Check to delete': '打勾代表刪除',
'Check to delete:': '打勾代表刪除:',
'Checking for upgrades...': '檢查新版本中...',
'Clean': '清除',
'Client IP': '客戶端網址(IP)',
'Compile': '編譯',
'Controller': '控件',
'Controllers': '控件',
'Copyright': '版權所有',
'Create': '創建',
'Create new simple application': '創建應用程式',
'Current request': '目前網路資料要求(request)',
'Current response': '目前網路資料回應(response)',
'Current session': '目前網路連線資訊(session)',
'DB Model': '資料庫模組',
'DESIGN': '設計',
'Database': '資料庫',
'Date and Time': '日期和時間',
'Delete': '刪除',
'Delete:': '刪除:',
'Deploy on Google App Engine': '配置到 Google App Engine',
'Description': '描述',
'Design for': '設計為了',
'E-mail': '電子郵件',
'EDIT': '編輯',
'Edit': '編輯',
'Edit Profile': '編輯設定檔',
'Edit This App': '編輯本應用程式',
'Edit application': '編輯應用程式',
'Edit current record': '編輯當前紀錄',
'Editing Language file': '編輯語言檔案',
'Editing file': '編輯檔案',
'Editing file "%s"': '編輯檔案"%s"',
'Enterprise Web Framework': '企業網站平台',
'Error logs for "%(app)s"': '"%(app)s"的錯誤紀錄',
'Errors': '錯誤紀錄',
'Exception instance attributes': 'Exception instance attributes',
'First name': '名',
'Functions with no doctests will result in [passed] tests.': '沒有 doctests 的函式會顯示 [passed].',
'Group ID': '群組編號',
'Hello World': '嗨! 世界',
'Help': '說明檔',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.',
'Import/Export': '匯入/匯出',
'Index': '索引',
'Install': '安裝',
'Installed applications': '已安裝應用程式',
'Internal State': '內部狀態',
'Invalid Query': '不合法的查詢',
'Invalid action': '不合法的動作(action)',
'Invalid email': '不合法的電子郵件',
'Language files (static strings) updated': '語言檔已更新',
'Languages': '各國語言',
'Last name': '姓',
'Last saved on:': '最後儲存時間:',
'Layout': '網頁配置',
'License for': '許可證',
'Login': '登入',
'Login to the Administrative Interface': '登入到管理員介面',
'Logout': '登出',
'Lost Password': '密碼遺忘',
'Main Menu': '主選單',
'Menu Model': '選單模組(menu)',
'Models': '資料模組',
'Modules': '程式模組',
'NO': '否',
'Name': '名字',
'New Record': '新紀錄',
'No databases in this application': '這應用程式不含資料庫',
'Origin': '原文',
'Original/Translation': '原文/翻譯',
'Overwrite installed app': '覆蓋已安裝的應用程式',
'PAM authenticated user, cannot change password here': 'PAM 授權使用者, 無法在此變更密碼',
'Pack all': '全部打包',
'Pack compiled': '打包已編譯資料',
'Password': '密碼',
"Password fields don't match": '密碼欄不匹配',
'Peeking at file': '選個文件',
'Plugin "%s" in application': '在應用程式的插件 "%s"',
'Plugins': '插件',
'Powered by': '基於以下技術構建:',
'Query:': '查詢:',
'Record ID': '紀錄編號',
'Register': '註冊',
'Registration key': '註冊金鑰',
'Remember me (for 30 days)': '記住帳號(30 天)',
'Remove compiled': '編譯檔案已移除',
'Reset Password key': '重設密碼',
'Resolve Conflict file': '解決衝突檔案',
'Role': '角色',
'Rows in table': '在資料表裏的資料',
'Rows selected': '筆資料被選擇',
'Saved file hash:': '檔案雜湊值已紀錄:',
'Site': '網站',
'Static files': '靜態檔案',
'Stylesheet': '網頁風格檔',
'Submit': '傳送',
'Sure you want to delete this object?': '確定要刪除此物件?',
'TM': 'TM',
'Table name': '資料表名稱',
'Testing application': '測試中的應用程式',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"查詢"是一個像 "db.表1.欄位1==\'值\'" 的條件式. 以"db.表1.欄位1==db.表2.欄位2"方式則相當於執行 JOIN SQL.',
'There are no controllers': '沒有控件(controllers)',
'There are no models': '沒有資料庫模組(models)',
'There are no modules': '沒有程式模組(modules)',
'There are no static files': '沒有靜態檔案',
'There are no translators, only default language is supported': '沒有翻譯檔,只支援原始語言',
'There are no views': '沒有視圖',
'This is the %(filename)s template': '這是%(filename)s檔案的樣板(template)',
'Ticket': '問題單',
'Timestamp': '時間標記',
'To create a plugin, name a file/folder plugin_[name]': '檔案或目錄名稱以 plugin_開頭來創建插件',
'Unable to check for upgrades': '無法做升級檢查',
'Unable to download': '無法下載',
'Unable to download app': '無法下載應用程式',
'Unable to download app because:': '無法下載應用程式因為:',
'Unable to download because': '因為下列原因無法下載:',
'Uninstall': '解除安裝',
'Update:': '更新:',
'Upload & install packed application': '上傳並安裝已打包的應用程式',
'Upload existing application': '更新存在的應用程式',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': '使用下列方式來組合更複雜的條件式, (...)&(...) 代表同時存在的條件, (...)|(...) 代表擇一的條件, ~(...)則代表反向條件.',
'User %(id)s Logged-in': '使用者 %(id)s 已登入',
'User %(id)s Registered': '使用者 %(id)s 已註冊',
'User ID': '使用者編號',
'Verify Password': '驗證密碼',
'Version': '版本',
'View': '視圖',
'Views': '視圖',
'Welcome %s': '歡迎 %s',
'Welcome to web2py': '歡迎使用 web2py',
'YES': '是',
'additional code for your application': '應用程式額外的程式碼',
'admin disabled because no admin password': '管理介面關閉原因是沒有設定管理員密碼 ',
'admin disabled because not supported on google app engine': '管理介面關閉原因是不支援在google apps engine環境下運作',
'admin disabled because unable to access password file': '管理介面關閉原因是無法存取密碼檔',
'amy_ajax': 'amy_ajax',
'and rename it (required):': '同時更名為(必要的):',
'and rename it:': '同時更名為:',
'appadmin': '應用程式管理員',
'appadmin is disabled because insecure channel': '管理介面關閉理由是連線方式不安全',
'application "%s" uninstalled': '已移除應用程式 "%s"',
'application compiled': '已編譯應用程式',
'application is compiled and cannot be designed': '應用程式已經編譯無法重新設計',
'arguments': 'arguments',
'back': '回復(back)',
'cache': '快取記憶體',
'cache, errors and sessions cleaned': '快取記憶體,錯誤紀錄,連線紀錄已清除',
'cannot create file': '無法創建檔案',
'cannot upload file "%(filename)s"': '無法上傳檔案 "%(filename)s"',
'change_password': '變更密碼',
'check all': '全選',
'click here for online examples': '點此處進入線上範例',
'click here for the administrative interface': '點此處進入管理介面',
'click to check for upgrades': '點擊打勾以便升級',
'code': 'code',
'compiled application removed': '已移除已編譯的應用程式',
'controllers': '控件',
'create file with filename:': '創建檔案:',
'create new application:': '創建新應用程式:',
'created by': '創建自',
'crontab': '定時執行表',
'currently saved or': '現在存檔或',
'customize me!': '請調整我!',
'data uploaded': '資料已上傳',
'database': '資料庫',
'database %s select': '已選擇 %s 資料庫',
'database administration': '資料庫管理',
'db': 'db',
'defines tables': '定義資料表',
'delete': '刪除',
'delete all checked': '刪除所有已選擇項目',
'delete plugin': '刪除插件',
'delete_plugin': '刪除插件',
'design': '設計',
'direction: ltr': 'direction: ltr',
'done!': '完成!',
'edit controller': '編輯控件',
'edit views:': '編輯視圖',
'edit_language': '編輯語言檔',
'export as csv file': '以逗號分隔檔(csv)格式匯出',
'exposes': '外顯',
'extends': '擴展',
'failed to reload module because:': '因為下列原因無法重新載入程式模組:',
'file "%(filename)s" created': '檔案 "%(filename)s" 已創建',
'file "%(filename)s" deleted': '檔案 "%(filename)s" 已刪除',
'file "%(filename)s" uploaded': '檔案 "%(filename)s" 已上傳',
'file "%s" of %s restored': '檔案 %s 的 "%s" 已回存',
'file changed on disk': '在磁碟上檔案已改變',
'file does not exist': '檔案不存在',
'file saved on %(time)s': '檔案已於 %(time)s 儲存',
'file saved on %s': '檔案在 %s 已儲存',
'htmledit': 'html編輯',
'includes': '包含',
'index': '索引',
'insert new': '插入新資料',
'insert new %s': '插入新資料 %s',
'internal error': '內部錯誤',
'invalid password': '密碼錯誤',
'invalid request': '不合法的網路要求(request)',
'invalid ticket': '不合法的問題單號',
'language file "%(filename)s" created/updated': '語言檔"%(filename)s"已創建或更新',
'languages': '語言檔',
'loading...': '載入中...',
'login': '登入',
'merge': '合併',
'models': '資料庫模組',
'modules': '程式模組',
'new application "%s" created': '已創建新的應用程式 "%s"',
'new plugin installed': '已安裝新插件',
'new record inserted': '已新增新紀錄',
'next 100 rows': '往後 100 筆',
'no match': '無法匹配',
'or import from csv file': '或是從逗號分隔檔(CSV)匯入',
'or provide app url:': '或是提供應用程式的安裝網址:',
'pack plugin': '打包插件',
'password changed': '密碼已變更',
'peek': '選取',
'plugin': '插件',
'plugin "%(plugin)s" deleted': '已刪除插件"%(plugin)s"',
'previous 100 rows': '往前 100 筆',
'record': '紀錄',
'record does not exist': '紀錄不存在',
'record id': '紀錄編號',
'register': '註冊',
'resolve': '解決',
'restore': '回存',
'revert': '反向恢復',
'save': '儲存',
'selected': '已選擇',
'session expired': '連線(session)已過時',
'shell': '命令列操作介面',
'some files could not be removed': '部份檔案無法移除',
'state': '狀態',
'static': '靜態檔案',
'submit': '傳送',
'table': '資料表',
'test': '測試',
'the application logic, each URL path is mapped in one exposed function in the controller': '應用程式邏輯 - 每個網址路徑對應到一個控件的函式',
'the data representation, define database tables and sets': '資料展現層 - 用來定義資料表和集合',
'the presentations layer, views are also known as templates': '外觀展現層 - 視圖有時也被稱為樣板',
'these files are served without processing, your images go here': '這些檔案保留未經處理,你的影像檔在此',
'ticket': '問題單',
'to previous version.': '到前一個版本',
'translation strings for the application': '翻譯此應用程式的字串',
'try': '嘗試',
'try something like': '嘗試如',
'unable to create application "%s"': '無法創建應用程式 "%s"',
'unable to delete file "%(filename)s"': '無法刪除檔案 "%(filename)s"',
'unable to delete file plugin "%(plugin)s"': '無法刪查插件檔 "%(plugin)s"',
'unable to parse csv file': '無法解析逗號分隔檔(csv)',
'unable to uninstall "%s"': '無法移除安裝 "%s"',
'unable to upgrade because "%s"': '無法升級因為 "%s"',
'uncheck all': '全不選',
'update': '更新',
'update all languages': '將程式中待翻譯語句更新到所有的語言檔',
'upgrade web2py now': 'upgrade web2py now',
'upgrade_web2py': '升級 web2py',
'upload application:': '上傳應用程式:',
'upload file:': '上傳檔案:',
'upload plugin file:': '上傳插件檔:',
'variables': 'variables',
'versioning': '版本管理',
'view': '視圖',
'views': '視圖',
'web2py Recent Tweets': 'web2py 最近的 Tweets',
'web2py is up to date': 'web2py 已經是最新版',
'web2py upgraded; please restart it': '已升級 web2py ; 請重新啟動',
}
| Python |
# coding: utf8
{
'!langcode!': 'en-us',
'!langname!': 'English (US)',
'%Y-%m-%d': '%m-%d-%Y',
'%Y-%m-%d %H:%M:%S': '%m-%d-%Y %H:%M:%S',
'(requires internet access)': '(requires internet access)',
'(something like "it-it")': '(something like "it-it")',
'About': 'About',
'Additional code for your application': 'Additional code for your application',
'admin disabled because unable to access password file': 'admin disabled because unable to access password file',
'Admin language': 'Admin language',
'administrative interface': 'administrative interface',
'Administrator Password:': 'Administrator Password:',
'and rename it:': 'and rename it:',
'Application name:': 'Application name:',
'are not used yet': 'are not used yet',
'Are you sure you want to delete this object?': 'Are you sure you want to delete this object?',
'arguments': 'arguments',
'at char %s': 'at char %s',
'at line %s': 'at line %s',
'back': '<<back',
'Basics': 'Basics',
'Begin': 'Begin',
'can be a git repo': 'can be a git repo',
'Change admin password': 'Change admin password',
'Check for upgrades': 'Check for upgrades',
'Checking for upgrades...': 'Checking for upgrades...',
'Clean': 'Clean',
'code': 'code',
'collapse/expand all': 'collapse/expand all',
'Compile': 'Compile',
'Controllers': 'Controllers',
'controllers': 'controllers',
'Create': 'Create',
'create file with filename:': 'create file with filename:',
'Create rules': 'Create rules',
'created by': 'created by',
'crontab': 'crontab',
'currently running': 'currently running',
'currently saved or': 'currently saved or',
'database administration': 'database administration',
'Debug': 'Debug',
'defines tables': 'defines tables',
'delete': 'delete',
'Delete this file (you will be asked to confirm deletion)': 'Delete this file (you will be asked to confirm deletion)',
'Deploy': 'Deploy',
'Deploy on Google App Engine': 'Deploy on Google App Engine',
'Deploy to OpenShift': 'Deploy to OpenShift',
'Detailed traceback description': 'Detailed traceback description',
'direction: ltr': 'direction: ltr',
'Disable': 'Disable',
'docs': 'docs',
'download layouts': 'download layouts',
'download plugins': 'download plugins',
'Edit': 'Edit',
'edit all': 'edit all',
'Edit application': 'Edit application',
'edit controller': 'edit controller',
'edit views:': 'edit views:',
'Editing file "%s"': 'Editing file "%s"',
'Editing Language file': 'Editing Language file',
'Error snapshot': 'Error snapshot',
'Error ticket': 'Error ticket',
'Errors': 'Errors',
'Exception instance attributes': 'Exception instance attributes',
'Expand Abbreviation': 'Expand Abbreviation',
'exposes': 'exposes',
'exposes:': 'exposes:',
'extends': 'extends',
'failed to compile file because:': 'failed to compile file because:',
'file does not exist': 'file does not exist',
'file saved on %s': 'file saved on %s',
'filter': 'filter',
'Frames': 'Frames',
'Generate': 'Generate',
'Get from URL:': 'Get from URL:',
'Git Pull': 'Git Pull',
'Git Push': 'Git Push',
'Go to Matching Pair': 'Go to Matching Pair',
'go!': 'go!',
'Help': 'Help',
'Hide/Show Translated strings': 'Hide/Show Translated strings',
'includes': 'includes',
'inspect attributes': 'inspect attributes',
'Install': 'Install',
'Installed applications': 'Installed applications',
'invalid password.': 'invalid password.',
'Key bindings': 'Key bindings',
'Key bindings for ZenCoding Plugin': 'Key bindings for ZenCoding Plugin',
'Language files (static strings) updated': 'Language files (static strings) updated',
'languages': 'languages',
'Languages': 'Languages',
'Last saved on:': 'Last saved on:',
'loading...': 'loading...',
'locals': 'locals',
'Login': 'Login',
'Login to the Administrative Interface': 'Login to the Administrative Interface',
'Logout': 'Logout',
'Match Pair': 'Match Pair',
'Merge Lines': 'Merge Lines',
'models': 'models',
'Models': 'Models',
'Modules': 'Modules',
'modules': 'modules',
'New Application Wizard': 'New Application Wizard',
'New application wizard': 'New application wizard',
'New simple application': 'New simple application',
'Next Edit Point': 'Next Edit Point',
'online designer': 'online designer',
'Original/Translation': 'Original/Translation',
'Overwrite installed app': 'Overwrite installed app',
'Pack all': 'Pack all',
'Peeking at file': 'Peeking at file',
'Plugins': 'Plugins',
'plugins': 'plugins',
'Plural-Forms:': 'Plural-Forms:',
'Powered by': 'Powered by',
'Previous Edit Point': 'Previous Edit Point',
'Private files': 'Private files',
'private files': 'private files',
'Reload routes': 'Reload routes',
'Removed Breakpoint on %s at line %s': 'Removed Breakpoint on %s at line %s',
'request': 'request',
'response': 'response',
'restart': 'restart',
'restore': 'restore',
'revert': 'revert',
'rules are not defined': 'rules are not defined',
'rules:': 'rules:',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Running on %s': 'Running on %s',
'Save': 'Save',
'Save via Ajax': 'Save via Ajax',
'Saved file hash:': 'Saved file hash:',
'session': 'session',
'session expired': 'session expired',
'Set Breakpoint on %s at line %s: %s': 'Set Breakpoint on %s at line %s: %s',
'shell': 'shell',
'Site': 'Site',
'skip to generate': 'skip to generate',
'Start a new app': 'Start a new app',
'Start wizard': 'Start wizard',
'static': 'static',
'Static files': 'Static files',
'Step': 'Step',
'Submit': 'Submit',
'successful': 'successful',
'test': 'test',
'The application logic, each URL path is mapped in one exposed function in the controller': 'The application logic, each URL path is mapped in one exposed function in the controller',
'The data representation, define database tables and sets': 'The data representation, define database tables and sets',
'The presentations layer, views are also known as templates': 'The presentations layer, views are also known as templates',
'There are no models': 'There are no models',
'There are no plugins': 'There are no plugins',
'These files are not served, they are only available from within your app': 'These files are not served, they are only available from within your app',
'These files are served without processing, your images go here': 'These files are served without processing, your images go here',
'Ticket ID': 'Ticket ID',
'Ticket Missing': 'Ticket Missing',
'to previous version.': 'to previous version.',
'To create a plugin, name a file/folder plugin_[name]': 'To create a plugin, name a file/folder plugin_[name]',
'toggle breakpoint': 'toggle breakpoint',
'Toggle Fullscreen': 'Toggle Fullscreen',
'Traceback': 'Traceback',
'Translation strings for the application': 'Translation strings for the application',
'try view': 'try view',
'Uninstall': 'Uninstall',
'update': 'update',
'update all languages': 'update all languages',
'upload': 'upload',
'Upload a package:': 'Upload a package:',
'Upload and install packed application': 'Upload and install packed application',
'upload file:': 'upload file:',
'upload plugin file:': 'upload plugin file:',
'variables': 'variables',
'Version': 'Version',
'Version %s.%s.%s (%s) %s': 'Version %s.%s.%s (%s) %s',
'Versioning': 'Versioning',
'views': 'views',
'Views': 'Views',
'Web Framework': 'Web Framework',
'web2py is up to date': 'web2py is up to date',
'web2py Recent Tweets': 'web2py Recent Tweets',
'Wrap with Abbreviation': 'Wrap with Abbreviation',
}
| Python |
# coding: utf8
{
'!=': '!=',
'!langcode!': 'ro',
'!langname!': 'Română',
'"update" is an optional expression like "field1=\'newvalue\'". You cannot update or delete the results of a JOIN': '"update" (actualizează) este o expresie opțională precum "câmp1=\'valoare_nouă\'". Nu puteți actualiza sau șterge rezultatele unui JOIN',
'%(nrows)s records found': '%(nrows)s înregistrări găsite',
'%Y-%m-%d': '%Y-%m-%d',
'%Y-%m-%d %H:%M:%S': '%Y-%m-%d %H:%M:%S',
'%s %%{row} deleted': '%s linii șterse',
'%s %%{row} updated': '%s linii actualizate',
'(requires internet access)': '(are nevoie de acces internet)',
'(something like "it-it")': '(ceva ce seamănă cu "it-it")',
'<': '<',
'<=': '<=',
'=': '=',
'>': '>',
'>=': '>=',
'@markmin\x01Searching: **%s** %%{file}': 'Căutare: **%s** fișiere',
'A new version of web2py is available': 'O nouă versiune de web2py este disponibilă',
'A new version of web2py is available: %s': 'O nouă versiune de web2py este disponibilă: %s',
'ATTENTION: Login requires a secure (HTTPS) connection or running on localhost.': 'ATENȚIE: Nu vă puteți conecta decât utilizând o conexiune securizată (HTTPS) sau rulând aplicația pe computerul local.',
'ATTENTION: TESTING IS NOT THREAD SAFE SO DO NOT PERFORM MULTIPLE TESTS CONCURRENTLY.': 'ATENȚIE: Nu puteți efectua mai multe teste o dată deoarece lansarea în execuție a mai multor subpocese nu este sigură.',
'ATTENTION: you cannot edit the running application!': 'ATENȚIE: nu puteți edita o aplicație în curs de execuție!',
'Abort': 'Anulează',
'About': 'Despre',
'About application': 'Despre aplicație',
'Access Control': 'Control acces',
'Add': 'Adaugă',
'Additional code for your application': 'Cod suplimentar pentru aplicație',
'Admin is disabled because insecure channel': 'Adminstrarea este dezactivată deoarece conexiunea nu este sigură',
'Admin is disabled because unsecure channel': 'Administrarea este dezactivată deoarece conexiunea nu este securizată',
'Admin language': 'Limba de administrare',
'Administration': 'Administrare',
'Administrative Interface': 'Interfață administrare',
'Administrator Password:': 'Parolă administrator:',
'Ajax Recipes': 'Rețete Ajax',
'And': 'Și',
'Application name:': 'Nume aplicație:',
'Are you sure you want to delete file "%s"?': 'Sigur ștergeți fișierul "%s"?',
'Are you sure you want to delete this object?': 'Sigur ștergeți acest obiect?',
'Are you sure you want to uninstall application "%s"': 'Sigur dezinstalați aplicația "%s"',
'Are you sure you want to uninstall application "%s"?': 'Sigur dezinstalați aplicația "%s"?',
'Authentication': 'Autentificare',
'Available databases and tables': 'Baze de date și tabele disponibile',
'Back': 'Înapoi',
'Begin': 'Început',
'Buy this book': 'Cumpără această carte',
'Cache Keys': 'Chei cache',
'Cannot be empty': 'Nu poate fi vid',
'Cannot compile: there are errors in your app. Debug it, correct errors and try again.': 'Compilare imposibilă: aplicația conține erori. Debogați aplicația și încercați din nou.',
'Change Password': 'Schimbare parolă',
'Change admin password': 'Schimbă parola de administrare',
'Change password': 'Schimbare parolă',
'Check for upgrades': 'Verifică dacă există upgrade-uri',
'Check to delete': 'Coșați pentru a șterge',
'Checking for upgrades...': 'Verifică dacă există actualizări...',
'Clean': 'Curăță',
'Clear': 'Golește',
'Click row to expand traceback': 'Clic pe linie pentru a extinde mesajul de trasabilitate',
'Click row to view a ticket': 'Click row to view a ticket',
'Client IP': 'IP client',
'Community': 'Comunitate',
'Compile': 'Compilează',
'Components and Plugins': 'Componente și plugin-uri',
'Controller': 'Controlor',
'Controllers': 'Controlori',
'Copyright': 'Drepturi de autor',
'Count': 'Număr',
'Create': 'Crează',
'Create new application': 'Creați aplicație nouă',
'Current request': 'Cerere curentă',
'Current response': 'Răspuns curent',
'Current session': 'Sesiune curentă',
'DB Model': 'Model bază de date',
'DESIGN': 'DESIGN',
'Database': 'Baza de date',
'Date and Time': 'Data și ora',
'Debug': 'Debogare',
'Delete': 'Șterge',
'Delete this file (you will be asked to confirm deletion)': 'Delete this file (you will be asked to confirm deletion)',
'Delete:': 'Șterge:',
'Demo': 'Demo',
'Deploy': 'Instalare',
'Deploy on Google App Engine': 'Instalare pe Google App Engine',
'Deployment Recipes': 'Rețete de instalare',
'Description': 'Descriere',
'Design for': 'Design pentru',
'Detailed traceback description': 'Descriere detaliată a mesajului de trasabilitate',
'Disable': 'Dezactivează',
'Disk Cache Keys': 'Chei cache de disc',
'Documentation': 'Documentație',
"Don't know what to do?": 'Nu știți ce să faceți?',
'Download': 'Descărcare',
'E-mail': 'E-mail',
'E-mail invalid': 'E-mail invalid',
'EDIT': 'EDITARE',
'Edit': 'Editare',
'Edit Profile': 'Editare profil',
'Edit This App': 'Editați această aplicație',
'Edit application': 'Editare aplicație',
'Edit current record': 'Editare înregistrare curentă',
'Editing file': 'Editare fișier',
'Editing file "%s"': 'Editare fișier "%s"',
'Email and SMS': 'E-mail și SMS',
'Error': 'Eroare',
'Error logs for "%(app)s"': 'Log erori pentru "%(app)s"',
'Error snapshot': 'Instantaneu eroare',
'Error ticket': 'Tichet eroare',
'Errors': 'Erori',
'Exception instance attributes': 'Exception instance attributes',
'Expand Abbreviation': 'Extinde abreviația',
'Export': 'Export',
'FAQ': 'Întrebări frecvente',
'False': 'Neadevărat',
'File': 'Fișier',
'First name': 'Prenume',
'Forbidden': 'Interzis',
'Forms and Validators': 'Formulare și validatori',
'Frames': 'Frames',
'Free Applications': 'Aplicații gratuite',
'Functions with no doctests will result in [passed] tests.': 'Funcțiile fără doctests vor genera teste [trecute].',
'Get from URL:': 'Obține de la adresa:',
'Go to Matching Pair': 'Mergi la perechea care se potrivește',
'Group %(group_id)s created': 'Grup %(group_id)s creat',
'Group ID': 'ID grup',
'Group uniquely assigned to user %(id)s': 'Grup asociat în mod unic utilizatorului %(id)s',
'Groups': 'Grupuri',
'Hello World': 'Salutare lume',
'Help': 'Ajutor',
'Home': 'Acasă',
'How did you get here?': 'Cum ați ajuns aici?',
'If the report above contains a ticket number it indicates a failure in executing the controller, before any attempt to execute the doctests. This is usually due to an indentation error or an error outside function code.\r\nA green title indicates that all tests (if defined) passed. In this case test results are not shown.': 'Dacă raportul de deasupra conține un număr de tichet, asta indică un eșec în executarea controlorului, înainte de orice încercare de a executa doctests-urile. Aceasta se întâmplă de obicei din cauza unei erori de identare sau a unei erori din afara corpului funcției.\r\nUn titlu în verde arată ca toate testele (dacă definite) au fost trecute. În acest caz rezultatele testelor nu sunt arătate.',
'Import/Export': 'Import/Export',
'Index': 'Index',
'Install': 'Instalează',
'Installed applications': 'Aplicații instalate',
'Internal State': 'Stare internă',
'Introduction': 'Introducere',
'Invalid Query': 'Interogare invalidă',
'Invalid action': 'Acțiune invalidă',
'Invalid email': 'E-mail invalid',
'Invalid password': 'Parolă invalidă',
'Key bindings': 'Combinație taste',
'Key bindings for ZenCoding Plugin': 'Key bindings for ZenCoding Plugin',
'Language files (static strings) updated': 'Fișierele de limbă (șirurile statice de caractere) actualizate',
'Languages': 'Limbi',
'Last name': 'Nume',
'Last saved on:': 'Ultima salvare:',
'Layout': 'Șablon',
'Layout Plugins': 'Șablon plugin-uri',
'Layouts': 'Șabloane',
'License for': 'Licență pentru',
'Live Chat': 'Chat live',
'Logged in': 'Logat',
'Logged out': 'Delogat',
'Login': 'Autentificare',
'Login to the Administrative Interface': 'Logare interfață de administrare',
'Logout': 'Ieșire',
'Lost Password': 'Parolă pierdută',
'Lost password?': 'Parolă pierdută?',
'Main Menu': 'Meniu principal',
'Match Pair': 'Potrivește pereche',
'Menu Model': 'Model meniu',
'Merge Lines': 'Unește linii',
'Models': 'Modele',
'Modules': 'Module',
'My Sites': 'Site-urile mele',
'NO': 'NU',
'Name': 'Nume',
'New': 'Nou',
'New Application Wizard': 'New Application Wizard',
'New Record': 'Înregistrare nouă',
'New application wizard': 'Magician aplicație nouă',
'New password': 'Parola nouă',
'New simple application': 'O nouă aplicație simplă',
'Next Edit Point': 'Următorul punct de editare',
'No databases in this application': 'Aplicație fără bază de date',
'No ticket_storage.txt found under /private folder': 'No ticket_storage.txt found under /private folder',
'OR': 'SAU',
'Object or table name': 'Obiect sau nume de tabel',
'Old password': 'Parola veche',
'Online examples': 'Exemple online',
'Or': 'Sau',
'Origin': 'Origine',
'Original/Translation': 'Original/Traducere',
'Other Plugins': 'Alte plugin-uri',
'Other Recipes': 'Alte rețete',
'Overview': 'Prezentare de ansamblu',
'Overwrite installed app': 'Suprascrie aplicație instalată',
'Pack all': 'Împachetează tot',
'Password': 'Parola',
"Password fields don't match": 'Câmpurile de parolă nu se potrivesc',
'Peeking at file': 'Vizualizare fișier',
'Plugins': 'Plugin-uri',
'Powered by': 'Pus în mișcare de',
'Preface': 'Prefață',
'Previous Edit Point': 'Punct de editare anterior',
'Profile': 'Profil',
'Project Progress': 'Progres proiect',
'Python': 'Python',
'Query': 'Interogare',
'Query:': 'Interogare:',
'Quick Examples': 'Exemple rapide',
'RAM Cache Keys': 'Chei cache RAM',
'Recipes': 'Rețete',
'Record ID': 'ID înregistrare',
'Register': 'Înregistrare',
'Registration identifier': 'Identificator de autentificare',
'Registration key': 'Cheie înregistrare',
'Registration successful': 'Autentificare reușită',
'Reload routes': 'Reîncarcare rute',
'Remember me (for 30 days)': 'Ține-mă minte (timp de 30 de zile)',
'Request reset password': 'Cerere resetare parolă',
'Reset Password key': 'Cheie resetare parolă',
'Resolve Conflict file': 'Rezolvă conflict fișier',
'Role': 'Rol',
'Rows in table': 'Linii în tabel',
'Rows selected': 'Linii selectate',
"Run tests in this file (to run all files, you may also use the button labelled 'test')": "Run tests in this file (to run all files, you may also use the button labelled 'test')",
'Save': 'Salvează',
'Save profile': 'Salvează profil',
'Save via Ajax': 'Salvează utilizând Ajax',
'Saved file hash:': 'Hash fișier salvat:',
'Search': 'Căutare',
'Semantic': 'Semantică',
'Services': 'Servicii',
'Set Breakpoint on %s at line %s: %s': 'Set Breakpoint on %s at line %s: %s',
'Site': 'Site',
'Sorry, could not find mercurial installed': 'Scuze, dar n-am gasit unde este instalat mercurial',
'Start a new app': 'Începe o nouă aplicație',
'Start wizard': 'Startează magician',
'Static files': 'Fișiere statice',
'Stylesheet': 'Foaie de stiluri',
'Submit': 'Înregistrează',
'Support': 'Suport',
'Sure you want to delete this object?': 'Sigur ștergeți acest obiect?',
'Table name': 'Nume tabel',
'Testing application': 'Testare aplicație',
'The "query" is a condition like "db.table1.field1==\'value\'". Something like "db.table1.field1==db.table2.field2" results in a SQL JOIN.': '"Interogarea (query)" este o condiție de tipul "db.tabel1.câmp1==\'valoare\'". Ceva de genul "db.tabel1.câmp1==db.tabel2.câmp2" generează un JOIN SQL.',
'The Core': 'Nucleul',
'The Views': 'Vederile',
'The application logic, each URL path is mapped in one exposed function in the controller': 'Logica aplicației, fiecare rută URL este mapată într-o funcție expusă de controlor',
'The data representation, define database tables and sets': 'Reprezentarea datelor, definește tabele și seturi de date',
'The output of the file is a dictionary that was rendered by the view': 'Fișierul produce un dicționar care a fost prelucrat de vederea',
'The presentations layer, views are also known as templates': 'Nivelul de prezentare, vederile sunt cunoscute de asemenea ca șabloane',
'There are no controllers': 'Nu există controlori',
'There are no models': 'Nu există modele',
'There are no modules': 'Nu există module',
'There are no plugins': 'Nu există plugin-uri',
'There are no static files': 'Nu există fișiere statice',
'There are no translators, only default language is supported': 'Nu există traduceri, doar limba implicită este suportată',
'There are no views': 'Nu există vederi',
'These files are served without processing, your images go here': 'Aceste fișiere sunt servite fără procesare, fișierele imagine se pun aici',
'This App': 'Această aplicație',
'This is a copy of the scaffolding application': 'Aceasta este o copie a aplicației schelet',
'This is the %(filename)s template': 'Aceasta este șablonul fișierului %(filename)s',
'Ticket': 'Tichet',
'Ticket ID': 'ID tichet',
'Timestamp': 'Moment în timp (timestamp)',
'To create a plugin, name a file/folder plugin_[name]': 'Pentru a crea un plugin, numește un fișier/director plugin_[nume]',
'Traceback': 'Trasabilitate',
'Translation strings for the application': 'Șiruri de traducere pentru aplicație',
'True': 'Adevărat',
'Twitter': 'Twitter',
'Unable to check for upgrades': 'Imposibil de verificat dacă există actualizări',
'Unable to download': 'Imposibil de descărcat',
'Unable to download app': 'Imposibil de descărcat aplicația',
'Uninstall': 'Dezinstalează',
'Update:': 'Actualizare:',
'Upload a package:': 'Încarcă un pachet:',
'Upload and install packed application': 'Încarcă și instalează aplicație împachetată',
'Upload existing application': 'Încarcă aplicația existentă',
'Use (...)&(...) for AND, (...)|(...) for OR, and ~(...) for NOT to build more complex queries.': 'Folosiți (...)&(...) pentru ȘI, (...)|(...) pentru SAU, și ~(...) pentru NEGARE, pentru a crea interogări complexe.',
'User %(id)s Logged-in': 'Utilizator %(id)s autentificat',
'User %(id)s Logged-out': 'Utilizator %(id)s delogat',
'User %(id)s Password changed': 'Parola utilizatorului %(id)s a fost schimbată',
'User %(id)s Password reset': 'Resetare parola utilizator %(id)s',
'User %(id)s Profile updated': 'Profil utilizator %(id)s actualizat',
'User %(id)s Registered': 'Utilizator %(id)s înregistrat',
'User ID': 'ID utilizator',
'VERSION': 'VERSIUNE',
'Verify Password': 'Verifică parola',
'Version': 'Version',
'Version %s.%s.%s (%s) %s': 'Versiune %s.%s.%s (%s) %s',
'Versioning': 'Versiuni',
'Videos': 'Video-uri',
'View': 'Vedere',
'Views': 'Vederi',
'Web Framework': 'Framework web',
'Welcome': 'Bine ați venit',
'Welcome %s': 'Bine ați venit %s',
'Welcome to web2py': 'Bun venit la web2py',
'Welcome to web2py!': 'Bun venit la web2py!',
'Which called the function': 'Care a apelat funcția',
'Wrap with Abbreviation': 'Încadrează cu abreviația',
'YES': 'DA',
'You are successfully running web2py': 'Rulați cu succes web2py',
'You can modify this application and adapt it to your needs': 'Puteți modifica și adapta aplicația nevoilor dvs.',
'You visited the url': 'Ați vizitat adresa',
'about': 'despre',
'additional code for your application': 'cod suplimentar pentru aplicația dvs.',
'admin disabled because no admin password': 'administrare dezactivată deoarece parola de administrator nu a fost furnizată',
'admin disabled because not supported on google app engine': 'administrare dezactivată deoarece funcționalitatea nu e suportat pe Google App Engine',
'admin disabled because unable to access password file': 'administrare dezactivată deoarece nu există acces la fișierul cu parole',
'administrative interface': 'interfață de administrare',
'and rename it (required):': 'și renumește (obligatoriu):',
'and rename it:': ' și renumește:',
'appadmin': 'appadmin',
'appadmin is disabled because insecure channel': 'appadmin dezactivat deoarece conexiunea nu e sigură',
'application "%s" uninstalled': 'aplicația "%s" a fost dezinstalată',
'application compiled': 'aplicația a fost compilată',
'application is compiled and cannot be designed': 'aplicația este compilată și nu poate fi editată',
'arguments': 'argumente',
'back': 'înapoi',
'cache': 'cache',
'cache, errors and sessions cleaned': 'cache, erori și sesiuni golite',
'cannot create file': 'fișier imposibil de creat',
'cannot upload file "%(filename)s"': 'imposibil de încărcat fișierul "%(filename)s"',
'change password': 'schimbare parolă',
'check all': 'coșează tot',
'clean': 'golire',
'click to check for upgrades': 'Clic pentru a verifica dacă există upgrade-uri',
'code': 'code',
'collapse/expand all': 'restrânge/extinde tot',
'compile': 'compilare',
'compiled application removed': 'aplicația compilată a fost ștearsă',
'contains': 'conține',
'controllers': 'controlori',
'create file with filename:': 'crează fișier cu numele:',
'create new application:': 'crează aplicație nouă:',
'created by': 'creat de',
'crontab': 'crontab',
'currently running': 'acum în funcționare',
'currently saved or': 'în prezent salvat sau',
'customize me!': 'Personalizează-mă!',
'data uploaded': 'date încărcate',
'database': 'bază de date',
'database %s select': 'selectare bază de date %s',
'database administration': 'administrare bază de date',
'db': 'db',
'defines tables': 'definire tabele',
'delete': 'șterge',
'delete all checked': 'șterge tot ce e coșat',
'design': 'design',
'details': 'detalii',
'direction: ltr': 'direcție: stânga-sus-dreapta',
'docs': 'documentație',
'done!': 'gata!',
'download layouts': 'descărcare șabloane',
'download plugins': 'descărcare plugin-uri',
'edit': 'editare',
'edit controller': 'editare controlor',
'edit profile': 'editare profil',
'edit views:': 'editează vederi:',
'enter a number between %(min)g and %(max)g': 'introduceți un număr între %(min)g și %(max)g',
'enter an integer between %(min)g and %(max)g': 'introduceți un întreg între %(min)g și %(max)g',
'errors': 'erori',
'export as csv file': 'exportă ca fișier csv',
'exposes': 'expune',
'exposes:': 'expune:',
'extends': 'extinde',
'failed to reload module': 'reîncarcare modul nereușită',
'file "%(filename)s" created': 'fișier "%(filename)s" creat',
'file "%(filename)s" deleted': 'fișier "%(filename)s" șters',
'file "%(filename)s" uploaded': 'fișier "%(filename)s" încărcat',
'file "%(filename)s" was not deleted': 'fișierul "%(filename)s" n-a fost șters',
'file "%s" of %s restored': 'fișier "%s" de %s restaurat',
'file changed on disk': 'fișier modificat pe disc',
'file does not exist': 'fișier inexistent',
'file saved on %(time)s': 'fișier salvat %(time)s',
'file saved on %s': 'fișier salvat pe %s',
'filter': 'filtru',
'help': 'ajutor',
'htmledit': 'editare html',
'includes': 'include',
'index': 'index',
'insert new': 'adaugă nou',
'insert new %s': 'adaugă nou %s',
'inspect attributes': 'inspectare atribute',
'internal error': 'eroare internă',
'invalid password': 'parolă invalidă',
'invalid request': 'cerere invalidă',
'invalid ticket': 'tichet invalid',
'language file "%(filename)s" created/updated': 'fișier de limbă "%(filename)s" creat/actualizat',
'languages': 'limbi',
'languages updated': 'limbi actualizate',
'loading...': 'încarc...',
'locals': 'localizare',
'located in the file': 'prezentă în fișierul',
'login': 'autentificare',
'logout': 'ieșire',
'merge': 'unește',
'models': 'modele',
'modules': 'module',
'new application "%s" created': 'aplicația nouă "%s" a fost creată',
'new record inserted': 'înregistrare nouă adăugată',
'next 100 rows': 'următoarele 100 de linii',
'online designer': 'designer online',
'or import from csv file': 'sau importă din fișier csv',
'or provide application url:': 'sau furnizează adresă url:',
'pack all': 'împachetează toate',
'pack compiled': 'împachetează ce e compilat',
'please input your password again': 'introduceți parola din nou',
'plugins': 'plugin-uri',
'previous 100 rows': '100 de linii anterioare',
'record': 'înregistrare',
'record does not exist': 'înregistrare inexistentă',
'record id': 'id înregistrare',
'register': 'înregistrare',
'remove compiled': 'șterge compilate',
'request': 'cerere',
'response': 'răspuns',
'restore': 'restaurare',
'revert': 'revenire',
'save': 'salvare',
'selected': 'selectat',
'session': 'sesiune',
'session expired': 'sesiune expirată',
'shell': 'line de commandă',
'site': 'site',
'some files could not be removed': 'anumite fișiere n-au putut fi șterse',
'starts with': 'începe cu',
'state': 'stare',
'static': 'static',
'successful': 'cu succes',
'table': 'tabel',
'test': 'test',
'the application logic, each URL path is mapped in one exposed function in the controller': 'logica aplicației, fiecare rută URL este mapată într-o funcție expusă de controlor',
'the data representation, define database tables and sets': 'reprezentarea datelor, definește tabelele bazei de date și seturile (de date)',
'the presentations layer, views are also known as templates': 'nivelul de prezentare, vederile sunt de asemenea numite și șabloane',
'these files are served without processing, your images go here': 'aceste fișiere sunt servite fără procesare, imaginea se plasează acolo',
'to previous version.': 'la versiunea anterioară.',
'toggle breakpoint': 'comutare breakpoint',
'too short': 'prea scurt',
'translation strings for the application': 'șiruri de caractere folosite la traducerea aplicației',
'try': 'încearcă',
'try something like': 'încearcă ceva de genul',
'unable to create application "%s"': 'imposibil de creat aplicația "%s"',
'unable to delete file "%(filename)s"': 'imposibil de șters fișierul "%(filename)s"',
'unable to parse csv file': 'imposibil de analizat fișierul csv',
'unable to uninstall "%s"': 'imposibil de dezinstalat "%s"',
'uncheck all': 'decoșează tot',
'uninstall': 'dezinstalează',
'update': 'actualizează',
'update all languages': 'actualizează toate limbile',
'upload': 'încarcă',
'upload application:': 'incarcă aplicația:',
'upload file:': 'încărcă fișier:',
'upload plugin file:': 'încarcă fișier plugin:',
'user': 'utilizator',
'value already in database or empty': 'Valoare existentă în baza de date sau vidă',
'variables': 'variables',
'versioning': 'versiuni',
'view': 'vedere',
'views': 'vederi',
'web2py Recent Tweets': 'Ultimele tweet-uri web2py',
'web2py is up to date': 'web2py este la zi',
}
| Python |
# ###########################################################
# ## generate menu
# ###########################################################
_a = request.application
_c = request.controller
_f = request.function
response.title = '%s %s' % (_f, '/'.join(request.args))
response.subtitle = 'admin'
response.menu = [(T('Site'), _f == 'site', URL(_a, 'default', 'site'))]
if request.vars.app or request.args:
_t = request.vars.app or request.args[0]
response.menu.append((T('Edit'), _c == 'default' and _f == 'design',
URL(_a, 'default', 'design', args=_t)))
response.menu.append((T('About'), _c == 'default' and _f == 'about',
URL(_a, 'default', 'about', args=_t,)))
response.menu.append((T('Errors'), _c == 'default' and _f == 'errors',
URL(_a, 'default', 'errors', args=_t)))
response.menu.append((T('Versioning'),
_c == 'mercurial' and _f == 'commit',
URL(_a, 'mercurial', 'commit', args=_t)))
if os.path.exists('applications/examples'):
response.menu.append(
(T('Help'), False, URL('examples', 'default', 'documentation')))
else:
response.menu.append((T('Help'), False, 'http://web2py.com/examples/default/documentation'))
if not session.authorized:
response.menu = [(T('Login'), True, URL('site'))]
else:
response.menu.append((T('Logout'), False,
URL(_a, 'default', f='logout')))
response.menu.append((T('Debug'), False,
URL(_a, 'debug', 'interact')))
| Python |
response.files.append(
URL('static', 'plugin_multiselect/jquery.multi-select.js'))
response.files.append(URL('static', 'plugin_multiselect/multi-select.css'))
response.files.append(URL('static', 'plugin_multiselect/start.js'))
| Python |
EXPIRATION = 60 * 60 # logout after 60 minutes of inactivity
CHECK_VERSION = True
WEB2PY_URL = 'http://web2py.com'
WEB2PY_VERSION_URL = WEB2PY_URL + '/examples/default/version'
###########################################################################
# Preferences for EditArea
# the user-interface feature that allows you to edit files in your web
# browser.
## Default editor (to change editor you need web2py.admin.editors.zip)
TEXT_EDITOR = 'codemirror' or 'ace' or 'edit_area' or 'amy'
## Editor Color scheme (only for ace)
TEXT_EDITOR_THEME = (
"chrome", "clouds", "clouds_midnight", "cobalt", "crimson_editor", "dawn",
"dreamweaver", "eclipse", "idle_fingers", "kr_theme", "merbivore",
"merbivore_soft", "monokai", "mono_industrial", "pastel_on_dark",
"solarized_dark", "solarized_light", "textmate", "tomorrow",
"tomorrow_night", "tomorrow_night_blue", "tomorrow_night_bright",
"tomorrow_night_eighties", "twilight", "vibrant_ink")[0]
## Editor Keyboard bindings (only for ace and codemirror)
TEXT_EDITOR_KEYBINDING = '' # 'emacs' or 'vi'
### edit_area only
# The default font size, measured in 'points'. The value must be an integer > 0
FONT_SIZE = 10
# Displays the editor in full screen mode. The value must be 'true' or 'false'
FULL_SCREEN = 'false'
# Display a check box under the editor to allow the user to switch
# between the editor and a simple
# HTML text area. The value must be 'true' or 'false'
ALLOW_TOGGLE = 'true'
# Replaces tab characters with space characters.
# The value can be 'false' (meaning that tabs are not replaced),
# or an integer > 0 that specifies the number of spaces to replace a tab with.
REPLACE_TAB_BY_SPACES = 4
# Toggle on/off the code editor instead of textarea on startup
DISPLAY = "onload" or "later"
# if demo mode is True then admin works readonly and does not require login
DEMO_MODE = False
# if visible_apps is not empty only listed apps will be accessible
FILTER_APPS = []
# To upload on google app engine this has to point to the proper appengine
# config file
import os
# extract google_appengine_x.x.x.zip to web2py root directory
#GAE_APPCFG = os.path.abspath(os.path.join('appcfg.py'))
# extract google_appengine_x.x.x.zip to applications/admin/private/
GAE_APPCFG = os.path.abspath(os.path.join('/usr/local/bin/appcfg.py'))
# To use web2py as a teaching tool, set MULTI_USER_MODE to True
MULTI_USER_MODE = False
EMAIL_SERVER = 'localhost'
EMAIL_SENDER = 'professor@example.com'
EMAIL_LOGIN = None
# configurable twitterbox, set to None/False to suppress
TWITTER_HASH = "web2py"
# parameter for downloading LAYOUTS
LAYOUTS_APP = 'http://web2py.com/layouts'
#LAYOUTS_APP = 'http://127.0.0.1:8000/layouts'
# parameter for downloading PLUGINS
PLUGINS_APP = 'http://web2py.com/plugins'
#PLUGINS_APP = 'http://127.0.0.1:8000/plugins'
# set the language
if 'adminLanguage' in request.cookies and not (request.cookies['adminLanguage'] is None):
T.force(request.cookies['adminLanguage'].value)
| Python |
import base64
import os
import time
from gluon import portalocker
from gluon.admin import apath
from gluon.fileutils import read_file
# ###########################################################
# ## make sure administrator is on localhost or https
# ###########################################################
http_host = request.env.http_host.split(':')[0]
if request.env.web2py_runtime_gae:
session_db = DAL('gae')
session.connect(request, response, db=session_db)
hosts = (http_host, )
is_gae = True
else:
is_gae = False
if request.env.http_x_forwarded_for or request.is_https:
session.secure()
elif not request.is_local and not DEMO_MODE:
raise HTTP(200, T('Admin is disabled because insecure channel'))
try:
_config = {}
port = int(request.env.server_port or 0)
restricted(
read_file(apath('../parameters_%i.py' % port, request)), _config)
if not 'password' in _config or not _config['password']:
raise HTTP(200, T('admin disabled because no admin password'))
except IOError:
import gluon.fileutils
if is_gae:
if gluon.fileutils.check_credentials(request):
session.authorized = True
session.last_time = time.time()
else:
raise HTTP(200,
T('admin disabled because not supported on google app engine'))
else:
raise HTTP(
200, T('admin disabled because unable to access password file'))
def verify_password(password):
session.pam_user = None
if DEMO_MODE:
return True
elif not 'password' in _config:
return False
elif _config['password'].startswith('pam_user:'):
session.pam_user = _config['password'][9:].strip()
import gluon.contrib.pam
return gluon.contrib.pam.authenticate(session.pam_user, password)
else:
return _config['password'] == CRYPT()(password)[0]
# ###########################################################
# ## handle brute-force login attacks
# ###########################################################
deny_file = os.path.join(request.folder, 'private', 'hosts.deny')
allowed_number_of_attempts = 5
expiration_failed_logins = 3600
def read_hosts_deny():
import datetime
hosts = {}
if os.path.exists(deny_file):
hosts = {}
f = open(deny_file, 'r')
portalocker.lock(f, portalocker.LOCK_SH)
for line in f.readlines():
if not line.strip() or line.startswith('#'):
continue
fields = line.strip().split()
if len(fields) > 2:
hosts[fields[0].strip()] = ( # ip
int(fields[1].strip()), # n attemps
int(fields[2].strip()) # last attempts
)
portalocker.unlock(f)
f.close()
return hosts
def write_hosts_deny(denied_hosts):
f = open(deny_file, 'w')
portalocker.lock(f, portalocker.LOCK_EX)
for key, val in denied_hosts.items():
if time.time() - val[1] < expiration_failed_logins:
line = '%s %s %s\n' % (key, val[0], val[1])
f.write(line)
portalocker.unlock(f)
f.close()
def login_record(success=True):
denied_hosts = read_hosts_deny()
val = (0, 0)
if success and request.client in denied_hosts:
del denied_hosts[request.client]
elif not success and not request.is_local:
val = denied_hosts.get(request.client, (0, 0))
if time.time() - val[1] < expiration_failed_logins \
and val[0] >= allowed_number_of_attempts:
return val[0] # locked out
time.sleep(2 ** val[0])
val = (val[0] + 1, int(time.time()))
denied_hosts[request.client] = val
write_hosts_deny(denied_hosts)
return val[0]
# ###########################################################
# ## session expiration
# ###########################################################
t0 = time.time()
if session.authorized:
if session.last_time and session.last_time < t0 - EXPIRATION:
session.flash = T('session expired')
session.authorized = False
else:
session.last_time = t0
if request.vars.is_mobile in ('true', 'false', 'auto'):
session.is_mobile = request.vars.is_mobile or 'auto'
if request.controller == 'default' and request.function == 'index':
if not request.vars.is_mobile:
session.is_mobile = 'auto'
if not session.is_mobile:
session.is_mobile = 'auto'
if session.is_mobile == 'true':
is_mobile = True
elif session.is_mobile == 'false':
is_mobile = False
else:
is_mobile = request.user_agent().is_mobile
if request.controller == "webservices":
basic = request.env.http_authorization
if not basic or not basic[:6].lower() == 'basic ':
raise HTTP(401, "Wrong credentials")
(username, password) = base64.b64decode(basic[6:]).split(':')
if not verify_password(password) or MULTI_USER_MODE:
time.sleep(10)
raise HTTP(403, "Not authorized")
elif not session.authorized and not \
(request.controller + '/' + request.function in
('default/index', 'default/user', 'plugin_jqmobile/index', 'plugin_jqmobile/about')):
if request.env.query_string:
query_string = '?' + request.env.query_string
else:
query_string = ''
if request.env.web2py_original_uri:
url = request.env.web2py_original_uri
else:
url = request.env.path_info + query_string
redirect(URL(request.application, 'default', 'index', vars=dict(send=url)))
elif session.authorized and \
request.controller == 'default' and \
request.function == 'index':
redirect(URL(request.application, 'default', 'site'))
if request.controller == 'appadmin' and DEMO_MODE:
session.flash = 'Appadmin disabled in demo mode'
redirect(URL('default', 'sites'))
| Python |
# Template helpers
import os
def A_button(*a, **b):
b['_data-role'] = 'button'
b['_data-inline'] = 'true'
return A(*a, **b)
def button(href, label):
if is_mobile:
ret = A_button(SPAN(label), _href=href)
else:
ret = A(SPAN(label), _class='button btn', _href=href)
return ret
def button_enable(href, app):
if os.path.exists(os.path.join(apath(app, r=request), 'DISABLED')):
label = SPAN(T('Enable'), _style='color:red')
else:
label = SPAN(T('Disable'), _style='color:green')
id = 'enable_' + app
return A(label, _class='button btn', _id=id, callback=href, target=id)
def sp_button(href, label):
if request.user_agent().is_mobile:
ret = A_button(SPAN(label), _href=href)
else:
ret = A(SPAN(label), _class='button special btn btn-inverse', _href=href)
return ret
def helpicon():
return IMG(_src=URL('static', 'images/help.png'), _alt='help')
def searchbox(elementid):
return SPAN(LABEL(IMG(_id="search_start", _src=URL('static', 'images/search.png'), _alt=T('filter')),
_class='icon', _for=elementid), ' ',
INPUT(_id=elementid, _type='text', _size=12, _class="input-medium"),
_class="searchbox") | Python |
# -*- coding: utf-8 -*-
# this file is released under public domain and you can use without limitations
if MULTI_USER_MODE:
db = DAL('sqlite://storage.sqlite') # if not, use SQLite or other DB
from gluon.tools import *
auth = Auth(
globals(), db) # authentication/authorization
crud = Crud(
globals(), db) # for CRUD helpers using auth
service = Service(
globals()) # for json, xml, jsonrpc, xmlrpc, amfrpc
plugins = PluginManager()
mail = auth.settings.mailer
mail.settings.server = EMAIL_SERVER
mail.settings.sender = EMAIL_SENDER
mail.settings.login = EMAIL_LOGIN
auth.settings.extra_fields['auth_user'] = \
[Field('is_manager', 'boolean', default=False, writable=False)]
auth.define_tables() # creates all needed tables
auth.settings.registration_requires_verification = False
auth.settings.registration_requires_approval = True
auth.settings.reset_password_requires_verification = True
db.define_table('app', Field('name'), Field('owner', db.auth_user))
if not session.authorized and MULTI_USER_MODE:
if auth.user and not request.function == 'user':
session.authorized = True
elif not request.function == 'user':
redirect(URL('default', 'user/login'))
def is_manager():
if not MULTI_USER_MODE:
return True
elif auth.user and (auth.user.id == 1 or auth.user.is_manager):
return True
else:
return False
| Python |
import time
import os
import sys
import re
import urllib
import cgi
import difflib
import shutil
import stat
import socket
from textwrap import dedent
try:
from mercurial import ui, hg, cmdutil
try:
from mercurial.scmutil import addremove
except:
from mercurial.cmdutil import addremove
have_mercurial = True
except ImportError:
have_mercurial = False
from gluon.utils import md5_hash
from gluon.fileutils import listdir, cleanpath, up
from gluon.fileutils import tar, tar_compiled, untar, fix_newlines
from gluon.languages import findT, update_all_languages
from gluon.myregex import *
from gluon.restricted import *
from gluon.compileapp import compile_application, remove_compiled_application
| Python |
from gluon.fileutils import read_file, write_file
if DEMO_MODE or MULTI_USER_MODE:
session.flash = T('disabled in demo mode')
redirect(URL('default', 'site'))
if not have_mercurial:
session.flash = T("Sorry, could not find mercurial installed")
redirect(URL('default', 'design', args=request.args(0)))
_hgignore_content = """\
syntax: glob
*~
*.pyc
*.pyo
*.bak
*.bak2
cache/*
private/*
uploads/*
databases/*
sessions/*
errors/*
"""
def hg_repo(path):
import os
uio = ui.ui()
uio.quiet = True
if not os.environ.get('HGUSER') and not uio.config("ui", "username"):
os.environ['HGUSER'] = 'web2py@localhost'
try:
repo = hg.repository(ui=uio, path=path)
except:
repo = hg.repository(ui=uio, path=path, create=True)
hgignore = os.path.join(path, '.hgignore')
if not os.path.exists(hgignore):
write_file(hgignore, _hgignore_content)
return repo
def commit():
app = request.args(0)
path = apath(app, r=request)
repo = hg_repo(path)
form = FORM('Comment:', INPUT(_name='comment', requires=IS_NOT_EMPTY()),
INPUT(_type='submit', _value=T('Commit')))
if form.accepts(request.vars, session):
oldid = repo[repo.lookup('.')]
addremove(repo)
repo.commit(text=form.vars.comment)
if repo[repo.lookup('.')] == oldid:
response.flash = 'no changes'
try:
files = TABLE(*[TR(file) for file in repo[repo.lookup('.')].files()])
changes = TABLE(TR(TH('revision'), TH('description')))
for change in repo.changelog:
ctx = repo.changectx(change)
revision, description = ctx.rev(), ctx.description()
changes.append(TR(A(revision, _href=URL('revision',
args=(app, revision))),
description))
except:
files = []
changes = []
return dict(form=form, files=files, changes=changes, repo=repo)
def revision():
app = request.args(0)
path = apath(app, r=request)
repo = hg_repo(path)
revision = request.args(1)
ctx = repo.changectx(revision)
form = FORM(INPUT(_type='submit', _value=T('Revert')))
if form.accepts(request.vars):
hg.update(repo, revision)
session.flash = "reverted to revision %s" % ctx.rev()
redirect(URL('default', 'design', args=app))
return dict(
files=ctx.files(),
rev=str(ctx.rev()),
desc=ctx.description(),
form=form
)
| Python |
import os
import sys
import cStringIO
import gluon.contrib.shell
import gluon.dal
import gluon.html
import gluon.validators
import code
import thread
from gluon.debug import communicate, web_debugger, qdb_debugger
import pydoc
if DEMO_MODE or MULTI_USER_MODE:
session.flash = T('disabled in demo mode')
redirect(URL('default', 'site'))
FE = 10 ** 9
def index():
app = request.args(0) or 'admin'
reset()
# read buffer
data = communicate()
return dict(app=app, data=data)
def callback():
app = request.args[0]
command = request.vars.statement
session['debug_commands:' + app].append(command)
output = communicate(command)
k = len(session['debug_commands:' + app]) - 1
return '[%i] %s%s\n' % (k + 1, command, output)
def reset():
app = request.args(0) or 'admin'
session['debug_commands:' + app] = []
return 'done'
# new implementation using qdb
def interact():
app = request.args(0) or 'admin'
reset()
# process all pending messages in the frontend
web_debugger.run()
# if debugging, filename and lineno should have valid values
filename = web_debugger.filename
lineno = web_debugger.lineno
if filename:
lines = dict([(i + 1, l) for (i, l) in enumerate(
[l.strip("\n").strip("\r") for l
in open(filename).readlines()])])
filename = os.path.basename(filename)
else:
lines = {}
if filename:
web_debugger.set_burst(2)
env = web_debugger.do_environment()
f_locals = env['locals']
f_globals = {}
for name, value in env['globals'].items():
if name not in gluon.html.__all__ and \
name not in gluon.validators.__all__ and \
name not in gluon.dal.__all__:
f_globals[name] = pydoc.text.repr(value)
else:
f_locals = {}
f_globals = {}
response.headers['refresh'] = "3"
if web_debugger.exception_info:
response.flash = T('"User Exception" debug mode. '
'An error ticket could be issued!')
return dict(app=app, data="",
filename=web_debugger.filename, lines=lines, lineno=lineno,
f_globals=f_globals, f_locals=f_locals,
exception=web_debugger.exception_info)
def step():
web_debugger.do_step()
redirect(URL("interact"))
def next():
web_debugger.do_next()
redirect(URL("interact"))
def cont():
web_debugger.do_continue()
redirect(URL("interact"))
def ret():
web_debugger.do_return()
redirect(URL("interact"))
def stop():
web_debugger.do_quit()
redirect(URL("interact"))
def execute():
app = request.args[0]
command = request.vars.statement
session['debug_commands:' + app].append(command)
try:
output = web_debugger.do_exec(command)
if output is None:
output = ""
except Exception, e:
output = T("Exception %s") % str(e)
k = len(session['debug_commands:' + app]) - 1
return '[%i] %s%s\n' % (k + 1, command, output)
def breakpoints():
"Add or remove breakpoints"
# Get all .py files
files = listdir(apath('', r=request), '.*\.py$')
files = [filename for filename in files
if filename and 'languages' not in filename
and not filename.startswith("admin")
and not filename.startswith("examples")]
form = SQLFORM.factory(
Field('filename', requires=IS_IN_SET(files), label=T("Filename")),
Field('lineno', 'integer', label=T("Line number"),
requires=IS_NOT_EMPTY()),
Field('temporary', 'boolean', label=T("Temporary"),
comment=T("deleted after first hit")),
Field('condition', 'string', label=T("Condition"),
comment=T("honored only if the expression evaluates to true")),
)
if form.accepts(request.vars, session):
filename = os.path.join(request.env['applications_parent'],
'applications', form.vars.filename)
err = qdb_debugger.do_set_breakpoint(filename,
form.vars.lineno,
form.vars.temporary,
form.vars.condition)
response.flash = T("Set Breakpoint on %s at line %s: %s") % (
filename, form.vars.lineno, err or T('successful'))
for item in request.vars:
if item[:7] == 'delete_':
qdb_debugger.do_clear(item[7:])
breakpoints = [{'number': bp[0], 'filename': os.path.basename(bp[1]),
'path': bp[1], 'lineno': bp[2],
'temporary': bp[3], 'enabled': bp[4], 'hits': bp[5],
'condition': bp[6]}
for bp in qdb_debugger.do_list_breakpoint()]
return dict(breakpoints=breakpoints, form=form)
def toggle_breakpoint():
"Set or clear a breakpoint"
lineno = None
ok = None
try:
filename = os.path.join(request.env['applications_parent'],
'applications', request.vars.filename)
# normalize path name: replace slashes, references, etc...
filename = os.path.normpath(os.path.normcase(filename))
if not request.vars.data:
# ace send us the line number!
lineno = int(request.vars.sel_start) + 1
else:
# editarea send us the offset, manually check the cursor pos
start = 0
sel_start = int(request.vars.sel_start)
for lineno, line in enumerate(request.vars.data.split("\n")):
if sel_start <= start:
break
start += len(line) + 1
else:
lineno = None
if lineno is not None:
for bp in qdb_debugger.do_list_breakpoint():
no, bp_filename, bp_lineno, temporary, enabled, hits, cond = bp
# normalize path name: replace slashes, references, etc...
bp_filename = os.path.normpath(os.path.normcase(bp_filename))
if filename == bp_filename and lineno == bp_lineno:
err = qdb_debugger.do_clear_breakpoint(filename, lineno)
response.flash = T("Removed Breakpoint on %s at line %s", (
filename, lineno))
ok = False
break
else:
err = qdb_debugger.do_set_breakpoint(filename, lineno)
response.flash = T("Set Breakpoint on %s at line %s: %s") % (
filename, lineno, err or T('successful'))
ok = True
else:
response.flash = T("Unable to determine the line number!")
except Exception, e:
session.flash = str(e)
return response.json({'ok': ok, 'lineno': lineno})
def list_breakpoints():
"Return a list of linenumbers for current breakpoints"
breakpoints = []
ok = None
try:
filename = os.path.join(request.env['applications_parent'],
'applications', request.vars.filename)
# normalize path name: replace slashes, references, etc...
filename = os.path.normpath(os.path.normcase(filename))
for bp in qdb_debugger.do_list_breakpoint():
no, bp_filename, bp_lineno, temporary, enabled, hits, cond = bp
# normalize path name: replace slashes, references, etc...
bp_filename = os.path.normpath(os.path.normcase(bp_filename))
if filename == bp_filename:
breakpoints.append(bp_lineno)
ok = True
except Exception, e:
session.flash = str(e)
ok = False
return response.json({'ok': ok, 'breakpoints': breakpoints})
| Python |
import os
try:
from distutils import dir_util
except ImportError:
session.flash = T('requires distutils, but not installed')
redirect(URL('default', 'site'))
try:
from git import *
except ImportError:
session.flash = T('requires python-git, but not installed')
redirect(URL('default', 'site'))
def deploy():
apps = sorted(file for file in os.listdir(apath(r=request)))
form = SQLFORM.factory(
Field(
'osrepo', default='/tmp', label=T('Path to local openshift repo root.'),
requires=EXISTS(error_message=T('directory not found'))),
Field('osname', default='web2py', label=T('WSGI reference name')),
Field('applications', 'list:string',
requires=IS_IN_SET(apps, multiple=True),
label=T('web2py apps to deploy')))
cmd = output = errors = ""
if form.accepts(request, session):
try:
kill()
except:
pass
ignore_apps = [
item for item in apps if not item in form.vars.applications]
regex = re.compile('\(applications/\(.*')
w2p_origin = os.getcwd()
osrepo = form.vars.osrepo
osname = form.vars.osname
#Git code starts here
repo = Repo(form.vars.osrepo)
index = repo.index
assert repo.bare == False
for i in form.vars.applications:
appsrc = os.path.join(apath(r=request), i)
appdest = os.path.join(osrepo, 'wsgi', osname, 'applications', i)
dir_util.copy_tree(appsrc, appdest)
#shutil.copytree(appsrc,appdest)
index.add(['wsgi/' + osname + '/applications/' + i])
new_commit = index.commit("Deploy from Web2py IDE")
origin = repo.remotes.origin
origin.push
origin.push()
#Git code ends here
return dict(form=form, command=cmd)
class EXISTS(object):
def __init__(self, error_message='file not found'):
self.error_message = error_message
def __call__(self, value):
if os.path.exists(value):
return (value, None)
return (value, self.error_message)
| Python |
from gluon.admin import *
from gluon.fileutils import abspath, read_file, write_file
from gluon.tools import Service
from glob import glob
import shutil
import platform
import time
import base64
import os
try:
from cStringIO import StringIO
except ImportError:
from StringIO import StringIO
service = Service(globals())
@service.jsonrpc
def login():
"dummy function to test credentials"
return True
@service.jsonrpc
def list_apps():
"list installed applications"
regex = re.compile('^\w+$')
apps = [f for f in os.listdir(apath(r=request)) if regex.match(f)]
return apps
@service.jsonrpc
def list_files(app, pattern='.*\.py$'):
files = listdir(apath('%s/' % app, r=request), pattern)
return [x.replace('\\', '/') for x in files]
@service.jsonrpc
def read_file(filename, b64=False):
""" Visualize object code """
f = open(apath(filename, r=request), "rb")
try:
data = f.read()
if not b64:
data = data.replace('\r', '')
else:
data = base64.b64encode(data)
finally:
f.close()
return data
@service.jsonrpc
def write_file(filename, data, b64=False):
f = open(apath(filename, r=request), "wb")
try:
if not b64:
data = data.replace('\r\n', '\n').strip() + '\n'
else:
data = base64.b64decode(data)
f.write(data)
finally:
f.close()
@service.jsonrpc
def hash_file(filename):
data = read_file(filename)
file_hash = md5_hash(data)
path = apath(filename, r=request)
saved_on = os.stat(path)[stat.ST_MTIME]
size = os.path.getsize(path)
return dict(saved_on=saved_on, file_hash=file_hash, size=size)
@service.jsonrpc
def install(app_name, filename, data, overwrite=True):
f = StringIO(base64.b64decode(data))
installed = app_install(app_name, f, request, filename,
overwrite=overwrite)
return installed
@service.jsonrpc
def attach_debugger(host='localhost', port=6000, authkey='secret password'):
import gluon.contrib.qdb as qdb
import gluon.debug
from multiprocessing.connection import Listener
if isinstance(authkey, unicode):
authkey = authkey.encode('utf8')
if not hasattr(gluon.debug, 'qdb_listener'):
# create a remote debugger server and wait for connection
address = (host, port) # family is deduced to be 'AF_INET'
gluon.debug.qdb_listener = Listener(address, authkey=authkey)
gluon.debug.qdb_connection = gluon.debug.qdb_listener.accept()
# create the backend
gluon.debug.qdb_debugger = qdb.Qdb(gluon.debug.qdb_connection)
gluon.debug.dbg = gluon.debug.qdb_debugger
# welcome message (this should be displayed on the frontend)
print 'debugger connected to', gluon.debug.qdb_listener.last_accepted
return True # connection successful!
@service.jsonrpc
def detach_debugger():
import gluon.contrib.qdb as qdb
import gluon.debug
# stop current debugger
if gluon.debug.qdb_debugger:
try:
gluon.debug.qdb_debugger.do_quit()
except:
pass
if hasattr(gluon.debug, 'qdb_listener'):
if gluon.debug.qdb_connection:
gluon.debug.qdb_connection.close()
del gluon.debug.qdb_connection
if gluon.debug.qdb_listener:
gluon.debug.qdb_listener.close()
del gluon.debug.qdb_listener
gluon.debug.qdb_debugger = None
return True
def call():
session.forget()
return service()
| Python |
# -*- coding: utf-8 -*-
# ##########################################################
# ## make sure administrator is on localhost
# ###########################################################
import os
import socket
import datetime
import copy
import gluon.contenttype
import gluon.fileutils
try:
import pygraphviz as pgv
except ImportError:
pgv = None
response.subtitle = 'Database Administration (appadmin)'
# ## critical --- make a copy of the environment
global_env = copy.copy(globals())
global_env['datetime'] = datetime
http_host = request.env.http_host.split(':')[0]
remote_addr = request.env.remote_addr
try:
hosts = (http_host, socket.gethostname(),
socket.gethostbyname(http_host),
'::1', '127.0.0.1', '::ffff:127.0.0.1')
except:
hosts = (http_host, )
if request.env.http_x_forwarded_for or request.is_https:
session.secure()
elif (remote_addr not in hosts) and (remote_addr != "127.0.0.1"):
raise HTTP(200, T('appadmin is disabled because insecure channel'))
if (request.application == 'admin' and not session.authorized) or \
(request.application != 'admin' and not gluon.fileutils.check_credentials(request)):
redirect(URL('admin', 'default', 'index',
vars=dict(send=URL(args=request.args, vars=request.vars))))
ignore_rw = True
response.view = 'appadmin.html'
response.menu = [[T('design'), False, URL('admin', 'default', 'design',
args=[request.application])], [T('db'), False,
URL('index')], [T('state'), False,
URL('state')], [T('cache'), False,
URL('ccache')]]
# ##########################################################
# ## auxiliary functions
# ###########################################################
if False and request.tickets_db:
from gluon.restricted import TicketStorage
ts = TicketStorage()
ts._get_table(request.tickets_db, ts.tablename, request.application)
def get_databases(request):
dbs = {}
for (key, value) in global_env.items():
cond = False
try:
cond = isinstance(value, GQLDB)
except:
cond = isinstance(value, SQLDB)
if cond:
dbs[key] = value
return dbs
databases = get_databases(None)
def eval_in_global_env(text):
exec ('_ret=%s' % text, {}, global_env)
return global_env['_ret']
def get_database(request):
if request.args and request.args[0] in databases:
return eval_in_global_env(request.args[0])
else:
session.flash = T('invalid request')
redirect(URL('index'))
def get_table(request):
db = get_database(request)
if len(request.args) > 1 and request.args[1] in db.tables:
return (db, request.args[1])
else:
session.flash = T('invalid request')
redirect(URL('index'))
def get_query(request):
try:
return eval_in_global_env(request.vars.query)
except Exception:
return None
def query_by_table_type(tablename, db, request=request):
keyed = hasattr(db[tablename], '_primarykey')
if keyed:
firstkey = db[tablename][db[tablename]._primarykey[0]]
cond = '>0'
if firstkey.type in ['string', 'text']:
cond = '!=""'
qry = '%s.%s.%s%s' % (
request.args[0], request.args[1], firstkey.name, cond)
else:
qry = '%s.%s.id>0' % tuple(request.args[:2])
return qry
# ##########################################################
# ## list all databases and tables
# ###########################################################
def index():
return dict(databases=databases)
# ##########################################################
# ## insert a new record
# ###########################################################
def insert():
(db, table) = get_table(request)
form = SQLFORM(db[table], ignore_rw=ignore_rw)
if form.accepts(request.vars, session):
response.flash = T('new record inserted')
return dict(form=form, table=db[table])
# ##########################################################
# ## list all records in table and insert new record
# ###########################################################
def download():
import os
db = get_database(request)
return response.download(request, db)
def csv():
import gluon.contenttype
response.headers['Content-Type'] = \
gluon.contenttype.contenttype('.csv')
db = get_database(request)
query = get_query(request)
if not query:
return None
response.headers['Content-disposition'] = 'attachment; filename=%s_%s.csv'\
% tuple(request.vars.query.split('.')[:2])
return str(db(query, ignore_common_filters=True).select())
def import_csv(table, file):
table.import_from_csv_file(file)
def select():
import re
db = get_database(request)
dbname = request.args[0]
regex = re.compile('(?P<table>\w+)\.(?P<field>\w+)=(?P<value>\d+)')
if len(request.args) > 1 and hasattr(db[request.args[1]], '_primarykey'):
regex = re.compile('(?P<table>\w+)\.(?P<field>\w+)=(?P<value>.+)')
if request.vars.query:
match = regex.match(request.vars.query)
if match:
request.vars.query = '%s.%s.%s==%s' % (request.args[0],
match.group('table'), match.group('field'),
match.group('value'))
else:
request.vars.query = session.last_query
query = get_query(request)
if request.vars.start:
start = int(request.vars.start)
else:
start = 0
nrows = 0
stop = start + 100
table = None
rows = []
orderby = request.vars.orderby
if orderby:
orderby = dbname + '.' + orderby
if orderby == session.last_orderby:
if orderby[0] == '~':
orderby = orderby[1:]
else:
orderby = '~' + orderby
session.last_orderby = orderby
session.last_query = request.vars.query
form = FORM(TABLE(TR(T('Query:'), '', INPUT(_style='width:400px',
_name='query', _value=request.vars.query or '',
requires=IS_NOT_EMPTY(
error_message=T("Cannot be empty")))), TR(T('Update:'),
INPUT(_name='update_check', _type='checkbox',
value=False), INPUT(_style='width:400px',
_name='update_fields', _value=request.vars.update_fields
or '')), TR(T('Delete:'), INPUT(_name='delete_check',
_class='delete', _type='checkbox', value=False), ''),
TR('', '', INPUT(_type='submit', _value=T('submit')))),
_action=URL(r=request, args=request.args))
tb = None
if form.accepts(request.vars, formname=None):
regex = re.compile(request.args[0] + '\.(?P<table>\w+)\..+')
match = regex.match(form.vars.query.strip())
if match:
table = match.group('table')
try:
nrows = db(query).count()
if form.vars.update_check and form.vars.update_fields:
db(query).update(**eval_in_global_env('dict(%s)'
% form.vars.update_fields))
response.flash = T('%s %%{row} updated', nrows)
elif form.vars.delete_check:
db(query).delete()
response.flash = T('%s %%{row} deleted', nrows)
nrows = db(query).count()
if orderby:
rows = db(query, ignore_common_filters=True).select(limitby=(
start, stop), orderby=eval_in_global_env(orderby))
else:
rows = db(query, ignore_common_filters=True).select(
limitby=(start, stop))
except Exception, e:
import traceback
tb = traceback.format_exc()
(rows, nrows) = ([], 0)
response.flash = DIV(T('Invalid Query'), PRE(str(e)))
# begin handle upload csv
csv_table = table or request.vars.table
if csv_table:
formcsv = FORM(str(T('or import from csv file')) + " ",
INPUT(_type='file', _name='csvfile'),
INPUT(_type='hidden', _value=csv_table, _name='table'),
INPUT(_type='submit', _value=T('import')))
else:
formcsv = None
if formcsv and formcsv.process().accepted:
try:
import_csv(db[request.vars.table],
request.vars.csvfile.file)
response.flash = T('data uploaded')
except Exception, e:
response.flash = DIV(T('unable to parse csv file'), PRE(str(e)))
# end handle upload csv
return dict(
form=form,
table=table,
start=start,
stop=stop,
nrows=nrows,
rows=rows,
query=request.vars.query,
formcsv=formcsv,
tb=tb,
)
# ##########################################################
# ## edit delete one record
# ###########################################################
def update():
(db, table) = get_table(request)
keyed = hasattr(db[table], '_primarykey')
record = None
db[table]._common_filter = None
if keyed:
key = [f for f in request.vars if f in db[table]._primarykey]
if key:
record = db(db[table][key[0]] == request.vars[key[
0]]).select().first()
else:
record = db(db[table].id == request.args(
2)).select().first()
if not record:
qry = query_by_table_type(table, db)
session.flash = T('record does not exist')
redirect(URL('select', args=request.args[:1],
vars=dict(query=qry)))
if keyed:
for k in db[table]._primarykey:
db[table][k].writable = False
form = SQLFORM(
db[table], record, deletable=True, delete_label=T('Check to delete'),
ignore_rw=ignore_rw and not keyed,
linkto=URL('select',
args=request.args[:1]), upload=URL(r=request,
f='download', args=request.args[:1]))
if form.accepts(request.vars, session):
session.flash = T('done!')
qry = query_by_table_type(table, db)
redirect(URL('select', args=request.args[:1],
vars=dict(query=qry)))
return dict(form=form, table=db[table])
# ##########################################################
# ## get global variables
# ###########################################################
def state():
return dict()
def ccache():
cache.ram.initialize()
cache.disk.initialize()
form = FORM(
P(TAG.BUTTON(
T("Clear CACHE?"), _type="submit", _name="yes", _value="yes")),
P(TAG.BUTTON(
T("Clear RAM"), _type="submit", _name="ram", _value="ram")),
P(TAG.BUTTON(
T("Clear DISK"), _type="submit", _name="disk", _value="disk")),
)
if form.accepts(request.vars, session):
clear_ram = False
clear_disk = False
session.flash = ""
if request.vars.yes:
clear_ram = clear_disk = True
if request.vars.ram:
clear_ram = True
if request.vars.disk:
clear_disk = True
if clear_ram:
cache.ram.clear()
session.flash += T("Ram Cleared")
if clear_disk:
cache.disk.clear()
session.flash += T("Disk Cleared")
redirect(URL(r=request))
try:
from guppy import hpy
hp = hpy()
except ImportError:
hp = False
import shelve
import os
import copy
import time
import math
from gluon import portalocker
ram = {
'entries': 0,
'bytes': 0,
'objects': 0,
'hits': 0,
'misses': 0,
'ratio': 0,
'oldest': time.time(),
'keys': []
}
disk = copy.copy(ram)
total = copy.copy(ram)
disk['keys'] = []
total['keys'] = []
def GetInHMS(seconds):
hours = math.floor(seconds / 3600)
seconds -= hours * 3600
minutes = math.floor(seconds / 60)
seconds -= minutes * 60
seconds = math.floor(seconds)
return (hours, minutes, seconds)
for key, value in cache.ram.storage.iteritems():
if isinstance(value, dict):
ram['hits'] = value['hit_total'] - value['misses']
ram['misses'] = value['misses']
try:
ram['ratio'] = ram['hits'] * 100 / value['hit_total']
except (KeyError, ZeroDivisionError):
ram['ratio'] = 0
else:
if hp:
ram['bytes'] += hp.iso(value[1]).size
ram['objects'] += hp.iso(value[1]).count
ram['entries'] += 1
if value[0] < ram['oldest']:
ram['oldest'] = value[0]
ram['keys'].append((key, GetInHMS(time.time() - value[0])))
folder = os.path.join(request.folder,'cache')
if not os.path.exists(folder):
os.mkdir(folder)
locker = open(os.path.join(folder, 'cache.lock'), 'a')
portalocker.lock(locker, portalocker.LOCK_EX)
disk_storage = shelve.open(
os.path.join(folder, 'cache.shelve'))
try:
for key, value in disk_storage.items():
if isinstance(value, dict):
disk['hits'] = value['hit_total'] - value['misses']
disk['misses'] = value['misses']
try:
disk['ratio'] = disk['hits'] * 100 / value['hit_total']
except (KeyError, ZeroDivisionError):
disk['ratio'] = 0
else:
if hp:
disk['bytes'] += hp.iso(value[1]).size
disk['objects'] += hp.iso(value[1]).count
disk['entries'] += 1
if value[0] < disk['oldest']:
disk['oldest'] = value[0]
disk['keys'].append((key, GetInHMS(time.time() - value[0])))
finally:
portalocker.unlock(locker)
locker.close()
disk_storage.close()
total['entries'] = ram['entries'] + disk['entries']
total['bytes'] = ram['bytes'] + disk['bytes']
total['objects'] = ram['objects'] + disk['objects']
total['hits'] = ram['hits'] + disk['hits']
total['misses'] = ram['misses'] + disk['misses']
total['keys'] = ram['keys'] + disk['keys']
try:
total['ratio'] = total['hits'] * 100 / (total['hits'] +
total['misses'])
except (KeyError, ZeroDivisionError):
total['ratio'] = 0
if disk['oldest'] < ram['oldest']:
total['oldest'] = disk['oldest']
else:
total['oldest'] = ram['oldest']
ram['oldest'] = GetInHMS(time.time() - ram['oldest'])
disk['oldest'] = GetInHMS(time.time() - disk['oldest'])
total['oldest'] = GetInHMS(time.time() - total['oldest'])
def key_table(keys):
return TABLE(
TR(TD(B(T('Key'))), TD(B(T('Time in Cache (h:m:s)')))),
*[TR(TD(k[0]), TD('%02d:%02d:%02d' % k[1])) for k in keys],
**dict(_class='cache-keys',
_style="border-collapse: separate; border-spacing: .5em;"))
ram['keys'] = key_table(ram['keys'])
disk['keys'] = key_table(disk['keys'])
total['keys'] = key_table(total['keys'])
return dict(form=form, total=total,
ram=ram, disk=disk, object_stats=hp != False)
def table_template(table):
from gluon.html import TR, TD, TABLE, TAG
def FONT(*args, **kwargs):
return TAG.font(*args, **kwargs)
def types(field):
f_type = field.type
if not isinstance(f_type,str):
return ' '
elif f_type == 'string':
return field.length
elif f_type == 'id':
return B('pk')
elif f_type.startswith('reference') or \
f_type.startswith('list:reference'):
return B('fk')
else:
return ' '
# This is horribe HTML but the only one graphiz understands
rows = []
cellpadding = 4
color = "#000000"
bgcolor = "#FFFFFF"
face = "Helvetica"
face_bold = "Helvetica Bold"
border = 0
rows.append(TR(TD(FONT(table, _face=face_bold, _color=bgcolor),
_colspan=3, _cellpadding=cellpadding,
_align="center", _bgcolor=color)))
for row in db[table]:
rows.append(TR(TD(FONT(row.name, _color=color, _face=face_bold),
_align="left", _cellpadding=cellpadding,
_border=border),
TD(FONT(row.type, _color=color, _face=face),
_align="left", _cellpadding=cellpadding,
_border=border),
TD(FONT(types(row), _color=color, _face=face),
_align="center", _cellpadding=cellpadding,
_border=border)))
return "< %s >" % TABLE(*rows, **dict(_bgcolor=bgcolor, _border=1,
_cellborder=0, _cellspacing=0)
).xml()
def bg_graph_model():
graph = pgv.AGraph(layout='dot', directed=True, strict=False, rankdir='LR')
subgraphs = dict()
for tablename in db.tables:
if hasattr(db[tablename],'_meta_graphmodel'):
meta_graphmodel = db[tablename]._meta_graphmodel
else:
meta_graphmodel = dict(group='Undefined', color='#ECECEC')
group = meta_graphmodel['group'].replace(' ', '')
if not subgraphs.has_key(group):
subgraphs[group] = dict(meta=meta_graphmodel, tables=[])
subgraphs[group]['tables'].append(tablename)
else:
subgraphs[group]['tables'].append(tablename)
graph.add_node(tablename, name=tablename, shape='plaintext',
label=table_template(tablename))
for n, key in enumerate(subgraphs.iterkeys()):
graph.subgraph(nbunch=subgraphs[key]['tables'],
name='cluster%d' % n,
style='filled',
color=subgraphs[key]['meta']['color'],
label=subgraphs[key]['meta']['group'])
for tablename in db.tables:
for field in db[tablename]:
f_type = field.type
if isinstance(f_type,str) and (
f_type.startswith('reference') or
f_type.startswith('list:reference')):
referenced_table = f_type.split()[1].split('.')[0]
n1 = graph.get_node(tablename)
n2 = graph.get_node(referenced_table)
graph.add_edge(n1, n2, color="#4C4C4C", label='')
graph.layout()
#return graph.draw(format='png', prog='dot')
if not request.args:
return graph.draw(format='png', prog='dot')
else:
response.headers['Content-Disposition']='attachment;filename=graph.%s'%request.args(0)
if request.args(0) == 'dot':
return graph.string()
else:
return graph.draw(format=request.args(0), prog='dot')
def graph_model():
return dict(databases=databases, pgv=pgv)
| Python |
import sys
import cStringIO
import gluon.contrib.shell
import code
import thread
from gluon.shell import env
if DEMO_MODE or MULTI_USER_MODE:
session.flash = T('disabled in demo mode')
redirect(URL('default', 'site'))
FE = 10 ** 9
def index():
app = request.args(0) or 'admin'
reset()
return dict(app=app)
def callback():
app = request.args[0]
command = request.vars.statement
escape = command[:1] != '!'
history = session['history:' + app] = session.get(
'history:' + app, gluon.contrib.shell.History())
if not escape:
command = command[1:]
if command == '%reset':
reset()
return '*** reset ***'
elif command[0] == '%':
try:
command = session['commands:' + app][int(command[1:])]
except ValueError:
return ''
session['commands:' + app].append(command)
environ = env(app, True, extra_request=dict(is_https=request.is_https))
output = gluon.contrib.shell.run(history, command, environ)
k = len(session['commands:' + app]) - 1
#output = PRE(output)
#return TABLE(TR('In[%i]:'%k,PRE(command)),TR('Out[%i]:'%k,output))
return 'In [%i] : %s%s\n' % (k + 1, command, output)
def reset():
app = request.args(0) or 'admin'
session['commands:' + app] = []
session['history:' + app] = gluon.contrib.shell.History()
return 'done'
| Python |
### this works on linux only
import re
try:
import fcntl
import subprocess
import signal
import os
import shutil
from gluon.fileutils import read_file, write_file
except:
session.flash = 'sorry, only on Unix systems'
redirect(URL(request.application, 'default', 'site'))
if MULTI_USER_MODE and not is_manager():
session.flash = 'Not Authorized'
redirect(URL('default', 'site'))
forever = 10 ** 8
def kill():
p = cache.ram('gae_upload', lambda: None, forever)
if not p or p.poll() is not None:
return 'oops'
os.kill(p.pid, signal.SIGKILL)
cache.ram('gae_upload', lambda: None, -1)
class EXISTS(object):
def __init__(self, error_message='file not found'):
self.error_message = error_message
def __call__(self, value):
if os.path.exists(value):
return (value, None)
return (value, self.error_message)
def deploy():
regex = re.compile('^\w+$')
apps = sorted(
file for file in os.listdir(apath(r=request)) if regex.match(file))
form = SQLFORM.factory(
Field('appcfg', default=GAE_APPCFG, label=T('Path to appcfg.py'),
requires=EXISTS(error_message=T('file not found'))),
Field('google_application_id', requires=IS_MATCH(
'[\w\-]+'), label=T('Google Application Id')),
Field('applications', 'list:string',
requires=IS_IN_SET(apps, multiple=True),
label=T('web2py apps to deploy')),
Field('email', requires=IS_EMAIL(), label=T('GAE Email')),
Field('password', 'password', requires=IS_NOT_EMPTY(), label=T('GAE Password')))
cmd = output = errors = ""
if form.accepts(request, session):
try:
kill()
except:
pass
ignore_apps = [item for item in apps
if not item in form.vars.applications]
regex = re.compile('\(applications/\(.*')
yaml = apath('../app.yaml', r=request)
if not os.path.exists(yaml):
example = apath('../app.example.yaml', r=request)
shutil.copyfile(example, yaml)
data = read_file(yaml)
data = re.sub('application:.*', 'application: %s' %
form.vars.google_application_id, data)
data = regex.sub(
'(applications/(%s)/.*)|' % '|'.join(ignore_apps), data)
write_file(yaml, data)
path = request.env.applications_parent
cmd = '%s --email=%s --passin update %s' % \
(form.vars.appcfg, form.vars.email, path)
p = cache.ram('gae_upload',
lambda s=subprocess, c=cmd: s.Popen(c, shell=True,
stdin=s.PIPE,
stdout=s.PIPE,
stderr=s.PIPE, close_fds=True), -1)
p.stdin.write(form.vars.password + '\n')
fcntl.fcntl(p.stdout.fileno(), fcntl.F_SETFL, os.O_NONBLOCK)
fcntl.fcntl(p.stderr.fileno(), fcntl.F_SETFL, os.O_NONBLOCK)
return dict(form=form, command=cmd)
def callback():
p = cache.ram('gae_upload', lambda: None, forever)
if not p or p.poll() is not None:
return '<done/>'
try:
output = p.stdout.read()
except:
output = ''
try:
errors = p.stderr.read()
except:
errors = ''
return (output + errors).replace('\n', '<br/>')
| Python |
import os
from gluon.settings import global_settings, read_file
#
def index():
app = request.args(0)
return dict(app=app)
def profiler():
"""
to use the profiler start web2py with -F profiler.log
"""
KEY = 'web2py_profiler_size'
filename = global_settings.cmd_options.profiler_filename
data = 'profiler disabled'
if filename:
if KEY in request.cookies:
size = int(request.cookies[KEY].value)
else:
size = 0
if os.path.exists(filename):
data = read_file('profiler.log', 'rb')
if size < len(data):
data = data[size:]
else:
size = 0
size += len(data)
response.cookies[KEY] = size
return data
| Python |
Subsets and Splits
SQL Console for ajibawa-2023/Python-Code-Large
Provides a useful breakdown of language distribution in the training data, showing which languages have the most samples and helping identify potential imbalances across different language groups.