blob_id
stringlengths
40
40
directory_id
stringlengths
40
40
path
stringlengths
3
281
content_id
stringlengths
40
40
detected_licenses
listlengths
0
57
license_type
stringclasses
2 values
repo_name
stringlengths
6
116
snapshot_id
stringlengths
40
40
revision_id
stringlengths
40
40
branch_name
stringclasses
313 values
visit_date
timestamp[us]
revision_date
timestamp[us]
committer_date
timestamp[us]
github_id
int64
18.2k
668M
star_events_count
int64
0
102k
fork_events_count
int64
0
38.2k
gha_license_id
stringclasses
17 values
gha_event_created_at
timestamp[us]
gha_created_at
timestamp[us]
gha_language
stringclasses
107 values
src_encoding
stringclasses
20 values
language
stringclasses
1 value
is_vendor
bool
2 classes
is_generated
bool
2 classes
length_bytes
int64
4
6.02M
extension
stringclasses
78 values
content
stringlengths
2
6.02M
authors
listlengths
1
1
author
stringlengths
0
175
9d42895a3f6bc02128cf335966e69e08e46e0ba6
1863049b98d36e50fcd95bae5645675d900c5da1
/10.ES/ES Find Top.py
b7db3546c45fc0902c5c7e2c0ba0499445234381
[]
no_license
Nh-touch/TensorFlowPractice
0928bd17a87df6d9bd35dea77a28ba557f764255
2fb965a10a6a6019b4799e3f8df30ff1ea8f5d60
refs/heads/master
2018-08-25T17:50:14.611371
2018-07-08T01:29:30
2018-07-08T01:29:30
117,306,573
0
0
null
null
null
null
UTF-8
Python
false
false
3,895
py
import numpy as np import matplotlib.pyplot as plt # 利用ES算法,计算函数f(x) = sin(10x) * x + cos(2x)*x 在区间[0, 5]之间最大值点 DNA_SIZE = 1 # DNA长度 POP_SIZE = 100 # 种群大小 NUM_KIDS = 50 # 每次繁衍的后代数量 NUM_GENERATIONS = 200 # 主循环次数 DNA_BOUND = [0, 5] # 自变量区间 BIRTH_RATE = 0.6 # 交叉配对率 VARIATION_RATE = 0.01 # 变异率 # 函数表达式 def F(x): return np.sin(10 * x) * x + np.cos(2 * x) * x class ES(object): # 默认函数 def __init__(self, dna_size, pop_size, birth_rate, variation_rate, dna_bound, num_kids): self._dna_size = dna_size self._pop_size = pop_size self._birth_rate = birth_rate self._variation_rate = variation_rate self._dna_bound = dna_bound self._num_kids = num_kids # 生成目标DNA # 生成随机种群 self._pop = dict(dna = self._dna_bound[1] * np.random.rand(1, self._dna_size).repeat(self._pop_size, axis=0), viriation_strength = np.random.rand(self._pop_size, self._dna_size)) # 生成绘图: plt.ion() x = np.linspace(*self._dna_bound, 200) plt.plot(x, F(x)) def __del__(self): plt.ioff() plt.show() # 内部函数 # 翻译DNA def _translate_dna(self, pop): return F(pop) # 获取适应度 def _get_fitness(self, product): return product.flatten() # 交叉配对 def _generation(self): kids = {'dna': np.empty((self._num_kids, self._dna_size))} kids['viriation_strength'] = np.empty_like(kids['dna']) for kv, ks in zip(kids['dna'], kids['viriation_strength']): p1, p2 = np.random.choice(np.arange(self._pop_size), size=2, replace=False) cp = np.random.randint(0, 2, self._dna_size, dtype = np.bool) kv[cp] = self._pop['dna'][p1, cp] kv[~cp] = self._pop['dna'][p2, ~cp] ks[cp] = self._pop['viriation_strength'][p1, cp] ks[~cp] = self._pop['viriation_strength'][p2, ~cp] return kids # 变异 def _variation(self, kids): for kv, ks in zip(kids['dna'], kids['viriation_strength']): ks[:] = np.maximum(ks + (np.random.rand(*ks.shape)-0.5), 0.) kv += ks * np.random.randn(*kv.shape) kv[:] = np.clip(kv, *self._dna_bound) # 自然选择 def _select(self, kids): for key in ['dna', 'viriation_strength']: self._pop[key] = np.vstack((self._pop[key], kids[key])) fitness = self._get_fitness(F(self._pop['dna'])) idx = np.arange(self._pop['dna'].shape[0]) good_idx = idx[fitness.argsort()][-self._pop_size:] for key in ['dna', 'viriation_strength']: self._pop[key] = self._pop[key][good_idx] # 外部接口 def evolve(self): kids = self._generation() self._variation(kids) self._select(kids) # dump def dump(self): pass if __name__ == '__main__': es = ES(dna_size = DNA_SIZE , pop_size = POP_SIZE , birth_rate = BIRTH_RATE , variation_rate = VARIATION_RATE , dna_bound = DNA_BOUND , num_kids = NUM_KIDS) for generation in range(NUM_GENERATIONS): es.evolve() if 'sca' in globals(): sca.remove() sca = plt.scatter(es._pop['dna'] , F(es._pop['dna']) , s = 200 , lw = 0 , c = 'red' , alpha = 0.5) plt.pause(0.05) #es.dump()
[ "1669159448@qq.com" ]
1669159448@qq.com
05eebb0c5cba9520c57f75b74530c4107e753a01
59d15bd038d52eb9061bad5b347ebf9ef9ddd6e5
/include/oscar.py
46b9314ff6be1d9bdbb25649c885b7fb8c32f256
[]
no_license
gipi/Richie
f7238c0f943048bd93ce483e62f9636edae62c4d
ed00425b7d0e5203eb1e17d0f9e10e5bc5177a16
refs/heads/master
2021-01-01T05:32:43.012905
2011-12-30T18:22:30
2011-12-30T18:22:30
3,075,881
0
0
null
null
null
null
UTF-8
Python
false
false
34,181
py
"""This was brutally ripped out of twisted""" from include.utils import Base import socket from threading import Thread from select import select import os import struct import md5 import string import random import types class Protocol(Base): def __init__(self, host, port, timeout=60, bufsize=60): self.host = host self.port = port self.timeout = timeout self.bufsize = bufsize self.socket = self.fd = None self.connected = False def start(self): self.connect() def connect(self): self.socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM) self.socket.connect((self.host, self.port)) self.fd = self.socket.fileno() self.connected = True self.connectionMade() thread = Thread(target=self.poll, name=self.__class__.__name__) thread.setDaemon(True) thread.start() def stop(self): self.disconnect() self.connected = False self.socket.close() self.socket = self.fd = None close = stop def disconnect(self): pass def poll(self): while self.connected: try: if self.fd in select([self.fd], [], [], self.timeout)[0]: data = os.read(self.fd, self.bufsize) if len(data): self.dataReceived(data) except: self.connected = False def connectionMade(self): pass def dataReceived(self, data): pass def send(self, data): self.socket.send(data) write = send class OSCARUser: def __init__(self, name, warn, tlvs): self.name = name self.warning = warn self.flags = [] self.caps = [] for k,v in tlvs.items(): if k == 1: v=struct.unpack('!H',v)[0] for o, f in [(1,'trial'), (2,'unknown bit 2'), (4,'aol'), (8,'unknown bit 4'), (16,'aim'), (32,'away'), (1024,'activebuddy')]: if v&o: self.flags.append(f) elif k == 2: self.memberSince = struct.unpack('!L',v)[0] elif k == 3: self.onSince = struct.unpack('!L',v)[0] elif k == 4: self.idleTime = struct.unpack('!H',v)[0] elif k == 5: pass elif k == 6: if v[2] == '\x00': self.icqStatus = 'online' elif v[2] == '\x01': self.icqStatus = 'away' elif v[2] == '\x02': self.icqStatus = 'dnd' elif v[2] == '\x04': self.icqStatus = 'out' elif v[2] == '\x10': self.icqStatus = 'busy' else: self.icqStatus = 'unknown' elif k == 10: self.icqIPaddy = socket.inet_ntoa(v) elif k == 12: self.icqRandom = v elif k == 13: caps=[] while v: c=v[:16] if c==CAP_ICON: caps.append("icon") elif c==CAP_IMAGE: caps.append("image") elif c==CAP_VOICE: caps.append("voice") elif c==CAP_CHAT: caps.append("chat") elif c==CAP_GET_FILE: caps.append("getfile") elif c==CAP_SEND_FILE: caps.append("sendfile") elif c==CAP_SEND_LIST: caps.append("sendlist") elif c==CAP_GAMES: caps.append("games") else: caps.append(("unknown",c)) v=v[16:] caps.sort() self.caps=caps elif k == 14: pass elif k == 15: self.sessionLength = struct.unpack('!L',v)[0] elif k == 16: self.sessionLength = struct.unpack('!L',v)[0] elif k == 30: pass else: pass def __str__(self): s = '<OSCARUser %s' % self.name o = [] if self.warning!=0: o.append('warning level %s'%self.warning) if hasattr(self, 'flags'): o.append('flags %s'%self.flags) if hasattr(self, 'sessionLength'): o.append('online for %i minutes' % (self.sessionLength/60,)) if hasattr(self, 'idleTime'): o.append('idle for %i minutes' % self.idleTime) if self.caps: o.append('caps %s'%self.caps) if o: s=s+', '+', '.join(o) s=s+'>' return s class SSIGroup: def __init__(self, name, tlvs = {}): self.name = name self.usersToID = {} self.users = [] def findIDFor(self, user): return self.usersToID[user] def addUser(self, buddyID, user): self.usersToID[user] = buddyID self.users.append(user) user.group = self def oscarRep(self, groupID, buddyID): tlvData = TLV(0xc8, reduce(lambda x,y:x+y, [struct.pack('!H',self.usersToID[x]) for x in self.users])) return struct.pack('!H', len(self.name)) + self.name + struct.pack('!HH', groupID, buddyID) + '\000\001' + tlvData class SSIBuddy: def __init__(self, name, tlvs = {}): self.name = name self.tlvs = tlvs for k,v in tlvs.items(): if k == 0x013c: self.buddyComment = v elif k == 0x013d: actionFlag = ord(v[0]) whenFlag = ord(v[1]) self.alertActions = [] self.alertWhen = [] if actionFlag&1: self.alertActions.append('popup') if actionFlag&2: self.alertActions.append('sound') if whenFlag&1: self.alertWhen.append('online') if whenFlag&2: self.alertWhen.append('unidle') if whenFlag&4: self.alertWhen.append('unaway') elif k == 0x013e: self.alertSound = v def oscarRep(self, groupID, buddyID): tlvData = reduce(lambda x,y: x+y, map(lambda (k,v):TLV(k,v), self.tlvs.items())) or '\000\000' return struct.pack('!H', len(self.name)) + self.name + struct.pack('!HH', groupID, buddyID) + '\000\000' + tlvData class OscarConnection(Protocol): def connectionMade(self): self.state="" self.seqnum=0 self.buf='' self.stopKeepAliveID = None self.setKeepAlive(4*60) def connectionLost(self, reason): self.stopKeepAlive() def sendFLAP(self,data,channel = 0x02): header="!cBHH" self.seqnum=(self.seqnum+1)%0xFFFF seqnum=self.seqnum head=struct.pack(header,'*', channel, seqnum, len(data)) self.write(head+str(data)) def readFlap(self): header="!cBHH" if len(self.buf)<6: return flap=struct.unpack(header,self.buf[:6]) if len(self.buf)<6+flap[3]: return data,self.buf=self.buf[6:6+flap[3]],self.buf[6+flap[3]:] return [flap[1],data] def dataReceived(self,data): self.buf=self.buf+data flap=self.readFlap() while flap: func=getattr(self,"oscar_%s"%self.state,None) state=func(flap) if state: self.state=state flap=self.readFlap() def setKeepAlive(self,t): self.keepAliveDelay=t self.stopKeepAlive() def sendKeepAlive(self): self.sendFLAP("",0x05) #self.stopKeepAliveID = reactor.callLater(self.keepAliveDelay, self.sendKeepAlive) def stopKeepAlive(self): if self.stopKeepAliveID: self.stopKeepAliveID.cancel() self.stopKeepAliveID = None def disconnect(self): self.sendFLAP('', 0x04) class SNACBased(OscarConnection): snacFamilies = { } def __init__(self,cookie): self.cookie=cookie self.lastID=0 self.supportedFamilies = () self.requestCallbacks={} def sendSNAC(self,fam,sub,data,flags=[0,0]): reqid=self.lastID self.lastID=reqid+1 self.sendFLAP(SNAC(fam,sub,reqid,data)) def _ebDeferredError(self, error, fam, sub, data): pass def sendSNACnr(self,fam,sub,data,flags=[0,0]): self.sendFLAP(SNAC(fam,sub,0x10000*fam+sub,data)) def oscar_(self,data): self.sendFLAP("\000\000\000\001"+TLV(6,self.cookie), 0x01) return "Data" def oscar_Data(self,data): snac=readSNAC(data[1]) if self.requestCallbacks.has_key(snac[4]): d = self.requestCallbacks[snac[4]] del self.requestCallbacks[snac[4]] if snac[1]!=1: d.callback(snac) else: d.errback(snac) return func=getattr(self,'oscar_%02X_%02X'%(snac[0],snac[1]),None) if not func: self.oscar_unknown(snac) else: func(snac[2:]) return "Data" def oscar_unknown(self,snac): pass def oscar_01_03(self, snac): numFamilies = len(snac[3])/2 self.supportedFamilies = struct.unpack("!"+str(numFamilies)+'H', snac[3]) d = '' for fam in self.supportedFamilies: if self.snacFamilies.has_key(fam): d=d+struct.pack('!2H',fam,self.snacFamilies[fam][0]) self.sendSNACnr(0x01,0x17, d) def oscar_01_0A(self,snac): pass def oscar_01_18(self,snac): self.sendSNACnr(0x01,0x06,"") def clientReady(self): d = '' for fam in self.supportedFamilies: if self.snacFamilies.has_key(fam): version, toolID, toolVersion = self.snacFamilies[fam] d = d + struct.pack('!4H',fam,version,toolID,toolVersion) self.sendSNACnr(0x01,0x02,d) class BOSConnection(SNACBased): snacFamilies = { 0x01:(3, 0x0110, 0x059b), 0x13:(3, 0x0110, 0x059b), 0x02:(1, 0x0110, 0x059b), 0x03:(1, 0x0110, 0x059b), 0x04:(1, 0x0110, 0x059b), 0x06:(1, 0x0110, 0x059b), 0x08:(1, 0x0104, 0x0001), 0x09:(1, 0x0110, 0x059b), 0x0a:(1, 0x0110, 0x059b), 0x0b:(1, 0x0104, 0x0001), 0x0c:(1, 0x0104, 0x0001) } capabilities = None def __init__(self,server,port,username,cookie): SNACBased.__init__(self,cookie) self.username=username self.profile = None self.awayMessage = None self.services = {} Protocol.__init__(self, server, port) if not self.capabilities: self.capabilities = [CAP_CHAT] def parseUser(self,data,count=None): l=ord(data[0]) name=data[1:1+l] warn,foo=struct.unpack("!HH",data[1+l:5+l]) warn=int(warn/10) tlvs=data[5+l:] if count: tlvs,rest = readTLVs(tlvs,foo) else: tlvs,rest = readTLVs(tlvs), None u = OSCARUser(name, warn, tlvs) if rest == None: return u else: return u, rest def oscar_01_05(self, snac, d = None): tlvs = readTLVs(snac[3][2:]) service = struct.unpack('!H',tlvs[0x0d])[0] ip = tlvs[5] cookie = tlvs[6] #c = protocol.ClientCreator(reactor, serviceClasses[service], self, cookie, d) def addService(x): self.services[service] = x c.connectTCP(ip, 5190) def oscar_01_07(self,snac): self.sendSNACnr(0x01,0x08,"\x00\x01\x00\x02\x00\x03\x00\x04\x00\x05") self.initDone() self.sendSNACnr(0x13,0x02,'') self.sendSNACnr(0x02,0x02,'') self.sendSNACnr(0x03,0x02,'') self.sendSNACnr(0x04,0x04,'') self.sendSNACnr(0x09,0x02,'') def oscar_01_10(self,snac): skip = struct.unpack('!H',snac[3][:2])[0] newLevel = struct.unpack('!H',snac[3][2+skip:4+skip])[0]/10 if len(snac[3])>4+skip: by = self.parseUser(snac[3][4+skip:]) else: by = None self.receiveWarning(newLevel, by) def oscar_01_13(self,snac): pass def oscar_02_03(self, snac): tlvs = readTLVs(snac[3]) self.maxProfileLength = tlvs[1] def oscar_03_03(self, snac): tlvs = readTLVs(snac[3]) self.maxBuddies = tlvs[1] self.maxWatchers = tlvs[2] def oscar_03_0B(self, snac): self.updateBuddy(self.parseUser(snac[3])) def oscar_03_0C(self, snac): self.offlineBuddy(self.parseUser(snac[3])) def oscar_04_05(self, snac): self.sendSNACnr(0x04,0x02,'\x00\x00\x00\x00\x00\x0b\x1f@\x03\xe7\x03\xe7\x00\x00\x00\x00') def oscar_04_07(self, snac): data = snac[3] cookie, data = data[:8], data[8:] channel = struct.unpack('!H',data[:2])[0] data = data[2:] user, data = self.parseUser(data, 1) tlvs = readTLVs(data) if channel == 1: flags = [] multiparts = [] for k, v in tlvs.items(): if k == 2: while v: v = v[2:] messageLength, charSet, charSubSet = struct.unpack('!3H', v[:6]) messageLength -= 4 message = [v[6:6+messageLength]] if charSet == 0: pass elif charSet == 2: message.append('unicode') elif charSet == 3: message.append('iso-8859-1') elif charSet == 0xffff: message.append('none') if charSubSet == 0xb: message.append('macintosh') if messageLength > 0: multiparts.append(tuple(message)) v = v[6+messageLength:] elif k == 3: flags.append('acknowledge') elif k == 4: flags.append('auto') elif k == 6: flags.append('offline') elif k == 8: iconLength, foo, iconSum, iconStamp = struct.unpack('!LHHL',v) if iconLength: flags.append('icon') flags.append((iconLength, iconSum, iconStamp)) elif k == 9: flags.append('buddyrequest') elif k == 0xb: pass elif k == 0x17: flags.append('extradata') flags.append(v) else: pass self.receiveMessage(user, multiparts, flags) elif channel == 2: status = struct.unpack('!H',tlvs[5][:2])[0] requestClass = tlvs[5][10:26] moreTLVs = readTLVs(tlvs[5][26:]) if requestClass == CAP_CHAT: exchange = struct.unpack('!H',moreTLVs[10001][:2])[0] name = moreTLVs[10001][3:-2] instance = struct.unpack('!H',moreTLVs[10001][-2:])[0] if not self.services.has_key(SERVICE_CHATNAV): self.connectService(SERVICE_CHATNAV,1) else: self.services[SERVICE_CHATNAV].getChatInfo(exchange, name, instance) elif requestClass == CAP_SEND_FILE: if moreTLVs.has_key(11): return name = moreTLVs[10001][9:-7] desc = moreTLVs[12] self.receiveSendFileRequest(user, name, desc, cookie) else: pass else: pass def _cbGetChatInfoForInvite(self, info, user, message): apply(self.receiveChatInvite, (user,message)+info) def oscar_09_03(self, snac): tlvs = readTLVs(snac[3]) self.maxPermitList = tlvs[1] self.maxDenyList = tlvs[2] def oscar_0B_02(self, snac): self.reportingInterval = struct.unpack('!H',snac[3][:2])[0] def oscar_13_03(self, snac): pass def requestSelfInfo(self): self.sendSNAC(0x01, 0x0E, '') def _cbRequestSelfInfo(self, snac, d): d.callback(self.parseUser(snac[5])) def initSSI(self): return self.sendSNAC(0x13, 0x02, '') def _cbInitSSI(self, snac, d): return {} def requestSSI(self, timestamp = 0, revision = 0): return self.sendSNAC(0x13, 0x05, struct.pack('!LH',timestamp,revision)) def _cbRequestSSI(self, snac, args = ()): if snac[1] == 0x0f: return itemdata = snac[5][3:] if args: revision, groups, permit, deny, permitMode, visibility = args else: version, revision = struct.unpack('!BH', snac[5][:3]) groups = {} permit = [] deny = [] permitMode = None visibility = None while len(itemdata)>4: nameLength = struct.unpack('!H', itemdata[:2])[0] name = itemdata[2:2+nameLength] groupID, buddyID, itemType, restLength = struct.unpack('!4H', itemdata[2+nameLength:10+nameLength]) tlvs = readTLVs(itemdata[10+nameLength:10+nameLength+restLength]) itemdata = itemdata[10+nameLength+restLength:] if itemType == 0: groups[groupID].addUser(buddyID, SSIBuddy(name, tlvs)) elif itemType == 1: g = SSIGroup(name, tlvs) if groups.has_key(0): groups[0].addUser(groupID, g) groups[groupID] = g elif itemType == 2: permit.append(name) elif itemType == 3: deny.append(name) elif itemType == 4: if not tlvs.has_key(0xcb): continue permitMode = {1:'permitall',2:'denyall',3:'permitsome',4:'denysome',5:'permitbuddies'}[ord(tlvs[0xca])] visibility = {'\xff\xff\xff\xff':'all','\x00\x00\x00\x04':'notaim'}[tlvs[0xcb]] elif itemType == 5: pass else: pass timestamp = struct.unpack('!L',itemdata)[0] if not timestamp: pass return (groups[0].users,permit,deny,permitMode,visibility,timestamp,revision) def activateSSI(self): self.sendSNACnr(0x13,0x07,'') def startModifySSI(self): """ tell the OSCAR server to be on the lookout for SSI modifications """ self.sendSNACnr(0x13,0x11,'') def addItemSSI(self, item, groupID = None, buddyID = None): """ add an item to the SSI server. if buddyID == 0, then this should be a group. this gets a callback when it's finished, but you can probably ignore it. """ if not groupID: groupID = item.group.group.findIDFor(item.group) if not buddyID: buddyID = item.group.findIDFor(item) return self.sendSNAC(0x13,0x08, item.oscarRep(groupID, buddyID)) def modifyItemSSI(self, item, groupID = None, buddyID = None): if not groupID: groupID = item.group.group.findIDFor(item.group) if not buddyID: buddyID = item.group.findIDFor(item) return self.sendSNAC(0x13,0x09, item.oscarRep(groupID, buddyID)) def delItemSSI(self, item, groupID = None, buddyID = None): if not groupID: groupID = item.group.group.findIDFor(item.group) if not buddyID: buddyID = item.group.findIDFor(item) return self.sendSNAC(0x13,0x0A, item.oscarRep(groupID, buddyID)) def endModifySSI(self): self.sendSNACnr(0x13,0x12,'') def setProfile(self, profile): """ set the profile. send None to not set a profile (different from '' for a blank one) """ self.profile = profile tlvs = '' if self.profile: tlvs = TLV(1,'text/aolrtf; charset="us-ascii"') + TLV(2,self.profile) tlvs = tlvs + TLV(5, ''.join(self.capabilities)) self.sendSNACnr(0x02, 0x04, tlvs) def setAway(self, away = None): self.awayMessage = away tlvs = TLV(3,'text/aolrtf; charset="us-ascii"') + TLV(4,away or '') self.sendSNACnr(0x02, 0x04, tlvs) def setIdleTime(self, idleTime): self.sendSNACnr(0x01, 0x11, struct.pack('!L',idleTime)) def sendMessage(self, user, message, wantAck = 0, autoResponse = 0, offline = 0 ): data = ''.join([chr(random.randrange(0, 127)) for i in range(8)]) data = data + '\x00\x01' + chr(len(user)) + user if not type(message) in (types.TupleType, types.ListType): message = [[message,]] if type(message[0][0]) == types.UnicodeType: message[0].append('unicode') messageData = '' for part in message: charSet = 0 if 'unicode' in part[1:]: charSet = 2 elif 'iso-8859-1' in part[1:]: charSet = 3 elif 'none' in part[1:]: charSet = 0xffff if 'macintosh' in part[1:]: charSubSet = 0xb else: charSubSet = 0 messageData = messageData + '\x01\x01' + struct.pack('!3H',len(part[0])+4,charSet,charSubSet) messageData = messageData + part[0] data = data + TLV(2, '\x05\x01\x00\x03\x01\x01\x02'+messageData) if wantAck: data = data + TLV(3,'') if autoResponse: data = data + TLV(4,'') if offline: data = data + TLV(6,'') if wantAck: return self.sendSNAC(0x04, 0x06, data) self.sendSNACnr(0x04, 0x06, data) def _cbSendMessageAck(self, snac, user, message): return user, message def connectService(self, service, wantCallback = 0, extraData = ''): if wantCallback: self.sendSNAC(0x01,0x04,struct.pack('!H',service) + extraData) else: self.sendSNACnr(0x01,0x04,struct.pack('!H',service)) def _cbConnectService(self, snac, d): d.arm() self.oscar_01_05(snac[2:], d) def createChat(self, shortName): if self.services.has_key(SERVICE_CHATNAV): return self.services[SERVICE_CHATNAV].createChat(shortName) else: pass def joinChat(self, exchange, fullName, instance): return self.connectService(0x0e, 1, TLV(0x01, struct.pack('!HB',exchange, len(fullName)) + fullName + struct.pack('!H', instance))) def _cbJoinChat(self, chat): del self.services[SERVICE_CHAT] return chat def warnUser(self, user, anon = 0): return self.sendSNAC(0x04, 0x08, '\x00'+chr(anon)+chr(len(user))+user) def _cbWarnUser(self, snac): oldLevel, newLevel = struct.unpack('!2H', snac[5]) return oldLevel, newLevel def getInfo(self, user): return self.sendSNAC(0x02, 0x05, '\x00\x01'+chr(len(user))+user) def _cbGetInfo(self, snac): user, rest = self.parseUser(snac[5],1) tlvs = readTLVs(rest) return tlvs.get(0x02,None) def getAway(self, user): return self.sendSNAC(0x02, 0x05, '\x00\x03'+chr(len(user))+user) def _cbGetAway(self, snac): user, rest = self.parseUser(snac[5],1) tlvs = readTLVs(rest) return tlvs.get(0x04,None) def initDone(self): pass def updateBuddy(self, user): pass def offlineBuddy(self, user): pass def receiveMessage(self, user, multiparts, flags): pass def receiveWarning(self, newLevel, user): pass def receiveChatInvite(self, user, message, exchange, fullName, instance, shortName, inviteTime): pass def chatReceiveMessage(self, chat, user, message): pass def chatMemberJoined(self, chat, member): pass def chatMemberLeft(self, chat, member): pass def receiveSendFileRequest(self, user, file, description, cookie): pass class OSCARService(SNACBased): def __init__(self, bos, cookie, d = None): SNACBased.__init__(self, cookie) self.bos = bos self.d = d def connectionLost(self, reason): for k,v in self.bos.services.items(): if v == self: del self.bos.services[k] return def clientReady(self): SNACBased.clientReady(self) if self.d: self.d.callback(self) self.d = None class ChatNavService(OSCARService): snacFamilies = { 0x01:(3, 0x0010, 0x059b), 0x0d:(1, 0x0010, 0x059b) } def oscar_01_07(self, snac): self.sendSNACnr(0x01, 0x08, '\000\001\000\002\000\003\000\004\000\005') self.sendSNACnr(0x0d, 0x02, '') def oscar_0D_09(self, snac): self.clientReady() def getChatInfo(self, exchange, name, instance): self.sendSNAC(0x0d,0x04,struct.pack('!HB',exchange,len(name)) + name + struct.pack('!HB',instance,2)) def _cbGetChatInfo(self, snac, d): data = snac[5][4:] exchange, length = struct.unpack('!HB',data[:3]) fullName = data[3:3+length] instance = struct.unpack('!H',data[3+length:5+length])[0] tlvs = readTLVs(data[8+length:]) shortName = tlvs[0x6a] inviteTime = struct.unpack('!L',tlvs[0xca])[0] info = (exchange,fullName,instance,shortName,inviteTime) d.callback(info) def createChat(self, shortName): data = '\x00\x04\x06create\xff\xff\x01\x00\x03' data = data + TLV(0xd7, 'en') data = data + TLV(0xd6, 'us-ascii') data = data + TLV(0xd3, shortName) return self.sendSNAC(0x0d, 0x08, data) def _cbCreateChat(self, snac): exchange, length = struct.unpack('!HB',snac[5][4:7]) fullName = snac[5][7:7+length] instance = struct.unpack('!H',snac[5][7+length:9+length])[0] return exchange, fullName, instance class ChatService(OSCARService): snacFamilies = { 0x01:(3, 0x0010, 0x059b), 0x0E:(1, 0x0010, 0x059b) } def __init__(self,bos,cookie, d = None): OSCARService.__init__(self,bos,cookie,d) self.exchange = None self.fullName = None self.instance = None self.name = None self.members = None clientReady = SNACBased.clientReady def oscar_01_07(self,snac): self.sendSNAC(0x01,0x08,"\000\001\000\002\000\003\000\004\000\005") self.clientReady() def oscar_0E_02(self, snac): data = snac[3] self.exchange, length = struct.unpack('!HB',data[:3]) self.fullName = data[3:3+length] self.instance = struct.unpack('!H',data[3+length:5+length])[0] tlvs = readTLVs(data[8+length:]) self.name = tlvs[0xd3] self.d.callback(self) def oscar_0E_03(self,snac): users=[] rest=snac[3] while rest: user, rest = self.bos.parseUser(rest, 1) users.append(user) if not self.fullName: self.members = users else: self.members.append(users[0]) self.bos.chatMemberJoined(self,users[0]) def oscar_0E_04(self,snac): user=self.bos.parseUser(snac[3]) for u in self.members: if u.name == user.name: self.members.remove(u) self.bos.chatMemberLeft(self,user) def oscar_0E_06(self,snac): data = snac[3] user,rest=self.bos.parseUser(snac[3][14:],1) tlvs = readTLVs(rest[8:]) message=tlvs[1] self.bos.chatReceiveMessage(self,user,message) def sendMessage(self,message): tlvs=TLV(0x02,"us-ascii")+TLV(0x03,"en")+TLV(0x01,message) self.sendSNAC(0x0e,0x05, "\x46\x30\x38\x30\x44\x00\x63\x00\x00\x03\x00\x01\x00\x00\x00\x06\x00\x00\x00\x05"+ struct.pack("!H",len(tlvs))+ tlvs) def leaveChat(self): self.stop() class OscarAuthenticator(OscarConnection): host = 'login.oscar.aol.com' port = 5190 BOSClass = BOSConnection def __init__(self,username,password,deferred=None,icq=0): self.username=username self.password=password self.deferred=deferred self.icq=icq Protocol.__init__(self, self.host, self.port) def oscar_(self,flap): if not self.icq: self.sendFLAP("\000\000\000\001", 0x01) self.sendFLAP(SNAC(0x17,0x06,0, TLV(TLV_USERNAME,self.username)+ TLV(0x004B,''))) self.state="Key" else: encpass=encryptPasswordICQ(self.password) self.sendFLAP('\000\000\000\001'+ TLV(0x01,self.username)+ TLV(0x02,encpass)+ TLV(0x03,'ICQ Inc. - Product of ICQ (TM).2001b.5.18.1.3659.85')+ TLV(0x16,"\x01\x0a")+ TLV(0x17,"\x00\x05")+ TLV(0x18,"\x00\x12")+ TLV(0x19,"\000\001")+ TLV(0x1a,"\x0eK")+ TLV(0x14,"\x00\x00\x00U")+ TLV(0x0f,"en")+ TLV(0x0e,"us"),0x01) self.state="Cookie" def oscar_Key(self,data): snac=readSNAC(data[1]) key=snac[5][2:] encpass=encryptPasswordMD5(self.password,key) self.sendFLAP(SNAC(0x17,0x02,0, TLV(TLV_USERNAME,self.username)+ TLV(TLV_PASSWORD,encpass)+ TLV(0x004C, '')+ TLV(TLV_CLIENTNAME,"AOL Instant Messenger (SM), version 4.8.2790/WIN32")+ TLV(0x0016,"\x01\x09")+ TLV(TLV_CLIENTMAJOR,"\000\004")+ TLV(TLV_CLIENTMINOR,"\000\010")+ TLV(0x0019,"\000\000")+ TLV(TLV_CLIENTSUB,"\x0A\xE6")+ TLV(0x0014,"\x00\x00\x00\xBB")+ TLV(TLV_LANG,"en")+ TLV(TLV_COUNTRY,"us")+ TLV(TLV_USESSI,"\001"))) return "Cookie" def oscar_Cookie(self,data): snac=readSNAC(data[1]) if self.icq: i=snac[5].find("\000") snac[5]=snac[5][i:] tlvs=readTLVs(snac[5]) if tlvs.has_key(6): self.cookie=tlvs[6] server,port=string.split(tlvs[5],":") self.connectToBOS(server, int(port)) elif tlvs.has_key(8): errorcode=tlvs[8] errorurl=tlvs[4] if errorcode=='\000\030': error="You are attempting to sign on again too soon. Please try again later." elif errorcode=='\000\005': error="Invalid Username or Password." else: error=repr(errorcode) self.error(error,errorurl) else: pass return "None" def oscar_None(self,data): pass def connectToBOS(self, server, port): self.proto = self.BOSClass(server, port, self.username, self.cookie) self.proto.bot = self.bot self.proto.start() self.stop() def error(self,error,url): if self.deferred: self.deferred.errback((error,url)) print 'stopping because of error()' self.stop() FLAP_CHANNEL_NEW_CONNECTION = 0x01 FLAP_CHANNEL_DATA = 0x02 FLAP_CHANNEL_ERROR = 0x03 FLAP_CHANNEL_CLOSE_CONNECTION = 0x04 SERVICE_CHATNAV = 0x0d SERVICE_CHAT = 0x0e serviceClasses = { SERVICE_CHATNAV:ChatNavService, SERVICE_CHAT:ChatService } TLV_USERNAME = 0x0001 TLV_CLIENTNAME = 0x0003 TLV_COUNTRY = 0x000E TLV_LANG = 0x000F TLV_CLIENTMAJOR = 0x0017 TLV_CLIENTMINOR = 0x0018 TLV_CLIENTSUB = 0x001A TLV_PASSWORD = 0x0025 TLV_USESSI = 0x004A CAP_ICON = '\011F\023FL\177\021\321\202"DEST\000\000' CAP_VOICE = '\011F\023AL\177\021\321\202"DEST\000\000' CAP_IMAGE = '\011F\023EL\177\021\321\202"DEST\000\000' CAP_CHAT = 't\217$ b\207\021\321\202"DEST\000\000' CAP_GET_FILE = '\011F\023HL\177\021\321\202"DEST\000\000' CAP_SEND_FILE = '\011F\023CL\177\021\321\202"DEST\000\000' CAP_GAMES = '\011F\023GL\177\021\321\202"DEST\000\000' CAP_SEND_LIST = '\011F\023KL\177\021\321\202"DEST\000\000' CAP_SERV_REL = '\011F\023IL\177\021\321\202"DEST\000\000' def logPacketData(data): lines = len(data)/16 if lines*16 != len(data): lines=lines+1 for i in range(lines): d = tuple(data[16*i:16*i+16]) hex = map(lambda x: "%02X"%ord(x),d) text = map(lambda x: (len(repr(x))>3 and '.') or x, d) def SNAC(fam,sub,id,data,flags=[0,0]): header="!HHBBL" head=struct.pack(header,fam,sub, flags[0],flags[1], id) return head+str(data) def readSNAC(data): header="!HHBBL" head=list(struct.unpack(header,data[:10])) return head+[data[10:]] def TLV(type,value): header="!HH" head=struct.pack(header,type,len(value)) return head+str(value) def readTLVs(data,count=None): header="!HH" dict={} while data and len(dict)!=count: head=struct.unpack(header,data[:4]) dict[head[0]]=data[4:4+head[1]] data=data[4+head[1]:] if not count: return dict return dict,data def encryptPasswordMD5(password,key): m=md5.new() m.update(key) m.update(md5.new(password).digest()) m.update("AOL Instant Messenger (SM)") return m.digest() def encryptPasswordICQ(password): key=[0xF3,0x26,0x81,0xC4,0x39,0x86,0xDB,0x92,0x71,0xA3,0xB9,0xE6,0x53,0x7A,0x95,0x7C] bytes=map(ord,password) r="" for i in range(len(bytes)): r=r+chr(bytes[i]^key[i%len(key)]) return r
[ "cj__@7d8b11ba-8c55-0410-bd75-95494264abfd" ]
cj__@7d8b11ba-8c55-0410-bd75-95494264abfd
9114ad8bbda5e123afc7de169cc2028aa55c0ce6
9ee5c351e72afafbcb2e85ab2180151789b27624
/pwa_store_backend/pwas/signals.py
6c3c4c6a1fcfa90b35f2395406864f245833ce99
[ "MIT" ]
permissive
nathanhfoster/pwa-store-backend
7d331343c2a6e5d53bf790569c4718a0961459f7
93a4bb1d347a9076b40600a2ec2fac92cada03cf
refs/heads/master
2023-09-01T06:02:09.885737
2021-10-17T19:11:05
2021-10-17T19:11:05
391,519,625
0
0
null
null
null
null
UTF-8
Python
false
false
376
py
from django.db.models.signals import post_save from pwa_store_backend.pwas.models import Pwa, PwaAnalytics def pwa_post_save_handler(sender, **kwargs): ''' created an instance of PWA Analytics when a new PWA is created ''' instance = kwargs.get('instance') created = kwargs.get('created', False) if created: PwaAnalytics.objects.create(pwa=instance)
[ "nabinbhusal80@gmail.com" ]
nabinbhusal80@gmail.com
3435a3efe4f2d2b77b6cd5f74d53ddf05fa774d4
473f6841c545e7edc40370782393eab947b25bc2
/NeuralNetworks/NNmodel.py
0c3099e617696d614d4e30fb90db3d71c385841d
[]
no_license
SJYbetter/supervised-machine-learning
5dcb592458fa8a1009fcec64b0624a60b3ce5dde
b8ed96ae34c5160af078dfe2fc1d771df31f0f9a
refs/heads/master
2020-04-12T12:36:21.888430
2019-04-22T13:14:19
2019-04-22T13:14:19
162,497,010
0
0
null
null
null
null
UTF-8
Python
false
false
6,401
py
import numpy as np import math import random import matplotlib.pyplot as plt import scipy.io def plot(x, y, tittle): m, n = np.shape(x) xcord1 = [] xcord2 = [] ycord1 = [] ycord2 = [] for i in range(n): if int(y[0, i]) == 1: xcord1.append(x[0, i]) ycord1.append(x[0, i]) else: xcord2.append(x[0, i]) ycord2.append(x[1, i]) fig = plt.figure() ax = fig.add_subplot(111) ax.scatter(xcord1, ycord1, s=20, c='blue', marker='cycle', alpha=0.5) ax.scatter(xcord1, ycord1, s=20, c='red', marker='square', alpha=0.5) plt.title(tittle) def read(filename): result = scipy.io.loadmat(filename) return np.asmatrix(result['X_test'].T), \ np.asmatrix(result['X_train'].T), \ np.asmatrix(result['X_validation'].T), \ np.asmatrix(result['Y_test'].T), \ np.asmatrix(result['Y_train'].T), \ np.asmatrix(result['Y_validation'].T) # Make a matrix (we could use NumPy to speed this up) def makeMatrix(I, J, fill=0.0): m = [] for i in range(I): m.append([fill] * J) return m # our sigmoid function, tanh is a little nicer than the standard 1/(1+e^-x) def sigmoid(x): return math.tanh(x) # derivative of our sigmoid function, in terms of the output (i.e. y) def dsigmoid(y): return 1.0 - y ** 2 def tanh(z): n = np.exp(z) m = np.exp(-z) return (n - m) / (n + m) def dtanh(z): k = tanh(z) return 1 - k * k def relu(z): return max(z, 0) def drelu(z): if z > 0: return 1 elif z < 0: return 0 else: raise ArithmeticError("undefined") class NN: def __init__(self, ni, nh, no): # number of input, hidden, and output nodes self.ni = ni + 1 # +1 for bias node self.nh = nh self.no = no # activations for nodes self.ai = [1.0] * self.ni self.ah = [1.0] * self.nh self.ao = [1.0] * self.no # create weights self.wi = makeMatrix(self.ni, self.nh) self.wo = makeMatrix(self.nh, self.no) # set them to random vaules for i in range(self.ni): for j in range(self.nh): self.wi[i][j] = random.normalvariate(0, 0.01) for j in range(self.nh): for k in range(self.no): self.wo[j][k] = random.normalvariate(0, 0.01) # last change in weights for momentum self.ci = makeMatrix(self.ni, self.nh) self.co = makeMatrix(self.nh, self.no) def update(self, inputs): if len(inputs) != self.ni - 1: raise ValueError('wrong number of inputs') # input activations for i in range(self.ni - 1): # self.ai[i] = sigmoid(inputs[i]) self.ai[i] = inputs[i] # hidden activations for j in range(self.nh): sum = 0.0 for i in range(self.ni): sum = sum + self.ai[i] * self.wi[i][j] self.ah[j] = sigmoid(sum) # output activations for k in range(self.no): sum = 0.0 for j in range(self.nh): sum = sum + self.ah[j] * self.wo[j][k] self.ao[k] = sigmoid(sum) return self.ao[:] def backPropagate(self, targets, N, M): """if len(targets) != self.no: raise ValueError('wrong number of target values')""" # calculate error terms for output output_deltas = [0.0] * self.no for k in range(self.no): error = targets[k] - self.ao[k] output_deltas[k] = dsigmoid(self.ao[k]) * error # calculate error terms for hidden hidden_deltas = [0.0] * self.nh for j in range(self.nh): error = 0.0 for k in range(self.no): error = error + output_deltas[k] * self.wo[j][k] hidden_deltas[j] = dsigmoid(self.ah[j]) * error # update output weights for j in range(self.nh): for k in range(self.no): change = output_deltas[k] * self.ah[j] self.wo[j][k] = self.wo[j][k] + N * change + M * self.co[j][k] self.co[j][k] = change # print N*change, M*self.co[j][k] # update input weights for i in range(self.ni): for j in range(self.nh): change = hidden_deltas[j] * self.ai[i] self.wi[i][j] = self.wi[i][j] + N * change + M * self.ci[i][j] self.ci[i][j] = change # calculate error error = 0.0 for k in range(len(targets)): error = error + 0.5 * (targets[k] - self.ao[k]) ** 2 return error def test(self, pattern): for p in pattern: print(p[0], '->', self.update(p[0])) def weights(self): print('Input weights:') for i in range(self.ni): print(self.wi[i]) print() print('Output weights:') for j in range(self.nh): print(self.wo[j]) def train(self, x, y, iterations=1000, N=0.5, M=0.1): # N: learning rate # M: momentum factor for i in range(iterations): error = 0.0 for p in range(120): inputs = x[p, :] targets = y[p, 0] self.update(inputs) error = error + self.backPropagate(targets, N, M) if i % 100 == 0: print('error %-.5f' % error) class NNv2: def __init__(self): pass def forward(self, x, y): pass def back_propagate(self): pass """def demo(): # Teach network XOR function pat = [ [[0,0], [0]], [[0,1], [1]], [[1,0], [1]], [[1,1], [0]] ] # create a network with two input, two hidden, and one output nodes n = NN(2, 2, 1) # train it with some patterns n.train(pat) # test it n.test(pat)""" def preprocess(x, y): x_t = x.T y_t = y.T input = np.matrix([120, 2]) for i in range(120): input[i, 0] = x_t[i, :] for j in range(120): input[j, 1] = y_t[j, :] return input if __name__ == '__main__': X_tst, X_train, X_vad, Y_tst, Y_train, Y_vad = read("./dataset.mat") print(X_tst, Y_tst) # n = NN(2, 2, 1) # n.train(VAD) # n.test(TST)
[ "sjyhyn@gmail.com" ]
sjyhyn@gmail.com
230253b7557aeac008a120659cb5432ff4aad187
042a3e00c2107d26589cb052f78be87c02b5a4c3
/models/xception.py
41363d857475121b236c8ea3558a5e3fb1de706e
[]
no_license
KosukeMizufune/segmentation
bdcf5cf4894b4b6c5d4645033f183169c7ff67de
78d5cd303690829b04b0a54629462ec175ca12ec
refs/heads/master
2020-05-15T23:27:32.935257
2019-05-05T14:35:14
2019-05-05T14:35:14
182,553,616
0
0
null
null
null
null
UTF-8
Python
false
false
7,189
py
import chainer from chainer import links as L from chainer import functions as F def fixed_padding(inputs, kernel_size, dilate): kernel_size_effective = kernel_size + (kernel_size - 1) * (dilate - 1) pad_total = kernel_size_effective - 1 pad_beg = pad_total // 2 pad_end = pad_total - pad_beg padded_inputs = F.pad(inputs, (pad_beg, pad_end, pad_beg, pad_end)) return padded_inputs class SeperableConv(chainer.Chain): def __init__(self, in_size, out_size, kernel_size=3, stride=1, dilate=1): super(SeperableConv, self).__init__() with self.init_scope(): self.conv1 = L.Convolution2D(in_size, in_size, kernel_size, stride, 0, dilate=dilate, groups=in_size, nobias=True) self.bn = L.BatchNormalization(in_size) self.pointwise = L.Convolution2D(in_size, out_size, 1, 1, 0, dilate=1, groups=1, nobias=True) def __call__(self, x): h = fixed_padding(x, self.conv1.ksize, dilate=self.conv1.dilate[0]) h = self.conv1(h) h = self.bn(h) h = self.pointwise(h) return h class EntryFlowBlock(chainer.Chain): def __init__(self, in_size, out_size, stride=1): super(EntryFlowBlock, self).__init__() with self.init_scope(): self.sep1 = SeperableConv(in_size, out_size, 3, 1) self.bn1 = L.BatchNormalization(out_size) self.sep2 = SeperableConv(out_size, out_size, 3, 1) self.bn2 = L.BatchNormalization(out_size) self.sep3 = SeperableConv(out_size, out_size, 3, 2) self.bn3 = L.BatchNormalization(out_size) self.conv = L.Convolution2D(in_size, out_size, 1, stride, nobias=True) self.bn_conv = L.BatchNormalization(out_size) def __call__(self, x): h = F.relu(self.bn1(self.sep1(x))) h = F.relu(self.bn2(self.sep2(h))) h = self.bn3(self.sep3(h)) skip = self.bn_conv(self.conv(x)) return F.relu(h + skip) class MiddleFlowBlock(chainer.Chain): def __init__(self, in_size, out_size, dilate=1): super(MiddleFlowBlock, self).__init__() with self.init_scope(): self.sep1 = SeperableConv(in_size, out_size, 3, 1, dilate=dilate) self.bn1 = L.BatchNormalization(out_size) self.sep2 = SeperableConv(out_size, out_size, 3, 1, dilate=dilate) self.bn2 = L.BatchNormalization(out_size) self.sep3 = SeperableConv(out_size, out_size, 3, 1, dilate=dilate) self.bn3 = L.BatchNormalization(out_size) def __call__(self, x): h = F.relu(self.bn1(self.sep1(x))) h = F.relu(self.bn2(self.sep2(h))) h = self.bn3(self.sep3(h)) return F.relu(h + x) class ExitFlow(chainer.Chain): def __init__(self, dilate): super(ExitFlow, self).__init__() with self.init_scope(): self.sep1 = SeperableConv(728, 728, 3, 1, dilate[0]) self.bn1 = L.BatchNormalization(728) self.sep2 = SeperableConv(728, 1024, 3, 1, dilate[0]) self.bn2 = L.BatchNormalization(1024) self.sep3 = SeperableConv(1024, 1024, 3, 2, dilate[0]) self.bn3 = L.BatchNormalization(1024) self.sep4 = SeperableConv(1024, 1536, 3, 1, dilate[1]) self.bn4 = L.BatchNormalization(1536) self.sep5 = SeperableConv(1536, 1536, 3, 1, dilate[1]) self.bn5 = L.BatchNormalization(1536) self.sep6 = SeperableConv(1536, 2048, 3, 1, dilate[1]) self.bn6 = L.BatchNormalization(2048) self.conv = L.Convolution2D(728, 1024, 1, 2) self.conv_bn = L.BatchNormalization(1024) def __call__(self, x): h = F.relu(self.bn1(self.sep1(x))) h = F.relu(self.bn2(self.sep2(h))) h = self.bn3(self.sep3(h)) h += self.conv_bn(self.conv(x)) h = F.relu(h) h = F.relu(self.bn4(self.sep4(h))) h = F.relu(self.bn5(self.sep5(h))) h = F.relu(self.bn6(self.sep6(h))) return h class AlignedXception(chainer.Chain): def __init__(self, output_stride): super(AlignedXception, self).__init__() if output_stride == 16: entry_block3_stride = 2 middle_block_dilation = 1 exit_block_dilations = (1, 2) elif output_stride == 8: entry_block3_stride = 1 middle_block_dilation = 2 exit_block_dilations = (2, 4) else: raise NotImplementedError with self.init_scope(): # Entry Flow self.conv1 = L.Convolution2D(3, 32, 3, stride=2, pad=1, nobias=True) self.bn1 = L.BatchNormalization(32) self.conv2 = L.Convolution2D(32, 64, 3, stride=1, pad=1, nobias=True) self.bn2 = L.BatchNormalization(64) self.block1 = EntryFlowBlock(64, 128) self.block2 = EntryFlowBlock(128, 256) self.block3 = EntryFlowBlock(256, 728, stride=entry_block3_stride) # Middle Flow self.block4 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block5 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block6 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block7 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block8 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block9 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block10 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block11 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block12 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block13 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block14 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block15 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block16 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block17 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block18 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) self.block19 = MiddleFlowBlock(728, 728, dilate=middle_block_dilation) # Exit Flow self.exit = ExitFlow(exit_block_dilations) def __call__(self, x): x = self.bn1(self.conv1(x)) x = self.bn2(self.conv2(x)) # relu may be unnecessary x = self.block1(x) x = self.block2(x) x = self.block3(x) x = self.block4(x) x = self.block4(x) x = self.block5(x) x = self.block6(x) x = self.block7(x) x = self.block8(x) x = self.block9(x) x = self.block10(x) x = self.block11(x) x = self.block12(x) x = self.block13(x) x = self.block14(x) x = self.block15(x) x = self.block16(x) x = self.block17(x) x = self.block18(x) x = self.block19(x) x = self.exit(x) return x
[ "mfs.coldvdgas4645@gmail.com" ]
mfs.coldvdgas4645@gmail.com
e651b351aeca8a6f33aec76c1801f3599fa076b4
bc32158f2085ae8ebf1b3a95911fd0087fd090f2
/importPkg/generate.py
e4282eef355774091820fc02b7c39d09601b8406
[]
no_license
mwintersperger-tgm/prototype
77a69558f204b1fbc012f0c877ed95e70419e745
9bb1da7119fd17fcf889f42a97e46420ce7a120a
refs/heads/master
2020-04-07T16:52:08.032189
2019-04-07T11:44:45
2019-04-07T11:44:45
158,546,637
0
0
null
null
null
null
UTF-8
Python
false
false
3,242
py
import json import csv from random import randint true = True false = False def generate(generator): """ Generates a value based on the given generator, which has to be a string Read the generate_readme for further information :param generator: string :return: """ if generator.startswith("name"): stri = "" stri += chr(randint(65, 90)) for xa in range(0, randint(5, 11)): stri += chr(randint(97, 122)) return stri elif generator.startswith("randchar"): stri = "" for xb in range(0, int(generator[8:])): num = randint(0, 2) if num == 2: stri += chr(randint(48, 57)) elif num == 1: stri += chr(randint(65, 90)) else: stri += chr(randint(95, 122)) return stri elif generator.startswith("randint"): stri = "1" for xc in range(0, int(generator[7:])): stri += "0" return randint(0, int(stri) - 1) else: return "hi" def lel(argsin): try: ret = argsin['return'] except KeyError: ret = False with open("../resources/param.json") as file: columns = json.load(file) result = [] ccsv = columns['createcsv'] try: if argsin['writecsv']: ccsv = True except KeyError: pass cjson = columns['createjson'] try: if argsin['writejson']: cjson = True except KeyError: pass delim = columns['delimiter'] try: if isinstance(delim, int): delim = chr(delim) except KeyError: pass try: jsonloc = argsin['jsonname'] except KeyError: pass try: csvloc = argsin['csvname'] except KeyError: pass try: if argsin['lines'] > 0: lines = argsin['lines'] except KeyError: lines = columns['lines'] try: param = argsin['param'] except KeyError: param = columns['param'] if ccsv: with open(csvloc, "a") as csvfile: w = None if ccsv: csvfile.truncate(0) w = csv.writer(csvfile, delimiter=delim) linecount = 0 for i in range(0, lines): newres = {} for x in param: newres[x['propname']] = generate(x['generator']) pass # result.append(newres) if linecount == 0: if ccsv: w.writerow(newres.keys()) if ccsv: w.writerow(newres.values()) if cjson or ret: result.append(newres) linecount += 1 else: for i in range(0, lines): newres = {} for x in param: newres[x['propname']] = generate(x['generator']) pass # result.append(newres) if cjson or ret: result.append(newres) if cjson: with open(jsonloc, "w") as file: file.truncate(0) file.write(json.dumps(result)) if ret: return result
[ "akramreiter@student.tgm.ac.at" ]
akramreiter@student.tgm.ac.at
62f61b10377b859a94e7cd74a9a808e563b91524
8103ec56c3a412f186078738966466494e65cb35
/player.py
b4d1216727144ed14f92092f28b0df7ce9c1c2a3
[]
no_license
ankushKun/TicTacToe
8065cc1d64075da35aaef50e5dd3f499b5ee66e1
2892ce940f75efeefdf0912f5aafd08cffb7d1b2
refs/heads/main
2022-12-30T18:38:51.368878
2020-10-19T12:19:24
2020-10-19T12:19:24
305,075,511
2
1
null
null
null
null
UTF-8
Python
false
false
446
py
#from board import Board class Player: def __init__(self,name:str,piece:str) -> None: piece=piece.upper() if not (piece=='O' or piece=='X'): raise Exception("piece should be either 'X' or 'O'") self.name = name self.piece = piece def place(self,b,x:int,y:int) -> None: b.place(x,y,self.piece) print(f"{self.name} >> placed an {self.piece} on {x},{y}") b.print_board()
[ "ankush4singh@gmail.com" ]
ankush4singh@gmail.com
89fbee613da8412cb0e79b72e54245fc9d1ad0d5
12d654d2f2caa42469dacc7e331b6fa61e41bf61
/polls/migrations/0001_initial.py
a557ab78b242348220f98d2d5155974a1d879169
[]
no_license
makon57/redhat-tech
d618a4a9a96e89ce09b4db469adae40c3b79b139
ed7e915fd5e63ddf9e9c30d9a14c9d0e281a7f1e
refs/heads/main
2023-09-01T07:51:48.790823
2021-10-05T19:57:24
2021-10-05T19:57:24
413,950,578
0
0
null
null
null
null
UTF-8
Python
false
false
1,081
py
# Generated by Django 3.2.7 on 2021-09-29 01:00 from django.db import migrations, models import django.db.models.deletion class Migration(migrations.Migration): initial = True dependencies = [ ] operations = [ migrations.CreateModel( name='Question', fields=[ ('id', models.BigAutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('question_text', models.CharField(max_length=200)), ('pub_date', models.DateTimeField(verbose_name='date published')), ], ), migrations.CreateModel( name='Choice', fields=[ ('id', models.BigAutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('choice_text', models.CharField(max_length=200)), ('votes', models.IntegerField(default=0)), ('question', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to='polls.question')), ], ), ]
[ "m.kong.57@gmail.com" ]
m.kong.57@gmail.com
9f6d9ea1d01f53cf4815e3eebe00a8d6c0061822
4a2e129c26cfbe9477785d71d34eaefd6c7832c2
/TreeB.py
dbe6ea2f0dd46671ab0a2108ec9539713e7d69f8
[ "MIT" ]
permissive
adilraja11/Binary-Tree-from-marsinf
ad4ced5507fec59b0c3a7a391b4dc32ad11811a6
a8cc17f5e7cb74cf62e12b2974a214b6cfe20a93
refs/heads/main
2023-01-21T23:27:47.949670
2020-11-29T09:51:27
2020-11-29T09:51:27
316,917,655
0
0
null
null
null
null
UTF-8
Python
false
false
2,725
py
#Nama : #NIM : #Tanggal : #Deskripsi : from TreeA import * #Fungsi NbElmt #DefSpek #NbElmt : pohon biner --> integer >= 0 #NbElmt (P) memberikan banyaknya elemen dari pohon P #basis : NbElmt (//\\) = 0 #rekurens : NbElmt (/L, A, R\) = NbElmt(L) + 1 + NbElmt(R) def NbElmtPB(P): if(IsOneElmtPB(P)): return 1 else: if(IsBinerPB(P)): return NbElmtPB(Left(P)) + 1 + NbElmtPB(Right(P)) elif(IsUnerLeftPB(P)): return NbElmtPB(Left(P)) + 1 elif(IsUnerRightPB(P)): return 1 + NbElmtPB(Right(P)) #Fungsi NbDaun #DefSpek #NbDaun : pohon biner --> integer #NbDaun (P) memberikan banyaknya daun dari pohon Pohon def NbDaunPB(P): if(IsOneElmtPB(P)): return 1 else: if(IsBinerPB(P)): return NbDaunPB(Left(P)) + NbDaunPB(Right(P)) elif(IsUnerLeftPB(P)): return NbDaunPB(Left(P)) elif(IsUnerRightPB(P)): return NbDaunPB(Right(P)) #Fungsi RepPrefixPB #DefSpek #RepPrefixPB : pohon biner --> list of element #RepPrefixPB (P) memberikan representasi linier (dalam bentuk list) #dengan urutan elemen list sesuai dengan urutan penulisan pohon secara prefix #/A L R\ def RepPrefixPB(P): if(IsOneElmtPB(P)): return [Akar(P)] else: if(IsBinerPB(P)): return [Akar(P)] + RepPrefixPB(Left(P)) + RepPrefixPB(Right(P)) elif(IsUnerLeftPB(P)): return [Akar(P)] + RepPrefixPB(Left(P)) elif(IsUnerRightPB(P)): return [Akar(P)] + RepPrefixPB(Right(P)) #Fungsi RepInfixPB #DefSpek #RepInfixPB : pohon biner --> list of element #RepInfixPB (P) memberikan representasi linier (dalam bentuk list) #dengan urutan elemen list sesuai dengan urutan penulisan pohon secara Infix #/L A R\ #Fungsi RepPostfixPB #DefSpek #RepPostfixPB : pohon biner --> list of element #RepPostfixPB (P) memberikan representasi linier (dalam bentuk list) #dengan urutan elemen list sesuai dengan urutan penulisan pohon secara RepPostfixPB #/L R A\ #Fungsi SumDaunPB #DefSpek #SumDaunPB : pohon biner --> integer #SumDaunPB (P) memberikan jumlah daun dari pohon P def SumDaunPB(P): if(IsOneElmtPB(P)): return Akar(P) else: if(IsBinerPB(P)): return SumDaunPB(Left(P)) + SumDaunPB(Right(P)) elif(IsUnerLeftPB(P)): return SumDaunPB(Left(P)) elif(IsUnerRightPB(P)): return SumDaunPB(Right(P)) #Fungsi SumElmtPB #DefSpek #SumElmtPB : pohon biner --> integer #SumElmtPB (P) memberikan jumlah setiap elemen dari pohon P def SumElmtPB(P): if(IsOneElmtPB(P)): return Akar(P) else: if(IsBinerPB(P)): return SumElmtPB(Left(P)) + Akar(P) + SumElmtPB(Right(P)) elif(IsUnerLeftPB(P)): return SumElmtPB(Left(P)) + Akar(P) elif(IsUnerRightPB(P)): return Akar(P) + SumElmtPB(Right(P))
[ "noreply@github.com" ]
noreply@github.com
7b045879714b0543348f9c2c3e0f6e3debfef07e
d9ffdfc842fd3aef47194132828bdca8e7d97a35
/state_categorizer/experiment_parsel3.py
546a70f5e3b72adbda3066470d316981711a3239
[]
no_license
pollo/categorizers
98d29192129a932efe257b32bbad7d6079fa7b72
018cf1e6884ea6c23386c5539c0a9418feadffcf
refs/heads/master
2016-09-05T19:13:14.486091
2014-07-29T13:19:53
2014-07-29T13:19:53
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,692
py
from experiment_parsel import ExperimentParamsSelectionBase from sys import argv import os.path """ In this experiment the features extracted will be the 3 components and the module of velocity and accelleration of each point. The svm will be used with gaussian kernel instead of linear. """ class Experiment(ExperimentParamsSelectionBase): @property def KERNEL_TYPE(self): return "rbf" @property def FEATURES_PER_SAMPLE(self): return self.WINDOW_SIZE*8 @property def WINDOW_SIZE(self): return 11 def _extract_features(self, points): features = [] for point in points: try: features.append(float(point['categorizers']['vel'])) features.append(float(point['categorizers']['velx'])) features.append(float(point['categorizers']['vely'])) features.append(float(point['categorizers']['velz'])) features.append(float(point['categorizers']['acc'])) features.append(float(point['categorizers']['accx'])) features.append(float(point['categorizers']['accy'])) features.append(float(point['categorizers']['accz'])) except KeyError as e: print e return [] return features if __name__ == '__main__': auth_ids = [32, 51] experiment_name = os.path.splitext(os.path.basename(argv[0]))[0] try: subsampling = float(argv[1]) experiment_name += "_s"+str(subsampling) except (ValueError, IndexError) as e: subsampling = 1.0 Experiment().run(auth_ids, experiment_name, subsampling)
[ "pollo1_91@yahoo.it" ]
pollo1_91@yahoo.it
fb58e6b016ef706a0ea9fe64f5a1a25eecfcf477
5065377d29c8965c3d9b445b26526154d5bfbd72
/blog/admin.py
49c4b842918b5aad9764d056950b9bda4d124e90
[]
no_license
chechitajr20/aplicacionblog
095944382c46106d0275c55c55df1d4a42521701
a10b16740877ade416a5ce6cba3b976de1d38998
refs/heads/master
2023-01-14T06:14:00.287576
2020-11-14T22:23:12
2020-11-14T22:23:12
294,600,242
0
0
null
null
null
null
UTF-8
Python
false
false
129
py
from django.contrib import admin from .models import Publicacion admin.site.register(Publicacion) # Register your models here.
[ "kevin17@mesoamericana.edu.gt" ]
kevin17@mesoamericana.edu.gt
179f582b2c0b1b3db4ccb771da4908bdf2846481
2d93e25b8b7efc7ea57cb6421894fc81b31e5c8f
/devel/lib/python2.7/dist-packages/bitcraze_lps_estimator/msg/__init__.py
54dbe5073cc27273c6646ff5533f8a96774c0fd1
[]
no_license
Supredan/UINS
5b63a33f0a143d5138cd2e59883e5820b0b23076
7a70d31944a89b00bbf302dd1f318ab93f8134dc
refs/heads/master
2020-07-23T21:39:46.500920
2019-09-11T03:23:34
2019-09-11T03:23:34
207,712,812
1
1
null
null
null
null
UTF-8
Python
false
false
27
py
from ._RangeArray import *
[ "961401327@qq.com" ]
961401327@qq.com
285294c3c1fac8f3add68e76b2a6286d591a5183
504be4ce361b3c0da04beb1f0ca2441bc375d64e
/bloody/urls.py
1e0a1f710bbcc9ca0e553855cb7159d997fe4e70
[]
no_license
NipunGupta27/bloodowners
b7b8b625364e13fd85918449e9f2a818364a2098
289667b665b9483d209c45090ba67a8084a04e6b
refs/heads/master
2020-06-01T01:07:41.733356
2019-09-17T19:14:30
2019-09-17T19:14:30
190,570,692
0
0
null
null
null
null
UTF-8
Python
false
false
362
py
from django.urls import path from . import views urlpatterns=[ path('', views.BD.index), path('sign', views.BD.sign, name="log"), path('signup', views.BD.register, name="signup"), path('signin', views.BD.login, name="signin"), path('logout', views.BD.logout, name="logout"), path('bloodsearch', views.BD.finddonor, name="bloodsearch") ]
[ "nipungupta.2702@gmail.com" ]
nipungupta.2702@gmail.com
1a63e4dfdfbd8600a565952b15f6d8d44e6149de
dfd384abcad2db8235886bc710ad29a2aebfdfe8
/Scripts/pip2-script.py
0048ec1246fcc85dfb95780b90493c3e1c225ad7
[]
no_license
leonardray/pythonbackup
96d48fd7caa19414d16ee9fd025a220ba29c9409
fe5c128806e7998d15bcc2960e549de49483796d
refs/heads/master
2021-01-20T19:36:33.607811
2016-07-19T06:07:31
2016-07-19T06:07:31
63,615,189
0
0
null
null
null
null
UTF-8
Python
false
false
290
py
#!C:\Python27\python.exe # EASY-INSTALL-ENTRY-SCRIPT: 'pip==8.1.1','console_scripts','pip2' __requires__ = 'pip==8.1.1' import sys from pkg_resources import load_entry_point if __name__ == '__main__': sys.exit( load_entry_point('pip==8.1.1', 'console_scripts', 'pip2')() )
[ "zunrui.liu@seecwealth.com" ]
zunrui.liu@seecwealth.com
a14f2d27fb842c960da907b295098fe3078cb4ac
e333b92859dfc4ca9d48bfb13c101fbe12a4aece
/development/COPIES/intercom_bitplanes.py
36ed94a10bf5d866788a438b0d9a36ed4b242f79
[]
no_license
DjCluster/intercom
c56d831d6daf111ec0ac4fe5b5d7eae04d97f203
8475ba692913e2b58ffaa9d0351a1d03271a92cb
refs/heads/master
2020-07-27T01:12:52.836898
2020-01-23T12:48:25
2020-01-23T12:48:25
208,819,502
0
0
null
2019-10-21T14:05:22
2019-09-16T14:23:47
Python
UTF-8
Python
false
false
1,720
py
# Transmitint bitplanes. import sounddevice as sd import numpy as np import struct from intercom import Intercom from intercom_buffer import Intercom_buffer if __debug__: import sys class Intercom_bitplanes(Intercom_buffer): def init(self, args): Intercom_buffer.init(self, args) self.packet_format = f"!HB{self.frames_per_chunk//8}B" def receive_and_buffer(self): message, source_address = self.receiving_sock.recvfrom(Intercom.MAX_MESSAGE_SIZE) chunk_number, bitplane_number, *bitplane = struct.unpack(self.packet_format, message) bitplane = np.asarray(bitplane, dtype=np.uint8) bitplane = np.unpackbits(bitplane) bitplane = bitplane.astype(np.int16) self._buffer[chunk_number % self.cells_in_buffer][:, bitplane_number%self.number_of_channels] |= (bitplane << bitplane_number//self.number_of_channels) return chunk_number def record_and_send(self, indata): for bitplane_number in range(self.number_of_channels*16-1, -1, -1): bitplane = (indata[:, bitplane_number%self.number_of_channels] >> bitplane_number//self.number_of_channels) & 1 bitplane = bitplane.astype(np.uint8) bitplane = np.packbits(bitplane) message = struct.pack(self.packet_format, self.recorded_chunk_number, bitplane_number, *bitplane) self.sending_sock.sendto(message, (self.destination_IP_addr, self.destination_port)) self.recorded_chunk_number = (self.recorded_chunk_number + 1) % self.MAX_CHUNK_NUMBER if __name__ == "__main__": intercom = Intercom_bitplanes() parser = intercom.add_args() args = parser.parse_args() intercom.init(args) intercom.run()
[ "Toni.Schaarschmidt@hotmail.de" ]
Toni.Schaarschmidt@hotmail.de
ef6b4848b893f17267f2b33abef55ff4aa3231af
ca75f7099b93d8083d5b2e9c6db2e8821e63f83b
/z2/part2/batch/jm/parser_errors_2/260891264.py
b17d02424ce9eaaf1d928b9919113f11c3a2f91b
[ "MIT" ]
permissive
kozakusek/ipp-2020-testy
210ed201eaea3c86933266bd57ee284c9fbc1b96
09aa008fa53d159672cc7cbf969a6b237e15a7b8
refs/heads/master
2022-10-04T18:55:37.875713
2020-06-09T21:15:37
2020-06-09T21:15:37
262,290,632
0
0
MIT
2020-06-09T21:15:38
2020-05-08T10:10:47
C
UTF-8
Python
false
false
1,244
py
from part1 import ( gamma_board, gamma_busy_fields, gamma_delete, gamma_free_fields, gamma_golden_move, gamma_golden_possible, gamma_move, gamma_new, ) """ scenario: test_random_actions uuid: 260891264 """ """ random actions, total chaos """ board = gamma_new(3, 2, 2, 6) assert board is not None assert gamma_move(board, 1, 2, 1) == 1 assert gamma_move(board, 1, 0, 0) == 1 assert gamma_move(board, 2, 2, 1) == 0 assert gamma_busy_fields(board, 2) == 0 assert gamma_move(board, 1, 0, 0) == 0 assert gamma_move(board, 2, 1, 0) == 1 assert gamma_move(board, 2, 2, 1) == 0 assert gamma_move(board, 1, 0, 2) == 0 assert gamma_move(board, 2, 2, 1) == 0 assert gamma_move(board, 1, 1, 0) == 0 assert gamma_move(board, 1, 2, 0) == 1 assert gamma_move(board, 2, 1, 0) == 0 assert gamma_move(board, 1, 1, 1) == 1 assert gamma_move(board, 1, 0, 1) == 1 assert gamma_busy_fields(board, 1) == 5 assert gamma_move(board, 2, 1, 1) == 0 assert gamma_move(board, 1, 1, 1) == 0 assert gamma_move(board, 1, 1, 1) == 0 assert gamma_move(board, 2, 0, 1) == 0 assert gamma_move(board, 2, 1, 0) == 0 assert gamma_busy_fields(board, 2) == 1 assert gamma_golden_move(board, 2, 1, 0) == 0 gamma_delete(board)
[ "jakub@molinski.dev" ]
jakub@molinski.dev
b6c6890770545affae43a687df491bc4228d1c6e
b030e97629ce909e60065fb061110d9b0818aee1
/501-600/561.Array Partition I.py
abc497d0d0fffc3804b7017701ae8180a7ace8ab
[]
no_license
iscas-ljc/leetcode-easy
40325395b0346569888ff8c065cacec243cbac98
e38de011ce358c839851ccac23ca7af05a9d0b32
refs/heads/master
2021-01-20T09:27:07.650656
2017-11-22T03:07:47
2017-11-22T03:07:47
101,595,253
2
0
null
null
null
null
UTF-8
Python
false
false
247
py
class Solution(object): def arrayPairSum(self, nums): nums.sort() return sum(nums[::2]) #等价于return sum(sorted(nums)[::2]) #将数组从小到大排序,取下标为偶数的元素求和即为答案
[ "861218470@qq.com" ]
861218470@qq.com
1a8b3d4e9b1c958f9b0bce014b558636a21f1219
82fce9aae9e855a73f4e92d750e6a8df2ef877a5
/Lab/venv/lib/python3.8/site-packages/OpenGL/raw/GLES2/_errors.py
b6a0130446adb2d6251c43327f3ea1379148a033
[]
no_license
BartoszRudnik/GK
1294f7708902e867dacd7da591b9f2e741bfe9e5
6dc09184a3af07143b9729e42a6f62f13da50128
refs/heads/main
2023-02-20T19:02:12.408974
2021-01-22T10:51:14
2021-01-22T10:51:14
307,847,589
0
0
null
null
null
null
UTF-8
Python
false
false
193
py
from OpenGL.error import _ErrorChecker from OpenGL.platform import PLATFORM as _p if _ErrorChecker: _error_checker = _ErrorChecker(_p, _p.GLES2.glGetError) else: _error_checker = None
[ "rudnik49@gmail.com" ]
rudnik49@gmail.com
e42766c52d29e4d1e1220f55c205fd23f19c7388
f72563f5f43658ce80c89449ba7a43edd00c2a5d
/flaskapp/lib/python3.6/posixpath.py
8657d96a2d35f2cdcc7d2fcaf755b1fc0277048c
[]
no_license
vicktoriaklich/vicktorias_foundations_project
188ea68ec0be172fc5831f364f72140137d75a11
83613fd919642476ffbc2298ee172ec3401d199f
refs/heads/master
2020-05-14T17:28:27.580568
2019-04-28T21:20:44
2019-04-28T21:20:44
181,892,172
0
0
null
null
null
null
UTF-8
Python
false
false
57
py
/Users/victoriaklich/anaconda3/lib/python3.6/posixpath.py
[ "klichvictoria@googlemail.com" ]
klichvictoria@googlemail.com
4103dd891513b167f4c5e44df7b0a7fb7670c5db
45b741f7063b6baef7ca0ced7dbaaaeba2606710
/text_jp/cleaner.py
a40748555e0d6e358c3afd04c7727ca3aba46274
[ "MIT" ]
permissive
reppy4620/glow-tts
af92f50ea1d199b5ea8e52e1ac19c1b25310ee3c
25e9999c46ced8d4508ceccc7025d2d8a5c66af3
refs/heads/master
2023-05-26T18:51:17.533034
2021-05-23T11:36:20
2021-05-23T11:36:20
365,131,941
0
0
MIT
2021-05-13T12:43:56
2021-05-07T06:10:16
Python
UTF-8
Python
false
false
937
py
# https://github.com/tosaka-m/japanese_realtime_tts/blob/master/src/jrtts/GlowTTS/Utils/text_utils.py import os.path as osp import pandas as pd DEFAULT_DICT_PATH = osp.join('./filelists', 'word_index_dict.txt') class TextCleaner: def __init__(self, word_index_dict_path=DEFAULT_DICT_PATH): self.word_index_dictionary = self.load_dictionary(word_index_dict_path) self.pad_index = 0 def __call__(self, text): indexes = [] for char in text: try: indexes.append(self.word_index_dictionary[char]) except KeyError: print(char) return indexes def __len__(self): return len(self.word_index_dictionary) def load_dictionary(self, path): csv = pd.read_csv(path, header=None).values word_index_dict = {word: index for word, index in csv} word_index_dict['<pad>'] = 0 return word_index_dict
[ "ilikeniku@icloud.com" ]
ilikeniku@icloud.com
30c5fbeef2b61d36df1e19d7650d461d12adef3a
1c248b5ab4e6c3d4b2880fd848c4e74c4a6495cc
/program/admin.py
af08915223d517301f6083ddf67055091e19b4c8
[]
no_license
serkankisacik/Python-Django-DietSystem
45bc4db86089edcda7e22dd1e5bcecfac1119794
e881df12c2213fc06da506a2f945605c7ae36da8
refs/heads/master
2023-06-06T06:36:53.018721
2021-07-03T20:15:20
2021-07-03T20:15:20
351,484,246
2
0
null
null
null
null
UTF-8
Python
false
false
2,331
py
from django.contrib import admin # Register your models here. from mptt.admin import MPTTModelAdmin, DraggableMPTTAdmin from program.models import Category, Program, Images, Comment class ProgramImageInline(admin.TabularInline): model = Images extra = 5 class CategoryAdmin(MPTTModelAdmin): list_display = ['title','status',] list_filter = ['status'] class ProgramAdmin(admin.ModelAdmin): list_display = ['title', 'category', 'image_tag', 'price','status'] readonly_fields = ('image_tag',) list_filter = ['status','category'] inlines = [ProgramImageInline] prepopulated_fields = {'slug': ('title',)} class ImagesAdmin(admin.ModelAdmin): list_display = ['title', 'program','image_tag'] readonly_fields = ('image_tag',) class CategoryAdmin2(DraggableMPTTAdmin): mptt_indent_field = "title" list_display = ('tree_actions', 'indented_title', 'related_programs_count', 'related_programs_cumulative_count') list_display_links = ('indented_title',) prepopulated_fields = {'slug': ('title',)} def get_queryset(self, request): qs = super().get_queryset(request) # Add cumulative product count qs = Category.objects.add_related_count( qs, Program, 'category', 'programs_cumulative_count', cumulative=True) # Add non cumulative product count qs = Category.objects.add_related_count(qs, Program, 'category', 'programs_count', cumulative=False) return qs def related_programs_count(self, instance): return instance.programs_count related_programs_count.short_description = 'Related programs (for this specific category)' def related_programs_cumulative_count(self, instance): return instance.programs_cumulative_count related_programs_cumulative_count.short_description = 'Related programs (in tree)' class CommentAdmin(admin.ModelAdmin): list_display = ['subject','comment','program','user','status'] list_filter = ['status'] admin.site.register(Category,CategoryAdmin2) admin.site.register(Program,ProgramAdmin) admin.site.register(Images,ImagesAdmin) admin.site.register(Comment,CommentAdmin)
[ "serkankisacik01@gmail.com" ]
serkankisacik01@gmail.com
737e3ae44d09c3a751214f2cf1bc08fc8669bdc1
72478ff5ab229b87c1092a0858605e3b13f349e0
/leveldb.py
2e2bd5a30d01c29938bfa491bcb0567fc4e82580
[]
no_license
jamiels/pyethdata
514e692610ff8ae65d3be2c6c94a329559e597ed
ac28ad9a1881802423aaa74e5d9ecd7d9cb2b2d6
refs/heads/master
2020-04-22T08:44:51.258156
2019-02-12T04:15:42
2019-02-12T04:15:42
170,250,580
0
0
null
null
null
null
UTF-8
Python
false
false
267
py
# Jamiel Sheikh - jamiel@chainhaus.com # pip install plyvel import plyvel ### Connect and pull all keys in LevelDB - Good luck getting this to work on Windows db = plyvel.DB('/geth/chaindata/000016.ldb',create_if_missing=False) for k,v in db: print(k,":",v)
[ "i@jamiel.net" ]
i@jamiel.net
22adac66fa6865c32e5f213be1abc3f4001823a7
0f58d1d2560d7b3a9c4567ff7431a041ebe8d1ac
/0x0A-python-inheritance/8-rectangle.py
82cd7919083de7517b18001dd57682fc827dfd43
[]
no_license
peluza/holbertonschool-higher_level_programming
da2c5fc398ab7669989041f3be53a157638641c2
a39327938403413c178b943dbeefe02509957c9b
refs/heads/master
2022-12-14T08:12:27.444152
2020-09-24T21:45:49
2020-09-24T21:45:49
259,433,198
0
0
null
null
null
null
UTF-8
Python
false
false
561
py
#!/usr/bin/python3 """8-rectangle """ BaseGeometry = __import__('7-base_geometry').BaseGeometry class Rectangle(BaseGeometry): """Rectangle Arguments: BaseGeometry {class} -- the class is BAseGeometry """ def __init__(self, width, height): """__init__ Arguments: width {int} -- value is int height {int} -- value is int """ self.integer_validator("width", width) self.integer_validator("height", height) self.__width = width self.__height = height
[ "edisonisaza@gmail.com" ]
edisonisaza@gmail.com
b34064101b59f3b0e11adf4c0e9850da45f52e80
fb21f0ff81e0f999a95c72bbf2f590eaa71d9ce9
/SELF_TRAINING.py
86c0eb14917e4dacbdb7ef6f01624cf29ab85b11
[]
no_license
apjohndim/3D-Lung-Nodule-Classification
b9564ce9f537e043927e7d5345256b50fdfb65e3
db86001ffd81c18444d7b0beaf47cf363aba30ac
refs/heads/main
2023-04-21T20:36:15.867162
2021-05-02T20:58:23
2021-05-02T20:58:23
363,747,693
0
0
null
null
null
null
UTF-8
Python
false
false
15,749
py
print("[INFO] Importing Libraries") import matplotlib as plt plt.style.use('ggplot') # matplotlib inline from sklearn.preprocessing import LabelBinarizer from imutils import paths import matplotlib.pyplot as plt import numpy as np import random import cv2 import os import time # time1 = time.time(); print('Time taken: {:.1f} seconds'.format(time.time() - time1)) import warnings import keras from keras.preprocessing.image import ImageDataGenerator warnings.filterwarnings("ignore") import keras from keras.models import Sequential from keras.layers import Dense, Dropout, Flatten from keras.layers import Conv2D, MaxPooling2D, BatchNormalization, Conv3D, MaxPooling3D from keras.utils import to_categorical from keras.preprocessing import image import matplotlib.pyplot as plt from keras.utils import to_categorical from keras import regularizers from keras import optimizers from keras.layers import LeakyReLU from keras.layers import ELU from keras.models import Model from keras.layers import Input, Dense from keras.layers import ZeroPadding2D, GlobalAveragePooling2D, GlobalMaxPooling2D, ZeroPadding3D, GlobalAveragePooling3D, GlobalMaxPooling3D from PIL import Image import numpy from sklearn.model_selection import KFold from sklearn.metrics import roc_curve from sklearn.metrics import auc import time from sklearn.metrics import classification_report, confusion_matrix from keras_applications.resnet import ResNet50 from keras_applications.mobilenet import MobileNet import tensorflow as tf SEED = 50 # set random seed print("[INFO] Libraries Imported") from copy import deepcopy from keras.callbacks import EarlyStopping from keras.optimizers import SGD from keras.models import load_model import custom1 #adam = keras.optimizers.Adam(learning_rate=0.001, beta_1=0.9, beta_2=0.999, amsgrad=False) #leakyrelu = keras.layers.LeakyReLU(alpha=0.3) #elu = keras.layers.ELU(alpha=1.0) def conv3D (x,filters,bn,maxp=0,rdmax=0,drop=True,DepthPool=False): x = Conv3D(filters, (3, 3,3), padding='same', activation='selu')(x) if maxp ==1 and DepthPool==False: x = MaxPooling3D((1,2, 2),padding='valid')(x) if DepthPool==True: x = MaxPooling3D((2,2, 2),padding='valid')(x) if drop==True: x = Dropout(0.5)(x) if bn==1: x = BatchNormalization(axis=-1)(x) if rdmax == 1: x = MaxPooling3D((2,2, 2),padding='valid')(x) return x #%% def make_3d(): input_img = Input(shape=(6, 32, 32, 3)) x = conv3D (input_img,filters=64,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=True) x = conv3D (x,64,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) y = conv3D (x,128,bn = 1, maxp=1,rdmax=0,drop=False, DepthPool=False) y = conv3D (y,128,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=True) #y = conv3D (y,64,bn = 1, maxp=1,rdmax=0,drop=False, DepthPool=False) z = conv3D (y,256,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) z = conv3D (z,256,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) z = conv3D (z,256,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) z = conv3D (z,256,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) # w = conv3D (z,512,bn = 1, maxp=1,rdmax=0,drop=False, DepthPool=False) # w = conv3D (w,512,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) # w = conv3D (w,512,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) # w = conv3D (w,512,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) #k = conv3D (w,128,0,0) #m = conv3D (l,1024,bn = 1, maxp=0,rdmax=0,drop=False, DepthPool=False) #o = conv3D (m,512,1,1) #i = conv3D (o,512,1,0) #a = GlobalAveragePooling3D()(y) #b = GlobalAveragePooling3D()(z) c = GlobalAveragePooling3D()(z) #d = GlobalAveragePooling3D()(l) #e = GlobalAveragePooling3D()(i) #f = GlobalAveragePooling3D()(m) #n = keras.layers.concatenate([c,b,d], axis=-1) n = Dense(4096, activation='selu')(c) n = Dropout(0.5)(n) # n = Dense(4096, activation='selu')(c) # n = Dropout(0.5)(n) #n = Dense(750, activation='elu')(n) #n = Dropout(0.5)(n) n = Dense(2, activation='softmax')(n) model = Model(inputs=input_img, outputs=n) #opt = SGD(lr=0.01) opt = SGD(lr=0.001, decay=1e-6, momentum=0.9, nesterov=True) model.compile(optimizer=opt, loss='categorical_crossentropy', metrics=['accuracy']) #import pydot return model def unison_shuffled_copies(a, b): assert len(a) == len(b) p = numpy.random.permutation(len(a)) return a[p], b[p] def load3d (data_path): k = 0 classes = os.listdir(data_path) #list the subfolders of the main path (subfolders must be the classes) data = [] #data3 = np.array([]) labels = [] for classe in classes: #for each class nodules = os.listdir(data_path+classe+'\\') for nodule in nodules: imagePaths = sorted(list(paths.list_images(data_path + str('\\') + str(classe)+ '\\' + nodule))) #list the folders inside the class. each folder contains 10 slices for imagePath in imagePaths: #for each slices_folder image = cv2.imread(imagePath) image = cv2.resize(image, (32, 32))/255 data.append(image) #create a 3d array with the images label = imagePath.split(os.path.sep)[-3] #take the label from the initial folder k = k + 1 data2 = np.array(data, dtype="float") data2 = data2.reshape(data2.shape[0], 32, 32, 3) data2 = data2[None] #add a 5th dimension if k ==1: data3 = np.copy(data2) data2 = [] data = [] labels.append(label) continue labels.append(label) data3 = np.append(data3, data2, axis=0) data2 = [] data = [] #print ('3D Image obtained') #data3 = np.concatenate([data3,data2], axis=0) #append based on the 5th dimension, which is the batch size labels = np.array(labels) lb = LabelBinarizer() labels = lb.fit_transform(labels) labels = keras.utils.to_categorical(labels, num_classes=2, dtype='float32') print ("[INFO] OBTAINED 2D IMAGES AND BATCHED TO 3D IMAGES ARRAY OF 5 DIMENSIONS.") data3, labels = unison_shuffled_copies(data3, labels) return data3, labels def pick_reliable(prediction_num, fake_data, threshold,numben,nummal):#pick the most reliable predictions and return them with the images. returns new dataU data=[] labels=[] dataU = [] new1 = 0 new2 = 0 diafora = numben-nummal if diafora <=0: print('[INFO] Pick_reliable_Feedback: The Malignant nodules are %4d more than the benign' %abs(diafora)) issue = 'mal more' else: print('[INFO] Pick_reliable_Feedback: The Benign nodules are %4d more than the benign' %abs(diafora)) issue = 'ben more' diafora = abs(diafora) for i in range(len(fake_data)): if prediction_num[i,0]>threshold and numben+new1<nummal+new2+50 : f = fake_data[i,:,:,:] data.append(f) label = 'benign' new1 = new1+1 labels.append(label) elif prediction_num[i,1]>threshold: f = fake_data[i,:,:,:] data.append(f) label = 'malignant' labels.append(label) new2 = new2+1 else: f = fake_data[i,:,:,:] dataU.append(f) print ('[INFO] Pick_reliable_Feedback: Added %4d benign nodules' %(new1) ) print ('[INFO] Pick_reliable_Feedback: Added%4d malignant nodules' %(new2) ) print ('[INFO] Pick_reliable_Feedback: Picked a total of {} reliable predictions with threshold set to {}'.format(len(data), threshold)) data = np.array(data, dtype="float") dataU = np.array(dataU, dtype="float") labels = np.array(labels) lb = LabelBinarizer() labels = lb.fit_transform(labels) labels = keras.utils.to_categorical(labels, num_classes=2, dtype='float32') #labels = np.argmax(labels, axis=-1) return data, labels, dataU def merge_datas(data, labels, datanext, labelsnext):#merge the previous training data and labels with the new mergeX = np.concatenate([data, datanext]) mergeY = np.concatenate([labels, labelsnext]) print ('[INFO] Merger: The datas were merged. The new size of the data I return is: {}'.format(len(mergeY))) return mergeX, mergeY es = EarlyStopping(monitor='val_loss', mode='auto',patience=5, verbose=1) def train_self (dataL, dataU, labelsL, epochs):#train the model on any labelled data. returns the accuracy and the predicitions on unlabelled data model3 = load_model('C:\\Users\\User\\SPN3D_1\\models\\3dvggd12v45.h5') final_score = 0.85 predict_fake = model3.predict(dataU) return final_score, predict_fake def train_self2 (dataL1, dataU, labelsL1, dataL, labelsL, best_pred, pred_labels, epochs,i):#train the model on any labelled data. returns the accuracy and the predicitions on unlabelled data data = dataL1 labels = labelsL1 #data_ext,labels_ext = load_images('') n_split=10 #10fold cross validation scores = [] #here every fold accuracy will be kept predictions_all = np.empty(0) # here, every fold predictions will be kept predictions_all_num = np.empty([0,2]) # here, every fold predictions will be kept test_labels = np.empty(0) #here, every fold labels are kept name2 = 5000 #name initiator for the incorrectly classified insatnces conf_final = np.array([[0,0],[0,0]]) #initialization of the overall confusion matrix for train_index,test_index in KFold(n_split).split(data): trainX,testX=data[train_index],data[test_index] trainY,testY=labels[train_index],labels[test_index] if i==0: trainX = np.concatenate([best_pred, trainX]) trainY = np.concatenate([pred_labels, trainY]) else: trainX = np.concatenate([trainX, dataL, best_pred]) trainY = np.concatenate([trainY, labelsL, pred_labels]) model3 = make_3d() aug = custom1.customImageDataGenerator(rotation_range=45, width_shift_range=0.01, height_shift_range=0.01, horizontal_flip=True, vertical_flip=True) model3.fit_generator(aug.flow(trainX, trainY,batch_size=64), epochs=10, steps_per_epoch=len(trainX)//64) #model3.fit(trainX, trainY ,epochs=epochs, batch_size=64) time.sleep(1) score = model3.evaluate(testX,testY) score = score[1] #keep the accuracy score, not the loss scores.append(score) #put the fold score to list testY2 = np.argmax(testY, axis=-1) #make the labels 1column array print('Model evaluation ',score) predict = model3.predict(testX) #for def models functional api predict_num = predict predict = predict.argmax(axis=-1) #for def models functional api conf = confusion_matrix(testY2, predict) #get the fold conf matrix conf_final = conf + conf_final #sum it with the previous conf matrix name2 = name2 + 1 predictions_all = np.concatenate([predictions_all, predict]) #merge the two np arrays of predicitons predictions_all_num = np.concatenate([predictions_all_num, predict_num]) test_labels = np.concatenate ([test_labels, testY2]) #merge the two np arrays of labels scores = np.asarray(scores) final_score = np.mean(scores) #model3.save('self_vgg19fe.h5') time.sleep(2) predict_fake = model3.predict(dataU) time.sleep(5) model3.save('self_trained3D.h5') return final_score, predict_fake, conf_final, model3 #%% train self #load labelled data path = 'C:\\Users\\User\\SPN3D_1\\LIDC3D\\' dataL1,labelsL1 = load3d(path) #load unlabelled data initial path2 = 'C:\\Users\\User\\SPN3D_1\\datau\\' dataU1,labelsU1 = load3d(path2) #path3 = 'C:\\Users\\User\\gan_classification_many datasets\\PET' #datahidden,labelshidden = load_images(path3) # how many attempts to concatenate new instances iterations = 10 #%% #self training epochs = 6 threshold = 0.97 dataL = deepcopy(dataL1[:2]) labelsL = deepcopy(labelsL1[:2]) dataU = dataU1 #%% for i in range (iterations): print('[INFO] Main Oberver: Iteration Number {}'.format(i+1)) if i==0: final_score, predict_num = train_self (dataL1, dataU, labelsL1, epochs) print('[INFO] Main Oberver: Accuracy on Labelled set: {}'.format(final_score)) old_score = 0.78 how_many = [sum(x) for x in zip(*labelsL1)] how_benign = deepcopy(np.array(int((how_many[0])))) how_malignant = deepcopy(np.array(int((how_many[1])))) else: how_many = [sum(x) for x in zip(*labelsL)] how_benign = deepcopy(np.array(int((how_many[0])))) how_malignant = deepcopy(np.array(int((how_many[1])))) best_pred, pred_labels, dataU = pick_reliable(predict_num,dataU,threshold, how_benign, how_malignant) best_pred, pred_labels = unison_shuffled_copies(best_pred, pred_labels) print('[INFO] Main Observer: The picker function returned {} nodules'.format(len(pred_labels))) if i==0: dataL = deepcopy(best_pred) labelsL = deepcopy(pred_labels) #dataL, labelsL = merge_datas(dataL,labelsL, best_pred, pred_labels) op = len(dataL1)+len(best_pred) print('[INFO] Main Observer: Labelled Training Data increased to {}'.format(op)) print('[INFO] Main Observer: Training with the expanded data...') #with tf.device('/cpu:0'): final_score, predict_num, conf_final,model3 = train_self2 (dataL1, dataU, labelsL1, dataL, labelsL, best_pred, pred_labels, epochs,i) print('[INFO] New Accuracy: {}'.format(final_score)) if old_score < final_score: dataL, labelsL = merge_datas(dataL,labelsL, best_pred, pred_labels) dataL, labelsL = unison_shuffled_copies(dataL, labelsL) dataL1, labelsL1 = unison_shuffled_copies(dataL1, labelsL1) old_score = final_score model3.save('3Dlast.h5') print('[INFO] Merging the newly labelled data to a different labelled set...') print('[INFO] The initial datasize is: %4d, the new labelled data size is: %5d , remaining unlabelled instances: %5d' %(len(dataL1), len(dataL)+len(dataL1), len(dataU))) else: print ('[INFO] Accuracy dropped. The new picks are removed. The new labelled data size is: ' + str (len(dataL)) + '. The old labelled data size is: ' + str(len(dataL1)))
[ "noreply@github.com" ]
noreply@github.com
98f7692de70f4e66649d9da4f7c763bae59ea998
d181531573af9626f56b4de1de831489d765dccc
/rock_paper_scissor.py
b1cbbff910472b66c721bfd7fa82d6f13d53fd19
[]
no_license
sanchitjain0801/rock_paper_scissors
89e0a69bf3d2c2bcbb9fe457f2274672844100c6
bece1823649948d90e8c00a102d39c01040de423
refs/heads/main
2023-05-06T19:54:45.147249
2021-05-31T05:38:55
2021-05-31T05:38:55
372,393,848
0
0
null
null
null
null
UTF-8
Python
false
false
3,268
py
from tkinter import * import random array = ['rock', 'paper', 'scissors'] score = 0 def press(u_choice): global score user_choice.set(u_choice) c_choice = random.choice(array) computer_choice.set(c_choice) if(u_choice == 'scissors'): if(c_choice == 'rock'): score = score - int(1) result.set("YOU LOOSE SCORE : " + str(score)) elif(c_choice == 'paper'): score = score + int(1) result.set("YOU WIN SCORE : " + str(score)) else: result.set("IT'S A TIE SCORE :" + str(score)) if(u_choice == 'paper'): if(c_choice == 'scissors'): score = score - int(1) result.set("YOU LOOSE SCORE : " + str(score)) elif(c_choice == 'rock'): score = score + int(1) result.set("YOU WIN SCORE : " + str(score)) else: result.set("IT'S A TIE SCORE :" + str(score)) if(u_choice == 'rock'): if(c_choice == 'paper'): score = score - int(1) result.set("YOU LOOSE SCORE : " + str(score)) elif(c_choice == 'scissors'): score = score + int(1) result.set("YOU WIN SCORE : " + str(score)) else: result.set("IT'S A TIE SCORE :" + str(score)) def Reset(): global score result.set("") computer_choice.set("") user_choice.set("") score = 0 if __name__ == "__main__": window = Tk() window.geometry('500x300') window.config(bg='black') window.resizable(0, 0) window.title("RPS") Label(window, bg='black', fg='white', text='ROCK PAPER SCISSIOR', font='arial 15 bold').pack() Label(window, bg='black', fg='white', text='Select any one', font='arial 10 bold').place(x=20, y=30) user_choice = StringVar() computer_choice = StringVar() result = StringVar() Button(window, font='arial 10 bold', text='ROCK', width=6, command=lambda: press('rock'), bg='OrangeRed', padx=2, pady=2).place(x=100, y=60) Button(window, font='arial 10 bold', text='PAPER', width=6, command=lambda: press('paper'), bg='OrangeRed', padx=2, pady=2).place(x=230, y=60) Button(window, font='arial 10 bold', text='SCISSORS', width=8, command=lambda: press('scissors'), bg='OrangeRed', padx=2, pady=2).place(x=350, y=60) Label(window, bg='black', fg='white', text='YOU CHOOSED', font='arial 10 bold').place(x=35, y=100) uc = Entry(window, width=20, fg='red', font='arial 12 bold', bg='black', textvariable=user_choice).place(x=140, y=100) Label(window, bg='black', fg='white', text='COMPUTER CHOOSED', font='arial 10 bold').place(x=35, y=140) uc = Entry(window, width=20, fg='red', font='arial 12 bold', bg='black', textvariable=computer_choice).place(x=190, y=140) uc = Entry(window, width=30, fg='red', font='arial 12 bold', bg='black', textvariable=result).place(x=130, y=170) Button(window, font='arial 10 bold', text='RESET', width=6, command=Reset, bg='LimeGreen', padx=2).place(x=230, y=210) window.mainloop()
[ "noreply@github.com" ]
noreply@github.com
89475e009820624dceb01cc678b63beaa68e5053
341052762ea89f8a05fe7e08cf55d5a50db342c8
/azure.py
a12bbde2645555f050b08476b2dbbd15c2c8355c
[]
no_license
sergiorua/opencv-aws-face
7be4337a4a3313e4d528bba03f30b0bb6bae6c2b
ce0c99bde581b7c449462921108fe0c168fd71fd
refs/heads/master
2020-03-14T19:18:36.454106
2018-05-01T20:22:43
2018-05-01T20:22:43
131,758,667
0
0
null
null
null
null
UTF-8
Python
false
false
577
py
import requests class AzureCognitive: url = 'https://northeurope.api.cognitive.microsoft.com/face/v1.0' key = None def __init__(self, key, url=None): self.key = key if url: self.url = url CF.BaseUrl.set(self.url) def detect(self, image): payload = { 'url': image } headers = { 'user-agent': 'serg-app/0.0.1', 'Ocp-Apim-Subscription-Key': self.key } ret = requests.post(self.url+'/detect', json=payload, headers=headers) return ret.json()
[ "sergio@rua.me.uk" ]
sergio@rua.me.uk
43c71c44c5c8a320c0afa90b7a4d0b6e0c2f40fb
168baf3112f2aa6a519a99378920f54c418bd327
/basic_story_generator.py
9e2f789f81197a1fcc86646ea9bfd8f795252784
[]
no_license
DemetrioCN/python_projects_DataFlair
3f754707da4d0b576570dc1ba91066531a40810c
e82c0bf43650ea4cc091bd2f04285ee58b8377f7
refs/heads/master
2022-11-30T12:02:55.606333
2020-08-19T19:05:59
2020-08-19T19:05:59
275,613,861
0
0
null
null
null
null
UTF-8
Python
false
false
312
py
print('\n') print(10*'-','Python Story Generator' ,10*'-') print('\n') name = input('Introduce yoru name: ') action = input('Introduce what would you like to do tomorrow: ') hour = input('Introduce the start hour: ') message = f'Hi {name}, you should do {action} tomorrow at {hour} o\'clock' print(message)
[ "dem9411@gmail.com" ]
dem9411@gmail.com
4cee085dbc89e4c9de9fa34be0a137ae06b7fc7e
9225e015b58ffb672ebf9619063767f210276efe
/network/pythonhack/mysock.py
c168df698893b76e040290c49bfffaf511d7c7f2
[]
no_license
beezy12/pythonPractice
784e6301957343068b41feabe1dc0d93344b12d6
3d3ed3b70b8bf3e1a8ff8126a1dfcdc6e370ebdc
refs/heads/master
2021-01-22T06:02:04.652594
2018-04-09T16:44:33
2018-04-09T16:44:33
92,515,057
0
0
null
null
null
null
UTF-8
Python
false
false
360
py
''' the steps are: 1. create socket 2. bind to the port 3. socket listen 4. socket connect ''' import socket s = socket.socket() print('socket created.....') port = 1666 s.bind(('', port)) print('socket binded to ', format(port)) s.listen(5) print('socket is listening') while True: c, addr = s.accept() print('got connection from: ', addr)
[ "brian.stumbuagh@gmail.com" ]
brian.stumbuagh@gmail.com
9fe577b2c1f8ab7d800accf1212a8993bbe0ba12
87f10ace05662f1b60d6a75534ddf818eb98e327
/ui_tests/login_page/login_page_object.py
b78dbc76adf5857621bbeeea1b8d2db836df6f1d
[]
no_license
ane4katv/project_test_python_org
0ae16b960b932f817eadfb67872be348d46810fb
a4c7a9dd2bfd6731bcde9504227cdefca608ceaf
refs/heads/master
2020-07-05T00:54:39.878228
2019-08-15T04:47:49
2019-08-15T04:47:49
202,475,740
0
0
null
null
null
null
UTF-8
Python
false
false
1,822
py
from selenium.webdriver.common.by import By from selenium.webdriver.common.keys import Keys from selenium.webdriver import ActionChains from selenium.webdriver.support.ui import Select from selenium.webdriver.support import expected_conditions as EC from selenium.webdriver.support.ui import WebDriverWait import time import pytest import random class LoginPage: def __init__(self, LOGIN_URL, LOGOUT_URL, LOGIN, PASSWORD): self.LOGIN_URL = LOGIN_URL self.LOGOUT_URL = LOGOUT_URL self.LOGIN = LOGIN self.PASSWORD = PASSWORD def login(self, driver): driver.implicitly_wait(10) # NEED TO TALK driver.get(self.LOGIN_URL) WebDriverWait(driver, 10).until(EC.element_to_be_clickable((By.XPATH, '//*[@id="content"]/div/section/form/button'))) login_field = driver.find_element(By.XPATH, '//*[@id="id_login"]') password_field = driver.find_element(By.XPATH, '//*[@id="id_password"]') login_field.send_keys(self.LOGIN) password_field.send_keys(self.PASSWORD) make_login = driver.find_element(By.XPATH, '//*[@id="content"]/div/section/form/button').click() WebDriverWait(driver, 10).until(EC.element_to_be_clickable((By.XPATH, '//*[@id="content"]/div/section/div[1]/p'))) sign_in_message = driver.find_element(By.XPATH, '//*[@id="content"]/div/section/div[1]/p').text assert sign_in_message.split()[0] == "Successfully" def logout(self, driver): driver.get(self.LOGOUT_URL) WebDriverWait(driver, 10).until(EC.element_to_be_clickable((By.XPATH, '//*[@id="content"]/div/section/form/button'))) make_logout = driver.find_element(By.XPATH, '//*[@id="content"]/div/section/form/button').click() sign_out_message = driver.find_element(By.XPATH, '//*[@id="content"]/div/section/div[1]/p').text assert sign_out_message == "You have signed out."
[ "anna.tv.sf@gmail.com" ]
anna.tv.sf@gmail.com
9f9440dbe47182b81654f1fac4c7832415b4ba21
29f7e80a31803eb196a623d0b75eb1cda47aea0d
/io_scene_bsp/__init__.py
e14db24d6b0879ce4f44de88b891b672937a0ccd
[ "MIT" ]
permissive
Rikoshet-234/io_scene_bsp
3cd6eb15fd1cc1d663040567ea536ed8eb4ef956
68e2fa1210bebb212d1792f094634dd21b145e21
refs/heads/master
2020-04-29T05:34:02.733894
2019-03-14T21:25:19
2019-03-14T21:25:19
175,887,248
1
0
MIT
2019-03-15T20:32:36
2019-03-15T20:32:35
null
UTF-8
Python
false
false
768
py
bl_info = { 'name': 'Quake engine BSP format', 'author': 'Joshua Skelton', 'version': (1, 0, 1), 'blender': (2, 80, 0), 'location': 'File > Import-Export', 'description': 'Load a Quake engine BSP file.', 'warning': '', 'wiki_url': '', 'support': 'COMMUNITY', 'category': 'Import-Export'} __version__ = '.'.join(map(str, bl_info['version'])) if 'operators' in locals(): import importlib as il il.reload(operators) print('io_scene_bsp: reload ready') else: print('io_scene_bsp: ready') def register(): from .operators import register register() def unregister(): from .operators import unregister unregister() if __name__ == '__main__': from .operators import register register()
[ "joshua.skelton@gmail.com" ]
joshua.skelton@gmail.com
c7c08e079e0f376350c96fa116f34913b88974f4
1ab7fa6f4404992cdbbf38284471d0bd81b83955
/ros/src/twist_controller/twist_controller.py
7688d809db50c89eff2346d8cb52878e3c996511
[ "MIT" ]
permissive
nalinirachit/SelfDrivingCar_Term3-SysInt_V2-
df3136d02b9cab01b36f9a5a70d600ffb2bad433
1e8f3f449e6778e92c527bc14de8637a12bfbbe8
refs/heads/master
2021-07-11T19:04:39.973361
2019-01-21T17:40:04
2019-01-21T17:40:04
139,259,482
0
0
null
null
null
null
UTF-8
Python
false
false
2,064
py
import rospy from pid import PID from yaw_controller import YawController from lowpass import LowPassFilter GAS_DENSITY = 2.858 ONE_MPH = 0.44704 # Nalini - added 9/1/2018 class Controller(object): def __init__(self, *args, **kwargs): # TODO: Implement self.wheel_base = kwargs['wheel_base'] self.steer_ratio = kwargs['steer_ratio'] self.fuel_capacity = kwargs['fuel_capacity'] self.min_speed = 0 self.max_lat_accel = kwargs['max_lat_accel'] self.max_steer_angle = kwargs['max_steer_angle'] self.decel_limit = kwargs['decel_limit'] self.accel_limit = kwargs['accel_limit'] self.wheel_radius = kwargs['wheel_radius'] Kp = 1 Ki = 0 Kd = 0.05 self.pid_controller = PID(Kp, Ki, Kd, mn = self.decel_limit, mx = self.accel_limit) self.yaw_controller = YawController(self.wheel_base, self.steer_ratio, self.min_speed, self.max_lat_accel, self.max_steer_angle) tau = 0.5 ts = .02 self.vel_lpf = LowPassFilter(tau, ts) self.vehicle_mass = kwargs['vehicle_mass'] + kwargs['fuel_capacity'] * GAS_DENSITY self.brake_deadband = kwargs['brake_deadband'] self.last_time = rospy.get_time() def control(self, current_vel, dbw_enabled, linear_vel, angular_vel): # TODO: Change the arg, kwarg list to suit your needs # Return throttle, brake, steer if not dbw_enabled: self.pid_controller.reset() return 0., 0., 0. current_vel = self.vel_lpf.filt(current_vel) steering = self.yaw_controller.get_steering(linear_vel, angular_vel, current_vel) vel_error = linear_vel - current_vel self.last_vel = current_vel current_time = rospy.get_time() sample_time = current_time - self.last_time self.last_time = current_time throttle = self.pid_controller.step(vel_error, sample_time) brake = 0 if linear_vel == 0 and current_vel < 0.1: throttle = 0 brake = 400 # car stops at light elif throttle < .1 and vel_error < 0: throttle = 0 decel = max(vel_error, self.decel_limit) brake = abs(decel)*self.vehicle_mass*self.wheel_radius return throttle, brake, steering
[ "nalini.sharma@gmail.com" ]
nalini.sharma@gmail.com
e98d82802b45dee7a575478de70e3ddfcbb5feba
af0a20320217f1e4140346ed60a585c74f16e205
/20.3-html-entities.py
a9bc00d754636e462656b97e7a8600edf425709c
[]
no_license
JasonOnes/py-library-reviews
f749a0f0c6f5ebe820792da8a2bacf00cd6964d5
00620cb78f44a1e6f647ae006dc9a35909db0f3c
refs/heads/master
2021-05-14T13:52:01.060933
2018-01-28T17:56:46
2018-01-28T17:56:46
115,957,538
0
0
null
null
null
null
UTF-8
Python
false
false
2,846
py
"""Not quite sure how to demo this module as it is basically just four dicts""" # html.entities # .html5 => maps char refs to Unicode chars # .entitydefs => maps XHTML 1.0 entity defs to replacement test in ISO Latin-1 (?) # .name2codepoint => maps HTML enity names to Unicode code points (?) # .codepoint2name => Unicode code points to HTML entity names # replaces htmlentitydefs in python2 import html def whats_the_html5_name_for_punctuation(): # function explained by name punctuation_list = ['!', ',', '\'', '\"', '/', '.', ',', '?', '(', ')'] punctuation_names = [] symbol_dict = html.entities.html5 # quick lambda funct to get the key where value is punct char (unique) get_name = lambda v, symbol_dict: next(k for k in symbol_dict if symbol_dict[k] is v) name_template = "For {} the HTML5 name is {}." for item in punctuation_list: name = get_name(item, symbol_dict) print(name_template.format(item, name)) def frat_in_ISO(frat): # uses the entitydefs dict to find and print the english lets of frat in greek lets = frat.split(" ") greek_lets = [] for let in lets: try: greek_let = html.entities.entitydefs[let] greek_lets.append(greek_let) except KeyError: print("It's NOT all greek to me! \"{}\" in {} mispelled".format(let, frat)) print("Printed what I could!") frat_in_greek = "".join(greek_lets) print(frat + " : " + frat_in_greek) def frat_in_unicode(frat): # uses the name2codepoint to find and print frat in code (unicode that is!) lets = frat.split(" ") codepoint_nums = [] for let in lets: try: codepoint = html.entities.name2codepoint[let] # could make it more "encoded" without comma as delimiter but that's not the point of this codepoint_nums.append(str(codepoint)+",") except KeyError: print("I don't know if that's how {} is spelled.".format(let)) frat_code = "".join(codepoint_nums) print(frat + ":" + frat_code) def frat_de_unicoded(unicoded_frat): # basically undoes the previous function for "decoding" nums = unicoded_frat.split(",") frat = [] for num in nums: try: letter = html.entities.codepoint2name[int(num)] frat.append(letter) except KeyError: print("Yeah, {} is a bogus number.".format(num)) frat_name = "".join(frat) print(frat_name) if __name__ == "__main__": whats_the_html5_name_for_punctuation() frat_in_ISO('kappa lambda mu') frat_in_ISO('Sigma Delta pie') frat_in_unicode('phi beta Rho') frat_in_unicode('omega alpa delta') frat_de_unicoded('966,946,929') frat_de_unicoded('969,948,666')
[ "jasonr.jones14@gmail.com" ]
jasonr.jones14@gmail.com
1836e6d1f9d6c0d786a5748dc0b447e6f5be1b7f
82dc0dd66c9b37ff7ece790b7e5be33eaec93c5b
/new_project/wsgi.py
ceb968454545c0a8622ef8f6505cef3de2d718be
[]
no_license
gitllermopalafox/django-skeleton
56f2b426a633bcfb059a2d15f5c9dfd8f2f6555d
d8cb049ac6389394e754af6bc7afa17ea402f42b
refs/heads/master
2020-05-19T16:27:39.775345
2015-01-19T06:10:35
2015-01-19T06:10:35
29,002,711
0
0
null
null
null
null
UTF-8
Python
false
false
400
py
""" WSGI config for djskeleton project. It exposes the WSGI callable as a module-level variable named ``application``. For more information on this file, see https://docs.djangoproject.com/en/1.7/howto/deployment/wsgi/ """ import os os.environ.setdefault("DJANGO_SETTINGS_MODULE", "new_project.settings.dev") from django.core.wsgi import get_wsgi_application application = get_wsgi_application()
[ "palafox.87@gmail.com" ]
palafox.87@gmail.com
3a961a611edc9dacc58a6dff760b7bd3df63b909
bff655ab37993882d302ae4c73fedc5d55ff7fa2
/extract.py
b1452fb6eda81e1abefbebb65ec2b83409eadd5b
[]
no_license
yeminlan/POGO_update
8bfb3342df1730c633365bc2588e734ef4b67df1
cc2e44afe89bc701893c082e75644fa2c8220300
refs/heads/master
2021-01-10T01:14:35.873175
2015-05-31T20:49:55
2015-05-31T20:49:55
35,967,053
1
0
null
null
null
null
UTF-8
Python
false
false
1,458
py
#!/usr/bin/python from Bio import SeqIO import sys import os.path genome = SeqIO.parse('gbk/' + sys.argv[1] + '.gbk', "genbank") cds = [] s16 = [] if len(sys.argv) < 5: product_16s = '16s ribosomal rna' else: product_16s = sys.argv[4] product_16s = product_16s.lower() print "Searching 16s tag:", product_16s for record in genome: for feature in record.features: # extract 16s if 'product' in feature.qualifiers: product=feature.qualifiers['product'][0].lower() if product == product_16s: if len(feature.extract(record).seq) >= 1000: if len(feature.extract(record).seq) <= 1800: s16.append(feature.extract(record).seq) # extract all CDS protiens if 'translation' in feature.qualifiers: cds.append(feature.qualifiers['translation'][0]) # get basename with no extension fn,_ = os.path.splitext(sys.argv[1]) s16 = set(s16) with open('16S/' + sys.argv[1] + '.fna', 'w') as fh: if len(s16) != 0: for i, it in enumerate(s16): fh.write(">") fh.write(os.path.basename(fn)) fh.write('_' + str(i+1)) fh.write('\n') fh.write(str(it)) fh.write('\n'); with open('CDS/' + sys.argv[1] + '.faa', 'w') as fh: if len(cds) != 0: for i, it in enumerate(cds): fh.write('>s' + str(i+1)) fh.write('\n') fh.write(str(it)) fh.write('\n')
[ "yeminlan@Yemins-MacBook-Air.local" ]
yeminlan@Yemins-MacBook-Air.local
a1e601c64a349fe2198b7711757e33f214b148a6
a62da02078f6dae0b2811bd7b345f8db49c5b6d8
/tasks/views.py
82f12be1415d2929d0678196827f3f0fe3314986
[]
no_license
shail151192/task-management-system-backend
7cdb9b6fd4222b59ead42e0282f373efc5549071
35f6967295cd0f717dc2c5c326ee14deb595ffa8
refs/heads/master
2021-09-05T02:40:49.188084
2018-01-23T18:08:26
2018-01-23T18:08:26
115,858,527
0
0
null
null
null
null
UTF-8
Python
false
false
2,755
py
from django.shortcuts import render from rest_framework.views import APIView from rest_framework.response import Response from rest_framework import status from tasks.models import * from tasks.serializers import TaskSerializer from tms.user_authentication import TokenAuthentication # Create your views here. class TaskListView(APIView): authentication_classes = (TokenAuthentication,) def post(self, request): try: data = request.data data['created_by']=request.current_user required_fields = ['name', 'description'] fields=data.keys() missing_fields=list(set(required_fields)-set(fields)) if missing_fields: return Response({'error': ",".join(missing_fields) + " is missing please provide it"}) task=Task.create_task(data) serializer=TaskSerializer(task) return Response(data={'data': serializer.data, 'success':True}, status=status.HTTP_200_OK) except Exception as err: return Response(data={'message': err.message, 'success': False}, status=status.HTTP_400_BAD_REQUEST) def get(self, request): tasks=Task.objects.all() serializer=TaskSerializer(tasks, many=True) return Response(data={'data': serializer.data, 'success': True}, status=status.HTTP_200_OK) class TaskDetailView(APIView): authentication_classes = (TokenAuthentication,) def get(self, request, pk): try: task=Task.objects.get(id=pk) serializer = TaskSerializer(task) return Response(data={'data': serializer.data, 'success': True}, status=status.HTTP_200_OK) except Exception as err: return Response(data={'data': err.message, 'success': False}, status=status.HTTP_400_BAD_REQUEST) def patch(self, request, pk): try: data=request.data print request.user data['updated_by']=request.current_user task = Task.objects.get(id=pk) task.update_task(data) return Response(data={'message': 'Task successfully updated', 'success': True}, status=status.HTTP_200_OK) except Exception as err: return Response(data={'message': err.message, 'success': False}, status=status.HTTP_400_BAD_REQUEST) def delete(self, request, pk): task = Task.objects.get(id=pk) task.delete_task() return Response(data={'message': 'Task successfully deleted', 'success': True}, status=status.HTTP_200_OK)
[ "shailendra151192@gmail.com" ]
shailendra151192@gmail.com
25b093661fdc2cb7b0fbf236c8162e5208a0438c
36800dbc851e1de6f4164dad5258c48bdb77b5e4
/docker.py
a1bc1a165359095bf0d1333e4bb979163fc4ac01
[ "LicenseRef-scancode-warranty-disclaimer", "Apache-2.0" ]
permissive
brad-peters/mantl
4d1ceed8bad5386b6c5784c39411aaaf6c88d9ea
92e7a715286b85e82433062fddb341f9693f7c28
refs/heads/master
2021-01-23T23:35:13.134748
2016-06-08T14:28:52
2016-06-08T14:28:52
60,772,108
1
0
null
2016-06-09T12:11:00
2016-06-09T12:10:58
null
UTF-8
Python
false
false
7,539
py
#!/usr/bin/env python2 from __future__ import print_function import os import os.path import logging from os.path import exists, join from shlex import split from sys import argv, exit from subprocess import call, check_output def symlink_force(source, link_name): """Equivalent to adding -f flag to bash invocation of ln""" if exists(link_name): os.remove(link_name) logging.info("Symlinking {} to {}".format(source, link_name)) os.symlink(source, link_name) def link_or_generate_ssh_keys(): """Ensures that valid ssh keys are symlinked to /root/.ssh""" if 'MANTL_SSH_KEY' not in os.environ: os.environ['MANTL_SSH_KEY'] = 'id_rsa' ssh_key = join(os.environ['MANTL_CONFIG_DIR'], os.environ['MANTL_SSH_KEY']) if not exists(ssh_key): call(split('ssh-keygen -N "" -f {}'.format(ssh_key))) symlink_force(ssh_key, '/root/.ssh/id_rsa') ssh_key += '.pub' symlink_force(ssh_key, '/root/.ssh/id_rsa.pub') def link_ci_terraform_file(): tf_file = os.environ['TERRAFORM_FILE'] if exists(tf_file): symlink_force(os.environ['TERRAFORM_FILE'], 'terraform.tf') def link_user_defined_terraform_files(): """Ensures that provided/chosen terraform files are symlinked""" # Symlink tf files in the config dir cfg_d = os.environ['MANTL_CONFIG_DIR'] tfs = [join(cfg_d, f) for f in os.listdir(cfg_d) if f.endswith('.tf')] if len(tfs): for tf in tfs: base = os.path.basename(tf) symlink_force(tf, base) else: # Symlink tf files based on provider if 'MANTL_PROVIDER' not in os.environ: logging.critical("mantl.readthedocs.org for provider") exit(1) tf = 'terraform/{}.sample.tf'.format(os.environ['MANTL_PROVIDER']) symlink_force(tf, 'mantl.tf') def link_ansible_playbook(): """Ensures that provided/sample ansible playbook is symlinked""" ansible_playbook = join(os.environ['MANTL_CONFIG_DIR'], 'mantl.yml') if not exists(ansible_playbook): ansible_playbook = 'sample.yml' symlink_force(ansible_playbook, 'mantl.yml') def link_or_generate_security_file(): """Ensures that security file exists and is symlinked""" security_file = join(os.environ['MANTL_CONFIG_DIR'], 'security.yml') if not exists(security_file): logging.info("Generating {} via security-setup".format(security_file)) call(split('./security-setup')) else: symlink_force(security_file, 'security.yml') def ci_setup(): """Run all setup commands, saving files to MANTL_CONFIG_DIR""" if 'OS_IP' in os.environ: ssh_key_path = '/local/ci' os.chmod(ssh_key_path, 0400) # This string will be collapsed into one line # I made this change for readability ssh_cmd = ''' ssh -i {keypath} -p {ssh_port} -o BatchMode=yes -o StrictHostKeyChecking=no travis@{ssh_ip} /bin/sh -c " mkdir --parents mantl/{commit}; git clone https://github.com/CiscoCloud/mantl.git mantl/{commit}; cd mantl/{commit}; git checkout {commit}; ln -sf {tf_file} terraform.tf; ln -sf sample.yml mantl.yml; ./security-setup; echo 'build_number = \\"{build}\\"' > terraform.tfvars" ''' ssh_cmd = ssh_cmd.format(commit=os.environ['CI_HEAD_COMMIT'], keypath='/local/ci', ssh_port=os.environ['OS_PRT'], ssh_ip=os.environ['OS_IP'], tf_file=os.environ['TERRAFORM_FILE'], build=os.environ['TF_VAR_build_number']) ssh_cmd = " ".join(ssh_cmd.splitlines()) exit(call(split(ssh_cmd))) else: logging.info("Running setup for cloud-providers") link_or_generate_ssh_keys() call("ssh-add") link_ansible_playbook() link_or_generate_security_file() def ci_build(): """Kick off a Continuous Integration job""" link_or_generate_ssh_keys() call("ssh-add") link_ci_terraform_file() # Take different action for PRs from forks if os.environ['MANTL_CI_FORK_CHECK'] == "1": logging.warning("Currently, we can't unlock deploy keys for forks of Mantl, so we are skipping the build") exit(0) # Filter out commits that are documentation changes. commit_range_cmd = 'git diff --name-only {}'.format(os.environ['TRAVIS_COMMIT_RANGE']) commit_range_str = str(check_output(split(commit_range_cmd))) commit_range = [] for commit in commit_range_str.split(): if commit.startswith('docs'): logging.info("Modified file in docs directory: %s", commit) elif commit.endswith('md'): logging.info("Modified file has markdown extension: %s", commit) elif commit.endswith('rst'): logging.info("Modified file has reST extension: %s", commit) else: logging.info("Modified file not marked as docfile: %s", commit) commit_range.append(commit) if len(commit_range) < 1: logging.info("All of the changes I found were in documentation files. Skipping build") exit(0) # Filter out commits that are pushes to non-master branches ci_branch = os.environ['TRAVIS_BRANCH'] ci_is_pr = os.environ['TRAVIS_PULL_REQUEST'] if ci_branch is not 'master' and ci_is_pr is False: logging.info("We don't want to build on pushes to branches that aren't master.") exit(0) if 'OS_IP' in os.environ: ssh_cmd = ''' ssh -i {keypath} -p {ssh_port} -o BatchMode=yes -o StrictHostKeyChecking=no travis@{ssh_ip} /bin/sh -c ' eval $(ssh-agent); ssh-add; cd ./mantl/{commit}; python2 ./testing/build-cluster.py' ''' ssh_cmd = ssh_cmd.format(commit=os.environ['CI_HEAD_COMMIT'], keypath='/local/ci', ssh_port=os.environ['OS_PRT'], ssh_ip=os.environ['OS_IP']) ssh_cmd = " ".join(ssh_cmd.splitlines()) exit(call(split(ssh_cmd))) else: logging.info("Starting cloud provider test") exit(call(split("python2 testing/build-cluster.py"))) def ci_destroy(): """Cleanup after ci_build""" destroy_cmd = "terraform destroy -force" if 'OS_IP' in os.environ: ssh_cmd = ''' ssh -i {keypath} -p {ssh_port} -o BatchMode=yes -o StrictHostKeyChecking=no travis@{ssh_ip} /bin/sh -c ' kill -s SIGTERM $SSH_AGENT_PID; cd mantl/{commit}; {destroy}; cd ..; rm -fr {commit}' ''' destroy_cmd = ssh_cmd.format(destroy=destroy_cmd, keypath='/local/ci', ssh_port=os.environ['OS_PRT'], ssh_ip=os.environ['OS_IP'], commit=os.environ['CI_HEAD_COMMIT']) destroy_cmd = " ".join(destroy_cmd.splitlines()) else: logging.info("Destroying cloud provider resources") link_or_generate_ssh_keys() call("ssh-add") link_ci_terraform_file() exit(call(split(destroy_cmd))) if __name__ == "__main__": logfmt = "%(asctime)s %(levelname)s %(message)s" logging.basicConfig(format=logfmt, level=logging.INFO) if 'MANTL_CONFIG_DIR' not in os.environ: exit(1) #TODO: replace this with either click or pypsi if len(argv) > 1: if argv[1] == 'ci-setup': ci_setup() elif argv[1] == 'ci-build': ci_build() elif argv[1] == 'ci-destroy': ci_destroy() else: logging.critical("Usage: docker.py [CMD]") exit(1) else: logging.critical("Usage: docker.py [CMD]") exit(1)
[ "samuel.e.hatfield@gmail.com" ]
samuel.e.hatfield@gmail.com
e2c8348e317ff438a9f404126243a8fb3482855e
521efcd158f4c69a686ed1c63dd8e4b0b68cc011
/airflow/providers/cncf/kubernetes/utils/xcom_sidecar.py
a8c0ea4c1936fc29a359f1c5cef8e36444cbd5c0
[ "BSD-3-Clause", "MIT", "Apache-2.0" ]
permissive
coutureai/RaWorkflowOrchestrator
33fd8e253bfea2f9a82bb122ca79e8cf9dffb003
cd3ea2579dff7bbab0d6235fcdeba2bb9edfc01f
refs/heads/main
2022-10-01T06:24:18.560652
2021-12-29T04:52:56
2021-12-29T04:52:56
184,547,783
5
12
Apache-2.0
2022-11-04T00:02:55
2019-05-02T08:38:38
Python
UTF-8
Python
false
false
2,215
py
# Licensed to the Apache Software Foundation (ASF) under one # or more contributor license agreements. See the NOTICE file # distributed with this work for additional information # regarding copyright ownership. The ASF licenses this file # to you 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. """ This module handles all xcom functionality for the KubernetesPodOperator by attaching a sidecar container that blocks the pod from completing until Airflow has pulled result data into the worker for xcom serialization. """ import copy from kubernetes.client import models as k8s class PodDefaults: """Static defaults for Pods""" XCOM_MOUNT_PATH = '/airflow/xcom' SIDECAR_CONTAINER_NAME = 'airflow-xcom-sidecar' XCOM_CMD = 'trap "exit 0" INT; while true; do sleep 1; done;' VOLUME_MOUNT = k8s.V1VolumeMount(name='xcom', mount_path=XCOM_MOUNT_PATH) VOLUME = k8s.V1Volume(name='xcom', empty_dir=k8s.V1EmptyDirVolumeSource()) SIDECAR_CONTAINER = k8s.V1Container( name=SIDECAR_CONTAINER_NAME, command=['sh', '-c', XCOM_CMD], image='alpine', volume_mounts=[VOLUME_MOUNT], resources=k8s.V1ResourceRequirements( requests={ "cpu": "1m", } ), ) def add_xcom_sidecar(pod: k8s.V1Pod) -> k8s.V1Pod: """Adds sidecar""" pod_cp = copy.deepcopy(pod) pod_cp.spec.volumes = pod.spec.volumes or [] pod_cp.spec.volumes.insert(0, PodDefaults.VOLUME) pod_cp.spec.containers[0].volume_mounts = pod_cp.spec.containers[0].volume_mounts or [] pod_cp.spec.containers[0].volume_mounts.insert(0, PodDefaults.VOLUME_MOUNT) pod_cp.spec.containers.append(PodDefaults.SIDECAR_CONTAINER) return pod_cp
[ "noreply@github.com" ]
noreply@github.com
09701644dd30da1a3c1937ded43689739d61b8da
d14f91b834b6aa0e524397d6da9c89c7036743fd
/knn_classify.py
59984284abda46c9b3d9fe288e46b1e06ade7d7a
[]
no_license
abhignya9/ML-assignments
7724293e17f4aa3246ad2933bc024946070108c8
9e318eced19a44887f4fff9a5978477e18b24f2d
refs/heads/master
2022-08-28T17:04:25.420926
2020-05-27T22:50:35
2020-05-27T22:50:35
267,441,309
0
0
null
null
null
null
UTF-8
Python
false
false
6,134
py
"""Name - Abhignya Goje UCM ID - 700703549 I certify that the codes/answers of this assignment are entirely my own work. """ import sys import numpy as np from collections import Counter def load_data(file): return np.loadtxt(file) class KNN(object): classification_accuracy = 0 def __init__(self, train_data, test_data, k): self.train_data = train_data[:, :-1] self.train_label = train_data[:, -1] self.test_data = test_data[:, :-1] self.test_label = test_data[:, -1] self.k = k def normalize(self): mean = np.mean(self.train_data, axis=0) std_dev = np.std(self.train_data, axis=0) # distributing/normalizing the test data over the mean and standard deviation of the training data # for consistency for i in range(0, self.train_data.shape[1]): self.train_data[:, i] = self.train_data[:, i] - mean[i] self.train_data[:, i] = self.train_data[:, i] / std_dev[i] self.test_data[:, i] = self.test_data[:, i] - mean[i] self.test_data[:, i] = self.test_data[:, i] / std_dev[i] def classify(self): #make predictions for i in range(0, len(self.test_data)): distance = euclidian_distance(self.test_data[i, :], self.train_data) distance = (np.concatenate([[distance, self.train_label]])).T distance = np.array(sorted(distance, key=lambda x:x[0])) self.show_results(distance, i) def show_results(self, distance, row_number): print("Object ID : ", row_number) # pick the true classification label from the test data true = self.test_label[row_number] print("True Class : ", true) # when k=1, no ties no complications! if self.k == 1: k_neighbours = distance[self.k, :] predicted = k_neighbours[1] if(true==predicted): accuracy=1 self.classification_accuracy = self.classification_accuracy+accuracy else: accuracy=0 print("Predicted Class : ", predicted) print("Accuracy : ",accuracy) print("-----------------------------") #when k>1 elif self.k > 1: k_neighbours = distance[0: self.k, :] # when the k-rows have the same training label(no-tie), select that training label if len(np.unique(k_neighbours[:,1])) == 1: #predicted=np.unique(k_neighbours[:,1]) predicted = k_neighbours[0,1] #print("Predicted Class : ", predicted) if(true==predicted): accuracy=1 self.classification_accuracy = self.classification_accuracy+accuracy else: accuracy=0 print("Predicted Class : ", predicted) print("Accuracy : ",accuracy) print("-----------------------------") # when the k rows have k different training labels (no-tie),select the first training label since # it belongs to the training data nearest to the test data point elif len(np.unique(k_neighbours[:,1])) == self.k: predicted=k_neighbours[0,1] if(true==predicted): accuracy=1 self.classification_accuracy = self.classification_accuracy+accuracy else: accuracy=0 print("Predicted Class : ", predicted) print("Accuracy : ",accuracy) print("-----------------------------") # when chances of tie else: # Counter outputs a dictionary of format {"key":"no.of times value appeared in the list/array"} counts=dict(Counter(k_neighbours[:,1])) counts_s = {k: v for k, v in sorted(counts.items(), key=lambda item: item[1])} #print(counts_s) k = list(counts_s.keys()) v = list(counts_s.values()) #selecting the predicted value to be the class that appeared most in k-radius of the test point predicted = k[v.index(np.amax(v))] print("Predicted Class : ", predicted) #accuracy calculation based on question j=0 for i in range(len(v)-1): if v[i]==v[i+1]: j+=1 else: break if ((true in list(counts_s.keys())[0:j]) and (j!=0)): accuracy = float(1/(j+1)) elif j==0 and true==predicted: accuracy=1 else: accuracy=0 self.classification_accuracy = self.classification_accuracy+accuracy print("Accuracy : ",accuracy) print("-----------------------------") def overall_acc(self): # overall accuracy of the knn-classifier print("Overall accuracy for k = ", self.k, " : ", self.classification_accuracy/self.test_label.shape[0]) def euclidian_distance(test, train): distance = np.square(test - train) distance = np.sum(distance, axis = 1) distance = np.sqrt(distance) return distance def main(): if len(sys.argv)==4: train_file = sys.argv[1] test_file = sys.argv[2] k_value = int(sys.argv[3]) train = load_data(train_file) test = load_data(test_file) knn = KNN(train, test, k_value) knn.normalize() knn.classify() knn.overall_acc() else: print("Usage: knn_classify.py <training_file> <test file> <k_value> ") main()
[ "noreply@github.com" ]
noreply@github.com
618b5b6126ed977a4a947b5cdaf43c583c56c086
d0bb860c9d2ccd7abcfb1adbda9caa58f01f849b
/delivery-api-client/src/configuration.py
8dcec779b8dbf676b75359c2828dd263643eb883
[ "Apache-2.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
mptap/target-python-sdk
736f8f77afc7c361fae074cdca546277d203c129
9a7ba32d619589335e1f1d3659135bd6baf813d0
refs/heads/main
2023-03-11T16:12:44.574368
2020-12-15T18:07:41
2020-12-15T18:07:41
326,831,792
0
0
Apache-2.0
2021-01-04T23:22:47
2021-01-04T23:22:47
null
UTF-8
Python
false
false
10,057
py
# coding: utf-8 """ Adobe Target Delivery API No description provided (generated by Openapi Generator https://github.com/openapitools/openapi-generator) # noqa: E501 The version of the OpenAPI document: 1.0.0 Generated by: https://openapi-generator.tech """ from __future__ import absolute_import import copy import logging import multiprocessing import sys import urllib3 import six from six.moves import http_client as httplib class TypeWithDefault(type): def __init__(cls, name, bases, dct): super(TypeWithDefault, cls).__init__(name, bases, dct) cls._default = None def __call__(cls, **kwargs): if cls._default is None: cls._default = type.__call__(cls, **kwargs) return copy.copy(cls._default) def set_default(cls, default): cls._default = copy.copy(default) class Configuration(six.with_metaclass(TypeWithDefault, object)): """NOTE: This class is auto generated by OpenAPI Generator Ref: https://openapi-generator.tech Do not edit the class manually. :param host: Base url :param api_key: Dict to store API key(s) :param api_key_prefix: Dict to store API prefix (e.g. Bearer) :param username: Username for HTTP basic authentication :param password: Password for HTTP basic authentication """ def __init__(self, host="https://.tt.omtrdc.net", api_key={}, api_key_prefix={}, username="", password=""): """Constructor """ self.host = host """Default Base url """ self.temp_folder_path = None """Temp file folder for downloading files """ # Authentication Settings self.api_key = api_key """dict to store API key(s) """ self.api_key_prefix = api_key_prefix """dict to store API prefix (e.g. Bearer) """ self.username = username """Username for HTTP basic authentication """ self.password = password """Password for HTTP basic authentication """ self.logger = {} """Logging Settings """ self.logger["package_logger"] = logging.getLogger("openapi_client") self.logger["urllib3_logger"] = logging.getLogger("urllib3") self.logger_format = '%(asctime)s %(levelname)s %(message)s' """Log format """ self.logger_stream_handler = None """Log stream handler """ self.logger_file_handler = None """Log file handler """ self.logger_file = None """Debug file location """ self.debug = False """Debug switch """ self.verify_ssl = True """SSL/TLS verification Set this to false to skip verifying SSL certificate when calling API from https server. """ self.ssl_ca_cert = None """Set this to customize the certificate file to verify the peer. """ self.cert_file = None """client certificate file """ self.key_file = None """client key file """ self.assert_hostname = None """Set this to True/False to enable/disable SSL hostname verification. """ self.connection_pool_maxsize = multiprocessing.cpu_count() * 5 """urllib3 connection pool's maximum number of connections saved per pool. urllib3 uses 1 connection as default value, but this is not the best value when you are making a lot of possibly parallel requests to the same host, which is often the case here. cpu_count * 5 is used as default value to increase performance. """ self.proxy = None """Proxy URL """ self.proxy_headers = None """Proxy headers """ self.safe_chars_for_path_param = '' """Safe chars for path_param """ self.retries = None """Adding retries to override urllib3 default value 3 """ @property def logger_file(self): """The logger file. If the logger_file is None, then add stream handler and remove file handler. Otherwise, add file handler and remove stream handler. :param value: The logger_file path. :type: str """ return self.__logger_file @logger_file.setter def logger_file(self, value): """The logger file. If the logger_file is None, then add stream handler and remove file handler. Otherwise, add file handler and remove stream handler. :param value: The logger_file path. :type: str """ self.__logger_file = value if self.__logger_file: # If set logging file, # then add file handler and remove stream handler. self.logger_file_handler = logging.FileHandler(self.__logger_file) self.logger_file_handler.setFormatter(self.logger_formatter) for _, logger in six.iteritems(self.logger): logger.addHandler(self.logger_file_handler) @property def debug(self): """Debug status :param value: The debug status, True or False. :type: bool """ return self.__debug @debug.setter def debug(self, value): """Debug status :param value: The debug status, True or False. :type: bool """ self.__debug = value if self.__debug: # if debug status is True, turn on debug logging for _, logger in six.iteritems(self.logger): logger.setLevel(logging.DEBUG) # turn on httplib debug httplib.HTTPConnection.debuglevel = 1 else: # if debug status is False, turn off debug logging, # setting log level to default `logging.WARNING` for _, logger in six.iteritems(self.logger): logger.setLevel(logging.WARNING) # turn off httplib debug httplib.HTTPConnection.debuglevel = 0 @property def logger_format(self): """The logger format. The logger_formatter will be updated when sets logger_format. :param value: The format string. :type: str """ return self.__logger_format @logger_format.setter def logger_format(self, value): """The logger format. The logger_formatter will be updated when sets logger_format. :param value: The format string. :type: str """ self.__logger_format = value self.logger_formatter = logging.Formatter(self.__logger_format) def get_api_key_with_prefix(self, identifier): """Gets API key (with prefix if set). :param identifier: The identifier of apiKey. :return: The token for api key authentication. """ if (self.api_key.get(identifier) and self.api_key_prefix.get(identifier)): return self.api_key_prefix[identifier] + ' ' + self.api_key[identifier] # noqa: E501 elif self.api_key.get(identifier): return self.api_key[identifier] def get_basic_auth_token(self): """Gets HTTP basic authentication header (string). :return: The token for basic HTTP authentication. """ return urllib3.util.make_headers( basic_auth=self.username + ':' + self.password ).get('authorization') def auth_settings(self): """Gets Auth Settings dict for api client. :return: The Auth Settings information dict. """ return { } def to_debug_report(self): """Gets the essential information for debugging. :return: The report for debugging. """ return "Python SDK Debug Report:\n"\ "OS: {env}\n"\ "Python Version: {pyversion}\n"\ "Version of the API: 1.0.0\n"\ "SDK Package Version: 1.0.0".\ format(env=sys.platform, pyversion=sys.version) def get_host_settings(self): """Gets an array of host settings :return: An array of host settings """ return [ { 'url': "https://{clientCode}.tt.omtrdc.net/", 'description': "No description provided", } ] def get_host_from_settings(self, index, variables={}): """Gets host URL based on the index and variables :param index: array index of the host settings :param variables: hash of variable and the corresponding value :return: URL based on host settings """ servers = self.get_host_settings() # check array index out of bound if index < 0 or index >= len(servers): raise ValueError( "Invalid index {} when selecting the host settings. Must be less than {}" # noqa: E501 .format(index, len(servers))) server = servers[index] url = server['url'] # go through variable and assign a value for variable_name in server['variables']: if variable_name in variables: if variables[variable_name] in server['variables'][ variable_name]['enum_values']: url = url.replace("{" + variable_name + "}", variables[variable_name]) else: raise ValueError( "The variable `{}` in the host URL has invalid value {}. Must be {}." # noqa: E501 .format( variable_name, variables[variable_name], server['variables'][variable_name]['enum_values'])) else: # use default value url = url.replace( "{" + variable_name + "}", server['variables'][variable_name]['default_value']) return url
[ "cottingh@adobe.com" ]
cottingh@adobe.com
96cebe510e5c71ec42c2278ce74911007658585b
6faddbf76826fd744e026ea76f5891d450515a7a
/utils/pypianoroll_ops.py
2dae4713694b3cfbf89f44fd0ab0608b70a8fff9
[ "MIT" ]
permissive
jiabijue/music_generation_baselines
f0fbd60fe9f54e4a93f45cd032140b6b845b729a
066ad71e8dff7585641366427e8a6ff94514a291
refs/heads/master
2020-03-16T15:39:09.957967
2018-05-18T13:14:49
2018-05-18T13:14:49
132,753,322
3
0
null
null
null
null
UTF-8
Python
false
false
1,948
py
#!/usr/bin/env python # -*- coding: utf-8 -*- # @Author : Bijue Jia # @Datetime : 2018/5/9 17:03 # @Github : https://github.com/BerylJia # @File : pypianoroll_ops.py from pypianoroll import Multitrack, Track def save_midi(file_path, stacked_piano_rolls, program_nums=None, is_drums=None, track_names=None, tempo=80.0, beat_resolution=24): """ Write the given piano-roll(s) to a single MIDI file. :param file_path: :param stacked_piano_rolls: np.ndarray, shape=(num_time_step, 128, num_track) :param program_nums: :param is_drums: :param track_names: :param tempo: :param beat_resolution: :return: """ # Check arguments # if not np.issubdtype(stacked_piano_rolls.dtype, np.bool_): # raise TypeError("Support only binary-valued piano-rolls") if stacked_piano_rolls.shape[2] != len(program_nums): raise ValueError("`stacked_piano_rolls.shape[2]` and `program_nums` must have be the same") if stacked_piano_rolls.shape[2] != len(is_drums): raise ValueError("`stacked_piano_rolls.shape[2]` and `is_drums` must have be the same") if isinstance(program_nums, int): program_nums = [program_nums] if isinstance(is_drums, int): is_drums = [is_drums] if program_nums is None: program_nums = [0] * len(stacked_piano_rolls) if is_drums is None: is_drums = [False] * len(stacked_piano_rolls) # Write midi multitrack = Multitrack(tempo=tempo, beat_resolution=beat_resolution) for idx in range(stacked_piano_rolls.shape[2]): if track_names is None: track = Track(stacked_piano_rolls[..., idx], program_nums[idx], is_drums[idx]) else: track = Track(stacked_piano_rolls[..., idx], program_nums[idx], is_drums[idx], track_names[idx]) multitrack.append_track(track) multitrack.write(file_path)
[ "bijue_jia@163.com" ]
bijue_jia@163.com
8e4e9112e75465d525812b1120246bcfcf89d72c
9cc2febdd3640cd899f53d221d5c402b3201d700
/3a.py
a67802ddd40f1b7361801cb944490440087edbd0
[]
no_license
daniel-kullmann/aoc-2017
687573f708bf257cbfca3c87e7e82161bdb51d80
efc402111b408fb57caed113f22ffe745420703a
refs/heads/master
2021-09-09T16:19:34.245379
2018-03-17T22:23:35
2018-03-17T22:23:35
125,206,930
0
0
null
null
null
null
UTF-8
Python
false
false
1,490
py
def val(data, x, y): result = data.get((x,y)) if result == None: return 0 return result def get(data, x, y): value = ( val(data,x-1,y-1) + val(data,x,y-1) + val(data,x+1,y-1) + val(data,x-1,y) + val(data,x+1,y) + val(data,x-1,y+1) + val(data,x,y+1) + val(data,x+1,y+1) ) if value > 312051: print "GREATER", value import sys sys.exit(1) return value def generator(s): result = { (0,0): 1 } k = 2 n = 2 x = 0 y = 0 while k <= s: side_length = 2*k - 1 x+=1 result[(x,y)] = get(result, x, y) n+=1 for a in range(0,side_length-2): y-=1 result[(x,y)] = get(result, x, y) for a in range(0,side_length-1): x-=1 result[(x,y)] = get(result, x, y) for a in range(0,side_length-1): y+=1 result[(x,y)] = get(result, x, y) for a in range(0,side_length-1): x+=1 result[(x,y)] = get(result, x, y) k += 1 return result def pp(data): maxValue = max(data.values()) valueSize = len(str(maxValue)) + 1 minX = min([x for (x,y) in data.keys()]) minY = min([y for (x,y) in data.keys()]) for y in range(minY, -minY+1): for x in range(minX, -minX+1): s = str(data[(x,y)]) s = s + " "*(valueSize-len(s)) print s, print "" data = generator(100) #pp(data)
[ "daniel.kullmann@sap.com" ]
daniel.kullmann@sap.com
aedbeba8d52c7fc05faa5b92bfbbaae4d1561a87
036a7b1d043eceddc096da0b5f982051624c1456
/Working Demo/plot2.py
39246f5ef2a1ca0b450de670dac03fd0caa16cca
[]
no_license
Terry0923/EMS-pipeline
7df62ca24b2619bfaa0f7eedcc06a382e4990f00
aaf326f8db7bc2a75b60ff6a10e7990ddb3d0656
refs/heads/master
2020-04-18T05:12:30.833754
2019-01-23T23:22:44
2019-01-23T23:22:44
null
0
0
null
null
null
null
UTF-8
Python
false
false
2,868
py
''' import sys from PyQt4 import QtGui from matplotlib.backends.backend_qt4agg import FigureCanvasQTAgg as FigureCanvas from matplotlib.backends.backend_qt4agg import NavigationToolbar2QT as NavigationToolbar from matplotlib.figure import Figure import random class Window(QtGui.QDialog): def __init__(self, parent=None): super(Window, self).__init__(parent) # a figure instance to plot on self.figure = Figure() # this is the Canvas Widget that displays the `figure` # it takes the `figure` instance as a parameter to __init__ self.canvas = FigureCanvas(self.figure) # this is the Navigation widget # it takes the Canvas widget and a parent self.toolbar = NavigationToolbar(self.canvas, self) # Just some button connected to `plot` method self.button = QtGui.QPushButton('Plot') self.button.clicked.connect(self.plot) # set the layout layout = QtGui.QVBoxLayout() layout.addWidget(self.toolbar) layout.addWidget(self.canvas) layout.addWidget(self.button) self.setLayout(layout) def plot(self): # random data data = [random.random() for i in range(10)] # create an axis ax = self.figure.add_subplot(111) # discards the old graph ax.clear() # plot data ax.plot(data, '*-') # refresh canvas self.canvas.draw() if __name__ == '__main__': app = QtGui.QApplication(sys.argv) main = Window() main.show() sys.exit(app.exec_()) class Graph(QWidget): def __init__(self, parent = None): super(Window, self).__init__(parent) # a figure instance to plot on self.figure = Figure() # this is the Canvas Widget that displays the `figure` # it takes the `figure` instance as a parameter to __init__ self.canvas = FigureCanvas(self.figure) # set the layout layout = QtGui.QVBoxLayout() layout.addWidget(self.canvas) self.setLayout(layout) def plot(self): # random data data = [random.random() for i in range(10)] # create an axis ax = self.figure.add_subplot(111) # discards the old graph ax.clear() # plot data ax.plot(data, '*-') # refresh canvas self.canvas.draw() ''' from matplotlib.backends.backend_agg import FigureCanvasAgg as FigureCanvas from matplotlib.figure import Figure fig = Figure() # A canvas must be manually attached to the figure (pyplot would automatically # do it). This is done by instantiating the canvas with the figure as # argument. FigureCanvas(fig) ax = fig.add_subplot(111) ax.plot([1, 2, 3]) ax.set_title('hi mom') ax.grid(True) ax.set_xlabel('time') ax.set_ylabel('volts') fig.savefig('test')
[ "noreply@github.com" ]
noreply@github.com
2f1029356e78c66b832a76a5602223c2e542f36c
ced462aa7e22003b48230161778463760832960e
/bankAccount.py
3eb40a07042c683163224560d2739a266d729201
[]
no_license
boehmrya/testClasses
98af731c24005ba223ca6342ebcf843d78aba686
614dfdcbf9521f66b9f07a92a258719e225a868b
refs/heads/master
2021-01-19T14:14:03.620382
2017-08-20T21:08:15
2017-08-20T21:08:15
100,888,904
0
0
null
null
null
null
UTF-8
Python
false
false
528
py
class bankAccount: def __init__(self, ibalance, icustomerid): self.balance = ibalance self.customerid = icustid def checkBalance(self): return self.balance def deposit(self, amount): self.balance = self.balance + amount def withdraw(self, amount): self.balance = self.balance - amount def transfer(self, other, amount): self.balance = self.balance - amount other.balance = other.balance + amount # to string method def __str__(self): account = self.customerId + ": " + self.balance return account
[ "ryan.w.boehm@gmail.com" ]
ryan.w.boehm@gmail.com
dabbbb2f56c43624d1146e7b45b7e35296f6b949
04386346644652beab89143ee900b01454aa6fc7
/setup.py
7361eac4372048953109b8d1f9a8bc4857bbb03b
[]
no_license
yoyonel/OpenCV_OMR_MusicSheet
d3d24a338929b50f4f6f8c831a8be645e44caf66
22569200ac86094eb21ca7d6bab76151ed19efc2
refs/heads/master
2021-01-10T18:46:59.922694
2019-04-12T08:44:21
2019-04-12T08:44:21
55,969,644
1
0
null
null
null
null
UTF-8
Python
false
false
2,379
py
# !/usr/bin/env python # -*- coding: utf-8 -*- from collections import defaultdict from pathlib import Path from typing import Dict, List from setuptools import setup, find_packages descr = """\ Dépôt pour le projet de scan et reconnaissance semi auto de partitions/tablatures issues des méthodes de basse. """ DISTNAME = 'omr_musicsheet' DESCRIPTION = 'OMR MusicSheet with OpenCV' LONG_DESCRIPTION = descr MAINTAINER = 'Lionel ATTY', MAINTAINER_EMAIL = 'yoyonel@hotmail.com', URL = 'https://github.com/yoyonel/OpenCV_OMR_MusicSheet' LICENSE = 'BSD' DOWNLOAD_URL = '' PACKAGE_NAME = 'omr_musicsheet' def build_dict_requirements( req_dir: Path = Path('requirements'), pattern_req_file: str = '*.pip', ) -> Dict[str, List[Path]]: return defaultdict( list, { p.stem: p.read_text().splitlines() for p in req_dir.glob(pattern_req_file) } ) reqs = build_dict_requirements() setup( name=DISTNAME, maintainer=MAINTAINER, maintainer_email=MAINTAINER_EMAIL, description=DESCRIPTION, license=LICENSE, url=URL, download_url=DOWNLOAD_URL, long_description=LONG_DESCRIPTION, include_package_data=True, package_data={DISTNAME: ['*.png', '*.jpg']}, packages=find_packages(exclude='tests'), install_requires=reqs['base'], use_scm_version=True, setup_requires=reqs['setup'], extras_require={ 'test': reqs['test'], 'develop': reqs['test'] + reqs['dev'], 'setup': reqs['test'] + reqs['dev'] + reqs['setup'] }, test_suite='tests', tests_require=reqs['test'], classifiers=['Development Status :: 3 - Alpha', 'Intended Audience :: Developers', 'Intended Audience :: Science/Research', 'License :: OSI Approved :: BSD License', 'Operating System :: POSIX :: Linux', 'Operating System :: MacOS', 'Operating System :: Microsoft :: Windows', 'Programming Language :: Python :: 3.7', 'Topic :: Multimedia :: Audio', 'Topic :: Scientific/Engineering'], entry_points={ 'console_scripts': [ 'contour_00=omr_musicsheet.contours.contour_00:main', 'sprites_sheet=omr_musicsheet.sprites_sheet.aabbox_on_sprites_sheet:main' ] } )
[ "yoyonel@htmail.com" ]
yoyonel@htmail.com
d947332c23ca5cca916e3a57272394962edb4f4e
a884d21244d887f5174a2d0ba8ecb811e23b6fc7
/FFN.py
65376b24bae6e6b46d191bc6eab11a44efd4de28
[]
no_license
ajaffer/prg_5
72b25571729be407e00f048233b65cdf0fc4bcd9
2c42cbb236442e9c2783ad9625a4c5153396efd2
refs/heads/master
2016-09-05T23:18:26.196868
2011-03-12T01:21:22
2011-03-12T01:21:22
1,449,263
0
0
null
null
null
null
UTF-8
Python
false
false
584
py
__author__ = 'Ahsen' from pybrain.structure import FeedForwardNetwork from pybrain.structure import LinearLayer, SigmoidLayer from pybrain.structure import FullConnection n = FeedForwardNetwork() inLayer = LinearLayer(2) hiddenLayer = SigmoidLayer(3) outLayer = LinearLayer(1) n.addInputModule(inLayer) n.addModule(hiddenLayer) n.addOutputModule(outLayer) in_to_hidden = FullConnection(inLayer, hiddenLayer) hidden_to_out = FullConnection(hiddenLayer, outLayer) n.addConnection(in_to_hidden) n.addConnection(hidden_to_out) n.sortModules() print n print n.activate([1, 2])
[ "ahsen.jaffer@gmail.com" ]
ahsen.jaffer@gmail.com
2acd2a59d27001a9fc41b9b6d3ee060a45d58443
9614108483c6bc01795a707759caa6f52e184e6a
/funciones.py
0a4ff0c0ac222e73f184ae1e248152b2210b9f85
[]
no_license
tomercr037/practicas-python
03f3f381be564bec210d15a1f252b3758d8ff770
dd63daa3f7cd5b5173bc9e7785ada6fc474d765e
refs/heads/master
2020-09-17T07:41:06.308956
2019-11-25T21:53:05
2019-11-25T21:53:05
224,040,062
0
0
null
null
null
null
UTF-8
Python
false
false
3,204
py
from numpy import arange import matplotlib.pyplot as plt import math import random def biseccion(): fx = raw_input('ingrese la funcion a resolver') maximoIteraciones = int(raw_input('ingrese maximo de iteraciones a realizar')) a=-1.0 b=1.0 while 1: x = a fa = eval(fx) x=b fb = eval(fx) if (fa<0 and fb>0) or (fa>0 and fb<0): break else: a-=1 b+=1 print ("El intervalo es: %s,%s" %(a,b)) irango = arange(a,b,0.001) rango = range(1, maximoIteraciones+1) for i in rango: print "La iteracion" + str(i) + "\n" x=a fa=eval(fx) x=b fb=eval(fx) m=((a+b)/2) fm=eval(fx) print "a=%s, fa=%s"%(a,fa) print "b=%s, fb=%s"%(b,fb) print "m=%s, fm=%s"%(m,fm) if fm<0: if fa>0: b=m else: a=m else: if fa<0: b=m else: a=m #print "\n\t" + str(a) + "-" + str(b) #print "\t--------------------" #print "\t 2" iIntervalo=[] for x in irango: y=eval(fx) iIntervalo.append(y) plt.plot(irango,iIntervalo) plt.grid(axis='both') plt.show() def graficar(): fx = "(((5*(x))**2)-(math.e**(x)))" rango = arange(-10, 10) valores = [] for x in rango : y = eval(fx) valores.append(y) print "x= "+ str(x)+ "\t y=" + str(y) plt.plot(rango,valores) plt.grid(axis = 'both') plt.show() def aprox(): fx= raw_input ('ingrese la funcion a resolver g(x)\t') tolerancia= float(raw_input("Ingresa la tolerancia \t")) a=float(raw_input("Ingresa intervalo a \t")) b=float(raw_input("Ingresa intervalo b \t")) x0=(a+b)/2.0 print ("La aproximaxion inicial es: %s"%(x0)) error = tolerancia+1 x=x0 while error>tolerancia: ga = eval(fx) print ("g(a)= %s" %(ga)) error= abs(ga-x) print ("ERROR= %s"%(error)) x = ga def newton(): print("ingresa el orden de la matriz 1") filas1,columnas1 = int (input()), int(input()) print("ingresa el orden de la matriz 2") filas2,columnas2 = int(input()), int (input()) if (columnas1==filas2): matriz1=[] for i in range(filas1): matriz1.append ( [0] * columnas1) matriz2=[] for i in range(filas2): matriz2.append ( [0] * columnas2) print 'La matriz 1 es: ' for i in range(filas1): for j in range (columnas1): matriz1[i][j] = (random.randrange(100)) print matriz1 print 'La matriz 2 es:' for i in range(filas2): for j in range (columnas2): matriz2[i][j] = (random.randrange(100)) print matriz2 matriz3 = [] for i in range (filas1): matriz3.append ( [0] * columnas2) for i in range (filas1): for j in range(columnas2): matriz3[i][j] = matriz1[i][j] * matriz2[j][i] print('La matriz resultante es:') print matriz3 while True: print "*************************************************" print "* PRACTICAS METODOS NUMERICOS *" print "* ALUMN@ : DANIELA MICHELLE ESQUIVEL ACEVEDO *" print "* GRUPO: ISC151 *" print "*************************************************" opc = int (raw_input('Elige una opcion: \n\t 1. Metodo de biseccion \n\t 2. Graficar ecuacion \n\t 3. Metodo de aproximacion \n\t 4. Metodo de Newton \n\t 5. Salir\n\t')) if opc == 1: biseccion() if opc == 2: graficar() if opc == 3: aprox() if opc == 4: mat() if opc == 5: break
[ "tomercr037@gmail.com" ]
tomercr037@gmail.com
264db12adae710d45f7e7377aadcc8e4b1bed27c
da0f3a46bd09ab32ce16ea46912ccb24900a887c
/RubenVg/autogridr/poligono_n.py
ee6d54a793f2c91e41910de354f4ef10e25fc5f4
[]
no_license
1109israel/AprendiendoGit
ea275a145390c169f987280b5d934eb14d9026f8
f366a4555153376876a337e9b246110fdaa87795
refs/heads/master
2020-03-21T04:13:00.584488
2018-07-25T22:43:21
2018-07-25T22:43:21
138,097,310
2
2
null
null
null
null
UTF-8
Python
false
false
46
py
n=int(input()) x=0 x=((n*n)+(n-1)**2) print(x)
[ "rubenvelascogomez1234@gmail.com" ]
rubenvelascogomez1234@gmail.com
8486a2f3b8f7719eed407efb3e23b1f6c5d93a29
6dfe4039273741fa47dbd9c258d0ed403dc9f7bd
/venv/bin/easy_install
2ea95ad1fdf80497a50f416e400311db2dce95b9
[]
no_license
a-ridings13/CatalogApp
b6a3f6d6158ea1610513061f2ea63260a8513254
002ad0b4b46bad25083b74312eb9bba1f341c9ac
refs/heads/master
2020-05-20T04:40:10.881337
2019-05-12T05:21:15
2019-05-12T05:21:15
185,387,701
0
0
null
null
null
null
UTF-8
Python
false
false
318
#!/home/austin/Desktop/Udacity_FS_Nanodegree/fullstack-nanodegree-vm/vagrant/catalog/venv/bin/python2.7 # -*- coding: utf-8 -*- import re import sys from setuptools.command.easy_install import main if __name__ == '__main__': sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) sys.exit(main())
[ "austinridings921@gmail.com" ]
austinridings921@gmail.com
a14004664fe58f3f97fcc717e8c01095a4994f89
2a3d397178afe76d1fd1b891fb2e0f991091f0f4
/src/removeemptylines.py
7b0025f2b39b2e00c34f83c01cbedd1346fab0ea
[]
no_license
Bjornir90/TAL
26ecc66c38c1e5e4545993c023ff7b4a136fb38c
8ffa53982bd2ee901ae30d4952cf24f08047b4f1
refs/heads/master
2021-03-02T09:28:28.526084
2020-03-08T23:35:24
2020-03-08T23:35:24
245,855,720
0
0
null
null
null
null
UTF-8
Python
false
false
502
py
import argparse def getArgs(): parser = argparse.ArgumentParser(description="Pos_tag text") parser.add_argument("in_file", help="The input file containing the text") parser.add_argument("out_file", help="The output file containing the text without empty lines") return parser.parse_args() args = getArgs() file = open(args.in_file, "r") result = "" for line in file: if line is "\n": continue result += line file.close() file = open(args.out_file, "w") file.write(result) file.close()
[ "celestincollin@gmail.com" ]
celestincollin@gmail.com
1c5adc51107dda11e8cf58f8903523927473fb1d
bb6576e2db39297c37a93535f676a0e665768da2
/instana/collector/base.py
2b4e5a9e579cdb81bf5d04959414971ea55ea64a
[ "MIT" ]
permissive
takeaway/python-sensor
25cc0e8e804a82dc21abf78194da4e4bd14f1b1f
52d6eaa2d6a8e625201bad36ac2448201c4bd63d
refs/heads/master
2021-06-22T08:49:22.889170
2021-05-17T09:32:45
2021-05-17T09:32:45
218,567,321
2
1
MIT
2021-05-17T09:32:46
2019-10-30T16:02:49
Python
UTF-8
Python
false
false
7,202
py
# (c) Copyright IBM Corp. 2021 # (c) Copyright Instana Inc. 2020 """ A Collector launches a background thread and continually collects & reports data. The data can be any combination of metrics, snapshot data and spans. """ import sys import threading from ..log import logger from ..singletons import env_is_test from ..util import every, DictionaryOfStan if sys.version_info.major == 2: import Queue as queue else: import queue # pylint: disable=import-error class BaseCollector(object): """ Base class to handle the collection & reporting of snapshot and metric data This class launches a background thread to do this work. """ def __init__(self, agent): # The agent for this process. Can be Standard, AWSLambda or Fargate self.agent = agent # The name assigned to the spawned thread self.THREAD_NAME = "Instana Collector" # The Queue where we store finished spans before they are sent if env_is_test: # Override span queue with a multiprocessing version # The test suite runs background applications - some in background threads, # others in background processes. This multiprocess queue allows us to collect # up spans from all sources. import multiprocessing self.span_queue = multiprocessing.Queue() else: self.span_queue = queue.Queue() # The Queue where we store finished profiles before they are sent self.profile_queue = queue.Queue() # The background thread that reports data in a loop every self.report_interval seconds self.reporting_thread = None # Signal for background thread(s) to shutdown self.thread_shutdown = threading.Event() # Timestamp in seconds of the last time we sent snapshot data self.snapshot_data_last_sent = 0 # How often to report snapshot data (in seconds) self.snapshot_data_interval = 300 # List of helpers that help out in data collection self.helpers = [] # Lock used syncronize reporting - no updates when sending # Used by the background reporting thread. Used to syncronize report attempts and so # that we never have two in progress at once. self.background_report_lock = threading.Lock() # Reporting interval for the background thread(s) self.report_interval = 1 # Flag to indicate if start/shutdown state self.started = False def is_reporting_thread_running(self): """ Indicates if there is a thread running with the name self.THREAD_NAME """ for thread in threading.enumerate(): if thread.name == self.THREAD_NAME: return True return False def start(self): """ Starts the collector and starts reporting as long as the agent is in a ready state. @return: None """ if self.is_reporting_thread_running(): if self.thread_shutdown.is_set(): # Shutdown still in progress; Reschedule this start in 5 seconds from now timer = threading.Timer(5, self.start) timer.daemon = True timer.name = "Collector Timed Start" timer.start() return logger.debug("Collecter.start non-fatal: call but thread already running (started: %s)", self.started) return if self.agent.can_send(): logger.debug("BaseCollector.start: launching collection thread") self.thread_shutdown.clear() self.reporting_thread = threading.Thread(target=self.thread_loop, args=()) self.reporting_thread.setDaemon(True) self.reporting_thread.setName(self.THREAD_NAME) self.reporting_thread.start() self.started = True else: logger.warning("BaseCollector.start: the agent tells us we can't send anything out") def shutdown(self, report_final=True): """ Shuts down the collector and reports any final data (if possible). e.g. If the host agent disappeared, we won't be able to report final data. @return: None """ logger.debug("Collector.shutdown: Reporting final data.") self.thread_shutdown.set() if report_final is True: self.prepare_and_report_data() self.started = False def thread_loop(self): """ Just a loop that is run in the background thread. @return: None """ every(self.report_interval, self.background_report, "Instana Collector: prepare_and_report_data") def background_report(self): """ The main work-horse method to report data in the background thread. @return: Boolean """ if self.thread_shutdown.is_set(): logger.debug("Thread shutdown signal is active: Shutting down reporting thread") return False self.prepare_and_report_data() if self.thread_shutdown.is_set(): logger.debug("Thread shutdown signal is active: Shutting down reporting thread") return False return True def prepare_and_report_data(self): """ Prepare and report the data payload. @return: Boolean """ if env_is_test is False: lock_acquired = self.background_report_lock.acquire(False) if lock_acquired: try: payload = self.prepare_payload() self.agent.report_data_payload(payload) finally: self.background_report_lock.release() else: logger.debug("prepare_and_report_data: Couldn't acquire lock") return True def prepare_payload(self): """ Method to prepare the data to be reported. @return: DictionaryOfStan() """ logger.debug("BaseCollector: prepare_payload needs to be overridden") return DictionaryOfStan() def should_send_snapshot_data(self): """ Determines if snapshot data should be sent @return: Boolean """ logger.debug("BaseCollector: should_send_snapshot_data needs to be overridden") return False def collect_snapshot(self, *argv, **kwargs): logger.debug("BaseCollector: collect_snapshot needs to be overridden") def queued_spans(self): """ Get all of the queued spans @return: list """ spans = [] while True: try: span = self.span_queue.get(False) except queue.Empty: break else: spans.append(span) return spans def queued_profiles(self): """ Get all of the queued profiles @return: list """ profiles = [] while True: try: profile = self.profile_queue.get(False) except queue.Empty: break else: profiles.append(profile) return profiles
[ "noreply@github.com" ]
noreply@github.com
5e9bd9c20b1c09d125229d517891f7c7ec492ce5
9743d5fd24822f79c156ad112229e25adb9ed6f6
/xai/brain/wordbase/otherforms/_ottawas.py
85b54ee2bfb7c07f0824dea4c14fd7d0f039fc54
[ "MIT" ]
permissive
cash2one/xai
de7adad1758f50dd6786bf0111e71a903f039b64
e76f12c9f4dcf3ac1c7c08b0cc8844c0b0a104b6
refs/heads/master
2021-01-19T12:33:54.964379
2017-01-28T02:00:50
2017-01-28T02:00:50
null
0
0
null
null
null
null
UTF-8
Python
false
false
222
py
#calss header class _OTTAWAS(): def __init__(self,): self.name = "OTTAWAS" self.definitions = ottawa self.parents = [] self.childen = [] self.properties = [] self.jsondata = {} self.basic = ['ottawa']
[ "xingwang1991@gmail.com" ]
xingwang1991@gmail.com
da18ff9e4382bec570bfebb7f5a830870c66aaf3
69e4cd36a795029d0db83ebb0b5094b3ab5f7482
/Other/loop1.py
f73289c509df1d47c8372f86afc319d7f66b9a83
[]
no_license
aranyasteve/python-
4c67adf805c8e950661151303242142a66195649
8528b53a4352666052f4435e97b5a1ea923d0e1c
refs/heads/master
2023-06-11T22:43:34.245818
2021-07-04T07:32:59
2021-07-04T07:32:59
278,655,588
0
0
null
null
null
null
UTF-8
Python
false
false
197
py
# for a in range(0, 101): # if a % 2 == 0: # print("{:3}".format(a), end=" ") # # for x in range(2, 101, 2): # print(x, end=' ') i = 2 while i<=100: print(i,end=" ") i+=2
[ "aranyashukla9@gmail.com" ]
aranyashukla9@gmail.com
b99542f3a3322135a18969f2e1aa685b56bfa628
42c1dc42481ad4666c4ed87b42cee26d192116a5
/paraiso/hotel/migrations/0021_auto_20170615_1507.py
ac13fffdd102edad3ca303c9df8f774a4c2e0fe7
[]
no_license
williamkblera/paraiso
f65ea9750fd0bc0fcc2454017a70945a10d72353
e786d2a2a41691b3870599c88859ca839d9299db
refs/heads/master
2021-01-23T00:35:33.542190
2017-12-11T20:24:26
2017-12-11T20:24:26
92,826,289
0
0
null
null
null
null
UTF-8
Python
false
false
601
py
# -*- coding: utf-8 -*- # Generated by Django 1.11.1 on 2017-06-15 19:07 from __future__ import unicode_literals import datetime from django.db import migrations, models from django.utils.timezone import utc class Migration(migrations.Migration): dependencies = [ ('hotel', '0020_auto_20170615_1500'), ] operations = [ migrations.AlterField( model_name='reserva', name='data_reserva', field=models.DateTimeField(default=datetime.datetime(2017, 6, 15, 19, 7, 5, 164447, tzinfo=utc), verbose_name='Data da Reserva'), ), ]
[ "williamkblera@gmail.com" ]
williamkblera@gmail.com
dafb5f708da994490f50be8b5e8abab4a5cdb497
65390f11a35eefdbec270a162a2fd0c6e2fab64e
/code/Clustering/k_means.py
21680e4ce7a0af8c1cfdc897d8fb25478386f3c2
[]
no_license
DanielsHappyWorks/aml-data-discovery
45a89c6aad6141698d6e5e8d660aebbf7bb24e45
0381a774c873f7316c27b68c939d639eadfacc37
refs/heads/master
2021-01-05T19:55:21.492746
2020-03-22T19:24:35
2020-03-22T19:24:35
241,122,371
0
0
null
null
null
null
UTF-8
Python
false
false
1,076
py
from sklearn.cluster import KMeans import code.Util.data_util as data_util from sklearn.metrics import confusion_matrix, accuracy_score import pandas as pd def run_kmeans(data_frame): x = data_frame.drop(['salary'], axis=1) y = data_frame[['salary']] model = KMeans(n_clusters=2, init='random', n_init=10, max_iter=300, tol=1e-04, random_state=0) y_pred = model.fit_predict(x) print("Accuracy ", accuracy_score(y, y_pred)) cm = pd.DataFrame(confusion_matrix(y, y_pred)) print(cm) print("kMeans model using all features (Label Encoding)") run_kmeans(data_util.get_label_encoded_data()) print("\nkMeans model using all features (One Hot Encoding)") run_kmeans(data_util.get_one_hot_encoded_data()) print("\nkMeans model using some features (Label Encoding - model only uses age, education, occupation, hours-per-week)") run_kmeans(data_util.get_label_encoded_data_min()) print("\nkMeans model using some features (One Hot Encoding - model only uses age, education, occupation, hours-per-week)") run_kmeans(data_util.get_one_hot_encoded_data_min())
[ "daniel.foth@ericsson.com" ]
daniel.foth@ericsson.com
c2a8220ae302f948c3d75ad49805cda3f36d4161
a6cf63f4a2f30b1acdf7f1aaf68592a7c06e475b
/blog/migrations/0001_initial.py
57ae8197b06e6d71693c122913d02726d9c4535a
[]
no_license
rahulginodia4005/TypeItDown-BloggingSite
9869121e6e1015345cb0605dac635d4bd6b0371e
07341243be2dcd8713db83b968a1a492390f11ac
refs/heads/main
2023-07-19T09:10:18.392511
2021-09-08T18:33:06
2021-09-08T18:33:06
404,422,082
0
0
null
null
null
null
UTF-8
Python
false
false
915
py
# Generated by Django 3.2.5 on 2021-07-15 09:15 from django.conf import settings from django.db import migrations, models import django.db.models.deletion import django.utils.timezone class Migration(migrations.Migration): initial = True dependencies = [ migrations.swappable_dependency(settings.AUTH_USER_MODEL), ] operations = [ migrations.CreateModel( name='Post', fields=[ ('id', models.BigAutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('title', models.CharField(max_length=100)), ('content', models.TextField()), ('date_posted', models.DateTimeField(default=django.utils.timezone.now)), ('author_name', models.ForeignKey(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)), ], ), ]
[ "f20200784@pilani.bits-pilani.ac.in" ]
f20200784@pilani.bits-pilani.ac.in
40c839b1903dd6a5097fb9dcc7a394f0d25d2793
61844eeae93def77d5c60cba06258b32de80345b
/KM/app/config/settings/base.py
30f7c89dbfefdf28a0c8a79867ccf03b5b3c3ab6
[ "MIT" ]
permissive
ayong8/Learning
1cd5b54d0d046f7fbe6ab989c3f3a24bba1a8fdc
f33a3f4261f56cfc9b4e8eb33f08d68ab9429a70
refs/heads/master
2023-01-10T18:39:25.439074
2018-06-26T00:42:46
2018-06-26T00:42:46
126,389,952
0
0
null
2022-12-26T20:39:48
2018-03-22T20:14:10
Python
UTF-8
Python
false
false
9,384
py
""" Base settings to build other settings files upon. """ import environ ROOT_DIR = environ.Path(__file__) - 3 # (app/config/settings/base.py - 3 = app/) APPS_DIR = ROOT_DIR.path('app') env = environ.Env() READ_DOT_ENV_FILE = env.bool('DJANGO_READ_DOT_ENV_FILE', default=False) if READ_DOT_ENV_FILE: # OS environment variables take precedence over variables from .env env.read_env(str(ROOT_DIR.path('.env'))) # GENERAL # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#debug DEBUG = env.bool('DJANGO_DEBUG', False) # Local time zone. Choices are # http://en.wikipedia.org/wiki/List_of_tz_zones_by_name # though not all of them may be available with every OS. # In Windows, this must be set to your system time zone. TIME_ZONE = 'UTC' # https://docs.djangoproject.com/en/dev/ref/settings/#language-code LANGUAGE_CODE = 'en-us' # https://docs.djangoproject.com/en/dev/ref/settings/#site-id SITE_ID = 1 # https://docs.djangoproject.com/en/dev/ref/settings/#use-i18n USE_I18N = True # https://docs.djangoproject.com/en/dev/ref/settings/#use-l10n USE_L10N = True # https://docs.djangoproject.com/en/dev/ref/settings/#use-tz USE_TZ = True # DATABASES # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#databases DATABASES = { 'default': env.db('DATABASE_URL', default='postgres:///km'), } DATABASES['default']['ATOMIC_REQUESTS'] = True # URLS # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#root-urlconf ROOT_URLCONF = 'config.urls' # https://docs.djangoproject.com/en/dev/ref/settings/#wsgi-application WSGI_APPLICATION = 'config.wsgi.application' # APPS # ------------------------------------------------------------------------------ DJANGO_APPS = [ 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.sites', 'django.contrib.messages', 'django.contrib.staticfiles', # 'django.contrib.humanize', # Handy template tags 'django.contrib.admin', ] THIRD_PARTY_APPS = [ 'crispy_forms', 'allauth', 'allauth.account', 'allauth.socialaccount', 'rest_framework', ] LOCAL_APPS = [ 'app.users.apps.UsersConfig', # Your stuff: custom apps go here ] # https://docs.djangoproject.com/en/dev/ref/settings/#installed-apps INSTALLED_APPS = DJANGO_APPS + THIRD_PARTY_APPS + LOCAL_APPS # MIGRATIONS # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#migration-modules MIGRATION_MODULES = { 'sites': 'app.contrib.sites.migrations' } # AUTHENTICATION # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#authentication-backends AUTHENTICATION_BACKENDS = [ 'django.contrib.auth.backends.ModelBackend', 'allauth.account.auth_backends.AuthenticationBackend', ] # https://docs.djangoproject.com/en/dev/ref/settings/#auth-user-model AUTH_USER_MODEL = 'users.User' # https://docs.djangoproject.com/en/dev/ref/settings/#login-redirect-url LOGIN_REDIRECT_URL = 'users:redirect' # https://docs.djangoproject.com/en/dev/ref/settings/#login-url LOGIN_URL = 'account_login' # PASSWORDS # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#password-hashers PASSWORD_HASHERS = [ # https://docs.djangoproject.com/en/dev/topics/auth/passwords/#using-argon2-with-django 'django.contrib.auth.hashers.Argon2PasswordHasher', 'django.contrib.auth.hashers.PBKDF2PasswordHasher', 'django.contrib.auth.hashers.PBKDF2SHA1PasswordHasher', 'django.contrib.auth.hashers.BCryptSHA256PasswordHasher', 'django.contrib.auth.hashers.BCryptPasswordHasher', ] # https://docs.djangoproject.com/en/dev/ref/settings/#auth-password-validators AUTH_PASSWORD_VALIDATORS = [ { 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', }, { 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', }, { 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', }, { 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', }, ] # MIDDLEWARE # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#middleware MIDDLEWARE = [ 'django.middleware.security.SecurityMiddleware', 'django.contrib.sessions.middleware.SessionMiddleware', 'django.middleware.common.CommonMiddleware', 'django.middleware.csrf.CsrfViewMiddleware', 'django.contrib.auth.middleware.AuthenticationMiddleware', 'django.contrib.messages.middleware.MessageMiddleware', 'django.middleware.clickjacking.XFrameOptionsMiddleware', ] # STATIC # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#static-root STATIC_ROOT = str(ROOT_DIR('staticfiles')) # https://docs.djangoproject.com/en/dev/ref/settings/#static-url STATIC_URL = '/static/' # https://docs.djangoproject.com/en/dev/ref/contrib/staticfiles/#std:setting-STATICFILES_DIRS STATICFILES_DIRS = [ str(APPS_DIR.path('static')), ] # https://docs.djangoproject.com/en/dev/ref/contrib/staticfiles/#staticfiles-finders STATICFILES_FINDERS = [ 'django.contrib.staticfiles.finders.FileSystemFinder', 'django.contrib.staticfiles.finders.AppDirectoriesFinder', ] # MEDIA # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#media-root MEDIA_ROOT = str(APPS_DIR('media')) # https://docs.djangoproject.com/en/dev/ref/settings/#media-url MEDIA_URL = '/media/' # TEMPLATES # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#templates TEMPLATES = [ { # https://docs.djangoproject.com/en/dev/ref/settings/#std:setting-TEMPLATES-BACKEND 'BACKEND': 'django.template.backends.django.DjangoTemplates', # https://docs.djangoproject.com/en/dev/ref/settings/#template-dirs 'DIRS': [ str(APPS_DIR.path('templates')), ], 'OPTIONS': { # https://docs.djangoproject.com/en/dev/ref/settings/#template-debug 'debug': DEBUG, # https://docs.djangoproject.com/en/dev/ref/settings/#template-loaders # https://docs.djangoproject.com/en/dev/ref/templates/api/#loader-types 'loaders': [ 'django.template.loaders.filesystem.Loader', 'django.template.loaders.app_directories.Loader', ], # https://docs.djangoproject.com/en/dev/ref/settings/#template-context-processors 'context_processors': [ 'django.template.context_processors.debug', 'django.template.context_processors.request', 'django.contrib.auth.context_processors.auth', 'django.template.context_processors.i18n', 'django.template.context_processors.media', 'django.template.context_processors.static', 'django.template.context_processors.tz', 'django.contrib.messages.context_processors.messages', ], }, }, ] # http://django-crispy-forms.readthedocs.io/en/latest/install.html#template-packs CRISPY_TEMPLATE_PACK = 'bootstrap4' # FIXTURES # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#fixture-dirs FIXTURE_DIRS = ( str(APPS_DIR.path('fixtures')), ) # EMAIL # ------------------------------------------------------------------------------ # https://docs.djangoproject.com/en/dev/ref/settings/#email-backend EMAIL_BACKEND = env('DJANGO_EMAIL_BACKEND', default='django.core.mail.backends.smtp.EmailBackend') # ADMIN # ------------------------------------------------------------------------------ # Django Admin URL. ADMIN_URL = 'admin/' # https://docs.djangoproject.com/en/dev/ref/settings/#admins ADMINS = [ ("""Yongsu Ahn""", 'yong8@me.com'), ] # https://docs.djangoproject.com/en/dev/ref/settings/#managers MANAGERS = ADMINS # django-allauth # ------------------------------------------------------------------------------ ACCOUNT_ALLOW_REGISTRATION = env.bool('DJANGO_ACCOUNT_ALLOW_REGISTRATION', True) # https://django-allauth.readthedocs.io/en/latest/configuration.html ACCOUNT_AUTHENTICATION_METHOD = 'username' # https://django-allauth.readthedocs.io/en/latest/configuration.html ACCOUNT_EMAIL_REQUIRED = True # https://django-allauth.readthedocs.io/en/latest/configuration.html ACCOUNT_EMAIL_VERIFICATION = 'mandatory' # https://django-allauth.readthedocs.io/en/latest/configuration.html ACCOUNT_ADAPTER = 'app.users.adapters.AccountAdapter' # https://django-allauth.readthedocs.io/en/latest/configuration.html SOCIALACCOUNT_ADAPTER = 'app.users.adapters.SocialAccountAdapter' # Your stuff... # ------------------------------------------------------------------------------
[ "yong8@me.com" ]
yong8@me.com
418b625b9dc9be8261cdeeedf0f8fb6c7ec8adb3
de24f83a5e3768a2638ebcf13cbe717e75740168
/moodledata/vpl_data/13/usersdata/104/5684/submittedfiles/flipper.py
525dfd44a7e141261a476cc49e226822c90d857c
[]
no_license
rafaelperazzo/programacao-web
95643423a35c44613b0f64bed05bd34780fe2436
170dd5440afb9ee68a973f3de13a99aa4c735d79
refs/heads/master
2021-01-12T14:06:25.773146
2017-12-22T16:05:45
2017-12-22T16:05:45
69,566,344
0
0
null
null
null
null
UTF-8
Python
false
false
260
py
# -*- coding: utf-8 -*- from __future__ import division import math #ENTRADA p=input('Determine a posição de p:') r=input('Determine a posição de r:') #PROCESSAMENTO if p==0: print('C') else: if r==0: print('B') else: print('A')
[ "rafael.mota@ufca.edu.br" ]
rafael.mota@ufca.edu.br
800f5d933362f8b898e1cf9247e3faa130bf47ca
4d7ce5f81efd358444b6e9e116ad17ec225f0d7c
/scripts/publish-cves-to-website-api.py
ccc7f3ca6303d8eb8e788aa3e24bd0c3cd9b2077
[]
no_license
mssalvatore/ubuntu-cve-tracker-mirror
10e614d49cb76c10698d3c3e37067c9dad6505a0
393245887b9fdc3ecd3096a44e0373d9fb7038a6
refs/heads/master
2023-03-19T02:05:32.201654
2021-03-06T10:03:16
2021-03-06T10:03:16
312,426,218
1
1
null
2021-02-15T17:00:29
2020-11-13T00:03:43
Python
UTF-8
Python
false
false
9,007
py
#! /usr/bin/env python3 # Standard library import os import pprint import sys import cve_lib import re import argparse from http.cookiejar import MozillaCookieJar # Local ## from lib.file_helpers import JsonStore, download_gzip_file from cvss import CVSS3 from macaroonbakery import httpbakery IGNORE_CACHE = os.path.expanduser("~/.publish-cves-ignore-cache") def authentication(method, url, payload): """ Authenticate with Macaroons in order to use Webteam API """ client = httpbakery.Client(cookies=MozillaCookieJar(os.path.expanduser("~/.ubuntu.com.login"))) if os.path.exists(client.cookies.filename): client.cookies.load(ignore_discard=True) response = client.request(method, url=url, json=payload) client.cookies.save(ignore_discard=True) return response def get_codename(raw_codename, cve_releases): codename = raw_codename.split("/")[0] if codename != "devel": return codename return get_devel_codename(cve_releases) def get_tags(cve_data, pkg): return list(cve_data['tags'].get(pkg, list())) def get_patches(cve_data, pkg): patches_str = cve_data.get(f'Patches_{pkg}', "") return [line for line in patches_str.split('\n') if line] def get_devel_codename(cve_releases): for skip_release in ['upstream', 'devel', 'product', 'snap']: if skip_release in cve_releases: cve_releases.remove(skip_release) if len(cve_releases) <= 0: print ("WARNING: No valid ubuntu releases in CVE", file=sys.stderr) return None cve_releases = cve_lib.release_sort(cve_releases) devel_release_index = cve_lib.releases.index(cve_releases[-1]) + 1 if devel_release_index >= len(cve_lib.releases) or devel_release_index < 0: print ( "WARNING: Could not determine devel release codename. Perhaps it hasn't " "been added to cve_lib.all_releases yet?", file=sys.stderr ) return None cve_devel_release = cve_lib.releases[devel_release_index] return cve_devel_release def post_single_cve(cve_filename): # Upload active and ignored (in Ubuntu) cve_data = cve_lib.load_cve(cve_filename) references = cve_data["References"].split("\n") if references[0] == "": references.pop(0) cvss3 = None if len(cve_data["CVSS"]) > 0: if "3." in cve_data["CVSS"][0][1]: # Use CVSS3 c = CVSS3(cve_data["CVSS"][0][1]) cvss3 = c.scores()[0] packages = [] tags = {} patches = {} for pkg in cve_data["pkgs"]: statuses = [] cve_releases = cve_data["pkgs"][pkg].keys() cve_releases = [rel for rel in cve_releases if rel in cve_lib.releases] tags[pkg] = get_tags(cve_data, pkg) patches[pkg] = get_patches(cve_data, pkg) for [raw_codename, value] in cve_data["pkgs"][pkg].items(): codename = get_codename(raw_codename, cve_releases) if codename is None: continue if codename in cve_lib.releases + ["upstream"]: statuses.append( { "release_codename": codename, "status": value[0], "description": value[1], } ) package = { "name": pkg, "source": f"https://launchpad.net/ubuntu/+source/{pkg}", "ubuntu": f"https://packages.ubuntu.com/search?suite=all&section=all&arch=any&searchon=sourcenames&keywords={pkg}", "debian": f"https://tracker.debian.org/pkg/{pkg}", "statuses": statuses, } packages.append(package) status = "active" if "** REJECT **" in cve_data["Description"]: status = "rejected" notes = [] for [author, note] in cve_data["Notes"]: notes.append({"author": author, "note": note}) priority = cve_data["Priority"] if priority == "untriaged": priority = "unknown" cve = { "id": cve_data["Candidate"], "description": cve_data["Description"], "ubuntu_description": cve_data["Ubuntu-Description"], "notes": notes, "priority": priority, "cvss3": cvss3, # CVSS vector to convert into Base score "references": references, "bugs": cve_data["Bugs"].strip().split(), "packages": packages, "status": status, "tags": tags, "patches": patches, } if cve_data["PublicDate"] != "unknown": cve["published"] = cve_data["PublicDate"] return cve def load_ignore_cache(): ignore_cache = set() with open(IGNORE_CACHE) as ic: for cve in ic: ignore_cache.add(cve.strip()) return ignore_cache def add_cve_to_ignore_cache(cve_id): with open(IGNORE_CACHE, "at") as ic: ic.write(cve_id + "\n") OK_REGEX = re.compile(r'^<Response \[2..\]>$') def main(): parser = argparse.ArgumentParser( description="This file loads CVEs to webteam's db, using the endpoint ubuntu.com/security/cve" ) parser.add_argument( "--stop", action="store_true", help="Exit after non-200 status.", ) parser.add_argument( "file_path", action="store", type=str, nargs="+", help="[Required] The path of the CVE file(s) or folder(s)", ) args = parser.parse_args() url = f"https://ubuntu.com/security/" ## if args: ## headers = {"Content-type": "application/json"} cves = [] CVE_filename_regex = re.compile(".*/?CVE-\\d{4}-\\d{4,7}$") NFU_filename_regex = re.compile(".*/not-for-us.txt$") ignore_paths = ['experimental', 'subprojects', 'scripts'] cache_not_for_us_cve_ids = list() for cve_filename in args.file_path: if os.path.isdir(cve_filename): list_cve_files = [] # Note os.listdir gives unsorted list depending on filestystem for file in os.listdir(cve_filename): print(file) if re.match(CVE_filename_regex, file): list_cve_files.append(file) list_cves = sorted(list_cve_files) print(f"Processing {len(list_cves)} in '{cve_filename}' directory") for index in range(len(list_cves)): relative_path = f"{cve_filename}/{list_cves[index]}" cve = post_single_cve(relative_path) cves.append(cve) elif re.match(NFU_filename_regex, cve_filename): ignore_cache = load_ignore_cache() not_for_us_cve_ids = cve_lib.parse_CVEs_from_uri(cve_filename) print(f"Processing {len(not_for_us_cve_ids)} from '{cve_filename}' as not for us") cache_not_for_us_cve_ids = [cve_id for cve_id in not_for_us_cve_ids if cve_id not in ignore_cache] print(f"{len(cache_not_for_us_cve_ids)} not-for-us CVEs have not yet been processed") for cve_id in cache_not_for_us_cve_ids: cves.append( { "id": cve_id, "notes": [ { "author": "ubuntu-security", "note": "Does not apply to software found in Ubuntu.", } ], "references": [ f"https://cve.mitre.org/cgi-bin/cvename.cgi?name={cve_id}" ], "status": "not-in-ubuntu", } ) elif any(x in cve_filename for x in ignore_paths): print(f"skipping {cve_filename}") continue elif re.match(CVE_filename_regex, cve_filename) and os.path.isfile(cve_filename): ## print(f"Processing '{cve_filename}' as single CVE file") cve = post_single_cve(cve_filename) cves.append(cve) else: print(f"'{cve_filename}' is not a CVE file. Skipping...") print(f"{len(cves)} total CVEs") # Split into chunks chunksize = 25 for chunk in [ cves[i : i + chunksize] for i in range(0, len(cves), chunksize) # noqa: E203 ]: push_chunks(args, url, chunk) for cve_id in cache_not_for_us_cve_ids: add_cve_to_ignore_cache(cve_id) def push_chunks(args, url, chunk): resp = authentication("PUT", f"{url}cve", chunk) print(resp, str(resp.text).rstrip()) if args.stop and not OK_REGEX.match(str(resp)): print("CHUNK FAILED") pprint.pprint(chunk) sys.exit(1) def push_individual_cves(args, url, chunk): for cve in chunk: resp = authentication("PUT", f"{url}cve", [cve]) print(resp, str(resp.text).rstrip()) if args.stop and not OK_REGEX.match(str(resp)): print("CVE FAILED") pprint.pprint(cve) sys.exit(1) if __name__ == "__main__": main()
[ "mike.salvatore@canonical.com" ]
mike.salvatore@canonical.com
d9c680c635056f20fa50c26d1c4e8ca06a8cc1f6
09a645cdd074638ab34790680bcb1122e3f5f48d
/python/GafferAppleseedUI/AppleseedAttributesUI.py
0a599834a1e4bb18444d8c89ca8b9f934d374628
[ "BSD-3-Clause" ]
permissive
cedriclaunay/gaffer
65f2940d23f7bdefca5dcef7dc79ed46745969e8
56eebfff39b1a93fff871e291808db38ac41dbae
refs/heads/master
2021-01-22T02:48:29.334446
2015-01-26T17:16:15
2015-01-26T17:16:15
28,099,102
0
0
null
null
null
null
UTF-8
Python
false
false
4,112
py
########################################################################## # # Copyright (c) 2014, Esteban Tovagliari. All rights reserved. # # Redistribution and use in source and binary forms, with or without # modification, are permitted provided that the following conditions are # met: # # * Redistributions of source code must retain the above # copyright notice, this list of conditions and the following # disclaimer. # # * Redistributions in binary form must reproduce the above # copyright notice, this list of conditions and the following # disclaimer in the documentation and/or other materials provided with # the distribution. # # * Neither the name of John Haddon nor the names of # any other contributors to this software may be used to endorse or # promote products derived from this software without specific prior # written permission. # # THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS # IS" AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, # THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR # PURPOSE ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR # CONTRIBUTORS BE LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, # EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, # PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR # PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF # LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING # NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS # SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE. # ########################################################################## import string import Gaffer import GafferUI import GafferAppleseed def __visibilitySummary( plug ) : info = [] for childName, label in ( ( "camera", "Camera" ), ( "light", "Light" ), ( "shadow", "Shadow" ), ( "transparency", "Transparency" ), ( "probe", "Probe" ), ( "diffuse", "Diffuse" ), ( "specular", "Specular" ), ( "glossy", "Glossy" ), ) : values = [] if plug[childName+"Visibility"]["enabled"].getValue() : values.append( "On" if plug[childName+"Visibility"]["value"].getValue() else "Off" ) if values : info.append( label + " : " + "/".join( values ) ) return ", ".join( info ) def __shadingSummary( plug ) : info = [] if plug["shadingSamples"]["enabled"].getValue() : info.append( "Shading Samples %d" % plug["shadingSamples"]["value"].getValue() ) return ", ".join( info ) def __alphaMapSummary( plug ) : info = [] if plug["alphaMap"]["enabled"].getValue() : info.append( "Alpha Map %s" % plug["alphaMap"]["value"].getValue() ) return ", ".join( info ) GafferUI.PlugValueWidget.registerCreator( GafferAppleseed.AppleseedAttributes, "attributes", GafferUI.SectionedCompoundDataPlugValueWidget, sections = ( { "label" : "Visibility", "summary" : __visibilitySummary, "namesAndLabels" : ( ( "as:visibility:camera", "Camera" ), ( "as:visibility:light", "Light" ), ( "as:visibility:shadow" , "Shadow" ), ( "as:visibility:transparency" , "Transparency" ), ( "as:visibility:probe" , "Probe" ), ( "as:visibility:diffuse", "Diffuse" ), ( "as:visibility:specular", "Specular" ), ( "as:visibility:glossy", "Glossy" ), ), }, { "label" : "Shading", "summary" : __shadingSummary, "namesAndLabels" : ( ( "as:shading_samples", "Shading Samples" ), ), }, { "label" : "Alpha Map", "summary" : __alphaMapSummary, "namesAndLabels" : ( ( "as:alpha_map", "Alpha Map" ), ), }, ), ) GafferUI.PlugValueWidget.registerCreator( GafferAppleseed.AppleseedAttributes, "attributes.alphaMap.value", lambda plug : GafferUI.PathPlugValueWidget( plug, path = Gaffer.FileSystemPath( "/", filter = Gaffer.FileSystemPath.createStandardFilter() ), pathChooserDialogueKeywords = { "bookmarks" : GafferUI.Bookmarks.acquire( plug, category = "appleseed" ), "leaf" : True, }, ), )
[ "ramenhdr@gmail.com" ]
ramenhdr@gmail.com
689bb311707516c8cc0bd57ffe6d6baa9255dab9
ea24104edfb276f4db780638fcc8e6cf7f7dceb8
/dpaste/tests/test_snippet.py
118ef8773bf4690d18f9d094dd786be6693eae1a
[ "MIT" ]
permissive
jmoujaes/dpaste
6e195dc7f3a53ae2850aa4615514876597b6564d
27d608e5da4b045ea112823ec8d271add42fd89d
refs/heads/master
2021-01-25T14:33:06.648359
2018-03-03T19:57:51
2018-03-03T19:57:51
123,708,048
0
0
MIT
2018-03-03T16:08:54
2018-03-03T16:08:54
null
UTF-8
Python
false
false
16,562
py
# -*- encoding: utf-8 -*- from datetime import timedelta from django.core import management from django.core.urlresolvers import reverse from django.test import TestCase from django.test.client import Client from django.test.utils import override_settings from ..forms import EXPIRE_DEFAULT from ..highlight import LEXER_DEFAULT, PLAIN_CODE, PLAIN_TEXT from ..models import Snippet class SnippetTestCase(TestCase): def setUp(self): self.client = Client() self.new_url = reverse('snippet_new') def valid_form_data(self, **kwargs): data = { 'content': u"Hello Wörld.\n\tGood Bye", 'lexer': LEXER_DEFAULT, 'expires': EXPIRE_DEFAULT, } if kwargs: data.update(kwargs) return data def test_about(self): response = self.client.get(reverse('dpaste_about')) self.assertEqual(response.status_code, 200) # ------------------------------------------------------------------------- # New Snippet # ------------------------------------------------------------------------- def test_empty(self): """ The browser sent a content field but with no data. """ # No data self.client.post(self.new_url, {}) self.assertEqual(Snippet.objects.count(), 0) data = self.valid_form_data() # No content data['content'] = '' self.client.post(self.new_url, data) self.assertEqual(Snippet.objects.count(), 0) # Just some spaces data['content'] = ' ' self.client.post(self.new_url, data) self.assertEqual(Snippet.objects.count(), 0) # Linebreaks or tabs only are not valid either data['content'] = '\n\t ' self.client.post(self.new_url, data) self.assertEqual(Snippet.objects.count(), 0) def test_new_snippet(self): # Simple GET response = self.client.get(self.new_url, follow=True) # POST data data = self.valid_form_data() response = self.client.post(self.new_url, data, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 1) self.assertContains(response, data['content']) # The unicode method contains the snippet id so we can easily print # the id using {{ snippet }} snippet = Snippet.objects.all()[0] self.assertTrue(snippet.secret_id in snippet.__unicode__()) def test_new_snippet_custom_lexer(self): # You can pass a lexer key in GET.l data = self.valid_form_data() url = '%s?l=haskell' % self.new_url response = self.client.post(url, data, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 1) # If you pass an invalid key it wont fail and just fallback # to the default lexer. data = self.valid_form_data() url = '%s?l=invalid-lexer' % self.new_url response = self.client.post(url, data, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 2) def test_new_spam_snippet(self): """ The form has a `title` field acting as a honeypot, if its filled, the snippet is considered as spam. We let the user know its spam. """ data = self.valid_form_data() data['title'] = u'Any content' response = self.client.post(self.new_url, data, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 0) def test_new_snippet_onetime(self): """ One-Time snippets get deleted after two views. """ # POST data data = self.valid_form_data() data['expires'] = 'onetime' # First view, the author gets redirected after posting response = self.client.post(self.new_url, data, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 1) self.assertContains(response, data['content']) # Second View, another user looks at the snippet response = self.client.get(response.request['PATH_INFO'], follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 1) self.assertContains(response, data['content']) # Third/Further View, another user looks at the snippet but it was deleted response = self.client.get(response.request['PATH_INFO'], follow=True) self.assertEqual(response.status_code, 404) self.assertEqual(Snippet.objects.count(), 0) def test_snippet_notfound(self): url = reverse('snippet_details', kwargs={'snippet_id': 'abcd'}) response = self.client.get(url, follow=True) self.assertEqual(response.status_code, 404) # ------------------------------------------------------------------------- # Reply # ------------------------------------------------------------------------- def test_reply(self): data = self.valid_form_data() response = self.client.post(self.new_url, data, follow=True) response = self.client.post(response.request['PATH_INFO'], data, follow=True) self.assertContains(response, data['content']) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 2) def test_reply_invalid(self): data = self.valid_form_data() response = self.client.post(self.new_url, data, follow=True) del data['content'] response = self.client.post(response.request['PATH_INFO'], data, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 1) # ------------------------------------------------------------------------- # Delete # ------------------------------------------------------------------------- def test_snippet_delete_post(self): """ You can delete a snippet by passing the slug in POST.snippet_id """ data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) snippet_id = Snippet.objects.all()[0].secret_id response = self.client.post(reverse('snippet_delete'), {'snippet_id': snippet_id}, follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 0) def test_snippet_delete_urlarg(self): """ You can delete a snippet by having the snippet id in the URL. """ data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) snippet_id = Snippet.objects.all()[0].secret_id response = self.client.get(reverse('snippet_delete', kwargs={'snippet_id': snippet_id}), follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 0) def test_snippet_delete_that_doesnotexist_returns_404(self): data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) # Pass a random snippet id response = self.client.post(reverse('snippet_delete'), {'snippet_id': 'doesnotexist'}, follow=True) self.assertEqual(response.status_code, 404) self.assertEqual(Snippet.objects.count(), 1) # Do not pass any snippet_id response = self.client.post(reverse('snippet_delete'), follow=True) self.assertEqual(response.status_code, 404) self.assertEqual(Snippet.objects.count(), 1) # ------------------------------------------------------------------------- # Snippet Functions # ------------------------------------------------------------------------- def test_raw(self): data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) response = self.client.get(reverse('snippet_details_raw', kwargs={ 'snippet_id': Snippet.objects.all()[0].secret_id})) self.assertEqual(response.status_code, 200) self.assertContains(response, data['content']) # ------------------------------------------------------------------------- # The diff function takes two snippet primary keys via GET.a and GET.b # and compares them. # ------------------------------------------------------------------------- def test_snippet_diff_no_args(self): # Do not pass `a` or `b` is a bad request. response = self.client.get(reverse('snippet_diff')) self.assertEqual(response.status_code, 400) def test_snippet_diff_invalid_args(self): # Random snippet ids that dont exist url = '%s?a=%s&b=%s' % (reverse('snippet_diff'), 123, 456) response = self.client.get(url) self.assertEqual(response.status_code, 400) def test_snippet_diff_valid_nochanges(self): # A diff of two snippets is which are the same is OK. data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) self.client.post(self.new_url, data, follow=True) self.assertEqual(Snippet.objects.count(), 2) a = Snippet.objects.all()[0].id b = Snippet.objects.all()[1].id url = '%s?a=%s&b=%s' % (reverse('snippet_diff'), a, b) response = self.client.get(url) self.assertEqual(response.status_code, 200) def test_snippet_diff_valid(self): # Create two valid snippets with different content. data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) data['content'] = 'new content' self.client.post(self.new_url, data, follow=True) self.assertEqual(Snippet.objects.count(), 2) a = Snippet.objects.all()[0].id b = Snippet.objects.all()[1].id url = '%s?a=%s&b=%s' % (reverse('snippet_diff'), a, b) response = self.client.get(url) self.assertEqual(response.status_code, 200) # ------------------------------------------------------------------------- # XSS and correct escaping # ------------------------------------------------------------------------- XSS_ORIGINAL = u'<script>hello</script>' XSS_ESCAPED = u'&lt;script&gt;hello&lt;/script&gt;' def test_xss_text_lexer(self): # Simple 'text' lexer data = self.valid_form_data(content=self.XSS_ORIGINAL, lexer=PLAIN_TEXT) response = self.client.post(self.new_url, data, follow=True) self.assertContains(response, self.XSS_ESCAPED) def test_xss_code_lexer(self): # Simple 'code' lexer data = self.valid_form_data(content=self.XSS_ORIGINAL, lexer=PLAIN_CODE) response = self.client.post(self.new_url, data, follow=True) self.assertContains(response, self.XSS_ESCAPED) def test_xss_pygments_lexer(self): # Pygments based lexer data = self.valid_form_data(content=self.XSS_ORIGINAL, lexer='python') response = self.client.post(self.new_url, data, follow=True) self.assertContains(response, self.XSS_ESCAPED) # ------------------------------------------------------------------------- # History # ------------------------------------------------------------------------- def test_snippet_history(self): response = self.client.get(reverse('snippet_history')) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 0) data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) response = self.client.get(reverse('snippet_history')) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 1) def test_snippet_history_delete_all(self): # Empty list, delete all raises no error response = self.client.get(reverse('snippet_history') + '?delete-all', follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 0) # Create two sample pasts data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) self.assertEqual(Snippet.objects.count(), 2) # Delete all of them response = self.client.get(reverse('snippet_history') + '?delete-all', follow=True) self.assertEqual(response.status_code, 200) self.assertEqual(Snippet.objects.count(), 0) @override_settings(DPASTE_MAX_SNIPPETS_PER_USER=2) def test_snippet_that_exceed_history_limit_get_trashed(self): """ The maximum number of snippets a user can save in the session are defined by `DPASTE_MAX_SNIPPETS_PER_USER`. Exceed that number will remove the oldest snippet from the list. """ # Create three snippets but since the setting is 2 only the latest two # will displayed on the history. data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) self.client.post(self.new_url, data, follow=True) self.client.post(self.new_url, data, follow=True) response = self.client.get(reverse('snippet_history'), follow=True) one, two, three = Snippet.objects.order_by('published') # Only the last two are saved in the session self.assertEqual(len(self.client.session['snippet_list']), 2) self.assertFalse(one.id in self.client.session['snippet_list']) self.assertTrue(two.id in self.client.session['snippet_list']) self.assertTrue(three.id in self.client.session['snippet_list']) # And only the last two are displayed on the history page self.assertNotContains(response, one.secret_id) self.assertContains(response, two.secret_id) self.assertContains(response, three.secret_id) # ------------------------------------------------------------------------- # Management Command # ------------------------------------------------------------------------- def test_delete_management(self): # Create two snippets data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) data = self.valid_form_data() self.client.post(self.new_url, data, follow=True) self.assertEqual(Snippet.objects.count(), 2) # But the management command will only remove snippets past # its expiration date, so change one to last month s = Snippet.objects.all()[0] s.expires = s.expires - timedelta(days=30) s.save() # You can call the management command with --dry-run which will # list snippets to delete, but wont actually do. management.call_command('cleanup_snippets', dry_run=True) self.assertEqual(Snippet.objects.count(), 2) # Calling the management command will delete this one management.call_command('cleanup_snippets') self.assertEqual(Snippet.objects.count(), 1) def test_delete_management_snippet_that_never_expires_will_not_get_deleted(self): """ Snippets without an expiration date wont get deleted automatically. """ data = self.valid_form_data() data['expires'] = 'never' self.client.post(self.new_url, data, follow=True) self.assertEqual(Snippet.objects.count(), 1) management.call_command('cleanup_snippets') self.assertEqual(Snippet.objects.count(), 1) def test_highlighting(self): # You can pass any lexer to the pygmentize function and it will # never fail loudly. from ..highlight import pygmentize pygmentize('code', lexer_name='python') pygmentize('code', lexer_name='doesnotexist') @override_settings(DPASTE_SLUG_LENGTH=1) def test_random_slug_generation(self): """ Set the max length of a slug to 1, so we wont have more than 60 different slugs (with the default slug choice string). With 100 random slug generation we will run into duplicates, but those slugs are extended now. """ for i in range(0, 100): Snippet.objects.create(content='foobar') slug_list = Snippet.objects.values_list( 'secret_id', flat=True).order_by('published') self.assertEqual(len(set(slug_list)), 100)
[ "martin@mahner.org" ]
martin@mahner.org
33088de85d1d21fb85db5ede234527249596c566
fbbe424559f64e9a94116a07eaaa555a01b0a7bb
/Sklearn_arm/source/scipy/special/tests/test_bdtr.py
57694becc49b2028f17eac819b80a225ac010795
[ "MIT", "GPL-3.0-or-later", "BSD-3-Clause", "GPL-3.0-only", "BSD-3-Clause-Open-MPI", "BSD-2-Clause", "GCC-exception-3.1", "Python-2.0", "Qhull", "BSL-1.0", "Apache-2.0", "LicenseRef-scancode-unknown-license-reference" ]
permissive
ryfeus/lambda-packs
6544adb4dec19b8e71d75c24d8ed789b785b0369
cabf6e4f1970dc14302f87414f170de19944bac2
refs/heads/master
2022-12-07T16:18:52.475504
2022-11-29T13:35:35
2022-11-29T13:35:35
71,386,735
1,283
263
MIT
2022-11-26T05:02:14
2016-10-19T18:22:39
Python
UTF-8
Python
false
false
3,231
py
import numpy as np import scipy.special as sc import pytest from numpy.testing import assert_allclose, assert_array_equal, suppress_warnings class TestBdtr: def test(self): val = sc.bdtr(0, 1, 0.5) assert_allclose(val, 0.5) def test_sum_is_one(self): val = sc.bdtr([0, 1, 2], 2, 0.5) assert_array_equal(val, [0.25, 0.75, 1.0]) def test_rounding(self): double_val = sc.bdtr([0.1, 1.1, 2.1], 2, 0.5) int_val = sc.bdtr([0, 1, 2], 2, 0.5) assert_array_equal(double_val, int_val) @pytest.mark.parametrize('k, n, p', [ (np.inf, 2, 0.5), (1.0, np.inf, 0.5), (1.0, 2, np.inf) ]) def test_inf(self, k, n, p): with suppress_warnings() as sup: sup.filter(DeprecationWarning) val = sc.bdtr(k, n, p) assert np.isnan(val) def test_domain(self): val = sc.bdtr(-1.1, 1, 0.5) assert np.isnan(val) class TestBdtrc: def test_value(self): val = sc.bdtrc(0, 1, 0.5) assert_allclose(val, 0.5) def test_sum_is_one(self): val = sc.bdtrc([0, 1, 2], 2, 0.5) assert_array_equal(val, [0.75, 0.25, 0.0]) def test_rounding(self): double_val = sc.bdtrc([0.1, 1.1, 2.1], 2, 0.5) int_val = sc.bdtrc([0, 1, 2], 2, 0.5) assert_array_equal(double_val, int_val) @pytest.mark.parametrize('k, n, p', [ (np.inf, 2, 0.5), (1.0, np.inf, 0.5), (1.0, 2, np.inf) ]) def test_inf(self, k, n, p): with suppress_warnings() as sup: sup.filter(DeprecationWarning) val = sc.bdtrc(k, n, p) assert np.isnan(val) def test_domain(self): val = sc.bdtrc(-1.1, 1, 0.5) val2 = sc.bdtrc(2.1, 1, 0.5) assert np.isnan(val2) assert_allclose(val, 1.0) def test_bdtr_bdtrc_sum_to_one(self): bdtr_vals = sc.bdtr([0, 1, 2], 2, 0.5) bdtrc_vals = sc.bdtrc([0, 1, 2], 2, 0.5) vals = bdtr_vals + bdtrc_vals assert_allclose(vals, [1.0, 1.0, 1.0]) class TestBdtri: def test_value(self): val = sc.bdtri(0, 1, 0.5) assert_allclose(val, 0.5) def test_sum_is_one(self): val = sc.bdtri([0, 1], 2, 0.5) actual = np.asarray([1 - 1/np.sqrt(2), 1/np.sqrt(2)]) assert_allclose(val, actual) def test_rounding(self): double_val = sc.bdtri([0.1, 1.1], 2, 0.5) int_val = sc.bdtri([0, 1], 2, 0.5) assert_allclose(double_val, int_val) @pytest.mark.parametrize('k, n, p', [ (np.inf, 2, 0.5), (1.0, np.inf, 0.5), (1.0, 2, np.inf) ]) def test_inf(self, k, n, p): with suppress_warnings() as sup: sup.filter(DeprecationWarning) val = sc.bdtri(k, n, p) assert np.isnan(val) @pytest.mark.parametrize('k, n, p', [ (-1.1, 1, 0.5), (2.1, 1, 0.5) ]) def test_domain(self, k, n, p): val = sc.bdtri(k, n, p) assert np.isnan(val) def test_bdtr_bdtri_roundtrip(self): bdtr_vals = sc.bdtr([0, 1, 2], 2, 0.5) roundtrip_vals = sc.bdtri([0, 1, 2], 2, bdtr_vals) assert_allclose(roundtrip_vals, [0.5, 0.5, np.nan])
[ "ryfeus@gmail.com" ]
ryfeus@gmail.com
f2e0aec80a17d6b7f6ceb231df0fcd6f343c0f4e
bcb61c2726923d730057e9fb8201d0eb3f4efb58
/Dokerfile.py
566d06d1bb3bde68075c7295f87b27791c6eefe0
[]
no_license
Abhinav1507/Abhinav
16a02e94c67741ea0b85123f854e6da9b5ec95ce
b429d14752e5ff0c28361550833ff8b30005af6b
refs/heads/master
2023-06-09T09:27:04.961839
2023-06-04T14:22:21
2023-06-04T14:22:21
274,191,747
0
0
null
null
null
null
UTF-8
Python
false
false
559
py
# Using official python runtime base image FROM python:2.7-alpine # Set the application directory WORKDIR /app # Install our requirements.txt ADD requirements.txt /app/requirements.txt RUN pip install -r requirements.txt # Copy our code from the current folder to /app inside the container ADD . /app # Make port 80 available for links and/or publish EXPOSE 80 # Define our command to be run when launching the container CMD ["gunicorn", "app:app", "-b", "0.0.0.0:80", "--log-file", "-", "-- access-logfile", "-", "--workers", "4", "--keep-alive", "0"]
[ "noreply@github.com" ]
noreply@github.com
4f0780c8d60c4a2f4520b60aa2150f7e03ae3032
a2c0b715c6f5fa3177b3b395e22d2552df2334c5
/python/flask_app.py
b60485683808992c6b3da283592334185847cd21
[]
no_license
CHASEONGMIN/Language-study
29ec225ce70bb89c054a1ec1a3b1de2e3cc0905e
7ceb588599ea868a9129d79217563405b6591878
refs/heads/master
2023-04-04T06:34:50.103214
2021-04-01T05:31:59
2021-04-01T05:31:59
262,696,892
0
0
null
null
null
null
UTF-8
Python
false
false
566
py
# A very simple Flask Hello World app for you to get started with... import requests from flask import Flask app = Flask(__name__) @app.route('/') def hello_world(): return 'WEb study using Flask!' #챗봇이 메시지를 받으면 여기에서 업데이트 내용을 확인할거임. @app.route('/ssafy') def ssafy(): # 누가 메시지를 보냈는지 확인 -> chat_id를 확인 # 어떤 메시지를 보냈는지 확인 (미세먼지) #메시지에 따라서 다른 답변을 chat_id에 전송 return True
[ "noreply@github.com" ]
noreply@github.com
1dea57973235b1a87363ebb4485e874a6183e2c8
ab0032d5dac53b11fa3c0e855efb36ae61f777d4
/library/general.py
295e0e771c5d231c2b3f8e651d1add1b2b1fc005
[]
no_license
eminmuhammadi/Needham-Schroeder-KDC
4729368ab62d7de629400c063b26e8d31f433ad0
99f6dbe4e1a2dad287ac852295180faf000ec20a
refs/heads/master
2023-08-07T14:54:46.308022
2021-09-22T09:54:31
2021-09-22T09:54:31
408,913,184
1
0
null
null
null
null
UTF-8
Python
false
false
2,463
py
from . import des from time import sleep import sys # function that convers binary to ascii def text_from_bits(bits, encoding='utf-8', errors='surrogatepass'): n = int(bits, 2) return n.to_bytes((n.bit_length() + 7) // 8, 'big').decode(encoding, errors) or '\0' # function that convers ascii to binary def text_to_bits(text, encoding='utf-8', errors='surrogatepass'): bits = bin(int.from_bytes(text.encode(encoding, errors), 'big'))[2:] return bits.zfill(8 * ((len(bits) + 7) // 8)) # function that is given a strinf of length n and a specified length m # and return a list of substrings of length m def splitIntoGroups(string, length): results = [] loc = 0 temp = "" while(loc < len(string)): temp += string[loc] loc += 1 if loc % length == 0: results.append(temp) temp = "" return results # function that takes encrypted binary and turns it into the decrypted text def decrypt(message, key): key = str(key) # call the DES class toy = des.DES(key) # split the binary into 8-bit chunks (needed for DES class) entries = splitIntoGroups(message, 8) decryptedMessages = [] # decrypt each individual chunk for i in range(len(entries)): decryption = toy.Decryption(entries[i]) decryptedMessages.append(decryption) # concatenate the decryptions decryptedMessage = "".join(decryptedMessages) # turn from binary to ASCII decryptedMessage = text_from_bits(decryptedMessage) return decryptedMessage # function that takes an ASCII text and turns it into the encrypted binary def encrypt(message, key): # print("TYPE OF KEY = ", type(key)) # call the DES class toy = des.DES(key) # turn the ascii to binary binary = text_to_bits(message) # split the binary into 8-bit chunks (needed for DES class) entries = splitIntoGroups(binary, 8) encryptedEntries = [] # encrypt each individual chunk for i in range(len(entries)): encryptedMessage = toy.Encryption(entries[i]) encryptedEntries.append(encryptedMessage) # concatenate the encryptions finalEncryptedMessage = "".join(encryptedEntries) return finalEncryptedMessage # function that prints a pretty loading bar for sending the messages def sending(): print("\nSending ", end="") for j in range(5): sleep(0.4) print(".", end="") sys.stdout.flush() print(' SENT')
[ "muemin17631@sabah.edu.az" ]
muemin17631@sabah.edu.az
4c30510bd6ce2bb79440bcadd772954fbe1cd46a
781e2692049e87a4256320c76e82a19be257a05d
/all_data/exercism_data/python/allergies/56c0c9b37bf84ea598db6cbc74fd8ebe.py
1ef0988f5a8722518177c195c0c49f2735807e69
[]
no_license
itsolutionscorp/AutoStyle-Clustering
54bde86fe6dbad35b568b38cfcb14c5ffaab51b0
be0e2f635a7558f56c61bc0b36c6146b01d1e6e6
refs/heads/master
2020-12-11T07:27:19.291038
2016-03-16T03:18:00
2016-03-16T03:18:42
59,454,921
4
0
null
2016-05-23T05:40:56
2016-05-23T05:40:56
null
UTF-8
Python
false
false
465
py
class Allergies(object): allergies = [ "eggs", "peanuts", "shellfish", "strawberries", "tomatoes", "chocolate", "pollen", "cats" ] def __init__(self, score): score = score & 0xff self.list = [ self.allergies[b] for b in xrange(8) if score & (1 << b) ] def is_allergic_to(self, allergy): return allergy in self.list
[ "rrc@berkeley.edu" ]
rrc@berkeley.edu
b0dc8bec342246d50349b6f3a29efd0d1cd6cfce
f06d0b694f89e40f81b4d5de776b8308b64c4b8d
/bikeshare_2.py
0af7fb63d72c3c7e50b2769253815d5c21aa4b34
[]
no_license
gcole013/pdsnd_github
bf332d514e7b6dd70f320bb6b4d2cda61735535f
cb869a9c33b77df155bcfa8624738bb1c8e25fe3
refs/heads/master
2023-02-01T11:03:32.450495
2020-12-13T02:30:13
2020-12-13T02:30:13
318,824,381
0
0
null
2020-12-05T15:39:15
2020-12-05T15:39:15
null
UTF-8
Python
false
false
6,915
py
import time, pandas as pd CITY_DATA = {'chicago': 'chicago.csv', 'new york city': 'new_york_city.csv', 'washington': 'washington.csv'} def get_filters(): """ Asks user to specify a city, month, and day to analyze. Returns: (str) city - name of the city to analyze (str) month - name of the month to filter by, or "all" to apply no month filter (str) day - name of the day of week to filter by, or "all" to apply no day filter """ print('Hello! Let\'s explore some US bikeshare data!') # get user input for city (chicago, new york city, washington). HINT: Use a while loop to handle invalid inputs while 1: city = input('Enter City to analyze from (chicago, new york city, washington): ').lower() if city in CITY_DATA: break else: print('Error! Wrong city entered...\n') # get user input for month (all, january, february, ... , june) while 1: month = input( "Enter month to analyze from ('all', 'january', 'february', 'march', 'april', 'may', 'june'): ").title() if month in ['All', 'January', 'February', 'March', 'April', 'May', 'June']: break else: print('Error! Wrong month entered...\n') # get user input for day of week (all, monday, tuesday, ... sunday) while 1: day = input( "Enter day to analyze from ('all', 'monday', 'tuesday', 'wednesday', 'thursday', 'friday', 'saturday', " "'sunday'): ").title() if day in ['All', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday', 'Sunday']: break else: print('Error! Wrong day entered...\n') print('-' * 80) return city, month, day def load_data(city, month, day): """ Loads data for the specified city and filters by month and day if applicable. Args: (str) city - name of the city to analyze (str) month - name of the month to filter by, or "all" to apply no month filter (str) day - name of the day of week to filter by, or "all" to apply no day filter Returns: df - Pandas DataFrame containing city data filtered by month and day """ df = pd.read_csv(CITY_DATA[city]) df['Start Time'] = pd.to_datetime(df['Start Time']) if month != 'All': df = df[df['Start Time'].dt.strftime('%B') == month] if day != 'All': df = df[df['Start Time'].dt.strftime('%A') == day] return df def time_stats(df): """Displays statistics on the most frequent times of travel.""" print('\nCalculating The Most Frequent Times of Travel...\n') start_time = time.time() # display the most common month common_month = (None, 0) MONTHS = ['January', 'February', 'March', 'April', 'May', 'June'] for month in MONTHS: frame_ = df[df['Start Time'].dt.strftime('%B') == month] rows = len(frame_.index) if rows > common_month[-1]: common_month = month, rows print('Most Common Month:', common_month[0]) # display the most common day of week common_day = (None, 0) DAYS = ['Sunday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Saturday'] for day in DAYS: frame_ = df[df['Start Time'].dt.strftime('%A') == day] rows = len(frame_.index) if rows > common_day[-1]: common_day = day, rows print('Most Common Day:', common_day[0]) # display the most common start hour common_hour = (None, 0) for hour in range(24): frame_ = df[df['Start Time'].dt.hour == hour] rows = len(frame_.index) if rows > common_hour[-1]: common_hour = hour, rows print('Most Common Start Hour:', common_hour[0]) print("\nThis took %s seconds." % (time.time() - start_time)) print('-' * 80) def station_stats(df): """Displays statistics on the most popular stations and trip.""" print('\nCalculating The Most Popular Stations and Trip...\n') start_time = time.time() # display most commonly used start station common_station = df['Start Station'].value_counts().idxmax() print('Most Common Start Station:', common_station) # display most commonly used end station common_station = df['End Station'].value_counts().idxmax() print('Most Common End Station:', common_station) # display most frequent combination of start station and end station trip pair = df.groupby(['Start Station', 'End Station']).size().reset_index().rename(columns={0:'count'}) ans = pair[pair['count'] == pair['count'].max()][['Start Station','End Station']] print('Start Station: "' +ans.values[0][0]+ '", End Station: "'+ ans.values[0][1]+'"') print("\nThis took %s seconds." % (time.time() - start_time)) print('-' * 80) def trip_duration_stats(df): """Displays statistics on the total and average trip duration.""" print('\nCalculating Trip Duration...\n') start_time = time.time() # display total travel time tripDuration = df['Trip Duration'].sum() print('Total Trip Duration:', tripDuration) # display mean travel time print('Mean Travel Time:', tripDuration / len(df.index)) print("\nThis took %s seconds." % (time.time() - start_time)) print('-' * 80) def user_stats(df): """Displays statistics on bikeshare users.""" print('\nCalculating User Stats...\n') start_time = time.time() # Display counts of user types print('User Types') count = df['User Type'].value_counts() for i in range(len(count)): print(count.index[i], count.values[i]) # Display counts of gender try: print('\nGender Count') count = df['Gender'].value_counts() for i in range(len(count)): print(count.index[i], count.values[i]) except: print("The csv file have no columns named 'Gender'") # Display earliest, most recent, and most common year of birth try: print('\nBirth Years') common_year = df['Birth Year'].value_counts().idxmax() earliest = df['Birth Year'].min() recent = df['Birth Year'].max() print('Earliest Year of Birth:', earliest) print('Most Recent Year of Birth:', recent) print('Most Common Year of Birth:', common_year) except: print("The csv file have no columns named 'Birth Year'") print("\nThis took %s seconds." % (time.time() - start_time)) print('-' * 80) def main(): while True: city, month, day = get_filters() df = load_data(city, month, day) time_stats(df) station_stats(df) trip_duration_stats(df) user_stats(df) restart = input('\nWould you like to restart? Enter yes or no.\n') if restart.lower() != 'yes': break if __name__ == "__main__": main()
[ "giancarlocoletta013@gmail.com" ]
giancarlocoletta013@gmail.com
78461667c871571e63f066c5de0023676ae2ae63
f15e057548ee7c25cafa027ff3c788d38193734e
/image_processing/image_processing.py
bcbb82cdb942e157c16fdba89437989d1583ea08
[]
no_license
TwistedW/python_basic
b297a0bcdce6c24be394b1d69e719d3b8135e5d9
8c2790feec1db2e16e837cfc2881ab2ff0c2407a
refs/heads/master
2021-01-25T09:31:56.577611
2017-11-24T12:32:04
2017-11-24T12:32:04
93,847,166
0
0
null
null
null
null
UTF-8
Python
false
false
464
py
import cv2 if __name__ == '__main__': img = cv2.imread("image1.jpg") w = img.shape[1] h = img.shape[0] for xi in range(0, w): for xj in range(0,h): img[xj, xi, 0] = int(img[xj, xi, 0]*0.7) img[xj, xi, 1] = int(img[xj, xi, 1] * 0.7) if xi % 1000 == 0: print('.') cv2.namedWindow('img') cv2.imshow('img', img) cv2.imwrite("image2.jpg",img) cv2.waitKey() cv2.destroyAllWindows()
[ "2359375192@qq.com" ]
2359375192@qq.com
069227a6011bac06bb63ca5fbbc118464b7ed451
a225f1ce18361bb2309ae2b0f82984697f62a964
/Day_1.py
c23e6983d9e75cbc2334a01f40d5248d4218bd06
[]
no_license
gabbireddy/365_days_of_Python
6c781142c376a6ea746f34e37540d1dcc3a2dc4c
563aae6ca1ec7aa6b4c434d0f139b23e1a2f7f5d
refs/heads/main
2023-04-21T16:56:51.585747
2021-05-11T15:19:05
2021-05-11T15:19:05
366,427,363
0
0
null
null
null
null
UTF-8
Python
false
false
1,268
py
'''Sometimes some words like "localization" or "internationalization" are so long that writing them many times in one text is quite tiresome. Let's consider a word too long, if its length is strictly more than 10 characters. All too long words should be replaced with a special abbreviation. This abbreviation is made like this: we write down the first and the last letter of a word and between them we write the number of letters between the first and the last letters. That number is in decimal system and doesn't contain any leading zeroes. Thus, "localization" will be spelt as "l10n", and "internationalization» will be spelt as "i18n". You are suggested to automatize the process of changing the words with abbreviations. At that all too long words should be replaced by the abbreviation and the words that are not too long should not undergo any changes''' #code for accepting input num_of_words = int(input("Enter the number of words you wish to enter: \n")) listt = [] while len(listt) < num_of_words: x = input(f"Enter word {len(listt) + 1} \n") listt.append(x) #code for abbreviate lengthy words new_list = [] for x in listt: if len(x) > 10: new_list.append(x[0] + str(len(x)) + x[len(x)-1]) else: new_list.append(x) print(new_list)
[ "noreply@github.com" ]
noreply@github.com
348d9b7b8309079a4c69ee619bc7bf6d819d36c4
eb3683f9127befb9ef96d8eb801206cf7b84d6a7
/stypy/sgmc/sgmc_cache/testing/test_programs/numpy/basic_numpy/functions/numpy_abs.py
eb6a5f64cfb4c351a781f911bb2dd4dd546d5b68
[]
no_license
ComputationalReflection/stypy
61ec27333a12f76ac055d13f8969d3e0de172f88
be66ae846c82ac40ba7b48f9880d6e3990681a5b
refs/heads/master
2021-05-13T18:24:29.005894
2018-06-14T15:42:50
2018-06-14T15:42:50
116,855,812
2
0
null
null
null
null
UTF-8
Python
false
false
6,858
py
# -*- coding: utf-8 -*- """ ORIGINAL PROGRAM SOURCE CODE: 1: # http://www.labri.fr/perso/nrougier/teaching/numpy.100/ 2: 3: import numpy as np 4: 5: Z = np.arange(100) 6: v = np.random.uniform(0,100) 7: index = (np.abs(Z-v)).argmin() 8: e = Z[index] 9: 10: # l = globals().copy() 11: # for v in l: 12: # print ("'" + v + "'" + ": instance_of_class_name(\"" + type(l[v]).__name__ + "\"),") 13: """ # Import the stypy library necessary elements from stypy.type_inference_programs.type_inference_programs_imports import * # Create the module type store module_type_store = Context(None, __file__) # ################# Begin of the type inference program ################## stypy.reporting.localization.Localization.set_current(stypy.reporting.localization.Localization(__file__, 3, 0)) # 'import numpy' statement (line 3) update_path_to_current_file_folder('C:/Users/redon/PycharmProjects/stypyV2/testing//test_programs/numpy/basic_numpy/functions/') import_1 = generate_type_inference_code_for_module(stypy.reporting.localization.Localization(__file__, 3, 0), 'numpy') if (type(import_1) is not StypyTypeError): if (import_1 != 'pyd_module'): __import__(import_1) sys_modules_2 = sys.modules[import_1] import_module(stypy.reporting.localization.Localization(__file__, 3, 0), 'np', sys_modules_2.module_type_store, module_type_store) else: import numpy as np import_module(stypy.reporting.localization.Localization(__file__, 3, 0), 'np', numpy, module_type_store) else: # Assigning a type to the variable 'numpy' (line 3) module_type_store.set_type_of(stypy.reporting.localization.Localization(__file__, 3, 0), 'numpy', import_1) remove_current_file_folder_from_path('C:/Users/redon/PycharmProjects/stypyV2/testing//test_programs/numpy/basic_numpy/functions/') # Assigning a Call to a Name (line 5): # Call to arange(...): (line 5) # Processing the call arguments (line 5) int_5 = get_builtin_python_type_instance(stypy.reporting.localization.Localization(__file__, 5, 14), 'int') # Processing the call keyword arguments (line 5) kwargs_6 = {} # Getting the type of 'np' (line 5) np_3 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 5, 4), 'np', False) # Obtaining the member 'arange' of a type (line 5) arange_4 = module_type_store.get_type_of_member(stypy.reporting.localization.Localization(__file__, 5, 4), np_3, 'arange') # Calling arange(args, kwargs) (line 5) arange_call_result_7 = invoke(stypy.reporting.localization.Localization(__file__, 5, 4), arange_4, *[int_5], **kwargs_6) # Assigning a type to the variable 'Z' (line 5) module_type_store.set_type_of(stypy.reporting.localization.Localization(__file__, 5, 0), 'Z', arange_call_result_7) # Assigning a Call to a Name (line 6): # Call to uniform(...): (line 6) # Processing the call arguments (line 6) int_11 = get_builtin_python_type_instance(stypy.reporting.localization.Localization(__file__, 6, 22), 'int') int_12 = get_builtin_python_type_instance(stypy.reporting.localization.Localization(__file__, 6, 24), 'int') # Processing the call keyword arguments (line 6) kwargs_13 = {} # Getting the type of 'np' (line 6) np_8 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 6, 4), 'np', False) # Obtaining the member 'random' of a type (line 6) random_9 = module_type_store.get_type_of_member(stypy.reporting.localization.Localization(__file__, 6, 4), np_8, 'random') # Obtaining the member 'uniform' of a type (line 6) uniform_10 = module_type_store.get_type_of_member(stypy.reporting.localization.Localization(__file__, 6, 4), random_9, 'uniform') # Calling uniform(args, kwargs) (line 6) uniform_call_result_14 = invoke(stypy.reporting.localization.Localization(__file__, 6, 4), uniform_10, *[int_11, int_12], **kwargs_13) # Assigning a type to the variable 'v' (line 6) module_type_store.set_type_of(stypy.reporting.localization.Localization(__file__, 6, 0), 'v', uniform_call_result_14) # Assigning a Call to a Name (line 7): # Call to argmin(...): (line 7) # Processing the call keyword arguments (line 7) kwargs_23 = {} # Call to abs(...): (line 7) # Processing the call arguments (line 7) # Getting the type of 'Z' (line 7) Z_17 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 7, 16), 'Z', False) # Getting the type of 'v' (line 7) v_18 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 7, 18), 'v', False) # Applying the binary operator '-' (line 7) result_sub_19 = python_operator(stypy.reporting.localization.Localization(__file__, 7, 16), '-', Z_17, v_18) # Processing the call keyword arguments (line 7) kwargs_20 = {} # Getting the type of 'np' (line 7) np_15 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 7, 9), 'np', False) # Obtaining the member 'abs' of a type (line 7) abs_16 = module_type_store.get_type_of_member(stypy.reporting.localization.Localization(__file__, 7, 9), np_15, 'abs') # Calling abs(args, kwargs) (line 7) abs_call_result_21 = invoke(stypy.reporting.localization.Localization(__file__, 7, 9), abs_16, *[result_sub_19], **kwargs_20) # Obtaining the member 'argmin' of a type (line 7) argmin_22 = module_type_store.get_type_of_member(stypy.reporting.localization.Localization(__file__, 7, 9), abs_call_result_21, 'argmin') # Calling argmin(args, kwargs) (line 7) argmin_call_result_24 = invoke(stypy.reporting.localization.Localization(__file__, 7, 9), argmin_22, *[], **kwargs_23) # Assigning a type to the variable 'index' (line 7) module_type_store.set_type_of(stypy.reporting.localization.Localization(__file__, 7, 0), 'index', argmin_call_result_24) # Assigning a Subscript to a Name (line 8): # Obtaining the type of the subscript # Getting the type of 'index' (line 8) index_25 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 8, 6), 'index') # Getting the type of 'Z' (line 8) Z_26 = module_type_store.get_type_of(stypy.reporting.localization.Localization(__file__, 8, 4), 'Z') # Obtaining the member '__getitem__' of a type (line 8) getitem___27 = module_type_store.get_type_of_member(stypy.reporting.localization.Localization(__file__, 8, 4), Z_26, '__getitem__') # Calling the subscript (__getitem__) to obtain the elements type (line 8) subscript_call_result_28 = invoke(stypy.reporting.localization.Localization(__file__, 8, 4), getitem___27, index_25) # Assigning a type to the variable 'e' (line 8) module_type_store.set_type_of(stypy.reporting.localization.Localization(__file__, 8, 0), 'e', subscript_call_result_28) # ################# End of the type inference program ################## module_errors = stypy.errors.type_error.StypyTypeError.get_error_msgs() module_warnings = stypy.errors.type_warning.TypeWarning.get_warning_msgs()
[ "redondojose@uniovi.es" ]
redondojose@uniovi.es
0236fd5ce64b66ba6fa95ab474dc5a1c451808e5
29cf9d831e90ed00595f11ba7ea25858b1e27f8f
/KERAS_YOUN.py
258156ca55582fcecceb1d18b1f0de5f5e17e44a
[]
no_license
hori1537/rexrexxion
8d89229bfab3bc4b24084599528c560fbf6446fc
919a82a9a193dc24edd1892ba622a737665b53db
refs/heads/master
2022-01-06T11:22:56.318650
2019-07-29T04:47:30
2019-07-29T04:47:30
105,863,418
0
0
null
null
null
null
UTF-8
Python
false
false
3,044
py
'''Trains a simple convnet on the MNIST dataset. Gets to 99.25% test accuracy after 12 epochs (there is still a lot of margin for parameter tuning). 16 seconds per epoch on a GRID K520 GPU. ''' from __future__ import print_function import keras from keras.models import Sequential from keras.layers import Dense, Dropout, Flatten from keras.layers import Conv2D, MaxPooling2D from keras import backend as K from keras.layers import Activation from sklearn.model_selection import train_test_split import numpy as np import numpy import time import pandas as pd import keras from keras.utils import plot_model import pandas import pandas as pd #Date from INTERLAD from Setting_Param import * #Local_Setting_Param raw_input = pandas.read_csv(open(str(ADDRESS)+str(CSV_NAME_YOUN))) #raw_input = numpy.loadtxt(open(str(ADDRESS)+str(CSV_NAME_YOUN)), delimiter=",",skiprows=1) [information_p, component_p, parameter_p] = np.hsplit(raw_input, [20,82]) component = np.array(component_p) parameter = np.array(parameter_p) #[component_a,component]= numpy.vsplit(component_all,[0]) #[parameter_a,parameter]= numpy.vsplit(parameter_all,[0]) #print("parameter_a",parameter_a) #print("parameter",parameter) #print("component_a",component_a) #print("component",component) TRAIN_DATA_SIZE=DATA_SIZE_YOUN-10 #DATE_SIZE_YOUN =2448 #parameter_train, parameter_test, component_train, component_test = train_test_split(parameter, component, test_size=0.05, random_state=0) [parameter_train, parameter_test] = numpy.vsplit(parameter, [TRAIN_DATA_SIZE]) [component_train, component_test] = numpy.vsplit(component, [TRAIN_DATA_SIZE]) batch_size = DATA_SIZE_YOUN // 3 epochs = 10000 es_cb = keras.callbacks.EarlyStopping(monitor='val_loss', patience=1000, verbose=0, mode='auto') model = Sequential() model.add(Dense(DATA_SIZE_YOUN, input_dim=62, activation='relu')) model.add(Dropout(0.2)) model.add(Dense(300, activation = 'relu')) model.add(Dropout(0.2)) model.add(Dense(300, activation = 'relu')) model.add(Dropout(0.2)) model.add(Dense(1)) #model.add(Dense(300, activation = None)) #0.0587 ##0.0929 NN has None layer got bad #0.3937 model.compile(loss='mse', optimizer=keras.optimizers.Adam(), metrics=['accuracy']) model.fit(component_train, parameter_train, batch_size=batch_size, epochs=epochs, verbose=1, validation_data=(component_test, parameter_test) , callbacks=[es_cb]) score = model.evaluate(component_test, parameter_test, verbose=0) parameter_predict=model.predict(component_test, batch_size=32, verbose=1) model.save('C:\Deeplearning/model_YOUN_' +str(score[0]) + '.h5') #plot_model(model, to_file='C:\Deeplearning/model.png') #plot_model(model, to_file='model.png') print('Test loss:', score[0]) print('Test accuracy:', score[1]) print ('predict', parameter_predict) print('C:\Deeplearning/model_YOUN_' +str(score[0]) + '.h5')
[ "noreply@github.com" ]
noreply@github.com
11d3657d098198c144e70de197696e11d1e252d6
078dfe43133a952867412c1800ff4bf2280d1f33
/past_tense_form.py
1b63f654eb4bae1b74b1b704802668455856c611
[]
no_license
japanesegrammar/japanesegrammar.github.io
6463d00165816bcd311d57dcf0d83cf7c1ac31c9
b3e0425110e004b6b4854c40a43cd52baea568ee
refs/heads/master
2020-06-19T05:02:05.539475
2020-01-25T02:08:47
2020-01-25T02:08:47
196,572,460
0
0
null
2020-01-25T02:08:49
2019-07-12T12:04:47
HTML
UTF-8
Python
false
false
5,043
py
from python_utils.generator import printTitle, getInfoBlock, printSecondaryTitle, generateCard from python_utils.html_generator import getHtmlString from python_utils.table_generator import generateTable with open('past_tense_form.md', 'w', encoding="utf-8") as f: f.write(printTitle('Past Tense Verb Conjugation Rules')) # f.write('In this lesson, we will learn how to form the past and past-negative verbs. You can use in the following forms.\n \n') f.write('\n') # cardText = '<b>Rule 1:</b> For u-verbs: Replace the u-vowel sound with the お equivalent and attach う' + '<br>' \ # '<b>Rule 2:</b> For ru-verbs: Replace る with よう' + '\n' + '\n' + \ # '<b>Rule 3:</b> For exceptions: する becomes しよう and くる becomes こよう' cardText = '<b>Rule 1:</b> For ru-verbs: Replace る with た' + '<br>' + \ '<b>Rule 2:</b> <br> &emsp; For u-verbs ending with う, つ and る: Replace those ending with った' + '<br>' + \ '&emsp; For u-verbs ending with む, ぶ and ぬ: Replace those ending with んだ' + '<br>' + \ '&emsp; For u-verbs ending with く: Replace those ending with いて' + '<br>' + \ '&emsp; For u-verbs ending with ぐ: Replace those ending with いだ' + '<br>' + \ '&emsp; For u-verbs ending with す: Replace those ending with した' + '<br>' + \ '&emsp; u-verbs exception: past tense form of 行く is 行った' + '<br>' + \ '<b>Rule 3:</b> For exceptions: する becomes した and くる becomes きた' f.write(generateCard(cardText, [], useLeft=True)) f.write((printTitle('Rule 1'))) f.write('For ru-verbs: Replace `る` with `た`') table = generateTable(['Dictionary Form', 'Replacing Method', 'Past Tense Form'], [[getHtmlString("食べる"), 'Replace る with た', getHtmlString("食べた")], ]) f.write(table) f.write((printTitle('Rule 2'))) f.write('For u-verbs: we have 5 subs categories.') f.write(printSecondaryTitle('u-verbs with final う, つ and る')) f.write('For u-verbs ending with う, つ and る, we should replace with った.') table = generateTable(['Dictionary Form', 'Replacing Method', 'Past Tense Form'], [[getHtmlString("会う"), 'Replace う with った', getHtmlString("会った")], [getHtmlString("待つ"), 'Replace つ with った', getHtmlString("待った")], [getHtmlString("とる"), 'Replace る with った', getHtmlString("とった")] ]) f.write(table) f.write(printSecondaryTitle('u-verbs with final む, ぶ and ぬ')) f.write('For u-verbs ending with む, ぶ and ぬ, we should replace with んだ.') table = generateTable(['Dictionary Form', 'Replacing Method', 'Past Tense Form'], [[getHtmlString("読む"), 'Replace む with んで', getHtmlString("読んだ")], [getHtmlString("遊ぶ"), 'Replace ぶ with んで', getHtmlString("遊んだ")], [getHtmlString("死ぬ"), 'Replace ぬ with んで', getHtmlString("死んだ")] ]) f.write(table) f.write('\n') f.write(printSecondaryTitle('u-verbs with final く')) f.write('For u-verbs ending with く, we should replace with いて.') table = generateTable(['Dictionary Form', 'Replacing Method', 'Past Tense Form'], [[getHtmlString("書く"), 'Replace く with いた', getHtmlString("書いた")], ]) f.write(table) f.write('\n') f.write(getInfoBlock('There is exception in this class. The て-form of ' + getHtmlString("行く") + f'is {getHtmlString("行った")}.')) f.write(printSecondaryTitle('u-verbs with final ぐ')) f.write('For u-verbs ending with ぐ, we should replace with いで.') table = generateTable(['Dictionary Form', 'Replacing Method', 'て-Form'], [[getHtmlString("泳ぐ"), 'Replace ぐ with いだ', getHtmlString("泳いだ")], ]) f.write(table) f.write(printSecondaryTitle('u-verbs with final す')) f.write('For u-verbs ending with す, we should replace with した.') table = generateTable(['Dictionary Form', 'Replacing Method', 'Past Tense Form'], [[getHtmlString("話す"), 'Replace す with した', getHtmlString("話した")], ]) f.write(table) f.write((printTitle('Rule 3'))) f.write('For irregular verbs する and くる, we should replace as the following') table = generateTable(['Dictionary Form', 'て-Form'], [[getHtmlString("する"), getHtmlString("した")], [getHtmlString("くる"), getHtmlString("きた")], ]) f.write(table)
[ "learnnihongogrammar@gmail.com" ]
learnnihongogrammar@gmail.com
0bdea361b10a4f3475f4dc9966169daced84f42c
0b767d1516ff77f62431f7464fb11b4e747b4a5a
/src/okok.py
c20649bc9a51ee921ebbfcdfd0c5062ea101c110
[ "BSD-2-Clause" ]
permissive
se4ai/code
1429f6c2e649cad1b42323cb1cf0deded5cf23a0
e2ac87c48863a471459d6aabc67ebdc1c96f440e
refs/heads/master
2020-05-23T17:45:14.567820
2019-08-06T13:56:27
2019-08-06T13:56:27
186,873,786
0
0
null
null
null
null
UTF-8
Python
false
false
216
py
from ok import ok @ok def ok1(): "This will always fail." assert 2==1, "oops" @ok def ok2(): "This will always pass." n = sum([1,2,3,4]) assert n==10, "should not fail" if __name__ == "__main__": ok()
[ "tim.menzies@gmail.com" ]
tim.menzies@gmail.com
3739cc6a38364d13c412e6c2ad0a48afea46162e
36a9f2bf56b801c690b486929deaa73eca117470
/venv/Scripts/pip-script.py
8fe118e88b2e073830a57fe97b2b33633af56028
[]
no_license
LedesmaFran/Accreditation-system
798d474fc602aa23ed5cbe567f12aba8d9830229
60fee67e08187dc1c45d5d3bc4af3b5fa5118f49
refs/heads/master
2022-04-07T19:55:16.293508
2020-02-12T21:38:28
2020-02-12T21:38:28
null
0
0
null
null
null
null
UTF-8
Python
false
false
407
py
#!C:\Users\Fran\PycharmProjects\ICIT\venv\Scripts\python.exe # EASY-INSTALL-ENTRY-SCRIPT: 'pip==19.0.3','console_scripts','pip' __requires__ = 'pip==19.0.3' import re import sys from pkg_resources import load_entry_point if __name__ == '__main__': sys.argv[0] = re.sub(r'(-script\.pyw?|\.exe)?$', '', sys.argv[0]) sys.exit( load_entry_point('pip==19.0.3', 'console_scripts', 'pip')() )
[ "fledesma@itba.edu.ar" ]
fledesma@itba.edu.ar
b81f349b219ecfb366970a6ddf21bfdcdcad34a5
71894f980d1209017837d7d02bc38ffb5dbcb22f
/audio/AlexaWithRaspioProHat/AlexaPi/main.py
9d5d327ba169eb237d036b14e4e26a54db885dad
[ "MIT" ]
permissive
masomel/py-iot-apps
0f2418f8d9327a068e5db2cdaac487c321476f97
6c22ff2f574a37ba40a02625d6ed68d7bc7058a9
refs/heads/master
2021-03-22T04:47:59.930338
2019-05-16T06:48:32
2019-05-16T06:48:32
112,631,988
0
0
null
null
null
null
UTF-8
Python
false
false
5,211
py
# msm: source - http://www.instructables.com/id/Build-an-Alexa-With-Raspio-Pro-Hat-and-Raspberry-P/?ALLSTEPS edits original #! /usr/bin/env python import os import random import time import RPi.GPIO as GPIO import alsaaudio import wave import random from creds import * import requests import json import re from memcache import Client #Settings button = 18 #GPIO Pin with button connected lights = [24, 25, 27] # GPIO Pins with LED's conneted device = "plughw:1" # Name of your microphone/soundcard in arecord -L #Setup recorded = False servers = ["127.0.0.1:11211"] mc = Client(servers, debug=1) path = os.path.realpath(__file__).rstrip(os.path.basename(__file__)) def internet_on(): print("Checking Internet Connection") try: r =requests.get('https://api.amazon.com/auth/o2/token') print("Connection OK") return True except: print("Connection Failed") return False def gettoken(): token = mc.get("access_token") refresh = refresh_token if token: return token elif refresh: payload = {"client_id" : Client_ID, "client_secret" : Client_Secret, "refresh_token" : refresh, "grant_type" : "refresh_token", } url = "https://api.amazon.com/auth/o2/token" r = requests.post(url, data = payload) resp = json.loads(r.text) mc.set("access_token", resp['access_token'], 3570) return resp['access_token'] else: return False def alexa(): GPIO.output(27, GPIO.LOW) #blue light out GPIO.output(24, GPIO.HIGH) url = 'https://access-alexa-na.amazon.com/v1/avs/speechrecognizer/recognize' headers = {'Authorization' : 'Bearer %s' % gettoken()} d = { "messageHeader": { "deviceContext": [ { "name": "playbackState", "namespace": "AudioPlayer", "payload": { "streamId": "", "offsetInMilliseconds": "0", "playerActivity": "IDLE" } } ] }, "messageBody": { "profile": "alexa-close-talk", "locale": "en-us", "format": "audio/L16; rate=16000; channels=1" } } with open(path+'recording.wav') as inf: files = [ ('file', ('request', json.dumps(d), 'application/json; charset=UTF-8')), ('file', ('audio', inf, 'audio/L16; rate=16000; channels=1')) ] r = requests.post(url, headers=headers, files=files) if r.status_code == 200: for v in r.headers['content-type'].split(";"): if re.match('.*boundary.*', v): boundary = v.split("=")[1] data = r.content.split(boundary) for d in data: if (len(d) >= 1024): audio = d.split('\r\n\r\n')[1].rstrip('--') with open(path+"response.mp3", 'wb') as f: f.write(audio) GPIO.output(25, GPIO.LOW) os.system('mpg123 -q {}1sec.mp3 {}response.mp3'.format(path, path)) GPIO.output(24, GPIO.LOW) else: GPIO.output(lights, GPIO.LOW) for x in range(0, 3): time.sleep(.2) GPIO.output(25, GPIO.HIGH) time.sleep(.2) GPIO.output(lights, GPIO.LOW) GPIO.output(27, GPIO.HIGH) #blue light on def start(): GPIO.output(27, GPIO.HIGH) #blue light last = GPIO.input(button) while True: val = GPIO.input(button) if val != last: GPIO.output(27, GPIO.LOW) #blue light out last = val if val == 1 and recorded == True: rf = open(path+'recording.wav', 'w') rf.write(audio) rf.close() inp = None alexa() elif val == 0: GPIO.output(25, GPIO.HIGH) inp = alsaaudio.PCM(alsaaudio.PCM_CAPTURE, alsaaudio.PCM_NORMAL, device) inp.setchannels(1) inp.setrate(16000) inp.setformat(alsaaudio.PCM_FORMAT_S16_LE) inp.setperiodsize(500) audio = "" l, data = inp.read() if l: audio += data recorded = True elif val == 0: l, data = inp.read() if l: audio += data if __name__ == "__main__": try: GPIO.setwarnings(False) GPIO.cleanup() GPIO.setmode(GPIO.BCM) GPIO.setup(button, GPIO.IN, pull_up_down=GPIO.PUD_UP) GPIO.setup(lights, GPIO.OUT) GPIO.output(lights, GPIO.LOW) while internet_on() == False: print(".") token = gettoken() os.system('mpg123 -q {}1sec.mp3 {}hello.mp3'.format(path, path)) for x in range(0, 3): time.sleep(.1) GPIO.output(24, GPIO.HIGH) time.sleep(.1) GPIO.output(24, GPIO.LOW) start() except KeyboardInterrupt: GPIO.cleanup() print(" clean program exit.") pass
[ "msmelara@gmail.com" ]
msmelara@gmail.com
e62c8f6b2972f282cd85c47b42e9e7e72b54bc76
90b040104ecb2d6c288d213bb40a65e67ab977fe
/ClassificationMultiGpu_v2.py
62fd070b7bee28c4a64941943912e9a6fa8e42e9
[]
no_license
JeanHoroma/ForesterieJacques
ce672161c926262ed561a0299d16c6a7a680b4bb
9253113b138219b1148b1f3ed256f68994f82174
refs/heads/master
2021-05-24T09:21:31.491960
2020-04-17T15:34:53
2020-04-17T15:34:53
253,493,272
0
0
null
null
null
null
UTF-8
Python
false
false
6,964
py
import os # two lines below used to select specific GPU for tests purposes # os.environ["CUDA_DEVICE_ORDER"] = "PCI_BUS_ID"; # os.environ["CUDA_VISIBLE_DEVICES"] = "0"; # select GPU : 1 from horoma.nn.conv import ResNet4b from horoma.io import sliding_window, ListFiles from config import config_ClassificationMultiGpu_v2 as cfg import numpy as np import time import resource from keras.utils import multi_gpu_model import tensorflow as tf from PIL import Image, ImageOps from keras.optimizers import SGD import cv2 import georaster as gr import gdal # image examples: file_types = (".jpg", ".jpeg", ".png", ".DAT", ".tif", ".tiff") # most known file formats are supported file_types = (".DAT", ".tif", ".tiff") # loop over the directory structure, create list of all files with the file type list # select .tif files # contains = look for specific str in filename. Example = 'dsm' info_dsm = ListFiles(PATH=cfg.PATH, contains='dsm', avoid=None, file_types=file_types) info_file = ListFiles(PATH=cfg.PATH, contains=None, avoid='dsm', file_types=file_types) imagePath = info_file[0] list_Filenames = info_file[1] imagePathDSM = info_dsm[0] list_FilenamesDSM = info_dsm[1] # print('[DEBUG] imagepath', info_dsm) # print('[DEBUG] imagepathdsm', imagePathDSM) # print('[DEBUG] imagepath LISTE', list_Filenames) # print('[DEBUG] imagepathdsm LISTE--DSM', list_FilenamesDSM) imagePath.sort() list_Filenames.sort() imagePathDSM.sort() list_FilenamesDSM.sort() print('[INFO] number of files found : ', len(imagePath)) # Optimizer, Model compile and Load Weights..... # tf.device force to load model into CPU for distribution to GPU opt = SGD(lr=cfg.INIT_LR, momentum=0.9) with tf.device("/cpu:0"): # init model model = ResNet4b.build(32, 32, 4, 19, (9, 9, 9), (64, 64, 128, 256), reg=0.0005) model_para = multi_gpu_model(model, gpus=2) model_para.compile(loss="categorical_crossentropy", optimizer=opt, metrics=["accuracy"]) model_para.load_weights(cfg.modele_sauve) for (i, image) in enumerate(imagePath): # time measurement of loading and processing each file time_start = time.perf_counter() # load the IRG band from dataset (band 0,1,2) img = np.asarray(cv2.imread(image), dtype=np.float32) # load DSM band from dataset band(3) dsm_file = np.asarray(cv2.imread(imagePathDSM[i], -1), dtype=np.float32) # add any band necessary to train model # merge all bands together before stacking into np.array (along axis = 0) r = img[:, :, 0].copy() g = img[:, :, 1].copy() b = img[:, :, 2].copy() d = dsm_file.copy() # d = dsm_file[:, :, 0].copy() img_rec = np.stack((r, g, b, d), axis=0) # print('[DEBUG] img-rec.shape..................', img_rec.shape) # print('i[DEBUG] mg_rec shape', img_rec.shape) temp = [] Y = img_rec.shape[1] - cfg.winH + 1 X = img_rec.shape[2] - cfg.winW + 1 output_shape = (img_rec.shape[0], Y, X) # print('[DEBUG] file path IRG, name : ', imagePath[i]) # print('[DEBUG] file path DSM, name : ', imagePathDSM[i]) # print('[DEBUG] input image shape (ch, y, x)', img_rec.shape) # print('[DEBUG] processed image shape (y, x, ch) ', output_shape) # print('Y,X',Y,X) vect = [] # prediction batch size, limited by amount of GPU RAM (higher == faster) buffer_size = 8192 * cfg.NBR_GPU # ########### VALID FOR RGB ONLY ######################### # limited by amount of CPU RAM available for LIST to NP.ARRAY conversion (higher == faster) # It does NOT have to be a fixed multiple of buffer_size: ex: vector_size = 25000 # For 128 GB RAM : vector_size = buffer_size * 200 (approx) @ np.float32, 4 bandes # For 32 GB RAM : vector_size = buffer_size * 70 (approx) # If problem, (SIGKILL = 9) , verify memory allocation with htop in shell vector_size = buffer_size * 250 / cfg.NBR_GPU pred_acc = [] bloc_count_max = round(X * Y / vector_size) bloc_count_start = 1 count = 0 for (x, y, window) in sliding_window(img_rec, stepSize=1, windowSize=(cfg.winW, cfg.winH)): # if the window does not meet our desired window size, ignore it if window.shape[1] != cfg.winH or window.shape[2] != cfg.winW: continue # print('y,x,count', y, x,count,vector_size, X * Y) # print('windows_shape',window.shape) # time.sleep(0.1) if count == 0: temp.append([window]) # print('temp',len(temp), count) count += 1 elif count % vector_size == 0 or count == X * Y - 1: # if buffer is FULL = vector_size OR end of file size = Y*X temp.append([window]) # print("Image Vector Progress {:02d} of {:02d}".format(bloc_count_start, bloc_count_max), end='\r', flush=True) # bloc_count_start += 1 # print('temp, count, x*y',len(temp), count, x*y) vect = np.concatenate(np.asarray(temp, dtype=np.float32), axis=0) mean = np.mean(vect, axis=0) vect -= mean predictions = model_para.predict(vect, batch_size=buffer_size, verbose=0) predictions = predictions.argmax(axis=1) + 1 if count <= vector_size: # first iteration, cannot do np.concatenate() pred_acc = predictions else: pred_acc = np.concatenate((pred_acc, predictions), axis=0) # Clear buffer to ZERO, ready for next accumulation temp.clear() count += 1 # print('clear... temps', len(temp)) else: temp.append([window]) # print('temp_else',len(temp),count) count += 1 # print('pred_acc',len(pred_acc)) final = np.asarray((np.reshape(pred_acc, (Y, X))), np.float32) # write file to output directory # /output/filename.tif # file_name = cfg.PATH_OUTPUT + 'pred_' + list_Filenames[i] border = (16, 16, 15, 15) image_temp = Image.fromarray(final) # add border to resize to original value,convert to array, again image_temp1 = np.asarray(ImageOps.expand(image_temp, border)) # print('[dfinal.shape', image_temp1.size) # image_temp1.save(file_name) # Insert GEOTIFF information back into image before saving info_geo = gr.MultiBandRaster(imagePath[i], load_data=False) im_gen = gr.SingleBandRaster.from_array(image_temp1, info_geo.trans, info_geo.proj.srs, gdal.GDT_Int16) im_gen.save_geotiff(cfg.PATH_OUTPUT + 'geo_pred_4b_' + list_Filenames[i]) print('[INFO] File Processed...', list_Filenames[i]) # count = 1 # pred_acc.clear() # time and memory measurement for each file processed time_elapsed = (time.perf_counter() - time_start) HMS_time = time.strftime("%H:%M:%S", time.gmtime(time_elapsed)) memMb = resource.getrusage(resource.RUSAGE_SELF).ru_maxrss / 1024.0 / 1024.0 print("[INFO] PROCESSING TIME : ", HMS_time) print("[INFO] PROCESSING MEMORY : {:.1f} MByte".format(memMb))
[ "noreply@github.com" ]
noreply@github.com
de14006acab42e44ecc03e42a7fed9ae8c67074b
2ad8740638d4decf942592ef3fd48f479731b074
/ss_ex7.py
2a81549c04782e7c39fbc105798f38db316e3048
[]
no_license
ArtemisBrindlehorn/Zed
f8f5cb359b913ca1bb3d6bdf86ae32b9f3cab9cb
ab7b384693664c35c74b9374e26eb9d44aa23ae4
refs/heads/master
2023-07-25T07:53:48.689564
2021-09-10T20:40:11
2021-09-10T20:40:11
405,153,415
0
0
null
null
null
null
UTF-8
Python
false
false
1,374
py
#this line prints the classic opening to the tune print("Mary had a little lamb.") #this line prings the second line, using the format string function to place 'snow' in the escape characters {} print("Its fleece was white as {}.".format('snow')) #this is the next line, printed as we would expect print("And everywhere that Mary went.") #this is not a line of the rhyme, but takes the period character and prints it ten (10) times print ("." * 10) # what'd that do? end1 = "C" #end1 is assigned the value C end2 = "h" #end2 is assigned the value h end3 = "e" #end3 is assigned the value e end4 = "e" #end4 is assigned the value e end5 = "s" #end5 is assigned the value s end6 = "e" #end6 is assigned the value e end7 = "B" #end7 is assigned the value B end8 = "u" #end8 is assigned the value u end9 = "r" #end9 is assigned the value r end10 = "g" #end10 is assigned the value g end11 = "e" #end11 is assigned the value e end12 = "r" #end12 is assigned the value r # watch the end = " " at the end. try removing it and see what happens #the end=' ' acts as a separator between the two pring statements. It may be added between arguments in the print function as well print(end1 + end2 + end3 + end4 + end5 + end6, end=' ') #classic concatenation of the strings in end7 through end12, resulting in the word Burger print(end7 + end8 + end9 + end10 + end11 + end12)
[ "chariotman@gmail.com" ]
chariotman@gmail.com
d9b540922457935fd30085acc529678202b8f414
e3365bc8fa7da2753c248c2b8a5c5e16aef84d9f
/tokens/FitzRNS3.py
cee58928d034cfd5b351f2321166d94af284c10a
[]
no_license
psdh/WhatsintheVector
e8aabacc054a88b4cb25303548980af9a10c12a8
a24168d068d9c69dc7a0fd13f606c080ae82e2a6
refs/heads/master
2021-01-25T10:34:22.651619
2015-09-23T11:54:06
2015-09-23T11:54:06
42,749,205
2
3
null
2015-09-23T11:54:07
2015-09-18T22:06:38
Python
UTF-8
Python
false
false
855,918
py
lis = [u'narr', u'survey', u'voyag', u'hi', u'majesti', u'ship', u'adventur', u'beagl', u'year', u'1826', u'1836', u'describ', u'examin', u'southern', u'shore', u'op', u'south', u'america', u'beagl', u'circumnavig', u'globe', u'appendix', u'ft', u'ajx', u'v0lumeia2', u'london', u'henri', u'colour', u'great', u'marlborough', u'street', u'1839', u'london', u'print', u'j', u'l', u'cox', u'son', u'75', u'great', u'queen', u'street', u'lincolnsinn', u'field', u'appendix', u'second', u'volum', u'memorandum', u'greater', u'number', u'articl', u'thi', u'appendix', u'place', u'requir', u'refer', u'read', u'volum', u'belong', u'vol', u'ii', u'arrang', u'rather', u'nonarrang', u'rest', u'depend', u'upon', u'circumst', u'could', u'alter', u'though', u'quit', u'awar', u'disorderli', u'group', u'document', u'would', u'appear', u'ever', u'requir', u'reprint', u'even', u'part', u'demand', u'attent', u'easi', u'dispos', u'differ', u'direct', u'binder', u'place', u'plate', u'track', u'chart', u'loos', u'low', u'island', u'loos', u'survey', u'diagram', u'face', u'page', u'206', u'cloud', u'cumulu', u'c', u'275', u'cloud', u'cirritostratu', u'e', u'276', u'cloud', u'strait', u'c', u'276', u'cloud', u'cumulitostratu', u'c', u'276', u'tide', u'diagram', u'287', u'note', u'loos', u'plate', u'fold', u'pocket', u'cover', u'content', u'appendix', u'page', u'meteorolog', u'journal', u'1', u'tabl', u'posit', u'c', u'65', u'1', u'letter', u'captain', u'king', u'89', u'2', u'letter', u'admiralti', u'90', u'8', u'agreement', u'mr', u'mawman', u'91', u'4', u'letter', u'mr', u'coat', u'93', u'5', u'instruct', u'matthew', u'94', u'6', u'agreement', u'mr', u'harri', u'97', u'7', u'receipt', u'mr', u'harri', u'98', u'8', u'order', u'lieut', u'wickham', u'99', u'9', u'order', u'mr', u'stoke', u'100', u'10', u'order', u'lieut', u'wickham', u'100', u'11', u'extract', u'falkner', u'101', u'12', u'extract', u'pennant', u'102', u'13', u'extract', u'viedma', u'110', u'14', u'extract', u'byron', u'1', u'24', u'15', u'fuegian', u'vocabulari', u'c', u'135', u'16', u'remark', u'mr', u'wilson', u'surgeon', u'142', u'17', u'phrenolog', u'remark', u'148', u'1', u'7a', u'paper', u'relat', u'falkland', u'149', u'18', u'order', u'lieut', u'wickham', u'162', u'19', u'wind', u'c', u'chile', u'hono', u'163', u'20', u'letter', u'presid', u'chile', u'164', u'21', u'order', u'lieut', u'sulivan', u'165', u'22', u'order', u'mr', u'stoke', u'166', u'24', u'extract', u'agiiero', u'166', u'23', u'extract', u'burney', u'172', u'24a', u'extract', u'wafer', u'176', u'25', u'order', u'lieut', u'sulivan', u'177', u'26', u'order', u'lieut', u'wickham', u'178', u'vil', u'content', u'appendix', u'page', u'27', u'proceed', u'carmen', u'178', u'28', u'wind', u'c', u'southern', u'chile', u'183', u'29', u'letter', u'govern', u'chile', u'186', u'30', u'order', u'mr', u'usborn', u'186', u'31', u'letter', u'c', u'peruvian', u'govern', u'188', u'32', u'passport', u'constitucion', u'190', u'33', u'addit', u'passport', u'191', u'34', u'lover', u'paamuto', u'island', u'192', u'35', u'mr', u'busbi', u'announc', u'193', u'36', u'new', u'zealand', u'declar', u'195', u'37', u'mr', u'mleay', u'letter', u'197', u'38', u'extract', u'instruct', u'198', u'39', u'note', u'survey', u'wild', u'coast', u'202', u'40', u'remark', u'coast', u'northern', u'chile', u'208', u'41', u'remark', u'coast', u'peru', u'231', u'42', u'letter', u'govern', u'bueno', u'ayr', u'273', u'43', u'letter', u'merchant', u'lima', u'273', u'44', u'descript', u'quadrant', u'274', u'45', u'remark', u'cloud', u'275', u'46', u'veri', u'remark', u'wind', u'277', u'47', u'remark', u'tide', u'277', u'48', u'harriss', u'lightn', u'conductor', u'298', u'49', u'fresh', u'provis', u'obtain', u'298', u'50', u'temperatur', u'sea', u'301', u'51', u'remark', u'height', u'301', u'52', u'americu', u'vespuciu', u'304', u'53', u'barometr', u'observ', u'st', u'cruz', u'308', u'54', u'nautic', u'remark', u'310', u'55', u'remark', u'chronometr', u'observ', u'chain', u'meridian', u'distanc', u'317', u'errata', u'c', u'appendix', u'page', u'1', u'line', u'j', u'figur', u'294', u'read', u'304', u'65', u'line', u'4', u'figur', u'015', u'read25', u'85', u'line', u'00', u'read', u'36', u'line', u'2', u'figur', u'30', u'read', u'51', u'line', u'3', u'14', u'read', u'21', u'line', u'4', u'22', u'read', u'36', u'abstract', u'meteorolog', u'journal', u'day', u'nova', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'mber1831', u'inch', u'inch', u'lat', u'long', u'9', u'2960', u'bath', u'davenport', u'2940', u'2980', u'29', u'4', u'305', u'304', u'302', u'h', u'306', u'302', u'board', u'beagl', u'i6', u'29', u'9', u'29', u'9', u'i8', u'298', u'29', u'9', u'2995', u'3005', u'3006', u'2998', u'3003', u'3005', u'deb', u'mbeb', u'3026', u'barn', u'pool', u'304', u'3017', u'29', u'9', u'2', u'7', u'293', u'29', u'4', u'eo', u'29', u'5', u'230', u'pm', u'2945', u'9', u'2963', u'292', u'298', u'296', u'10', u'noon', u'3', u'pm', u'298', u'2985', u'29', u'9', u'6', u'e', u'gd', u'3066', u'3054', u'sat', u'sea', u'lost', u'sight', u'eddystou', u'8', u'eg', u'3052', u'10', u'eg', u'3053', u'midst', u'see', u'egq', u'3063', u'3051', u'2', u'bp', u'3062', u'3052', u'4', u'sebi', u'bp', u'3065', u'3052', u'6', u'30', u'69', u'3046', u'8', u'b', u'v', u'3066', u'3050', u'10', u'see', u'bey', u'3069', u'3051', u'noon', u'bey', u'3065', u'3051', u'486', u'n', u'647', u'w', u'2', u'pm', u'selbi', u'c', u'3067', u'3049', u'4', u'og', u'3063', u'3047', u'6', u'og', u'30', u'64', u'3044', u'8', u'e', u'3062', u'3048', u'beagl', u'sea', u'15th', u'return', u'next', u'm', u'oru', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'decemb', u'inch', u'inch', u'lat', u'long', u'10', u'pm', u'see', u'c', u'30', u'bo', u'3048', u'midst', u'c', u'30', u'58', u'3044', u'2', u'c', u'3058', u'3040', u'4', u'c', u'3051', u'3037', u'6', u'cog', u'3055', u'3040', u'8', u'sebi', u'e', u'cog', u'3054', u'30', u'33', u'10', u'cp', u'3053', u'3038', u'noon', u'c', u'30', u'50', u'3026', u'4532', u'n', u'930', u'w', u'2', u'pm', u'sse', u'c', u'3050', u'303i', u'4', u'b', u'c', u'3046', u'3029', u'6', u'og', u'3042', u'3027', u'8', u'3040', u'3029', u'10', u'b', u'c', u'q', u'3040', u'3024', u'midst', u'q', u'3036', u'3023', u'2', u'c', u'q', u'3035', u'3024', u'4', u'cq', u'3032', u'3021', u'ei', u'e', u'3032', u'3021', u'sea', u'8', u'b', u'c', u'3032', u'3021', u'10', u'cq', u'3035', u'3020', u'56', u'noon', u'see', u'c', u'p', u'3032', u'3017', u'4300', u'n', u'1201', u'w', u'neby', u'v', u'3032', u'3024', u'4039', u'i339', u'jane', u'arv', u'1832', u'noon', u'ene', u'b', u'c', u'v', u'3040', u'3032', u'3824', u'1503', u'new', u'3020', u'3000', u'37', u'29', u'15', u'32', u'4', u'pm', u'nnw', u'm', u'q', u'3011', u'3000', u'midst', u'sp', u'1', u'3022', u'3003', u'noon', u'n', u'bcq', u'3040', u'3025', u'65t', u'3438', u'1637', u'wnw', u'bcq', u'3030', u'3014', u'3258', u'1607', u'nwbyn', u'v', u'3048', u'3038', u'2954', u'1611', u'w', u'v', u'3040', u'3035', u'2828', u'offsantacruz', u'swbi', u'w', u'3040', u'3034', u'santacruz', u'n6iw', u'12', u'm', u'nee', u'3046', u'3039', u'2645n', u'1640', u'v', u'sse', u'v', u'3040', u'3038', u'2505', u'isi', u'see', u'b', u'v', u'3020', u'3025', u'695', u'2251', u'2000', u'nwbyn', u'b', u'c', u'3024', u'3017', u'7', u'2155', u'022', u'12', u'nnw', u'ol', u'3023', u'3017', u'7c', u'2029', u'21', u'16', u'e', u'b', u'm', u'3018', u'3019', u'715', u'1918', u'2200', u'h', u'b', u'3022', u'3016', u'1730', u'2328', u'b', u'm', u'3016', u'3014', u'1523', u'2346', u'b', u'c', u'm', u'3020', u'3018', u'725', u'i505', u'2323', u'n', u'nee', u'3021', u'3020', u'755', u'735', u'port', u'pray', u'ebi', u'n', u'bcq', u'3020', u'3023', u'725', u'6', u'nbi', u'e', u'3024', u'3023', u'noon', u'3022', u'3022', u'755', u'725', u'ebi', u'n', u'3022', u'3028', u'725', u'nb', u'e', u'v', u'3020', u'3024', u'725', u'nee', u'e', u'3030', u'3027', u'725', u'3030', u'3030', u'725', u'1', u'temperatur', u'water', u'wa', u'taken', u'10', u'4', u'pm', u'n', u'thi', u'date', u'b', u'lack', u'case', u'thermomet', u'use', u'fc', u'r', u'temperatur', u'rater', u'1', u'thi', u'date', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'jane', u'ari', u'1832', u'inch', u'inch', u'lat', u'long', u'noon', u'n', u'e', u'bcq', u'3029', u'3031', u'715', u'port', u'pray', u'bcq', u'3029', u'3029', u'bcq', u'3024', u'3021', u'bcq', u'3015', u'3017', u'715', u'1', u'cgq', u'3015', u'3018', u'e', u'bcq', u'3011', u'3014', u'715', u'7i5', u'fbi', u'luari', u'noon', u'nne', u'bcq', u'3016', u'3018', u'3015', u'3018', u'3025', u'3024', u'6', u'noon', u'6', u'pm', u'n', u'nee', u'c', u'q', u'p', u'm', u'bcq', u'bcq', u'b', u'cl', u'3030', u'3026', u'3019', u'30', u'20', u'3020', u'3032', u'3022', u'3020', u'3021', u'3020', u'noon', u'nne', u'b', u'c', u'q', u'm', u'3019', u'3019', u'715', u'nee', u'b', u'm', u'q', u'3019', u'3016', u'3022', u'3020', u'7', u'bq', u'3011', u'3015', u'725', u'sail', u'3', u'pm', u'ene', u'3012', u'3014', u'735', u'1333', u'n', u'2505', u'w', u'nee', u'e', u'b', u'v', u'3010', u'3014', u'755', u'1152', u'2634', u'e', u'3004', u'3008', u'923', u'2646', u'3004', u'3006', u'805', u'634', u'2732', u'3000', u'3004', u'815', u'403', u'2721', u'see', u'og', u'3002', u'3007', u'815', u'815', u'343', u'2750', u'see', u'bye', u'see', u'ess', u'see', u'b', u'c', u'v', u'b', u'e', u'q', u'v', u'3003', u'3006', u'3009', u'3015', u'3004', u'3011', u'3015', u'3019', u'115', u'2850', u'f', u'isl', u'st', u'paul', u'n', u'7', u'1', u'e', u'lira', u'0145', u'3008', u'w', u'130', u'3049', u'se', u'bye', u'b', u'c', u'v', u'3013', u'3021', u'815', u'311', u'3147', u'seli', u'b', u'c', u'v', u'3012', u'3016', u'fernando', u'noronlia', u'3014', u'3017', u'317', u'3206', u'w', u'nee', u'n', u'so06', u'3013', u'82', u'825', u'406', u'3203', u'e', u'3007', u'3014', u'825', u'529', u'3201', u'ess', u'ebyn', u'bcq', u'og', u'3003', u'3006', u'3010', u'3007', u'3014', u'3015', u'805', u'825', u'825', u'725', u'31', u'55', u'938', u'3225', u'1126', u'3401', u'ess', u'bcq', u'3010', u'3012', u'815', u'1241', u'3620', u'v', u'3018', u'3023', u'bahia', u'se', u'bcq', u'3047', u'3024', u'b', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sjmpr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'marc', u'h', u'1832', u'inch', u'inch', u'lat', u'long', u'noon', u'w', u'r', u'3025', u'30', u'ib', u'1', u'bahia', u'co', u'3026', u'3028', u'se', u'ocqr', u'3026', u'3028', u'n', u'n', u'e', u'3019', u'3029', u'abl', u'3017', u'3022', u'se', u'3018', u'3020', u'bcq', u'3014', u'3014', u'3018', u'3012', u'3019', u'n', u'b', u'eq', u'3014', u'3021', u'se', u'3023', u'3026', u'3013', u'3017', u'bcq', u'3011', u'3019', u'b', u'c', u'v', u'3010', u'3020', u'n', u'c', u'3014', u'3021', u'i6', u'se', u'3019', u'3020', u'8325', u'805', u'13065', u'bahia', u'3020', u'3025', u'bahia', u'harbour', u'i8', u'3020', u'3022', u'abl', u'p', u'3018', u'3018', u'825', u'13405', u'3831', u'w', u'se', u'b', u'c', u'v', u'3012', u'3020', u'1329', u'3825', u'nne', u'b', u'e', u'3019', u'3022', u'8225', u'1420', u'3807', u'nee', u'byn', u'3022', u'3023', u'815', u'1531', u'3720', u'e', u'3018', u'3020', u'815', u'1628', u'3644', u'abl', u'3015', u'3018', u'815', u'1712', u'3619', u'3014', u'3018', u'825', u'81', u'5', u'1817', u'3534', u'e', u'3019', u'3018', u'1806', u'3704', u'e', u'3025', u'3026', u'815', u'1743', u'3715', u'nne', u'3024', u'3022', u'1809', u'3822', u'e', u'bcqp', u'3028', u'3028', u'os', u'abrolho', u'isl', u'n', u'3032', u'3030', u'805', u'ess', u'3039', u'3037', u'815', u'19523', u'3836', u'vr', u'april', u'805', u'n', u'bye', u'b', u'cgq', u'3034', u'3032', u'2213', u'3857', u'ene', u'b', u'cp', u'3035', u'3032', u'80', u'2322', u'4053', u'ess', u'3034', u'3034', u'75', u'765', u'2318', u'4237', u'abl', u'3032', u'3032', u'stand', u'rio', u'harbour', u'3027', u'3027', u'rio', u'de', u'janeiro', u'b', u'c', u'3028', u'3020', u'3020', u'3020', u'775', u'nee', u'b', u'e', u'3027', u'3026', u'nne', u'3026', u'3024', u'3020', u'3022', u'n', u'b', u'c', u'm', u'3023', u'3023', u'tern', u'f', u'later', u'lu', u'st', u'3d', u'april', u'5', u'de', u'tree', u'low', u'r', u'4', u'pm', u'2d', u'april', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'april', u'1832', u'inch', u'inch', u'lat', u'long', u'noon', u'3026', u'3024', u'rio', u'le', u'janeiro', u'sew', u'3030', u'3030', u'755', u'b', u'c', u'm', u'3034', u'3031', u'755', u'newli', u'cog', u'3030', u'3030', u'6', u'se', u'3034', u'3026', u'75', u'5', u'nee', u'3030', u'3028', u'745', u'3032', u'3028', u'se', u'3032', u'3025', u'n', u'w', u'3017', u'3016', u'se', u'3020', u'3018', u'vale', u'ogr', u'3033', u'3029', u'745', u'w', u'3043', u'3035', u'w', u'b', u'ep', u'3036', u'3038', u'se', u'3037', u'3026', u'3036', u'3032', u'755', u'n', u'3030', u'3027', u'se', u'3025', u'3020', u'8', u'3026', u'3023', u'4', u'pm', u'3028', u'3024', u'noon', u'wnw', u'3037', u'3034', u'may', u'b', u'c', u'p', u'3038', u'3036', u'3038', u'3031', u'3020', u'3019', u'nee', u'3015', u'3014', u'ogp', u'3035', u'3028', u'nee', u'eg', u'3037', u'3032', u'3027', u'3024', u'sew', u'e', u'p', u'3032', u'3026', u'3033', u'3030', u'nee', u'3046', u'3038', u'745', u'sew', u'3035', u'3033', u'745', u'22523', u'4147w', u'w', u'w', u'3032', u'3023', u'2016', u'3947', u'w', u'n', u'w', u'3024', u'3027', u'1829', u'3859', u'ssw', u'3031', u'3030', u'79', u'5', u'1655', u'3845', u'ess', u'cop', u'3032', u'3026', u'805', u'1423', u'3832', u'e', u'b', u'c', u'3030', u'3029', u'bahia', u'se', u'3033', u'3028', u'82', u'3032', u'3030', u'b', u'e', u'q', u'3030', u'3029', u'b', u'c', u'q', u'p', u'3028', u'3028', u'cor', u'3026', u'3026', u'w', u'3026', u'3023', u'ess', u'3028', u'3026', u'vale', u'b', u'e', u'3028', u'3025', u'1343', u'3827', u'w', u'ebi', u'3027', u'3025', u'1510', u'3826', u'nwbyn', u'3023', u'3022', u'1700', u'3820', u'e', u'3033', u'3021', u'7550', u'1918', u'3816', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'may', u'1832', u'inch', u'inch', u'765', u'lat', u'long', u'noon', u'w', u'qpr', u'3033', u'3027', u'19408', u'3831', u'w', u'ess', u'cop', u'3037', u'3035', u'765', u'1947', u'3831', u'nee', u'ogr', u'3038', u'3032', u'765', u'2010', u'383i', u'nne', u'co', u'3032', u'3028', u'2103', u'39', u'59', u'june', u'abl', u'3029', u'3021', u'775', u'2304', u'4031', u'bv', u'3030', u'3028', u'2256', u'4117', u'se', u'3036', u'3027', u'735', u'2305', u'4241', u'n', u'3025', u'3020', u'rio', u'de', u'janeiro', u'3032', u'3026', u'3027', u'3035', u'se', u'30', u'58', u'3050', u'3008', u'3052', u'se', u'3056', u'3051', u'3058', u'3050', u'se', u'3048', u'3044', u'nee', u'3052', u'3044', u'wnw', u'3058', u'3050', u'3036', u'3044', u'15', u'b', u'v', u'3052', u'3047', u'3045', u'3035', u'nwbyw', u'3047', u'3040', u'3040', u'3038', u'b', u'3042', u'3030', u'3048', u'3038', u'n', u'3047', u'3039', u'nee', u'b', u'c', u'v', u'3032', u'3025', u'n', u'b', u'3030', u'3025', u'3038', u'3033', u'abl', u'3050', u'3042', u'nnw', u'c', u'3051', u'3046', u'abl', u'3048', u'3041', u'b', u'e', u'v', u'3044', u'3041', u'nnw', u'3050', u'3045', u'nee', u'3051', u'3048', u'825', u'juli', u'se', u'3050', u'3044', u'nee', u'3049', u'3040', u'sse', u'3043', u'3033', u'se', u'b', u'v', u'3030', u'3030', u'n', u'b', u'm', u'3034', u'3028', u'f', u'run', u'rio', u'harbour', u'sew', u'bcm', u'3040', u'3033', u'705', u'745', u'23228', u'4311', u'w', u'swbi', u'cop', u'3051', u'3041', u'725', u'2338', u'4323', u'abl', u'3049', u'3040', u'725', u'2409', u'4301', u'wnw', u'c', u'3049', u'3036', u'735', u'2417', u'4335', u'ssw', u'b', u'e', u'q', u'3038', u'3032', u'745', u'2501', u'4247', u'b', u'e', u'3026', u'3016', u'2601', u'4257', u'abl', u'3039', u'3028', u'725', u'2639', u'4408', u'1', u'b', u'e', u'3044', u'3036', u'725', u'2708', u'4544', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'juli', u'1832', u'inch', u'inch', u'lat', u'long', u'noon', u'ene', u'3046', u'3038', u'725', u'2720', u'4622', u'w', u'wnw', u'cgr', u'30', u'22', u'3011', u'2948', u'4750', u'2', u'sew', u'beg', u'30', u'06', u'3020', u'noon', u'c', u'pq', u'30', u'32', u'3013', u'705', u'685', u'3012', u'4803', u'nne', u'3045', u'3035', u'685', u'695', u'3000', u'4818', u'nnw', u'q', u'30', u'39', u'3026', u'665', u'705', u'3137', u'4917', u'b', u'c', u'3038', u'3027', u'695', u'685', u'3316', u'5010', u'3039', u'3025', u'61', u'5', u'610', u'3347', u'5059', u'b', u'c', u'm', u'3033', u'3019', u'615', u'595', u'565', u'3415', u'5217', u'22', u'abl', u'cor', u'3020', u'3005', u'565', u'3459', u'5319', u'og', u'3033', u'3012', u'cape', u'sta', u'maria', u'n42', u'e', u'b', u'e', u'3050', u'3028', u'565', u'f', u'nei5m', u'e', u'b', u'c', u'3050', u'3030', u'3046', u'3028', u'mont', u'video', u'b', u'c', u'3035', u'3023', u'555', u'b', u'c', u'3036', u'3016', u'd', u'ebi', u'r', u'3056', u'3052', u'e', u'b', u'c', u'3060', u'3053', u'535', u'nee', u'b', u'c', u'3056', u'3040', u'augur', u'st', u'n', u'3045', u'3027', u'565', u'585', u'atalaya', u'church', u'nee', u'b', u'c', u'3032', u'3016', u'6i', u'bueno', u'ayr', u'nnw', u'b', u'c', u'3028', u'3014', u'605', u'point', u'india', u'n', u'b', u'e', u'3028', u'3016', u'mont', u'video', u'b', u'c', u'3011', u'3000', u'b', u'c', u'3026', u'3015', u'p', u'3031', u'3020', u'e', u'eog', u'h', u'3030', u'3010', u'545', u'g', u'3010', u'2992', u'sebi', u'e', u'ogm', u'3029', u'3010', u'e', u'col', u'3029', u'ogr', u'3025', u'comp', u'3024', u'8', u'b', u'e', u'm', u'3015', u'3001', u'4', u'pm', u'b', u'e', u'3013', u'2999', u'noon', u'b', u'c', u'3034', u'3014', u'sew', u'cor', u'3028', u'3008', u'q', u'3057', u'3031', u'ssw', u'q', u'3064', u'3038', u'nnw', u'q', u'3052', u'3027', u'525', u'nwbyw', u'bv', u'3053', u'3030', u'545', u'545', u'535', u'35318', u'5652', u'w', u'nnw', u'b', u'e', u'3054', u'3033', u'545', u'560', u'3527', u'5659', u'nwbyn', u'b', u'e', u'3036', u'3019', u'555', u'3623', u'5636', u'thunder', u'lightn', u'earl', u'1', u'n', u'come', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'alt', u'ther', u'temp', u'alrf', u'temp', u'water', u'local', u'augur', u'ix', u'1832', u'noon', u'nne', u'b', u'c', u'b', u'c', u'inch', u'3034', u'3034', u'inch', u'3014', u'3023', u'555', u'lat', u'3708', u'3726', u'long', u'5649', u'w', u'5658', u'25', u'new', u'bern', u'3010', u'3003', u'3810', u'5725', u'6', u'noon', u'6', u'pm', u'4', u'nee', u'n', u'e', u'ene', u'ssw', u'bcm', u'tl', u'gm', u'roc', u'mr', u'gocqr', u'3008', u'3000', u'2987', u'2988', u'2991', u'2988', u'2969', u'2968', u'3828', u'5758', u'noon', u'b', u'c', u'3010', u'2981', u'3836', u'5713', u'8', u'pm', u'bcq', u'3024', u'2996', u'noon', u'ene', u'gom', u'3043', u'3014', u'525', u'3827', u'57', u'54', u'abl', u'cor', u'3030', u'3008', u'525', u'3836', u'5757', u'4', u'noon', u'ogr', u'gin', u'3011', u'2995', u'525', u'3836', u'5758', u'8', u'pm', u'noon', u'sew', u'ogr', u'bcq', u'3004', u'3018', u'2984', u'2996', u'3839', u'5842', u'sept', u'ember', u'noon', u'2', u'noon', u'10', u'pm', u'noon', u'sew', u'nbyw', u'new', u'se', u'e', u'nee', u'b', u'c', u'b', u'c', u'bcq', u'ogm', u'og', u'og', u'3052', u'3050', u'3032', u'3027', u'3043', u'3072', u'3055', u'3027', u'3027', u'3012', u'3008', u'3017', u'3042', u'3030', u'515', u'3844', u'3851', u'3853', u'3910', u'3912', u'5835', u'5913', u'6010', u'61', u'00', u'6112', u'og', u'3030', u'3010', u'515', u'blanc', u'bay', u'ess', u'ogm', u'3017', u'2997', u'515', u'525', u'blanc', u'bay', u'w', u'b', u'c', u'3002', u'2984', u'525', u'w', u'ogp', u'3013', u'2994', u'505', u'515', u'3023', u'3000', u'525', u'new', u'ogq', u'3028', u'3009', u'525', u'eg', u'3029', u'3009', u'se', u'b', u'3047', u'3026', u'545', u'525', u'sew', u'b', u'c', u'c', u'3035', u'3030', u'3020', u'3011', u'525', u'b', u'v', u'3052', u'3037', u'545', u'525', u'n', u'3060', u'3038', u'wnw', u'3044', u'3024', u'615', u'525', u'54', u'5', u'new', u'b', u'e', u'm', u'3018', u'3008', u'545', u'565', u'n', u'b', u'c', u'3007', u'2996', u'wsw', u'bcq', u'3008', u'3003', u'565', u'ssw', u'og', u'3026', u'3010', u'abstract', u'meteorolog', u'journal', u'day', u'sept', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'mber1832', u'noon', u'swli', u'bv', u'inch', u'3044', u'inch', u'3026', u'565', u'565', u'lat', u'longer', u'blanc', u'bay', u'nne', u'bcq', u'3032', u'3015', u'615', u'6', u'noon', u'6', u'pm', u'ssw', u'w', u'og', u'bcq', u'3010', u'3008', u'2990', u'2999', u'2996', u'595', u'565', u'565', u'noon', u'new', u'c', u'3027', u'3011', u'w', u'new', u'3025', u'3003', u'3012', u'2990', u'565', u'565', u'e', u'b', u'com', u'3046', u'3024', u'nee', u'3048', u'3021', u'545', u'blanc', u'bay', u'octo', u'er', u'noon', u'qrlt', u'3009', u'2985', u'545', u'2', u'pm', u'midst', u'noon', u'6', u'noon', u'veie', u'nwb', u'w', u'swbvv', u'sse', u'se', u'beg', u'cm', u'1', u'm', u'd', u'r', u'oq', u'bcq', u'2990', u'2986', u'2999', u'3044', u'3061', u'2972', u'2974', u'2977', u'3022', u'3026', u'585', u'565', u'535', u'point', u'hermosa', u'nnw', u'bcq', u'2995', u'2989', u'545', u'abl', u'b', u'c', u'v', u'3016', u'3000', u'565', u'545', u'565', u'6', u'new', u'b', u'c', u'm', u'2994', u'2980', u'6', u'pm', u'belt', u'2977', u'2967', u'blanc', u'bay', u'noon', u'w', u'3002', u'2993', u'625', u'575', u'ssw', u'b', u'e', u'3056', u'3038', u'575', u'6', u'noon', u'n', u'ene', u'w', u'b', u'n', u'sse', u'b', u'w', u'bcq', u'b', u'c', u'b', u'c', u'b', u'c', u'v', u'bcq', u'bcq', u'b', u'c', u'b', u'v', u'3041', u'2997', u'2999', u'3006', u'3016', u'3057', u'3070', u'3029', u'2982', u'2990', u'2992', u'3008', u'3034', u'3044', u'3051', u'3045', u'595', u'515', u'565', u'n', u'v', u'3032', u'3034', u'615', u'wnw', u'b', u'c', u'3026', u'3025', u'575', u'blanc', u'bay', u'eb', u'n', u'b', u'c', u'3016', u'3017', u'585', u'mount', u'hermosa', u'n', u'b', u'c', u'3014', u'3016', u'555', u'39', u'34', u'5937', u'4', u'pm', u'nebe', u'nee', u'eogq', u'ogrtl', u'3003', u'2998', u'3003', u'2996', u'57', u'555', u'3920', u'5902', u'noon', u'e', u'og', u'2988', u'2989', u'555', u'525', u'3949', u'5824', u'new', u'f', u'3018', u'3013', u'525', u'3851', u'5710', u'nee', u'c', u'm', u'3022', u'3016', u'565', u'3b11', u'5656', u'25th', u'bptr', u'wa', u'much', u'lightn', u'earli', u'n', u'moi', u'inland', u'late', u'night', u'abstract', u'meteorolog', u'journal', u'day', u'octo', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'ser', u'1832', u'585', u'lat', u'longer', u'noon', u'b', u'e', u'bv', u'3019', u'3018', u'3618', u'5622', u'ess', u'c', u'30', u'36', u'3036', u'585', u'615', u'mont', u'video', u'3021', u'3025', u'615', u'3003', u'3011', u'wsw', u'b', u'c', u'q', u'r', u'3005', u'3007', u'565', u'b', u'v', u'm', u'3008', u'3010', u'625', u'nove', u'meer', u'nnw', u'b', u'c', u'v', u'3015', u'3020', u'645', u'3522', u'ptpiedra', u'noon', u'w', u'b', u'n', u'3005', u'3013', u'675', u'685', u'3547', u'offensenada', u'3002', u'3005', u'bueno', u'ayr', u'6', u'pm', u'nne', u'ogrqlt', u'3000', u'3006', u'655', u'2', u'ene', u'grl', u'3000', u'3004', u'noon', u'nee', u'cgq', u'3001', u'3008', u'c', u'2995', u'3006', u'715', u'695', u'b', u'c', u'v', u'2991', u'3004', u'6', u'ene', u'cgq', u'2986', u'2995', u'midst', u'vale', u'g', u'r', u'1', u'2976', u'2986', u'665', u'noon', u'w', u'n', u'w', u'eg', u'2978', u'2994', u'n', u'wbw', u'2981', u'2995', u'sew', u'2995', u'3012', u'725', u'6', u'pm', u'ogqrl', u'2992', u'3007', u'noon', u'ssw', u'beg', u'2928', u'3030', u'se', u'2937', u'3038', u'565', u'675', u'3441', u'5745', u'nee', u'b', u'n', u'2938', u'3044', u'685', u'3445', u'5728', u'e', u'2941', u'3045', u'645', u'645', u'3508', u'5635', u'6', u'pm', u'vale', u'b', u'c', u'q', u'3033', u'3034', u'635', u'4', u'noon', u'3020', u'3028', u'645', u'mont', u'video', u'ess', u'3003', u'3016', u'685', u'sew', u'3002', u'3009', u'cgq', u'3004', u'3005', u'575', u'ssw', u'2999', u'3004', u'635', u'sse', u'2990', u'3005', u'seb', u'e', u'2998', u'3012', u'b', u'c', u'v', u'3015', u'3028', u'675', u'se', u'b', u'e', u'v', u'3025', u'3031', u'675', u'b', u'c', u'v', u'3014', u'3028', u'685', u'2', u'pm', u'e', u'b', u'c', u'v', u'3003', u'3022', u'735', u'noon', u'nwb', u'n', u'2990', u'3019', u'sew', u'2970', u'2998', u'midst', u'se', u'ogql', u'2962', u'3000', u'noon', u'og', u'2990', u'3000', u'midst', u'b', u'e', u'q', u'1', u'3000', u'3009', u'noon', u'se', u'b', u'e', u'b', u'e', u'v', u'3010', u'3018', u'645', u'3452', u'e', u'b', u'c', u'v', u'3022', u'3035', u'3525', u'5608', u'n', u'bv', u'3009', u'3018', u'615', u'3742', u'5618', u'dee', u'mere', u'noon', u'nnw', u'2994', u'3004', u'3920', u'5810', u'midst', u'oegql', u'2978', u'2992', u'noon', u'se', u'b', u'e', u'q', u'2987', u'2996', u'605', u'4003', u'5943', u'b', u'w', u'bv', u'2992', u'3004', u'645', u'4022', u'6148', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'de', u'mber1832', u'noon', u'wnvv', u'b', u'c', u'v', u'inch', u'inch', u'3000', u'645', u'lat', u'longer', u'4048', u'6206', u'b', u'w', u'2970', u'2981', u'636', u'625', u'4216', u'6126', u'wsw', u'2967', u'2973', u'615', u'4254', u'6120', u'abl', u'b', u'c', u'v', u'2972', u'2980', u'605', u'4334', u'6', u'122', u'vv', u'b', u'n', u'born', u'2988', u'2992', u'585', u'4452', u'6201', u'w', u'2968', u'2982', u'605', u'565', u'4617', u'6322', u'new', u'29', u'52', u'2953', u'4821', u'6402', u'swbw', u'b', u'e', u'm', u'q', u'2912', u'2905', u'525', u'495', u'5103', u'6505', u'midst', u'noon', u'wsw', u'b', u'c', u'q', u'2941', u'29', u'59', u'2930', u'2948', u'465', u'5036', u'6528', u'3', u'b', u'w', u'b', u'e', u'q', u'2992', u'2979', u'5032', u'6548', u'sew', u'2940', u'2940', u'505', u'5158', u'6653', u'i6', u'abl', u'new', u'b', u'm', u'b', u'e', u'q', u'2951', u'2962', u'2918', u'2947', u'2965', u'2910', u'455', u'485', u'5301', u'6718', u'5347', u'cape', u'peiia', u's22e3m', u'5434', u'cape', u'san', u'vincent', u'midst', u'noon', u'se', u'cog', u'q', u'b', u'c', u'g', u'2928', u'2950', u'2932', u'2936', u'475', u'465', u'good', u'success', u'bay', u'sew', u'b', u'e', u'q', u'2992', u'2984', u'535', u'515', u'w', u'se', u'2981', u'2999', u'2975', u'2991', u'485', u'offvalen', u'55', u'tyn', u'bay', u'new', u'2986', u'2977', u'485', u'5551', u'10', u'pm', u'noon', u'midst', u'noon', u'w', u'sew', u'w', u'wsw', u'begrq', u'ogqr', u'beg', u'q', u'cgq', u'e', u'm', u'cgq', u'2972', u'2966', u'2970', u'2971', u'2948', u'2959', u'2972', u'2994', u'2962', u'2954', u'2960', u'2962', u'2946', u'2949', u'2959', u'2981', u'475', u'465', u'455', u'465', u'475', u'465', u'5627', u'6800', u'san', u'martin', u'cove', u'ogqp', u'2956', u'2947', u'485', u'475', u'4', u'oq', u'2934', u'2922', u'455', u'noon', u'od', u'2965', u'2953', u'475', u'w', u'cog', u'2950', u'2941', u'485', u'cape', u'spencer', u'n5', u'm', u'sand', u'abi', u'1833', u'abl', u'c', u'q', u'2952', u'2938', u'diego', u'ramirez', u'w', u'q', u'2930', u'2920', u'sew', u'ocg', u'2932', u'2916', u'435', u'5703', u'6916', u'w', u'c', u'2938', u'2923', u'435', u'5648', u'6932', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'januari', u'1833', u'inch', u'inch', u'lat', u'longer', u'noon', u'w', u'b', u'c', u'q', u'p', u'29', u'56', u'2941', u'455', u'485', u'5622', u'6934', u'cgq', u'2980', u'2964', u'455', u'5615', u'6923', u'wnw', u'com', u'2944', u'2932', u'455', u'465', u'5642', u'7057', u'midst', u'b', u'c', u'q', u'p', u'2926', u'2912', u'2', u'nee', u'c', u'gq', u'hp', u'2925', u'2907', u'noon', u'wnw', u'bcq', u'2941', u'2926', u'455', u'445', u'5706', u'7131', u'6', u'aji', u'c', u'qg', u'2946', u'2928', u'noon', u'2956', u'2936', u'455', u'445', u'5718', u'7107', u'8', u'new', u'gq', u'2923', u'2908', u'noon', u'm', u'q', u'2938', u'2925', u'5637', u'7109', u'4', u'pm', u'w', u'b', u'b', u'e', u'q', u'29', u'44', u'2929', u'445', u'455', u'noon', u'w', u'b', u'c', u'q', u'p', u'29', u'44', u'2926', u'455', u'5547', u'7008', u'midst', u'vv', u'b', u'q', u'p', u'29', u'58', u'2943', u'435', u'2', u'bcq', u'2958', u'2942', u'4', u'bcq', u'2958', u'2942', u'445', u'6', u'ogr', u'2957', u'2940', u'8', u'ogqr', u'2952', u'2937', u'10', u'c', u'ogq', u'2949', u'2929', u'475', u'noon', u'e', u'r', u'g', u'u', u'2944', u'2926', u'5609', u'6920', u'2', u'pm', u'new', u'c', u'q', u'r', u'2932', u'2914', u'465', u'4', u'c', u'q', u'r', u'2926', u'2914', u'465', u'6', u'co', u'q', u'r', u'2926', u'2910', u'8', u'c', u'q', u'r', u'2923', u'2904', u'10', u'bcq', u'2916', u'2904', u'midst', u'b', u'e', u'q', u'2916', u'2904', u'2', u'ogqhr', u'2914', u'2900', u'4', u'1', u'1', u'ogqp', u'2914', u'2898', u'6', u'wsw', u'ogqp', u'2917', u'2891', u'8', u'opgq', u'2920', u'2goo', u'10', u'c', u'g', u'q', u'r', u'2925', u'2904', u'noon', u'ocgqp', u'2930', u'2914', u'5620', u'6910', u'2', u'pm', u'b', u'c', u'p', u'2937', u'2914', u'4', u'b', u'c', u'pq', u'h', u'2940', u'2924', u'475', u'6', u'b', u'c', u'qp', u'h', u'2940', u'2928', u'8', u'sew', u'bcq', u'2940', u'2920', u'4', u'n', u'b', u'e', u'2906', u'2897', u'455', u'8', u'wsw', u'b', u'e', u'q', u'2893', u'2889', u'525', u'noon', u'bcq', u'2889', u'2890', u'535', u'485', u'windhond', u'bay', u'4', u'pm', u'sew', u'b', u'e', u'q', u'p', u'2914', u'2912', u'485', u'8', u'b', u'c', u'q', u'1', u'2934', u'2924', u'noon', u'b', u'c', u'q', u'p', u'2974', u'2966', u'505', u'485', u'goree', u'road', u'i6', u'nwb', u'w', u'2978', u'2974', u'565', u'515', u'sew', u'b', u'c', u'q', u'p', u'3006', u'2996', u'465', u'i8', u'2957', u'2954', u'49', u'5', u'2960', u'475', u'485', u'495', u'bcq', u'2987', u'455', u'sew', u'c', u'm', u'p', u'2984', u'535', u'515', u'505', u'n', u'n', u'w', u'2974', u'635', u'sew', u'2950', u'605', u'505', u'abstract', u'meteorolog', u'journal', u'day', u'janu', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'ibi', u'1833', u'inch', u'inch', u'lat', u'longer', u'noon', u'c', u'm', u'qd', u'2970', u'525', u'505', u'goree', u'road', u'new', u'b', u'c', u'p', u'2980', u'525', u'505', u'505', u'515', u'sew', u'3018', u'new', u'3015', u'625', u'555', u'se', u'3000', u'595', u'535', u'555', u'n', u'e', u'q', u'2988', u'535', u'55', u'5', u'c', u'm', u'2952', u'595', u'535', u'555', u'new', u'2952', u'595', u'fear', u'babi', u'noon', u'ssw', u'eg', u'r', u'2946', u'525', u'525', u'new', u'b', u'c', u'q', u'2933', u'525', u'2917', u'57', u'5', u'ssw', u'2944', u'515', u'505', u'515', u'b', u'c', u'r', u'2957', u'515', u'nne', u'cgr', u'2935', u'515', u'495', u'515', u'w', u'q', u'2938', u'615', u'595', u'515', u'sew', u'bcp', u'2940', u'2936', u'485', u'515', u'eq', u'2944', u'525', u'495', u'505', u'new', u'ogr', u'2917', u'2918', u'505', u'windhond', u'bay', u'sew', u'b', u'c', u'q', u'2909', u'2907', u'485', u'495', u'nassau', u'bay', u'b', u'w', u'b', u'c', u'q', u'2938', u'2934', u'packsaddl', u'bay', u'n', u'b', u'e', u'2963', u'2962', u'525', u'505', u'abl', u'2962', u'2962', u'535', u'515', u'c', u'm', u'p', u'd', u'2950', u'2946', u'505', u'eg', u'2973', u'2968', u'495', u'475', u'505', u'nee', u'beg', u'2998', u'2994', u'505', u'505', u'8', u'abl', u'b', u'c', u'2967', u'2959', u'bretton', u'bay', u'4', u'pm', u'ssw', u'boo', u'2976', u'2976', u'515', u'noon', u'w', u'b', u'n', u'2980', u'2981', u'565', u'535', u'w', u'b', u'c', u'qp', u'2962', u'2955', u'435', u'495', u'2', u'sew', u'q', u'ph', u'9960', u'2957', u'385', u'noon', u'b', u'c', u'qp', u'2958', u'2958', u'495', u'slander', u'bay', u'bcp', u'2955', u'2956', u'535', u'495', u'505', u'good', u'success', u'bay', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'februari', u'1833', u'inch', u'inch', u'lat', u'long', u'w', u'noon', u'wsw', u'ogp', u'2948', u'2946', u'505', u'good', u'success', u'bay', u'eg', u'2950', u'2950', u'505', u'ssw', u'b', u'c', u'q', u'2922', u'2923', u'525', u'505', u'2936', u'2927', u'5415', u'6427', u'2', u'pm', u'2975', u'2970', u'5318', u'6320', u'noon', u'wb', u'b', u'c', u'q', u'p', u'2931', u'2920', u'465', u'5320', u'5834', u'march', u'j', u'ssw', u'boo', u'2946', u'2945', u'berkeley', u'sound', u'b', u'w', u'c', u'q', u'p', u'2919', u'2916', u'475', u'505', u'w', u'b', u'cgq', u'2919', u'2922', u'535', u'w', u'2956', u'2961', u'505', u'b', u'c', u'q', u'2957', u'2960', u'sew', u'b', u'e', u'q', u'2995', u'2993', u'485', u'465', u'495', u'w', u'cgq', u'2981', u'2981', u'515', u'485', u'495', u'6', u'se', u'b', u'e', u'c', u'r', u'2901', u'2900', u'435', u'noon', u'sse', u'cqm', u'r', u'2918', u'2915', u'435', u'q', u'p', u'2951', u'2955', u'8', u'wb', u'q', u'p', u'2884', u'2885', u'noon', u'ssw', u'b', u'c', u'q', u'p', u'2900', u'2886', u'6', u'pm', u'b', u'c', u'q', u'h', u'2909', u'2906', u'375', u'noon', u'w', u'eq', u'2958', u'2956', u'465', u'475', u'swb', u'2965', u'2964', u'515', u'485', u'475', u'n', u'2979', u'2976', u'625', u'505', u'485', u'wbn', u'cgq', u'2913', u'2922', u'575', u'495', u'2910', u'2922', u'505', u'6', u'wsw', u'bv', u'2956', u'2954', u'425', u'noon', u'wb', u'b', u'e', u'q', u'2949', u'2954', u'495', u'6', u'pm', u'q', u'2952', u'2956', u'505', u'noon', u'wsw', u'2971', u'2976', u'555', u'525', u'49', u'5', u'i3', u'2', u'ctlr', u'noon', u'nwb', u'k', u'bcm', u'q', u'2901', u'2906', u'535', u'515', u'495', u'w', u'b', u'2916', u'2916', u'505', u'49', u'5', u'midst', u'2864', u'2872', u'2', u'ssw', u'b', u'c', u'q', u'r', u'd', u'2886', u'2886', u'noon', u'sew', u'b', u'c', u'q', u'2926', u'2921', u'435', u'485', u'2958', u'2955', u'475', u'455', u'486', u'49', u'5', u'e', u'b', u'e', u'gr', u'2974', u'2971', u'ssw', u'beg', u'2996', u'2993', u'475', u'w', u'3015', u'3015', u'n', u'wb', u'eg', u'b', u'c', u'q', u'2941', u'2975', u'2943', u'485', u'sse', u'2948', u'2948', u'445', u'475', u'wb', u'2946', u'2945', u'455', u'475', u'b', u'cp', u'2938', u'2939', u'485', u'475', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'march', u'1833', u'inclin', u'inch', u'lat', u'longer', u'30', u'noon', u'wsw', u'bcqh', u'2932', u'2928', u'435', u'465', u'berkeley', u'sound', u'swb', u'w', u'b', u'c', u'q', u'2940', u'2927', u'405', u'465', u'april', u'noon', u'sew', u'29', u'95', u'2982', u'w', u'b', u'3000', u'29', u'93', u'465', u'2985', u'465', u'465', u'b', u'w', u'ogp', u'h', u'3004', u'2992', u'b', u'e', u'8020', u'3007', u'445', u'b', u'w', u'bcqprh', u'3028', u'3015', u'425', u'nee', u'co', u'q', u'2990', u'5028', u'5910', u'6', u'pm', u'eqt', u'29', u'32', u'2920', u'midst', u'c', u'op', u'r', u'2820', u'2890', u'4', u'se', u'c', u'oq', u'2806', u'2894', u'8', u'co', u'gq', u'2826', u'2848', u'10', u'b', u'cq', u'2829', u'2860', u'noon', u'b', u'cq', u'2873', u'2850', u'4904', u'5955', u'2', u'pm', u'ocq', u'2886', u'2876', u'4', u'oc', u'q', u'2890', u'2874', u'8', u'sew', u'co', u'2960', u'2896', u'noon', u'se', u'b', u'cp', u'3036', u'3024', u'4712', u'6136', u'wsw', u'b', u'c', u'v', u'3062', u'3054', u'485', u'545', u'4515', u'6250', u'1', u'1', u'8', u'ff', u'q', u'3027', u'3017', u'noon', u'nnw', u'3012', u'3002', u'4459', u'6301', u'8', u'pm', u'new', u'29', u'98', u'2994', u'545', u'noon', u'se', u'cop', u'3022', u'3012', u'565', u'57', u'5', u'4301', u'6220', u'abl', u'c', u'3028', u'3022', u'river', u'negro', u'nee', u'3030', u'3022', u'595', u'4108', u'6237', u'3017', u'3014', u'585', u'4116', u'6252', u'abl', u'3041', u'3038', u'4158', u'6433', u'n', u'3023', u'3020', u'595', u'4223', u'6419', u'new', u'3020', u'3018', u'605', u'4146', u'6232', u'2992', u'2996', u'605', u'4119', u'6338', u'midst', u'nwbn', u'bcq', u'2973', u'4', u'cogql', u'2970', u'2965', u'noon', u'swbw', u'b', u'v', u'2976', u'2970', u'605', u'4041', u'6034', u'nnw', u'b', u'c', u'm', u'3003', u'3003', u'6i', u'575', u'3933', u'5815', u'new', u'b', u'c', u'm', u'2972', u'2970', u'585', u'595', u'3749', u'5811', u'w', u'e', u'29', u'94', u'2992', u'585', u'3756', u'5620', u'10', u'nee', u'co', u'g', u'1', u'1', u'r', u'2980', u'2978', u'noon', u'cgr', u'2968', u'2968', u'3656', u'5536', u'2', u'pm', u'nee', u'bee', u'c', u'r', u'p', u'q', u'29', u'56', u'2960', u'615', u'10', u'og', u'tr', u'29', u'56', u'2964', u'4', u'ogl', u'2964', u'2970', u'noon', u'abl', u'c', u'2982', u'2982', u'635', u'3707', u'5527', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'c', u'local', u'april', u'1833', u'inch', u'inch', u'lat', u'longer', u'noon', u'c', u'3021', u'3015', u'mont', u'video', u'615', u'se', u'ocq', u'3034', u'3032', u'575', u'555', u'30', u'45', u'3043', u'maldonado', u'nne', u'cgr', u'3035', u'3037', u'645', u'sse', u'c', u'3019', u'3020', u'635', u'may', u'n', u'3018', u'3021', u'675', u'645', u'655', u'nne', u'beg', u'3012', u'3016', u'675', u'645', u'8', u'n', u'b', u'c', u'1', u'3006', u'3010', u'noon', u'abl', u'b', u'c', u'p', u'3005', u'3012', u'685', u'635', u'mont', u'video', u'6', u'pm', u'cool', u'3005', u'3011', u'645', u'noon', u'n', u'n', u'w', u'2995', u'3002', u'725', u'2990', u'2993', u'n', u'c', u'qr', u'1', u'2978', u'2987', u'645', u'2', u'sse', u'ocqpg', u'2997', u'2997', u'605', u'635', u'noon', u'seb', u'b', u'eg', u'q', u'3029', u'3026', u'b', u'e', u'3048', u'3047', u'586', u'565', u'3044', u'3044', u'b', u'w', u'3032', u'3032', u'wnw', u'beg', u'3033', u'3031', u'585', u'585', u'new', u'3015', u'3014', u'abl', u'3013', u'3019', u'635', u'h', u'nee', u'b', u'e', u'eg', u'3004', u'3005', u'585', u'6', u'pm', u'oe', u'ql', u'299', u'2997', u'615', u'noon', u'nne', u'bcp', u'2948', u'2957', u'655', u'635', u'595', u'6', u'pm', u'nnw', u'c', u'q', u'rl', u'2945', u'2952', u'noon', u'sw', u'b', u'w', u'q', u'2982', u'2979', u'595', u'se', u'b', u'beg', u'3009', u'3007', u'575', u'595', u'sw', u'e', u'3014', u'3012', u'maldonado', u'wsw', u'bv', u'3032', u'3032', u'nnw', u'b', u'e', u'v', u'3032', u'3032', u'625', u'585', u'605', u'n', u'3040', u'3037', u'585', u'605', u'mont', u'video', u'3034', u'3037', u'655', u'605', u'nee', u'b', u'e', u'm', u'3033', u'3039', u'625', u'v', u'3038', u'3042', u'655', u'maldonado', u'n', u'b', u'w', u'b', u'c', u'3029', u'3034', u'705', u'655', u'nnw', u'3019', u'3026', u'705', u'655', u'new', u'30ao', u'3023', u'3017', u'3023', u'675', u'6', u'n', u'c', u'g', u'ir', u'2996', u'3004', u'noon', u'new', u'2', u'eg', u'2993', u'2998', u'6', u'pm', u'wsw', u'cgd', u'2997', u'3003', u'625', u'645', u'noon', u'skbe', u'bcqg', u'3013', u'3015', u'61', u'5', u'abstract', u'meteokolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'may', u'1833', u'inch', u'inch', u'lat', u'longer', u'6', u'pm', u'e', u'q', u'3014', u'3018', u'605', u'maldonado', u'noon', u'eb', u'n', u'c', u'm', u'3017', u'3021', u'june', u'6', u'neb', u'e', u'c', u'm', u'q', u'29', u'94', u'3001', u'noon', u'nee', u'c', u'q', u'w', u'm', u'2990', u'2995', u'6', u'pm', u'nee', u'b', u'n', u'c', u'gr', u'2981', u'2989', u'645', u'6', u'sw', u'b', u'cgqr', u'2994', u'2995', u'585', u'555', u'noon', u'w', u'b', u'w', u'beg', u'3002', u'3003', u'635', u'6', u'pm', u'w', u'b', u'b', u'e', u'3010', u'3010', u'noon', u'w', u'b', u'e', u'3022', u'3024', u'625', u'e', u'eg', u'3022', u'3024', u'595', u'615', u'se', u'bee', u'cgqr', u'2994', u'2995', u'565', u'625', u'sse', u'gq', u'na', u'2984', u'2986', u'595', u'625', u'8', u'pm', u'og', u'qd', u'2988', u'2992', u'noon', u'w', u'b', u'2998', u'605', u'w', u'30', u'06', u'3008', u'595', u'new', u'og', u'2972', u'2974', u'2', u'pm', u'c', u'g', u'2966', u'2968', u'8', u'w', u'b', u'e', u'q', u'2986', u'2984', u'505', u'noon', u'w', u'b', u'b', u'c', u'q', u'2996', u'2994', u'515', u'565', u'4', u'pm', u'wsw', u'ocgq', u'3004', u'3001', u'525', u'1', u'1', u'noon', u'w', u'3032', u'3028', u'565', u'nne', u'2996', u'2996', u'535', u'555', u'midst', u'w', u'bcl', u'3009', u'3003', u'noon', u'sew', u'ben', u'3021', u'3020', u'585', u'565', u'k', u'bv', u'3032', u'3032', u'nne', u'og', u'2990', u'2992', u'sew', u'q', u'3021', u'3021', u'565', u'ess', u'3044', u'3043', u'565', u'new', u'3034', u'3029', u'3025', u'3022', u'3019', u'3020', u'545', u'w', u'b', u'v', u'3032', u'3032', u'545', u'555', u'n', u'b', u'c', u'v', u'3030', u'3031', u'675', u'cop', u'3023', u'3025', u'545', u'n', u'n', u'w', u'3004', u'3008', u'e', u'q', u'p', u'3002', u'3014', u'565', u'n', u'beg', u'2998', u'3002', u'w', u'b', u'n', u'q', u'3016', u'3016', u'545', u'wnw', u'3010', u'3012', u'abl', u'b', u'e', u'q', u'2988', u'2995', u'55', u'5', u'sse', u'og', u'3006', u'3009', u'545', u'juli', u'sse', u'oqg', u'3017', u'3014', u'545', u'b', u'c', u'3033', u'3034', u'535', u'se', u'gc', u'3048', u'3046', u'525', u'10', u'sew', u'r', u'3034', u'3043', u'515', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'mtd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'juli', u'1833', u'noon', u'sw', u'inch', u'3035', u'inch', u'3031', u'525', u'lat', u'longer', u'maldonado', u'8', u'noon', u'se', u'beg', u'ocp', u'3040', u'3027', u'3046', u'3036', u'3027', u'3044', u'og', u'3036', u'3032', u'495', u'475', u'465', u'8', u'noon', u'sew', u'w', u'b', u'wnw', u'ogqd', u'ocg', u'b', u'c', u'v', u'b', u'c', u'v', u'3030', u'3026', u'3044', u'3042', u'3026', u'3022', u'3040', u'3040', u'455', u'475', u'mont', u'video', u'n', u'w', u'b', u'w', u'3029', u'3030', u'505', u'maldonado', u'wnw', u'3016', u'3020', u'495', u'i6', u'6', u'n', u'3010', u'3015', u'i8', u'8', u'noon', u'se', u'sew', u'bcm', u'ef', u'3028', u'3012', u'30', u'32', u'3014', u'575', u'505', u'e', u'bff', u'3025', u'3030', u'505', u'3455', u'5429', u'n', u'3016', u'555', u'3514', u'5317', u'n', u'e', u'bm', u'29', u'97', u'545', u'3456', u'midst', u'noon', u'n', u'nee', u'w', u'n', u'q', u'ql', u'ogqp', u'2982', u'3958', u'2964', u'3002', u'3090', u'3074', u'3068', u'3005', u'545', u'54', u'5', u'525', u'maldonado', u'g', u'd', u'm', u'2995', u'29', u'95', u'515', u'3528', u'6', u'pm', u'noon', u'ssw', u'bq', u'p', u'3004', u'3039', u'3001', u'3039', u'515', u'495', u'3533', u'w', u'b', u'n', u'b', u'c', u'q', u'3034', u'3035', u'465', u'455', u'3557', u'new', u'3029', u'3024', u'445', u'3309', u'w', u'so06', u'3001', u'485', u'3954', u'k', u'b', u'v', u'b', u'c', u'q', u'2988', u'2980', u'485', u'455', u'4055', u'aug', u'8', u'pm', u'noon', u'st', u'b', u'w', u'vie', u'bcq', u'2998', u'3021', u'2989', u'3018', u'455', u'4056', u'noon', u'n', u'w', u'b', u'n', u'q', u'm', u'2986', u'2982', u'485', u'4119', u'w', u'b', u'3010', u'3010', u'535', u'51', u'5', u'4124', u'nee', u'b', u'n', u'3012', u'3011', u'49', u'5', u'river', u'negro', u'new', u'29', u'93', u'29', u'93', u'505', u'3018', u'3012', u'485', u'4102', u'3028', u'3030', u'485', u'4021', u'e', u'b', u'n', u'3025', u'3030', u'475', u'485', u'4008', u'wnw', u'2998', u'3002', u'515', u'4118', u'ocg', u'3008', u'3008', u'4114', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baron', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'aug', u'st', u'1833', u'inch', u'inch', u'lat', u'longer', u'10', u'm', u'sw', u'og', u'3004', u'3001', u'51', u'5', u'port', u'sanantonio', u'noon', u'sse', u'b', u'c', u'3010', u'3010', u'515', u'n', u'w', u'3010', u'3010', u'505', u'41', u'12', u'e', u'b', u'n', u'n', u'n', u'w', u'se', u'b', u'e', u'nw', u'b', u'n', u'b', u'c', u'ogqp', u'ogr', u'c', u'3008', u'2967', u'2972', u'2993', u'3012', u'2965', u'2967', u'2983', u'465', u'485', u'465', u'485', u'river', u'negro', u'4210', u'6300', u'4140', u'6158', u'river', u'negro', u'i7', u'i8', u'8', u'noon', u'ssw', u'n', u'n', u'w', u'n', u'iv', u'nw', u'b', u'w', u'2', u'ogqm', u'ogqp', u'grog', u'q', u'2968', u'2984', u'3007', u'2976', u'2983', u'2994', u'2963', u'2982', u'3003', u'2976', u'2982', u'2990', u'47', u'5', u'495', u'515', u'49', u'5', u'495', u'495', u'4103', u'3954', u'wsw', u'eg', u'2996', u'2995', u'49', u'5', u'39', u'03', u'sam', u'noon', u'b', u'e', u'sw', u'c', u'r', u'b', u'c', u'3000', u'3027', u'3004', u'3026', u'495', u'r', u'stand', u'blaneo', u'bay', u'w', u'beq', u'3015', u'3014', u'blanc', u'bay', u'ssw', u'ess', u'q', u'b', u'c', u'3008', u'3041', u'3011', u'3046', u'485', u'485', u'wnw', u'b', u'c', u'm', u'3010', u'3019', u'sept', u'sober', u'noon', u'nw', u'wnw', u'n', u'wsw', u'b', u'c', u'm', u'm', u'2990', u'2992', u'29', u'97', u'3012', u'2998', u'3008', u'3001', u'3004', u'3018', u'3004', u'635', u'8', u'b', u'v', u'3023', u'3024', u'49', u'5', u'noon', u'w', u'b', u'n', u'bq', u'2997', u'3010', u'sse', u'b', u'e', u'm', u'3037', u'3045', u'515', u'r', u'nwb', u'w', u'beq', u'3022', u'3019', u'505', u'8', u'pm', u'8', u'noon', u'w', u'n', u'w', u'nnw', u'ssw', u'b', u'e', u'bq', u'bq', u'2971', u'2956', u'29', u'94', u'3003', u'2951', u'2998', u'3008', u'505', u'495', u'3911', u'3930', u'affright', u'man', u'inlet', u'4', u'pm', u'b', u'c', u'q', u'm', u'3024', u'3019', u'495', u'noon', u'w', u'b', u'3022', u'4000', u'4', u'n', u'bq', u'29', u'95', u'3004', u'noon', u'n', u'b', u'w', u'eg', u'qra', u'2995', u'29', u'95', u'485', u'495', u'39', u'53', u'4', u'nnw', u'bq', u'2981', u'2987', u'noon', u'2990', u'2996', u'4015', u'n', u'b', u'e', u'e', u'3001', u'3004', u'3003', u'29', u'93', u'525', u'475', u'4012', u'3945', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'onc', u'weather', u'sympr', u'barom', u'ahd', u'temp', u'air', u'temp', u'water', u'local', u'septem', u'uber1833', u'noon', u'ssw', u'ogt', u'inch', u'2969', u'inch', u'2972', u'485', u'lat', u'longer', u'3905', u'midst', u'oc', u'q', u'm', u'29', u'96', u'3006', u'noon', u'b', u'c', u'm', u'3010', u'3017', u'3642', u'ess', u'3012', u'3018', u'535', u'565', u'mont', u'video', u'se', u'b', u'e', u'q', u'3002', u'3012', u'555', u'e', u'q', u'm', u'3004', u'3013', u'545', u'midst', u'4', u'e', u'e', u'se', u'b', u'e', u'cmq', u'r', u'ogqr', u'ogqrm', u'3000', u'2981', u'3000', u'2996', u'2990', u'535', u'535', u'maldonado', u'noon', u'sew', u'b', u'cq', u'2983', u'2996', u'565', u'53', u'5', u'545', u'10', u'nwbn', u'bcq', u'beg', u'b', u'c', u'3004', u'2993', u'2971', u'3015', u'3011', u'2996', u'64', u'555', u'565', u'58', u'mont', u'video', u'2', u'ene', u'bcgl', u'2985', u'3002', u'noon', u'ess', u'cgq', u'2988', u'2993', u'3627', u'ebn', u'b', u'e', u'v', u'3000', u'3007', u'545', u'3629', u'5626', u'b', u'w', u'3012', u'3017', u'505', u'515', u'3737', u'5703', u'nw', u'b', u'3007', u'3011', u'505', u'3805', u'5719', u'sse', u'm', u'3017', u'3021', u'505', u'525', u'3746', u'5658', u'29', u'nee', u'b', u'c', u'3044', u'3049', u'10', u'n', u'b', u'e', u'q', u'3030', u'3036', u'545', u'3614', u'5642', u'octo', u'ber', u'noon', u'nee', u'b', u'c', u'2996', u'3003', u'sanborombon', u'bay', u'4', u'm', u'se', u'c', u'1', u'q', u'2950', u'2966', u'noon', u'eg', u'2965', u'2973', u'575', u'585', u'sse', u'm', u'3006', u'3016', u'575', u'e', u'c', u'q', u'2996', u'3010', u'575', u'mont', u'video', u'sew', u'cgm', u'2982', u'3094', u'575', u'wsw', u'vv', u'2994', u'3000', u'3014', u'3020', u'615', u'575', u'565', u'maldonado', u'e', u'3007', u'3020', u'575', u'jo', u'10', u'pm', u'noon', u'abl', u'se', u'w', u'b', u'w', u'eg', u'ogtl', u'r', u'2972', u'2956', u'2966', u'2988', u'2982', u'2984', u'565', u'575', u'565', u'10', u'e', u'ess', u'oe', u'b', u'e', u'm', u'2996', u'2996', u'2905', u'2914', u'565', u'575', u'585', u'1', u'temperatur', u'water', u'taken', u'9', u'6', u'p', u'liisdat', u'1', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'octo', u'ber1833', u'inch', u'inch', u'lat', u'longer', u'noon', u'r', u'3014', u'2924', u'565', u'maldonado', u'se', u'b', u'c', u'3016', u'2930', u'565', u'e', u'b', u'cq', u'3024', u'2940', u'575', u'8', u'ene', u'b', u'c', u'q', u'3016', u'2930', u'10', u'wnw', u'ogrtl', u'2965', u'2987', u'noon', u'wsw', u'2976', u'2991', u'585', u'545', u'e', u'2990', u'3012', u'655', u'565', u'b', u'w', u'oc', u'2998', u'3016', u'615', u'sse', u'b', u'e', u'3024', u'3036', u'6i', u'10', u'nee', u'b', u'e', u'3019', u'3031', u'615', u'mont', u'video', u'noon', u'wsw', u'b', u'c', u'2991', u'3020', u'635', u'nee', u'b', u'eq', u'3010', u'645', u'ogq', u'2949', u'2980', u'4', u'pm', u'5', u'nw', u'wnw', u'ogql', u'grql', u'2919', u'2958', u'noon', u'ssw', u'b', u'c', u'2972', u'2996', u'ene', u'beg', u'2992', u'3018', u'sw', u'q', u'2954', u'2981', u'b', u'c', u'q', u'2998', u'3010', u'se', u'b', u'c', u'3015', u'3036', u'10', u'ene', u'q', u'3001', u'3021', u'605', u'8', u'pm', u'ene', u'cqp', u'2977', u'2999', u'novemb', u'noon', u'ess', u'cgm', u'2981', u'3001', u'2986', u'3006', u'se', u'3014', u'3027', u'ssw', u'b', u'e', u'm', u'3014', u'3040', u'nne', u'b', u'v', u'2994', u'3024', u'sew', u'b', u'e', u'm', u'2959', u'2994', u'ess', u'c', u'm', u'2987', u'3012', u'e', u'm', u'q', u'p', u'2985', u'3005', u'se', u'b', u'e', u'm', u'2975', u'3002', u'ene', u'b', u'm', u'2980', u'3009', u'se', u'b', u'c', u'v', u'2980', u'3015', u'nee', u'b', u'e', u'm', u'q', u'2970', u'3004', u'10', u'pm', u'c', u'r', u'1', u'1', u'2964', u'3000', u'6', u'nee', u'c', u'r', u'1', u'2951', u'2981', u'noon', u'w', u'b', u'b', u'c', u'q', u'2950', u'2982', u'h', u'e', u'b', u'b', u'e', u'm', u'2977', u'3007', u'j5', u'w', u'b', u'e', u'q', u'm', u'2978', u'3013', u'sw', u'b', u'c', u'm', u'29', u'93', u'3033', u'w', u'b', u'c', u'm', u'2961', u'3008', u'se', u'b', u'c', u'm', u'2987', u'3025', u'9', u'nnw', u'b', u'ra', u'3028', u'3028', u'n', u'b', u'c', u'm', u'3010', u'3016', u'bcmq', u'3029', u'3024', u'se', u'b', u'm', u'3046', u'3040', u'10', u'19th', u'set', u'sympr', u'baro', u'm', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'nove', u'mber1833', u'inch', u'inch', u'lat', u'longer', u'10', u'nnk', u'b', u'c', u'm', u'q', u'3037', u'3037', u'noon', u'b', u'c', u'm', u'3011', u'3023', u'n', u'w', u'b', u'c', u'm', u'q', u'2986', u'3010', u'a6', u'10', u'sew', u'b', u'c', u'ni', u'29', u'90', u'3006', u'midst', u'abl', u'ogqrlt', u'29', u'94', u'3001', u'6', u'e', u'c', u'q', u'r', u'1', u'29', u'98', u'3000', u'mont', u'video', u'noon', u'nne', u'2986', u'3000', u'e', u'se', u'm', u'2994', u'4', u'p', u'm', u'e', u'b', u'ogt', u'p', u'2976', u'2989', u'2', u'sew', u'q', u'rl', u'2982', u'2993', u'noon', u'b', u'c', u'q', u'3005', u'3008', u'de', u'member', u'sse', u'b', u'c', u'm', u'3020', u'3026', u'8', u'n', u'b', u'c', u'm', u'q', u'3015', u'3015', u'noon', u'w', u'b', u'c', u'q', u'2991', u'3004', u'nnw', u'c', u'q', u'm', u'2990', u'3004', u'm', u'3005', u'3009', u'n', u'b', u'm', u'3008', u'3020', u'nw', u'b', u'e', u'm', u'g', u'2999', u'3006', u'w', u'b', u'c', u'm', u'2985', u'3001', u'3528', u'5632', u'2', u'gtl', u'2957', u'2978', u'noon', u'abl', u'm', u'2954', u'2964', u'3646', u'565', u'10', u'pm', u'b', u'e', u'bcgm', u'1', u'2980', u'2970', u'noon', u'se', u'rq', u'2988', u'2974', u'3712', u'5609', u'4', u'c', u'm', u'rl', u'2983', u'2967', u'noon', u'ssw', u'2983', u'2970', u'3710', u'5636', u'4', u'w', u'b', u'n', u'beg', u'2985', u'2974', u'noon', u'3005', u'2985', u'585', u'3756', u'5649', u'w', u'bcm', u'3028', u'3019', u'3749', u'ene', u'3024', u'3015', u'3902', u'5713', u'w', u'bcm', u'2984', u'2974', u'4115', u'5824', u'b', u'e', u'm', u'2992', u'2982', u'4213', u'5838', u'c', u'q', u'2966', u'2946', u'485', u'4327', u'5923', u'b', u'vv', u'2973', u'2953', u'485', u'515', u'4329', u'5928', u'abl', u'b', u'c', u'q', u'3005', u'2983', u'505', u'4331', u'5948', u'w', u'bm', u'3028', u'3000', u'565', u'535', u'4318', u'6000', u'nw', u'b', u'c', u'q', u'3010', u'2990', u'4412', u'6046', u'ess', u'b', u'c', u'q', u'3039', u'3020', u'535', u'4513', u'6252', u'nw', u'bcm', u'3023', u'3005', u'4631', u'6405', u'e', u'bcm', u'3012', u'3003', u'525', u'4738', u'6529', u'sse', u'3012', u'3004', u'port', u'desir', u'nee', u'3013', u'3006', u'615', u'535', u'b', u'c', u'q', u'm', u'2978', u'2973', u'4', u'pm', u'sse', u'b', u'c', u'q', u'm', u'2988', u'2978', u'535', u'noon', u'b', u'c', u'q', u'3019', u'3002', u'535', u'2', u'pm', u'b', u'c', u'q', u'3016', u'3004', u'noon', u'w', u'og', u'3020', u'3010', u'ene', u'3030', u'3013', u'535', u'nne', u'c', u'3017', u'3007', u'535', u'8', u'nee', u'e', u'30', u'00', u'2998', u'0', u'535', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'januari', u'1834', u'inch', u'inch', u'lat', u'latw', u'noon', u'sse', u'ogq', u'3018', u'3000', u'525', u'port', u'desir', u'se', u'b', u'e', u'3040', u'3020', u'525', u'w', u'3062', u'3038', u'nee', u'3015', u'3005', u'n', u'bf', u'2976', u'635', u'515', u'abl', u'b', u'e', u'm', u'2936', u'2952', u'505', u'4837', u'6601', u'sew', u'b', u'e', u'm', u'2981', u'515', u'4846', u'b', u'm', u'2988', u'2988', u'505', u'4817', u'6644', u'w', u'nw', u'b', u'c', u'm', u'q', u'29', u'63', u'29', u'69', u'545', u'port', u'st', u'julian', u'w', u'b', u'n', u'b', u'm', u'q', u'2976', u'2981', u'545', u'port', u'st', u'julian', u'8', u'w', u'bcq', u'2962', u'2962', u'ws', u'w', u'bcq', u'29', u'59', u'2967', u'55', u'5', u'nee', u'b', u'c', u'm', u'2986', u'2983', u'565', u'nw', u'c', u'q', u'm', u'2954', u'29', u'51', u'8', u'pm', u'se', u'cm', u'qp', u'1', u'1', u'2964', u'29', u'65', u'non', u'e', u'b', u'c', u'qm', u'2976', u'2976', u'b', u'w', u'c', u'p', u'2972', u'2970', u'4', u'pm', u'bcq', u'2956', u'29', u'56', u'i6', u'noon', u'c', u'q', u'm', u'p', u'2992', u'2982', u'k', u'e', u'm', u'29', u'96', u'2988', u'61', u'5', u'i8', u'nne', u'mr', u'q', u'2990', u'2976', u'545', u'se', u'c', u'oq', u'3002', u'2985', u'525', u'515', u'ess', u'2988', u'2978', u'525', u'545', u'port', u'desir', u'10', u'wnw', u'b', u'c', u'29', u'93', u'2988', u'port', u'desir', u'noon', u'w', u'b', u'c', u'q', u'm', u'2976', u'2980', u'555', u'w', u'b', u'n', u'2952', u'2955', u'4820', u'midst', u'w', u'b', u'b', u'c', u'm', u'q', u'noon', u'w', u'3004', u'29', u'94', u'525', u'535', u'4937', u'6603', u'nnw', u'2971', u'51', u'5', u'525', u'5116', u'6719', u'n', u'2940', u'29', u'44', u'655', u'10', u'pm', u'sew', u'7', u'cgqp', u'29', u'37', u'2930', u'noon', u'wnw', u'bcq', u'2942', u'29', u'35', u'possess', u'bay', u'4', u'pm', u'wsw', u'bcq', u'29', u'50', u'2946', u'10', u'bcq', u'2976', u'2966', u'525', u'first', u'narrow', u'noon', u'b', u'w', u'bcq', u'2980', u'2970', u'525', u'wsw', u'bcq', u'2964', u'2948', u'525', u'6', u'pm', u'sew', u'8', u'bcq', u'2968', u'2960', u'gregori', u'bay', u'noon', u'wsw', u'bcq', u'2982', u'2970', u'505', u'49', u'5', u'second', u'narrow', u'e', u'b', u'b', u'c', u'm', u'2964', u'505', u'shoal', u'harbour', u'farm', u'mari', u'noon', u'nw', u'c', u'2988', u'2980', u'57', u'5', u'495', u'505', u'cape', u'negro', u'n', u'b', u'c', u'm', u'2976', u'515', u'port', u'famin', u'24', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'au', u'temp', u'water', u'local', u'fbebuabi', u'1834', u'inch', u'inch', u'lat', u'lodgw', u'noon', u'n', u'ogp', u'2961', u'2951', u'495', u'485', u'port', u'famin', u'4', u'wsw', u'b', u'c', u'q', u'29', u'54', u'2944', u'c', u'm', u'p', u'2968', u'2963', u'51', u'485', u'ssw', u'b', u'c', u'q', u'3017', u'3004', u'535', u'525', u'495', u'475', u'n', u'30', u'34', u'3025', u'495', u'515', u'505', u'ene', u'c', u'm', u'r', u'2998', u'2988', u'515', u'495', u'n', u'b', u'c', u'm', u'p', u'29', u'93', u'2984', u'485', u'se', u'3016', u'3004', u'535', u'515', u'505', u'b', u'e', u'm', u'3001', u'2996', u'515', u'515', u'505', u'la', u'29', u'94', u'2984', u'575', u'530', u'635', u'525', u'second', u'narrow', u'sew', u'q', u'2997', u'2988', u'first', u'narrow', u'535', u'n', u'b', u'e', u'b', u'c', u'm', u'3oi3', u'3004', u'5233', u'nee', u'b', u'c', u'm', u'29', u'52', u'2948', u'575', u'565', u'5233', u'4', u'pm', u'nw', u'ogqrtl', u'2950', u'2950', u'525', u'525', u'i6', u'noon', u'nne', u'2946', u'2938', u'545', u'5247', u'midst', u'sew', u'b', u'e', u'q', u'2960', u'2952', u'535', u'noon', u'c', u'q', u'2962', u'2954', u'535', u'san', u'sebastian', u'bay', u'10', u'pm', u'n', u'n', u'w', u'beg', u'2920', u'2932', u'535', u'535', u'i8', u'noon', u'w', u'b', u'2924', u'2936', u'535', u'525', u'515', u'nne', u'2941', u'2930', u'535', u'515', u'495', u'5401', u'sse', u'bcq', u'2990', u'2969', u'495', u'505', u'q', u'3004', u'2988', u'495', u'san', u'vicent', u'bay', u'temperatur', u'water', u'taken', u'th', u'sat', u'8', u'aj', u'130', u'nd', u'7', u'pm', u'1', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'feeruaby1834', u'inch', u'inch', u'lat', u'long', u'w', u'noon', u'ssw', u'b', u'c', u'q', u'p', u'3023', u'3001', u'455', u'475', u'465', u'strait', u'le', u'mair', u'kew', u'c', u'3016', u'3002', u'465', u'506', u'n', u'n', u'w', u'b', u'c', u'p', u'2986', u'2972', u'60', u'5', u'505', u'wsw', u'ocqp', u'2985', u'495', u'495', u'otfwollaston', u'island', u'midst', u'sw', u'c', u'q', u'r', u'2956', u'2951', u'noon', u'cqp', u'2960', u'2949', u'485', u'b', u'c', u'qp', u'2986', u'2970', u'495', u'49', u'abl', u'c', u'd', u'3000', u'2990', u'505', u'march', u'noon', u'wsw', u'2990', u'2983', u'50', u'r', u'cove', u'beagl', u'l', u'channel', u'505', u'abl', u'b', u'c', u'm', u'2957', u'2952', u'525', u'485', u'beagl', u'channel', u'sew', u'2950', u'2930', u'485', u'475', u'w', u'4', u'2952', u'2938', u'495', u'60', u'5', u'nvv', u'b', u'c', u'v', u'2972', u'2966', u'476', u'woolli', u'c', u'q', u'2952', u'2950', u'585', u'515', u'se', u'ocqp', u'3016', u'2996', u'435', u'485', u'485', u'465', u'8', u'nw', u'c', u'3018', u'3001', u'445', u'465', u'5426', u'swb', u'bm', u'2982', u'2970', u'5253', u'5917', u'8', u'pm', u'sw', u'm', u'q', u'29', u'85', u'2964', u'2', u'b', u'c', u'q', u'2980', u'2958', u'486', u'noon', u'sw', u'bw', u'2976', u'2963', u'505', u'505', u'berkeley', u'sound', u'sbw', u'b', u'e', u'q', u'2970', u'2960', u'515', u'515', u'compar', u'water', u'thermomet', u're', u'enter', u'ditto', u'feb', u'mar', u'28th', u'nc', u'ch', u'1st', u'n', u'ret', u'rl', u'555', u'wet', u'545', u'585', u'wet', u'75', u'8th', u'1', u'march', u'temperatur', u'water', u'taken', u'9', u'130', u'6', u'pm', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attic', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'march', u'1834', u'inch', u'inch', u'lat', u'longer', u'515', u'noon', u'wbn', u'b', u'c', u'ni', u'q', u'29', u'62', u'2957', u'525', u'515', u'515', u'berkeley', u'sound', u'w', u'b', u'c', u'2946', u'2946', u'605', u'525', u'515', u'port', u'loui', u'6', u'pm', u'ssw', u'c', u'm', u'q', u'r', u'29', u'2940', u'noon', u'w', u'q', u'p', u'29', u'si', u'2970', u'465', u'505', u'505', u'w', u'b', u'c', u'm', u'q', u'r', u'2944', u'2935', u'485', u'505', u'i6', u'b', u'c', u'q', u'2963', u'2952', u'495', u'ssw', u'q', u'p', u'2966', u'2950', u'415', u'475', u'i8', u'c', u'm', u'1', u'q', u'2968', u'2954', u'ssw', u'e', u'qp', u'2962', u'6', u'w', u'n', u'w', u'e', u'm', u'q', u'r', u'29', u'57', u'2946', u'noon', u'b', u'w', u'b', u'c', u'q', u'2959', u'2947', u'475', u'6', u'pm', u'ssw', u'b', u'eq', u'2964', u'2951', u'465', u'6', u'sw', u'b', u'e', u'q', u'p', u'2957', u'2943', u'455', u'noon', u'ssw', u'b', u'e', u'q', u'2959', u'2945', u'425', u'6', u'pm', u'b', u'w', u'b', u'c', u'q', u'p', u'2964', u'2947', u'455', u'6', u'c', u'qp', u'2997', u'2983', u'noon', u'sse', u'b', u'c', u'q', u'3016', u'2999', u'435', u'455', u'w', u'b', u'beg', u'3035', u'3023', u'445', u'465', u'nw', u'bw', u'e', u'm', u'3016', u'3005', u'465', u'nnw', u'eg', u'2998', u'2990', u'e', u'beg', u'2992', u'2984', u'475', u'475', u'475', u'ke', u'eg', u'2997', u'2992', u'475', u'wsw', u'2994', u'2985', u'ny', u'beg', u'3003', u'2993', u'465', u'ssw', u'2966', u'2960', u'505', u'485', u'1', u'2980', u'2970', u'505', u'485', u'april', u'noon', u'nw', u'bw', u'beg', u'2974', u'2965', u'515', u'495', u'47', u'5', u'485', u'6', u'knw', u'c', u'q', u'r', u'2915', u'2909', u'485', u'475', u'noon', u'w', u'bcqp', u'2906', u'2897', u'445', u'475', u'9', u'pm', u'sew', u'e', u'r', u'2890', u'2884', u'435', u'6', u'sb', u'w', u'c', u'q', u'r', u'2935', u'2905', u'425', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'april', u'1834', u'inch', u'inch', u'lat', u'longer', u'noon', u'w', u'c', u'q', u'p', u'29', u'52', u'2937', u'395', u'465', u'455', u'6', u'pm', u'b', u'w', u'cqp', u'2958', u'2949', u'port', u'loui', u'6', u'eg', u'2993', u'2967', u'365', u'435', u'noon', u'ssw', u'eg', u'q', u'29', u'93', u'2973', u'415', u'395', u'445', u'6', u'pm', u'b', u'w', u'b', u'c', u'q', u'g', u'29', u'98', u'2982', u'6', u'sw', u'cq', u'3007', u'2990', u'noon', u'w', u'cq', u'3008', u'2995', u'455', u'455', u'midst', u'sw', u'oc', u'3009', u'2998', u'noon', u'vvnw', u'ocg', u'2986', u'2974', u'berkeley', u'sound', u'475', u'6', u'w', u'bf', u'2950', u'2938', u'465', u'noon', u'wsw', u'b', u'c', u'm', u'2955', u'2955', u'475', u'6', u'sw', u'b', u'c', u'q', u'2986', u'2970', u'noon', u'ssw', u'b', u'c', u'q', u'p', u'3003', u'2983', u'445', u'455', u'5002', u'5808', u'nnw', u'b', u'c', u'3015', u'2998', u'4914', u'5955', u'nw', u'b', u'c', u'q', u'2949', u'2938', u'475', u'475', u'5006', u'6329', u'w', u'sew', u'2977', u'2967', u'475', u'475', u'5010', u'6409', u'wnw', u'b', u'c', u'm', u'29s9', u'2998', u'475', u'4946', u'6505', u'10', u'n', u'b', u'e', u'q', u'2954', u'2950', u'noon', u'b', u'c', u'q', u'2967', u'2960', u'495', u'river', u'midst', u'n', u'n', u'w', u'bq', u'2968', u'2972', u'santa', u'cruz', u'noon', u'w', u'2968', u'2969', u'495', u'485', u'475', u'wb', u'eg', u'2977', u'2977', u'58', u'485', u'i6', u'3016', u'3002', u'475', u'475', u'485', u'485', u'475', u'b', u'e', u'id', u'2983', u'2977', u'475', u'sse', u'b', u'c', u'q', u'3003', u'2992', u'465', u'beg', u'3034', u'3019', u'465', u'455', u'n', u'n', u'w', u'b', u'c', u'm', u'3033', u'3022', u'475', u'465', u'b', u'cnn', u'3033', u'3021', u'465', u'abl', u'bcq', u'3009', u'3007', u'595', u'485', u'485', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'1', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'inch', u'inch', u'lat', u'longer', u'april', u'1834', u'48', u's3', u'noon', u'wsw', u'q', u'30n', u'3002', u'555', u'485', u'47', u'5', u'santa', u'cruz', u'river', u'w', u'3012', u'3004', u'475', u'465', u'w', u'b', u'n', u'b', u'c', u'm', u'3009', u'3003', u'55i', u'435', u'485', u'465', u'nnw', u'3000', u'29', u'93', u'485', u'465', u'w', u'eg', u'29', u'9', u'3', u'2989', u'b', u'm', u'2962', u'2966', u'575', u'535', u'485', u'w', u'b', u'n', u'beq', u'29', u'55', u'2952', u'475', u'455', u'swbw', u'q', u'29', u'45', u'2939', u'525', u'may', u'nw', u'2936', u'2933', u'475', u'9', u'pm', u'w', u'bcq', u'2942', u'2939', u'455', u'noon', u'sew', u'cgm', u'2960', u'2953', u'465', u'465', u'445', u'nw', u'beg', u'2970', u'2963', u'466', u'sew', u'bcq', u'3001', u'2993', u'455', u'3', u'pm', u'bcq', u'3005', u'2998', u'505', u'485', u'455', u'6', u'swbw', u'beq', u'30j6', u'3007', u'noon', u'sew', u'bcq', u'3007', u'3008', u'6', u'pm', u'bcq', u'3007', u'3007', u'455', u'noon', u'bcq', u'3007', u'3007', u'575', u'bcq', u'2996', u'2991', u'6', u'pm', u'ess', u'c', u'q', u'r', u'3003', u'425', u'noon', u'swbw', u'3041', u'3030', u'445', u'nw', u'b', u'm', u'3045', u'3034', u'435', u'se', u'b', u'm', u'3036', u'3031', u'w', u'b', u'c', u'm', u'3024', u'3016', u'n', u'eg', u't2967', u'2979', u'445', u'465', u'465', u'fro', u'n', u'23d', u'april', u'semi', u'leratuv', u'water', u'taken', u'9', u'12th', u'may', u'chang', u'sympr', u'13', u'3', u'3', u'p', u'm', u'abstract', u'meteorolog', u'journal', u'1', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'ltd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'may', u'1834', u'inch', u'inch', u'lat', u'longer', u'6', u'm', u'sw', u'bcq', u'29', u'69', u'2965', u'noon', u'swb', u'w', u'oqp', u'29', u'65', u'2965', u'455', u'5148', u'6458', u'4', u'abl', u'ocqph', u'29', u'49', u'2945', u'435', u'noon', u'b', u'w', u'bcq', u'2950', u'2947', u'435', u'5208', u'6428', u'ssw', u'ogqp', u'2925', u'2927', u'5228', u'6647', u'6', u'pm', u'e', u'bcq', u'29', u'47', u'2950', u'midst', u'bq', u'2960', u'2958', u'noon', u'w', u'dc', u'q', u'2969', u'2969', u'455', u'445', u'445', u'5217', u'cape', u'1', u'virgin', u'7', u'sse', u'b', u'c', u'2955', u'2958', u'w', u'bora', u'2972', u'2965', u'445', u'5227', u'6635', u'9', u'ess', u'ogm', u'2919', u'2938', u'30', u'om', u'f', u'2924', u'2932', u'45', u'5', u'455', u'sew', u'bcq', u'2972', u'2974', u'445', u'nw', u'2985', u'2989', u'455', u'435', u'5228', u'wsw', u'b', u'c', u'2968', u'2970', u'445', u'435', u'sw', u'bcq', u'2981', u'2982', u'425', u'425', u'2978', u'2974', u'425', u'first', u'narrow', u'midst', u'wsw', u'coq', u'2936', u'2940', u'noon', u'ocgq', u'2953', u'2952', u'415', u'6', u'pm', u'sw', u'bcq', u'2956', u'2957', u'415', u'6', u'swb', u'bcq', u'2968', u'2967', u'405', u'noon', u'bcq', u'2982', u'2980', u'415', u'6', u'pm', u'b', u'c', u'2978', u'2976', u'405', u'405', u'noon', u'bcq', u'3008', u'3010', u'n', u'ogm', u'3020', u'3020', u'gregori', u'bay', u'nee', u'ogqr', u'2982', u'2981', u'415', u'n', u'c', u'm', u'2996', u'2996', u'cape', u'negro', u'abstract', u'm', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'inch', u'inch', u'lat', u'longer', u'june', u'1834', u'noon', u'ene', u'c', u'r', u'2953', u'2961', u'395', u'385', u'port', u'famin', u'w', u'29', u'58', u'2965', u'435', u'425', u'425', u'b', u'c', u'2964', u'2988', u'375', u'nebi', u'e', u'e', u'm', u'r', u'2993', u'2997', u'415', u'gcd', u'2974', u'395', u'fm', u'2969', u'405', u'b', u'c', u'm', u'2965', u'365', u'9', u'sw', u'29', u'63', u'2952', u'405', u'335', u'435', u'noon', u'wnw', u'c', u'm', u'q', u'293', u'2935', u'45', u'magdalen', u'channel', u'6', u'pm', u'nw', u'b', u'c', u'q', u'p', u'1', u'29', u'38', u'2927', u'415', u'noon', u'nee', u'c', u'2934', u'29', u'29', u'455', u'cockburn', u'channel', u'n', u'ogm', u'p', u'29', u'20', u'2916', u'465', u'475', u'445', u'wsw', u'b', u'c', u'q', u'2g20', u'2909', u'425', u'425', u'5510', u'7426', u'ssw', u'b', u'c', u'q', u'2960', u'2949', u'405', u'445', u'455', u'5314', u'7712', u'h', u'abl', u'b', u'e', u'q', u'p', u'3006', u'2995', u'465', u'475', u'485', u'485', u'5045', u'7809', u'w', u'c', u'q', u'p', u'3015', u'3007', u'505', u'4845', u'7517', u'i6', u'wnw', u'b', u'c', u'q', u'2998', u'2993', u'495', u'495t', u'4851', u'7734', u'abl', u'c', u'm', u'3017', u'3010', u'485', u'4729', u'7743', u'w', u'b', u'n', u'c', u'q', u'2998', u'2987', u'505', u'4653', u'7859', u'n', u'h', u'w', u'3002', u'2997', u'495', u'4601', u'7854', u'n', u'c', u'q', u'p', u'3998', u'2990', u'505', u'4530', u'7854', u'sw', u'bw', u'c', u'm', u'2982', u'2976', u'4520', u'7816', u'6', u'nw', u'b', u'c', u'q', u'2945', u'2942', u'515', u'noon', u'b', u'c', u'q', u'2924', u'2918', u'4439', u'7644', u'4', u'pm', u'n', u'oqp', u'2902', u'2897', u'taken', u'care', u'maid', u'lili', u'fl30', u'alan', u'chang', u'm', u'9th', u'june', u'becai', u'1', u'se', u'ship', u'pass', u'ravelin', u'tide', u'cape', u'froward', u'16th', u'lost', u'water', u'thermo', u'never', u'overboard', u'md', u'employ', u'anoth', u'agre', u'six', u'self', u'regist', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'tune', u'1034', u'inch', u'inch', u'latu', u'longer', u'midst', u'wnw', u'q', u'p', u'2913', u'2918', u'o', u'noon', u'nw', u'b', u'c', u'q', u'2952', u'2949', u'0', u'515', u'4429', u'7613', u'm', u'n', u'b', u'w', u'2968', u'2967', u'515', u'515', u'4420', u'7616', u'kew', u'dc', u'q', u'2970', u'2964', u'525', u'515', u'4403', u'7602', u'w', u'c', u'ra', u'p', u'2963', u'2958', u'515', u'43u', u'7352', u'wnw', u'b', u'c', u'q', u'p', u'2951', u'2937', u'515', u'515', u'4254', u'7510', u'8', u'pm', u'nw', u'c', u'q', u'p', u'2948', u'2935', u'515', u'noon', u'sw', u'b', u'c', u'q', u'2990', u'2948', u'515', u'4217', u'7454', u'nne', u'dc', u'q', u'2977', u'2969', u'495', u'505', u'505', u'st', u'carlo', u'islchil6', u'e', u'ogr', u'2940', u'2937', u'505', u'rule', u'495', u'475', u'w', u'2999', u'2992', u'485', u'505', u'w', u'w', u'b', u'c', u'q', u'3002', u'2994', u'505', u'abl', u'b', u'c', u'p', u'3016', u'3011', u'485', u'495', u'swbw', u'b', u'c', u'q', u'p', u'3004', u'2995', u'495', u'se', u'3041', u'3031', u'nee', u'b', u'n', u'e', u'29', u'94', u'2979', u'475', u'nbw', u'cqp', u'2976', u'2970', u'495', u'495', u'nw', u'c', u'm', u'2952', u'2949', u'545', u'nnw', u'e', u'm', u'2968', u'2964', u'515', u'49', u'5', u'n', u'nne', u'beg', u'p', u'2976', u'2970', u'525', u'515', u'505', u'n', u'cgm', u'2948', u'2946', u'w', u'n', u'w', u'2953', u'2952', u'505', u'b', u'c', u'q', u'2995', u'3004', u'515', u'nnw', u'b', u'e', u'q', u'p', u'2980', u'2981', u'515', u'4148', u'7528', u'w', u'3009', u'3010', u'515', u'525', u'4027', u'7544', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'j', u'juli', u'1834', u'lat', u'longer', u'midst', u'n', u'c', u'q', u'r', u'2996', u'3006', u'6', u'wnw', u'qr', u'2976', u'2986', u'noon', u'w', u'b', u'n', u'c', u'q', u'r', u'29', u'2982', u'535', u'4009', u'7618', u'nnw', u'b', u'c', u'q', u'2987', u'2995', u'535', u'53', u'5', u'3823', u'7529', u'wnw', u'b', u'c', u'q', u'2980', u'2986', u'3623', u'7356', u'abl', u'c', u'q', u'p', u'29', u'93', u'2999', u'525', u'555', u'3421', u'7304', u'wnw', u'c', u'q', u'r', u'2936', u'2992', u'545', u'3329', u'7214', u'abl', u'3011', u'3015', u'535', u'sw', u'bv', u'3002', u'3009', u'535', u'valparaiso', u'b', u'e', u'3015', u'3019', u'545', u'abl', u'b', u'e', u'ra', u'3010', u'3009', u'b', u'e', u'm', u'3002', u'3006', u'3004', u'3009', u'515', u'nnw', u'2991', u'2996', u'515', u'485', u'se', u'3006', u'3003', u'wsw', u'2993', u'2996', u'535', u'505', u'ess', u'eg', u'r', u'3038', u'3010', u'adgdst', u'n', u'b', u'e', u'b', u'm', u'2990', u'3006', u'b', u'cm', u'2984', u'2988', u'beg', u'2998', u'3004', u'n', u'2989', u'3099', u'565', u'525', u'6', u'ene', u'og', u'2994', u'3095', u'9', u'bm', u'3007', u'3006', u'noon', u'b', u'ra', u'2985', u'2998', u'535', u'nw', u'2977', u'2989', u'535', u'n', u'b', u'w', u'beg', u'2996', u'3003', u'2980', u'3003', u'e', u'og', u'3008', u'3014', u'sw', u'2992', u'3004', u'eg', u'2992', u'2997', u'nw', u'3003', u'3010', u'2994', u'3006', u'e', u'eg', u'2980', u'2995', u'65', u'595', u'sse', u'eg', u'2970', u'2983', u'595', u'c', u'g', u'2976', u'2985', u'nee', u'c', u'm', u'r', u'2995', u'3003', u'c', u'm', u'2985', u'2991', u'1', u'nw', u'beg', u'2993', u'3000', u'f', u'wsw', u'b', u'c', u'm', u'2979', u'2993', u'nnw', u'e', u'r', u'2982', u'2991', u'535', u'2993', u'3000', u'nw', u'3004', u'3012', u'3010', u'3011', u'535', u'ssw', u'2989', u'3001', u'w', u'2987', u'3000', u'525', u'abstract', u'meteorolog', u'journal', u's3', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'aug', u'st1834', u'inch', u'inch', u'lat', u'longer', u'29', u'noon', u'w', u'2992', u'3008', u'valparaiso', u'b', u'c', u'g', u'29', u'99', u'3010', u'ssvv', u'2978', u'3000', u'59', u'5', u'septemb', u'noon', u'b', u'e', u'm', u'2961', u'2985', u'e', u'cog', u'29', u'90', u'3000', u'595', u'nee', u'2970', u'2990', u'wsw', u'c', u'2983', u'2996', u'beg', u'2987', u'2999', u'b', u'2980', u'3000', u'nee', u'2972', u'2998', u'sw', u'2981', u'3000', u'n', u'eg', u'2985', u'2997', u'eg', u'2982', u'2999', u'595', u'575', u'e', u'e', u'gr', u'2988', u'29', u'94', u'n', u'n', u'w', u'3025', u'3032', u'wsw', u'e', u'p', u'd', u'3009', u'3022', u'525', u'h', u'nw', u'b', u'e', u'v', u'2975', u'3001', u'b', u'v', u'2977', u'2999', u'575', u'abl', u'b', u'm', u'2968', u'2996', u'9', u'nw', u'b', u'c', u'm', u'2977', u'2997', u'noon', u'es', u'e', u'2971', u'2998', u'9', u'sw', u'2989', u'3005', u'565', u'sw', u'b', u'c', u'q', u'2989', u'3008', u'645', u'sw', u'b', u'e', u'q', u'2990', u'3011', u'se', u'e', u'm', u'2963', u'3003', u'nee', u'b', u'e', u'm', u'2963', u'2989', u'w', u'n', u'w', u'eg', u'2962', u'2988', u'n', u'w', u'eg', u'2960', u'2987', u'585', u'n', u'eg', u'2977', u'2996', u'sw', u'2979', u'3004', u'wsw', u'beg', u'2976', u'3000', u'sw', u'b', u'e', u'q', u'2977', u'2999', u'555', u'wnw', u'2962', u'2992', u'octo', u'ler', u'noon', u'sw', u'2976', u'2998', u'555', u'w', u'b', u'c', u'2972', u'2991', u'sw', u'2980', u'3009', u'565', u'b', u'c', u'q', u'2991', u'3013', u'2984', u'3013', u'nee', u'2965', u'3001', u'sw', u'og', u'2970', u'2990', u'n', u'eg', u'2958', u'2989', u'nw', u'beg', u'2972', u'2997', u'sw', u'2969', u'3000', u'6', u'se', u'2983', u'3006', u'525', u'noon', u'ssw', u'2975', u'3011', u'3', u'sw', u'2957', u'2999', u'w', u'cgq', u'2958', u'3000', u'595', u'5', u'sw', u'b', u'e', u'q', u'2977', u'3012', u'ssw', u'b', u'e', u'q', u'2964', u'3012', u'7', u'b', u'c', u'q', u'2960', u'3007', u'615', u'f', u'2955', u'2999', u'9', u'n', u'2943', u'2990', u'eg', u'm', u'2969', u'3000', u'f', u'w', u'2966', u'2997', u'cf', u'2958', u'2995', u'm', u'2950', u'2988', u'sw', u'cm', u'2967', u'2997', u'abstract', u'meteorolog', u'journal', u'day', u'oct', u'2', u'b', u'hour', u'wind', u'forc', u'weather', u'berlti34', u'noon', u'10', u'noon', u'novemb', u'4', u'noon', u'10', u'noon', u'8', u'm', u'noon', u'6', u'm', u'noon', u'4', u'pm', u'8', u'ssw', u'abl', u'n', u'n', u'w', u'n', u'nw', u'1', u'1', u'nnw', u'2', u'sw', u'w', u'nw', u'sw', u'nw', u'2', u'sw', u'se', u'2', u'vale', u'sw', u'sse', u'b', u'w', u'wili', u'abl', u'sse', u'nbw', u'ene', u'se', u'b', u'n', u'sw', u'b', u'c', u'q', u'b', u'c', u'm', u'b', u'c', u'o', u'c', u'm', u'f', u'b', u'c', u'o', u'b', u'c', u'm', u'q', u'o', u'f', u'm', u'og', u'b', u'c', u'b', u'c', u'v', u'b', u'c', u'o', u'ocg', u'b', u'b', u'c', u'q', u'b', u'c', u'q', u'b', u'c', u'q', u'b', u'c', u'q', u'b', u'rn', u'b', u'c', u'beg', u'ogqm', u'b', u'c', u'b', u'c', u'q', u'o', u'c', u'q', u'b', u'e', u'q', u'b', u'c', u'sympr', u'inch', u'29', u'54', u'2943', u'2946', u'2963', u'2952', u'2956', u'2968', u'2942', u'2942', u'2955', u'2963', u'2944', u'2950', u'2969', u'2967', u'2958', u'2968', u'2972', u'2970', u'29', u'66', u'2960', u'29', u'51', u'2947', u'2942', u'2943', u'2962', u'barom', u'inch', u'3006', u'2996', u'2994', u'2997', u'2993', u'2996', u'2996', u'2990', u'2983', u'2999', u'3007', u'2995', u'3000', u'3005', u'3007', u'3001', u'3010', u'3014', u'3019', u'3014', u'3004', u'3003', u'2992', u'2987', u'2984', u'2985', u'3000', u'2994', u'2992', u'2987', u'2981', u'2998', u'2985', u'3008', u'2998', u'3031', u'3015', u'attd', u'hero', u'565', u'615', u'585', u'temp', u'air', u'o', u'635', u'495', u'temp', u'water', u'565', u'565', u'585', u'535', u'595', u'595', u'585', u'595', u'605', u'595', u'585', u'575', u'575', u'565', u'565', u'545', u'575', u'565', u'555', u'565', u'555', u'555', u'565', u'local', u'lat', u'longer', u'valparaiso', u'3322', u'35', u'52', u'3651', u'3740', u'39', u'51', u'4041', u'7734', u'3343', u'7620', u'3116', u'7608', u'3416', u'7800', u'7734', u'7800', u'7802', u'7723', u'san', u'carlo', u'isl', u'chloe', u'index', u'sympr', u'set', u'fourtenth', u'higher', u'abstllact', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'nova', u'mber', u'1834', u'inch', u'inch', u'lat', u'longer', u'4', u'ess', u'b', u'c', u'3018', u'3019', u'565', u'565', u'sancarlosislchil6', u'noon', u'abl', u'b', u'c', u'3005', u'3003', u'535', u'26', u'3026', u'3025', u'4142', u'near', u'ssw', u'b', u'cq', u'3015', u'3012', u'545', u'4141', u'midst', u'sc', u'q', u'1', u'3016', u'3016', u'555', u'land', u'noon', u'b', u'c', u'q', u'3021', u'3019', u'535', u'545', u'4132', u'7617', u'e', u'b', u'c', u'3010', u'3016', u'4202', u'7825', u'ene', u'cgq', u'29', u'94', u'2988', u'535', u'4325', u'7738', u'dee', u'mbeh', u'545', u'noon', u'abl', u'b', u'c', u'2982', u'2997', u'615', u'575', u'4426', u'7638', u'n', u'b', u'v', u'3003', u'3005', u'575', u'4429', u'7530', u'nnw', u'b', u'c', u'qp', u'2983', u'29', u'545', u'545', u'hono', u'island', u'4', u'pm', u'nee', u'c', u'q', u'p', u'r', u'2980', u'2976', u'noon', u'wnw', u'b', u'c', u'q', u'r', u'2984', u'2980', u'535', u'4505', u'close', u'w', u'b', u'w', u'3006', u'3000', u'545', u'sw', u'bep', u'3020', u'3023', u'515', u'515', u'515', u'shore', u'b', u'w', u'3024', u'3023', u'515', u'san', u'pedro', u'w', u'eg', u'm', u'3011', u'3020', u'n', u'cgd', u'2986', u'3023', u'525', u'nee', u'2999', u'3021', u'525', u'u', u'abl', u'cgp', u'2987', u'3020', u'535', u'545', u'near', u'land', u'vcnw', u'q', u'2989', u'3014', u'545', u'4502', u'w', u'oe', u'm', u'2982', u'525', u'515', u'vallenar', u'road', u'wsw', u'b', u'e', u'q', u'p', u'2930', u'2928', u'4', u'pm', u'sw', u'b', u'c', u'q', u'p', u'2930', u'2926', u'515', u'noon', u'w', u'b', u'c', u'q', u'p', u'2964', u'525', u'525', u'c', u'eth', u'novel', u'temperatur', u'c', u'f', u'water', u'thi', u'jay', u'taken', u'9', u'130', u'7', u'pm', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'baton', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'decemb', u'1834', u'inch', u'inch', u'525', u'lat', u'longer', u'noon', u'sw', u'b', u'cq', u'p', u'h', u'2969', u'valleiiar', u'road', u'525', u'525', u'b', u'w', u'2990', u'2970', u'535', u'535', u'29', u'94', u'2990', u'535', u'525', u'4512', u'ssw', u'29', u'98', u'3002', u'505', u'4513', u'525', u'sw', u'2977', u'2975', u'535', u'4655', u'w', u'cgp', u'q', u'2982', u'2978', u'535', u'535', u'port', u'san', u'andrew', u'1', u'se', u'b', u'c', u'q', u'2972', u'266', u'w', u'b', u'c', u'qf', u'2997', u'2994', u'sw', u'beg', u'2955', u'2955', u'535', u'christma', u'cove', u'abl', u'b', u'e', u'q', u'p', u'29', u'34', u'2929', u'nw', u'cq', u'2967', u'2960', u'525', u'525', u'52', u'5', u'abl', u'b', u'c', u'q', u'p', u'2961', u'2955', u'w', u'sw', u'2976', u'2970', u'535', u'525', u'4626', u'10', u'sw', u'b', u'c', u'q', u'p', u'2980', u'2982', u'525', u'4602', u'noon', u'nw', u'oeg', u'2993', u'2992', u'535', u'offynchemo', u'island', u'abl', u'c', u'2973', u'2965', u'545', u'jane', u'ari', u'1835', u'noon', u'nw', u'cgqr', u'2945', u'2972', u'535', u'525', u'patch', u'cove', u'abl', u'cgqp', u'2965', u'2973', u'525', u'525', u'n', u'w', u'ogqr', u'2964', u'2960', u'wnw', u'c', u'2973', u'2976', u'n', u'n', u'w', u'4', u'gr', u'2984', u'2984', u'535', u'b', u'w', u'2990', u'2990', u'535', u'lemu', u'island', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'1', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'locatltv', u'janui', u'iri', u'1835', u'inch', u'inch', u'lat', u'longer', u'noon', u'w', u'b', u'2988', u'299i', u'53', u'555', u'4348', u'10', u'n', u'cm', u'r', u'2976', u'2987', u'545', u'port', u'low', u'noon', u'vvnw', u'beg', u'2978', u'2988', u'535', u'nw', u'cgqr', u'2947', u'2985', u'575', u'565', u'545', u'545', u'cgqp', u'29', u'52', u'2985', u'535', u'535', u'6', u'pm', u'eon', u'qr', u'2924', u'2982', u'545', u'noon', u'sw', u'b', u'c', u'q', u'p', u'2982', u'525', u'nw', u'c', u'm', u'q', u'r', u'2960', u'2981', u'525', u'515', u'sw', u'b', u'q', u'2982', u'515', u'sw', u'b', u'c', u'3002', u'2996', u'525', u'535', u'i6', u'nw', u'eg', u'3008', u'3012', u'545', u'525', u'hiiafo', u'beg', u'2990', u'3004', u'545', u'i8', u'b', u'c', u'm', u'2995', u'625', u'555', u'san', u'carlo', u'w', u'2998', u'3000', u'575', u'near', u'english', u'bank', u'20f', u'b', u'c', u'm', u'2988', u'3001', u'595', u'605', u'san', u'carlo', u'nwb', u'w', u'cor', u'2970', u'3001', u'575', u'sw', u'2997', u'3001', u'585', u'ws', u'w', u'2984', u'3002', u'655', u'b', u'c', u'3001', u'655', u'595', u'595', u'w', u'b', u'n', u'b', u'2970', u'3003', u'655', u'665', u'b', u'm', u'3000', u'w', u'w', u'3001', u'585', u'r', u'nw', u'cgq', u'29', u'57', u'3001', u'585', u'wnw', u'cgp', u'2963', u'3000', u'wsw', u'3007', u'3001', u'61', u'5', u'b', u'c', u'v', u'3001', u'645', u'7th', u'w', u'ater', u'j', u'thermomet', u'broken', u'new', u'one', u'20th', u'2', u'observ', u'e', u'nearli', u'1', u'erupt', u'c', u'lower', u'th', u'f', u'osorno', u'm', u'isti', u'mdard', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'syrapr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'inch', u'inch', u'lat', u'longer', u'fear', u'mari', u'1835', u'noon', u'nw', u'2976', u'3002', u'san', u'carlo', u'wsw', u'bcgq', u'3000', u'605', u'595', u'sw', u'gcp', u'2982', u'3001', u'oc', u'p', u'3002', u'ssw', u'2962', u'3002', u'545', u'515', u'4123', u'close', u'w', u'n', u'w', u'2996', u'3009', u'535', u'4033', u'nne', u'q', u'd', u'2997', u'3003', u'545', u'575', u'shore', u'ssw', u'bcm', u'2982', u'3006', u'4011', u'10', u'e', u'29b5', u'3005', u'595', u'615', u'valdivia', u'noon', u'n', u'b', u'v', u'2967', u'2993', u'nnw', u'b', u'c', u'29', u'55', u'2985', u'n', u'b', u'2968', u'2990', u'625', u'625', u'625', u'w', u'2971', u'2998', u'n', u'2950', u'3010', u'sw', u'c', u'gp', u'2960', u'3009', u'635', u'n', u'c', u'g', u'2958', u'2980', u'625', u'n', u'n', u'w', u'g', u'2969', u'2989', u'w', u'b', u'c', u'g', u'2978', u'3000', u'se', u'2970', u'3004', u'20', u'6', u'e', u'2970', u'2999', u'595', u'noon', u'n', u'b', u'w', u'2966', u'2998', u'625', u'6', u'pm', u'abl', u'b', u'e', u'q', u'29', u'59', u'2992', u'665', u'595', u'noon', u'ke', u'2968', u'3004', u'535', u'ssw', u'bra', u'2975', u'3001', u'555', u'535', u'545', u'3937', u'near', u'bcm', u'2970', u'3096', u'535', u'555', u'3857', u'2972', u'3095', u'545', u'3845', u'land', u'nw', u'c', u'f', u'2974', u'3093', u'565', u'3817', u'mocha', u'n', u'gqr', u'2944', u'3060', u'565', u'n', u'2954', u'3087', u'5b5', u'3828', u'sse', u'b', u'c', u'r', u'2959', u'3017', u'575', u'3818', u'20', u'februari', u'ir40', u'felt', u'sever', u'shock', u'm', u'earthquak', u'abstllact', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'vlabc', u'h', u'1835', u'lach', u'indi', u'585', u'lat', u'longer', u'noon', u'nnw', u'c', u'hi', u'2960', u'3017', u'585', u'575', u'mocha', u'vile', u'2967', u'3017', u'625', u'635', u'595', u'605', u'3759', u'near', u'3', u'sw', u'beg', u'2978', u'3017', u'625', u'575', u'3732', u'land', u'2964', u'3018', u'575', u'concept', u'bay', u'b', u'vq', u'2959', u'30i8', u'4', u'pm', u'sw', u'b', u'q', u'm', u'2946', u'3oi8', u'noon', u'n', u'2953', u'1', u'3018', u'4', u'555', u'nnw', u'29', u'54', u'3017', u'555', u'f', u'2961', u'3018', u'595', u'3517', u'vbie', u'm', u'2964', u'3018', u'33', u'54', u'7234', u'2', u'belt', u'2956', u'3018', u'noon', u'nw', u'regni', u'2964', u'3019', u'3339', u'7220', u'abl', u'c', u'o', u'2957', u'3019', u'3332', u'7207', u'n', u'oc', u'd', u'2953', u'3018', u'615', u'valparaiso', u'10', u'se', u'w', u'b', u'c', u'q', u'2956', u'3016', u'h', u'noon', u'o', u'b', u'v', u'2940', u'3018', u'10', u'sw', u'b', u'v', u'2933', u'3017', u'i6', u'noon', u'c', u'm', u'2958', u'3018', u'b', u'c', u'm', u'2944', u'3018', u'555', u'595', u'i8', u'2971', u'3005', u'605', u'3252', u'7401', u'se', u'b', u'2978', u'3014', u'625', u'625', u'3309', u'7555', u'se', u'q', u'2980', u'3020', u'3346', u'beq', u'2970', u'3008', u'625', u'635', u'3349', u'77oo', u'oeg', u'2967', u'3004', u'645', u'3411', u'7903', u'beq', u'2980', u'30', u'6', u'3457', u'8141', u'abl', u'3010', u'645', u'3513', u'7953', u'2970', u'3008', u'635', u'3459', u'7803', u'3d', u'march', u'1026', u'felt', u'sever', u'shock', u'earth', u'lake', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'temp', u'air', u'temp', u'water', u'local', u'march', u'1835', u'inch', u'inch', u'lat', u'latw', u'noon', u'se', u'b', u'c', u'm', u'30i9', u'575', u'3538', u'7615', u'c', u'ni', u'q', u'30i3', u'535', u'3628', u'7354', u'o', u'c', u'm', u'3028', u'concepcion', u'bay', u'vie', u'b', u'cq', u'3017', u'stand', u'w', u'b', u'c', u'm', u'29', u'93', u'555', u'525', u'bay', u'concept', u'n', u'b', u'c', u'm', u'q', u'3009', u'535', u'apjiil', u'noon', u'abl', u'bcf', u'3021', u'545', u'island', u'st', u'mari', u'b', u'm', u'30', u'09', u'575', u'concept', u'bay', u'b', u'cq', u'3021', u'b', u'c', u'm', u'3012', u'10', u'3023', u'noon', u'b', u'c', u'm', u'3014', u'545', u'sw', u'b', u'm', u'30', u'09', u'595', u'n', u'f', u'3007', u'555', u'565', u'r', u'south', u'harbour', u'santa', u'maria', u'nee', u'c', u'm', u'3022', u'565', u'555', u'b', u'c', u'm', u'3022', u'565', u'535', u'b', u'c', u'ra', u'3022', u'565', u'565', u'concept', u'bay', u'n', u'b', u'e', u'3005', u'b', u'3010', u'ti', u'10', u'n', u'fd', u'3019', u'3020', u'3020', u'3024', u'10', u'3020', u'3018', u'575', u'545', u'tome', u'bay', u'8', u'o', u'c', u'o', u'3002', u'3008', u'535', u'535', u'column', u'bay', u'9', u'n', u'b', u'w', u'eg', u'3005', u'3007', u'545', u'9', u'abl', u'f', u'3012', u'3016', u'25th', u'march', u'pm', u'set', u'sympr', u'fivetenth', u'higher', u'14th', u'april', u'cabin', u'thermomet', u'use', u'agre', u'standard', u'abstract', u'meteorolog', u'joullnal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'april', u'1835', u'inch', u'inch', u'555', u'lat', u'long', u'w', u'8', u'bf', u'3016', u'3020', u'555', u'535', u'3535', u'8', u'bm', u'3013', u'3017', u'545', u'545', u'offtheriv', u'35', u'9', u'male', u'noon', u'bv', u'2998', u'3003', u'555', u'3351', u'nee', u'c', u'3013', u'3016', u'585', u'565', u'valparaiso', u'bf', u'3011', u'3016', u'575', u'585', u'sse', u'3017', u'3021', u'575', u'575', u'oi', u'horton', u'sw', u'3012', u'3018', u'horton', u'bay', u'sw', u'b', u'c', u'q', u'3019', u'3020', u'port', u'papudo', u'eg', u'021', u'3023', u'555', u'555', u'ssw', u'3020', u'3025', u'555', u'port', u'pichidanqu', u'port', u'picbi', u'dan', u'que', u'b', u'm', u'3013', u'3017', u'may', u'noon', u'abl', u'b', u'c', u'm', u'3003', u'3007', u'585', u'595', u'3124', u'w', u'com', u'3012', u'3019', u'595', u'maytencijio', u'sw', u'ogm', u'3014', u'3023', u'585', u'565', u'57', u'5', u'lengua', u'de', u'vasa', u'c', u'3018', u'3024', u'585', u'575', u'herradura', u'c', u'3016', u'3025', u'565', u'nnw', u'b', u'3013', u'3017', u'565', u'nw', u'b', u'3010', u'3016', u'com', u'3024', u'3028', u'w', u'3021', u'3029', u'10', u'wsvv', u'3023', u'3029', u'545', u'3013', u'3025', u'nw', u'c', u'm', u'3009', u'3015', u'nnw', u'c', u'g', u'3023', u'3028', u'thi', u'date', u'use', u'deck', u'barom', u'correct', u'ad', u'0', u'28', u'averag', u'diff', u'cabin', u'barom', u'4s', u'abstract', u'meteokolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'may', u'1835', u'inch', u'inch', u'lat', u'longer', u'noon', u'n', u'n', u'e', u'3021', u'3030', u'635', u'herradura', u'n', u'n', u'w', u'beg', u'3016', u'3027', u'wsvv', u'3014', u'3025', u'8', u'se', u'e', u'r', u'3016', u'3021', u'noon', u'b', u'c', u'v', u'3014', u'3026', u'nnw', u'b', u'e', u'v', u'3006', u'3014', u'b', u'c', u'm', u'3010', u'3014', u'nw', u'c', u'm', u'3006', u'3015', u'575', u'565', u'n', u'com', u'30', u'09', u'3013', u'beg', u'3021', u'3027', u'sw', u'q', u'3013', u'3023', u'cod', u'3020', u'3024', u'eg', u'3026', u'3028', u'595', u'wsw', u'b', u'c', u'v', u'3010', u'3031', u'3003', u'3026', u'3016', u'3015', u'nw', u'3013', u'3023', u'wnw', u'3023', u'june', u'n', u'e', u'g', u'w', u'3016', u'3026', u'575', u'nnw', u'b', u'c', u'3013', u'3018', u'595', u'sw', u'beg', u'3017', u'3029', u'615', u'n', u'n', u'w', u'b', u'c', u'v', u'3018', u'3025', u'eg', u'3016', u'555', u'9', u'com', u'3015', u'3019', u'535', u'555', u'noon', u'm', u'3025', u'sse', u'b', u'm', u'q', u'30451', u'555', u'3026', u'7222', u'b', u'c', u'q', u'3045', u'585', u'3049', u'7418', u'b', u'e', u'3046', u'3111', u'7544', u'b', u'c', u'q', u'3041', u'615', u'3122', u'7455', u'bch', u'3044', u'565', u'565', u'3136', u'7310', u'nne', u'8', u'ra', u'30541', u'3047', u'555', u'555', u'pichidanqu', u'n', u'og', u'3049', u'3044', u'56', u'valparaiso', u'eg', u'3056', u'3046', u'53', u'5', u'525', u'535', u'n', u'm', u'r', u'3048', u'3046', u'545', u'se', u'b', u'c', u'v', u'3050', u'3045', u'n', u'b', u'c', u'3056', u'3044', u'nee', u'eg', u'3039', u'3044', u'nw', u'beg', u'3050', u'3045', u'585', u'b', u'v', u'3058', u'3045', u'nnw', u'b', u'e', u'v', u'3024', u'3044', u'555', u'545', u'6', u'jr', u'n', u'bcgq', u'3011', u'3043', u'noon', u'n', u'1', u'egq', u'3009', u'3044', u'585', u'575', u'syi', u'np', u'sent', u'board', u'schooner', u'f', u'baromet', u'tube', u'loos', u'use', u'nc', u'w', u'sympr', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'sud', u'temp', u'air', u'temp', u'water', u'local', u'june', u'1835', u'inch', u'inch', u'lat', u'longer', u'6', u'pm', u'nne', u'cgqp', u'3013', u'valparaiso', u'4', u'm', u'nnw', u'c', u'q', u'p', u'1', u'3018', u'noon', u'n', u'b', u'w', u'cgq', u'3029', u'9', u'pm', u'w', u'b', u'c', u'q', u'p', u'1', u'3045', u'525', u'25', u'noon', u'wsw', u'b', u'c', u'p', u'3062', u'abl', u'bv', u'3062', u'n', u'b', u'c', u'3050', u'nee', u'eg', u'3069', u'565', u'545', u'w', u'b', u'3063', u'555', u'q', u'3048', u'3026', u'585', u'3017', u'7323', u'juli', u'ogq', u'3038', u'3017', u'535', u'585', u'585', u'2741', u'71', u'39', u'ogm', u'3030', u'3012', u'585', u'585', u'copia', u'8', u'n', u'bo', u'3034', u'3013', u'555', u'575', u'575', u'565', u'copia', u'noon', u'eg', u'3034', u'3018', u'ssw', u'b', u'c', u'3037', u'3018', u'565', u'565', u'8', u'beg', u'3043', u'3024', u'625', u'2', u'pm', u'abl', u'ogm', u'3030', u'3013', u'615', u'585', u'595', u'2557', u'7123', u'noon', u'ogm', u'3028', u'3014', u'605', u'605', u'605', u'2532', u'7129', u'abl', u'og', u'3039', u'3024', u'605', u'615', u'2443', u'71', u'21', u'b', u'e', u'3044', u'3031', u'625', u'2318', u'7126', u'u', u'seb', u'c', u'3030', u'3018', u'645', u'625', u'2049', u'7054', u'12t', u'abl', u'ogm', u'3026', u'3014', u'635', u'605', u'595', u'595', u'iquiqu', u'3', u'3029', u'3018', u'645', u'59', u'5', u'iquiqu', u'ssw', u'b', u'c', u'3032', u'3020', u'645', u'595', u'abl', u'm', u'3034', u'3018', u'625', u'625', u'625', u'1942', u'7059', u'm', u'3032', u'3022', u'625', u'61', u'5', u'1847', u'7219', u'cabin', u'baromet', u'juli', u'12', u'1035', u'felt', u'shock', u'e', u'arthquali', u'e', u'u', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'rr', u'nulliti', u'lat', u'longer', u'juli', u'1835', u'noon', u'3032', u'3023', u'65', u'e', u'63', u'1743', u'625', u'625', u'7355', u'se', u'30', u'36', u'3028', u'615', u'1557', u'605', u'7620', u'q', u'p', u'3031', u'3018', u'595', u'1255', u'585', u'7719', u'3020', u'60', u'ca', u'535', u'lao', u'beg', u'3028', u'3021', u'w', u'eg', u'303', u'3024', u'beg', u'3026', u'3021', u'625', u'3025', u'3020', u'645', u'615', u'eg', u'3027', u'3019', u'eg', u'3025', u'3018', u'61', u'5', u'w', u'3028', u'3021', u'3030', u'3021', u'655', u'625', u'sse', u'beg', u'3032', u'3028', u'beg', u'3037', u'3020', u'66', u'63', u'o', u'beg', u'3025', u'aug', u'sr', u'wnw', u'3021', u'3018', u'635', u'sse', u'eg', u'3021', u'3017', u'635', u'wsw', u'eg', u'3025', u'3018', u'605', u'w', u'eg', u'3024', u'3017', u'3026', u'3021', u'645', u'3026', u'3021', u'655', u'635', u'se', u'b', u'c', u'g', u'm', u'3018', u'3016', u'585', u'nw', u'3020', u'3016', u'beg', u'3023', u'3020', u'655', u'sse', u'beg', u'3026', u'605', u'beg', u'3023', u'3019', u'b', u'eg', u'3000', u'3021', u'655', u'3', u'pm', u'w', u'2996', u'noon', u'2997', u'sse', u'beg', u'2997', u'beg', u'2996', u'645', u'b', u'c', u'm', u'2994', u'c', u'g', u'2990', u'w', u'beg', u'2985', u'30i4t', u'635', u'b', u'e', u'2985', u'61', u'5', u'abl', u'eg', u'1', u'2981', u'wsw', u'beg', u'12992', u'c', u'm', u'vv', u'2995', u'9', u'sse', u'b', u'e', u'g', u'm', u'1', u'3002', u'3025', u'noon', u'b', u'e', u'3000', u'b', u'eg', u'2993', u'b', u'eg', u'2985', u'sw', u'beg', u'12985', u'beg', u'2992', u'beg', u'2993', u'wnw', u'2', u'beg', u'2989', u'sept', u'ember', u'1', u'noon', u'sw', u'b', u'eg', u'2987', u'12th', u'august', u'chang', u'sympr', u'10', u'm', u'abstract', u'meteorolog', u'journal', u'day', u'sept', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'mber1835', u'noon', u'b', u'w', u'inch', u'2989', u'inch', u'635', u'lat', u'longer', u'callao', u'1', u'3', u'beg', u'2990', u'9', u'm', u'sse', u'beg', u'29', u'96', u'3020', u'noon', u'beg', u'2989', u'61', u'5', u'ssw', u'beg', u'2996', u'57', u'sse', u'eg', u'3003', u'575', u'585', u'605', u'se', u'e', u'2998', u'615', u'61', u'5', u'1151', u'7812', u'sse', u'ogm', u'2990', u'635', u'635', u'958', u'7942', u'10', u'se', u'dc', u'2990', u'3016', u'645', u'809', u'8119', u'noon', u'sse', u'b', u'c', u'm', u't29i7', u'652', u'8319', u'645', u'e', u'b', u'c', u'm', u'2912', u'645', u'645', u'505', u'8431', u'born', u'2909', u'685', u'655', u'665', u'3i8', u'8549', u'3', u'pm', u'b', u'c', u'm', u'2903', u'3007', u'705', u'665', u'h', u'10', u'b', u'e', u'm', u'2912', u'3oi8t', u'705', u'665', u'153', u'8813', u'2912', u'3022', u'675', u'685', u'107', u'8901', u'i6', u'675', u'9', u'sse', u'b', u'c', u'm', u'3022', u'705', u'695', u'oi', u'langton', u'isl', u'1', u'bee', u'c', u'mp', u'd', u'2911', u'3020', u'685', u'695', u'70', u'stephen', u'bay', u'705', u'chatham', u'island', u'i8', u'705', u'sse', u'c', u'mq', u'3009', u'3023', u'705', u'685', u'egm', u'3018', u'3026', u'715', u'685', u'715', u'715', u'705', u'work', u'round', u'island', u'3015', u'3024', u'715', u'675', u'vb', u'le', u'beg', u'3011', u'3021', u'705', u'685', u'685', u'stephen', u'bay', u'nw', u'3021', u'695', u'10', u'abl', u'egm', u'3007', u'3025', u'665', u'686', u'1', u'sept', u'7th', u'tempt', u'1', u'1', u'erasur', u'water', u'taken', u'9', u'sept', u'loth', u'chang', u'sympr', u'l30and6pm', u'sept', u'1', u'4', u'th', u'baromet', u'cabin', u'taken', u'9', u'thi', u'date', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'septemb', u'1835', u'inch', u'inch', u'675', u'655', u'lat', u'longer', u'10', u'se', u'oc', u'3016', u'3023', u'715', u'charl', u'island', u'9', u'sse', u'cog', u'3013', u'3023', u'715', u'postoflbc', u'bay', u'se', u'b', u'c', u'q', u'3023', u'3', u'pm', u'bcgq', u'29', u'99', u'3015', u'715', u'6', u'beg', u'3015', u'645', u'635', u'black', u'beach', u'road', u'9', u'sse', u'beg', u'3018', u'3027', u'71', u'5', u'665', u'635', u'665', u'3022', u'705', u'albemarl', u'island', u'noon', u'se', u'bcgpq', u'3007', u'585', u'sw', u'extrem', u'3', u'pm', u'b', u'e', u'm', u'q', u'29', u'97', u'3010', u'705', u'635', u'noon', u'wsw', u'ocg', u'3010', u'3019', u'705', u'635', u'655', u'elizabeth', u'bay', u'octob', u'9', u'abl', u'b', u'c', u'na', u'3013', u'3022', u'705', u'635', u'655', u'tagu', u'cove', u'b', u'e', u'g', u'm', u'3013', u'3022', u'675', u'10', u'w', u'born', u'3010', u'3021', u'715', u'bank', u'bay', u'se', u'm', u'q', u'3014', u'3022', u'685', u'abingdon', u'island', u'c', u'm', u'1', u'3007', u'3023', u'715', u'675', u'685', u'se', u'oh', u'3010', u'3021', u'675', u'685', u'705', u'f', u'tower', u'douw', u'island', u'ocg', u'3012', u'3020', u'665', u'685', u'665', u'645', u'offbindlo', u'island', u'9', u'3022', u'655', u'jame', u'island', u'3007', u'3021', u'se', u'oc', u'3014', u'3024', u'705', u'685', u'c', u'p', u'3012', u'3025', u'665', u'685', u'chatham', u'island', u'sse', u'g', u'm', u'3009', u'3022', u'685', u'm', u'p', u'd', u'3006', u'3020', u'se', u'oc', u'q', u'3008', u'3021', u'725', u'685', u'665', u'hood', u'island', u'noon', u'c', u'gq', u'm', u'3004', u'3017', u'655', u'645', u'postoffic', u'bay', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'octob', u'ist', u'16', u'10', u'22', u'10', u'novemb', u'10', u'10', u'wind', u'forc', u'weather', u'se', u'c', u'm', u'q', u'se', u'bch', u'abl', u'b', u'c', u'm', u'b', u'c', u'm', u'c', u'q', u'p', u'abl', u'bcgp', u'se', u'c', u'p', u'q', u'c', u'q', u'b', u'c', u'q', u'ess', u'e', u'b', u'n', u'e', u'bch', u'q', u'e', u'b', u'b', u'c', u'q', u'h', u'ene', u'nee', u'b', u'e', u'b', u'e', u'ene', u'nee', u'b', u'e', u'q', u'inch', u'3007', u'3010', u'3000', u'3098', u'3098', u'3002', u'3004', u'3007', u'3004', u'30', u'09', u'3003', u'29', u'99', u'barom', u'inch', u'3023', u'3022', u'3019', u'3016', u'3016', u'3017', u'3019', u'3022', u'3018', u'3018', u'3019', u'3018', u'2995', u'3016', u'29', u'95', u'2995', u'2999', u'3000', u'2988', u'2989', u'2986', u'2984', u'3019', u'3020', u'3022', u'3023', u'3019', u'3019', u'3017', u'3015', u'attempt', u'temp', u'ther', u'air', u'water', u'725', u'655', u'685', u'725', u'705', u'685', u'745', u'745', u'745', u'715', u'745', u'705', u'665', u'665', u'75', u'675', u'675', u'675', u'725', u'675', u'685', u'705', u'735', u'705', u'735', u'735', u'735', u'725', u'725', u'745', u'735', u'735', u'765', u'745', u'755', u'755', u'775', u'765', u'7b5', u'765', u'765', u'765', u'785', u'775', u'local', u'lat', u'longer', u'postoffic', u'bay', u'albemarl', u'island', u'east', u'side', u'jame', u'island', u'sugarloaf', u'close', u'abingdon', u'island', u'penman', u'islet', u'051', u'n', u'9303', u'023', u'n', u'9653', u'0305', u'9904', u'147', u'10019', u'304', u'10215', u'454', u'10434', u'632', u'10700', u'718', u'109', u'48', u'749', u'11206', u'834', u'11434', u'926', u'11739', u'1014', u'12035', u'1103', u'12327', u'1139', u'12536', u'1156', u'12803', u'1244', u'13042', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'nove', u'mbeb', u'1833', u'inch', u'inch', u'775', u'lat', u'longw', u'10', u'nbe', u'b', u'c', u'q', u'2986', u'3017', u'775', u'775', u'1326', u'13249', u'noon', u'n', u'2982', u'3017', u'775', u'765', u'1405', u'13443', u'8', u'n', u'n', u'e', u'og', u'q', u'1', u'r', u'2992', u'3019', u'775', u'775', u'1424', u'13651', u'10', u'c', u'p', u'2980', u'3014', u'1438', u'13844', u'11', u'q', u'r', u'765', u'10', u'c', u'q', u'p', u'2984', u'3010', u'785', u'1513', u'13954', u'n', u'b', u'e', u'b', u'c', u'2985', u'3014', u'775', u'1524', u'14126', u'zne', u'2986', u'3020', u'805', u'785', u'785', u'1523', u'14322', u'2', u'q', u'rl', u'2982', u'775', u'10', u'b', u'c', u'q', u'2992', u'3024', u'1544', u'14512', u'4', u'pm', u'e', u'2983', u'3016', u'815', u'775', u'775', u'9', u'e', u'b', u'n', u'b', u'c', u'm', u'29', u'93', u'3023', u'775', u'1646', u'14747', u'10', u'b', u'c', u'm', u'2992', u'3025', u'765', u'775', u'matavai', u'bay', u'i6', u'9', u'e', u'b', u'c', u'q', u'29', u'89', u'3027', u'805', u'79', u'veie', u'b', u'eg', u'2992', u'3022', u'805', u'9', u'10', u'se', u'2982', u'3019', u'papawa', u'cove', u'nee', u'b', u'c', u'm', u'2980', u'3013', u'785', u'abl', u'c', u'g', u'2978', u'3015', u'805', u'765', u'matavai', u'bay', u'c', u'rn', u'2976', u'3012', u'785', u'775', u'oe', u'2978', u'3013', u'e', u'b', u'n', u'b', u'c', u'p', u'2976', u'3014', u'se', u'b', u'e', u'q', u'2976', u'3011', u'785', u'sw', u'775', u'port', u'papist', u'sse', u'b', u'e', u'm', u'2971', u'3007', u'785', u'775', u'775', u'1714', u'15031', u'bv', u'2969', u'3009', u'775', u'1717', u'15215', u'e', u'b', u'n', u'2967', u'3007', u'805', u'785', u'785', u'775', u'1725', u'15324', u'nee', u'2970', u'3005', u'815', u'795', u'785', u'1754', u'15500', u'care', u'd', u'thi', u'day', u'tuesday', u'17th', u'n', u'ov', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'samp', u'r', u'baton', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'decemb', u'1835', u'inch', u'inch', u'775', u'lat', u'longer', u'10', u'se', u'b', u'c', u'2964', u'3005', u'8i5', u'785', u'1816', u'15656', u'b', u'c', u'v', u'3004', u'3010', u'815', u'795', u'775', u'1835', u'15813', u'3022', u'3019', u'785', u'1857', u'15944', u'eb', u'n', u'beg', u'3028', u'3018', u'775', u'2000', u'16229', u'ke', u'b', u'c', u'3019', u'3016', u'785', u'785', u'2100', u'16455', u'nee', u'b', u'e', u'b', u'c', u'3020', u'3019', u'775', u'755', u'755', u'2202', u'16700', u'e', u'3026', u'3020', u'815', u'785', u'755', u'745', u'2258', u'16939', u'oep', u'3030', u'3018', u'735', u'715', u'2356', u'17200', u'e', u'b', u'n', u'ocp', u'3028', u'3013', u'775', u'695', u'695', u'2451', u'17427', u'ess', u'3031', u'3013', u'765', u'705', u'2600', u'17750', u'e', u'b', u'30', u'36', u'3016', u'685', u'685', u'2808', u'17952', u'ess', u'3032', u'3015', u'725', u'715', u'695', u'2944', u'17844', u'sse', u'3043', u'3013', u'705', u'685', u'655', u'3013', u'17706', u'se', u'b', u'eq', u'3055', u'3029', u'695', u'665', u'665', u'3146', u'17542', u'ess', u'q', u'3060', u'3033', u'695', u'665', u'665', u'3251', u'17411', u'i6', u'3046', u'3019', u'655', u'33i8', u'17501', u'sw', u'b', u'c', u'q', u'3027', u'2992', u'645', u'3420', u'17536', u'4', u'pm', u'q', u'3012', u'2979', u'615', u'635', u'10', u'b', u'e', u'q', u'3037', u'2994', u'635', u'3426', u'17457', u'9', u'2', u'q', u'3036', u'5b', u'625', u'10', u'b', u'e', u'q', u'3044', u'3007', u'655', u'625', u'3428', u'17433', u'1', u'st', u'decemb', u'pm', u'set', u'sympathi', u'tenth', u'higher', u'abstract', u'etrorolng', u'journal', u'day', u'dee', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'tier', u'temp', u'air', u'ws', u'local', u'uber1835', u'inch', u'inch', u'605', u'lat', u'long', u'noon', u'abl', u'bcq', u'3046', u'3016', u'625', u'615', u'17417', u'10', u'b', u'c', u'm', u'3060', u'3030', u'635', u'bay', u'island', u'new', u'zealand', u'615', u'noon', u'm', u'3061', u'3035', u'655', u'635', u'n', u'n', u'e', u'b', u'cm', u'3053', u'635', u'665', u'10', u'n', u'b', u'c', u'3050', u'3027', u'abl', u'o', u'c', u'r', u'3053', u'3027', u'705', u'noon', u'es', u'e', u'bin', u'3063', u'10', u'se', u'b', u'c', u'3070', u'3041', u'2b', u'b', u'c', u'3069', u'3045', u'noon', u'ess', u'bcq', u'3060', u'10', u'e', u'b', u'c', u'3041', u'3019', u'4', u'pm', u'ene', u'3032', u'3006', u'655', u'635', u'midst', u'ke', u'oqgr', u'3010', u'4', u'ocqr', u'2998', u'lo', u'o', u'c', u'p', u'3001', u'2974', u'705', u'3415', u'4', u'pm', u'c', u'p', u'3000', u'2975', u'januari', u'1836', u'10', u'n', u'3020', u'2995', u'705', u'585', u'655', u'three', u'king', u'4', u'p', u'veie', u'3004', u'2985', u'715', u'645', u'625', u'3421', u'17002', u'10', u'w', u'3010', u'2985', u'705', u'635', u'3505', u'16829', u'b', u'c', u'q', u'p', u'3020', u'2990', u'645', u'645', u'3451', u'16632', u'nee', u'e', u'3037', u'3012', u'675', u'665', u'3421', u'e', u'b', u'c', u'30i', u'3013', u'675', u'665', u'3418', u'16428', u'n', u'3036', u'3016', u'725', u'3427', u'16257', u'695', u'nw', u'bcq', u'3020', u'3006', u'73', u'675', u'3510', u'16021', u'685', u'685', u'noon', u'c', u'r', u'3016', u'2995', u'67', u'3456', u'675', u'15851', u'lo', u'2', u'bcq', u'3022', u'685', u'noon', u'b', u'c', u'qg', u'3030', u'3002', u'73', u'3346', u'15613', u'4', u'pm', u'b', u'bcq', u'3028', u'3002', u'695', u'715', u'675', u'10', u'bcq', u'3036', u'3013', u'68', u'3414', u'15323', u'abstract', u'meteorolog', u'journal', u'1', u'day', u'hour', u'wind', u'forc', u'weather', u'syinpr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'inch', u'inch', u'lat', u'longer', u'jane', u'ari', u'1836', u'685', u'noon', u'2999', u'715', u'705', u'705', u'sydney', u'cove', u'3', u'9', u'eg', u'tip', u'3019', u'3004', u'715', u'ssw', u'cgp', u'3020', u'3003', u'n', u'beg', u'2987', u'2979', u'735', u'2995', u'2981', u'ws', u'w', u'3001', u'2984', u'685', u'vile', u'eg', u'3021', u'3008', u'715', u'nee', u'eg', u'3025', u'3012', u'2986', u'2984', u'abl', u'beg', u'2983', u'2980', u'725', u'ene', u'3015', u'3006', u'23', u'nee', u'beg', u'3037', u'3022', u'735', u'nw', u'29', u'97', u'2996', u'25', u'se', u'eg', u'p', u'd', u'3040', u'3016', u'6', u'ssw', u'b', u'c', u'3056', u'585', u'9', u'nnw', u'beg', u'3069', u'13043', u'716', u'vv', u'n', u'w', u'bcgp', u'3063', u'3041', u'715', u'29', u'nee', u'e', u'3037', u'3025', u'725', u'705', u'noon', u'nee', u'b', u'c', u'3021', u'3016', u'port', u'jackson', u'695', u'10', u'n', u'm', u'3024', u'3018', u'735', u'675', u'3632', u'151', u'17', u'fear', u'uarv', u'10', u'n', u'c', u'u', u'p', u'2978', u'2973', u'625', u'noon', u'2970', u'2958', u'745', u'3919', u'15022', u'2', u'pm', u'n', u'b', u'e', u'e', u'q', u'm', u'4', u'n', u'b', u'w', u'c', u'q', u'm', u'2975', u'2961', u'595', u'2', u'wnw', u'q', u'2989', u'565', u'10', u'b', u'e', u'v', u'2992', u'2966', u'575', u'57', u'5', u'4201', u'14921', u'abl', u'b', u'c', u'q', u'3022', u'2994', u'4248', u'14956', u'wnw', u'b', u'e', u'q', u'2964', u'2955', u'565', u'4', u'p', u'm', u'w', u'b', u'e', u'q', u'p', u'2962', u'2954', u'645', u'565', u'van', u'diemen', u'land', u'midst', u'wnw', u'b', u'e', u'q', u'1', u'2972', u'565', u'10', u'w', u'b', u'e', u'q', u'p', u'2976', u'2965', u'575', u'storm', u'bay', u'vblea', u'b', u'c', u'q', u'2982', u'29', u'74', u'hobart', u'town', u'9', u'sw', u'beg', u'3025', u'3014', u'625', u'abl', u'eg', u'3052', u'3041', u'625', u'aa', u'3055', u'3047', u'noon', u'e', u'3052', u'3046', u'9', u'nee', u'3049', u'3042', u'nnw', u'3014', u'3019', u'655', u'se', u'b', u'e', u'g', u'm', u'3009', u'3008', u'e', u'beg', u'2997', u'3003', u'665', u'4', u'noon', u'nnw', u'bcq', u'2955', u'2977', u'4', u'pm', u'nw', u'b', u'n', u'q', u'29', u'47', u'2971', u'695', u'9', u'se', u'q', u'1', u'1', u'2967', u'feb', u'3', u'pm', u'hympr', u'set', u'tv', u'vo', u'tenth', u'lower', u'abstract', u'ok', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'fear', u'mari', u'1836', u'inch', u'inch', u'lat', u'longer', u'9', u'nw', u'b', u'n', u'beg', u'2976', u'555', u'hobart', u'town', u'1', u'nw', u'30', u'co', u'3001', u'575', u'595', u'cgp', u'3011', u'3008', u'675', u'595', u'595', u'585', u'575', u'10', u'n', u'3046', u'3028', u'575', u'565', u'4358', u'14758', u'9', u'n', u'e', u'b', u'n', u'od', u'2986', u'2989', u'4407', u'14514', u'4', u'pm', u'n', u'c', u'p', u'2986', u'2985', u'565', u'545', u'6', u'00', u'm', u'p', u'q', u'2995', u'10', u'abl', u'e', u'q', u'3012', u'3000', u'625', u'4303', u'14335', u'535', u'abl', u'30', u'32', u'3016', u'4255', u'14203', u'e', u'3037', u'3026', u'545', u'545', u'4229', u'13946', u'nee', u'ogm', u'2996', u'3092', u'635', u'525', u'4206', u'13527', u'x', u'n', u'w', u'c', u'u', u'g', u'2984', u'3073', u'615', u'535', u'535', u'4145', u'13349', u'sse', u'b', u'v', u'2985', u'3077', u'615', u'535', u'4128', u'13229', u'svv', u'born', u'3007', u'2994', u'555', u'565', u'555', u'4056', u'13054', u'oe', u'3022', u'3014', u'545', u'555', u'4034', u'12901', u'abl', u'c', u'd', u'3005', u'3000', u'625', u'555', u'565', u'4013', u'12705', u'c', u'p', u'2992', u'2988', u'565', u'575', u'3938', u'12529', u'march', u'abl', u'c', u'3034', u'3016', u'585', u'575', u'3802', u'12438', u'n', u'w', u'b', u'n', u'3041', u'3027', u'575', u'3926', u'12356', u'abl', u'3045', u'3036', u'585', u'585', u'3803', u'12320', u'ocg', u'3036', u'3033', u'645', u'595', u'605', u'3739', u'12267', u'nne', u'm', u'2993', u'2996', u'635', u'3649', u'12041', u'abl', u'b', u'c', u'q', u'3016', u'3010', u'645', u'615', u'655', u'king', u'georg', u'sound', u'665', u'abstllact', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'death', u'er', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'mar', u'h', u'183c', u'inch', u'inch', u'lat', u'long', u'e', u'1', u'10', u'ess', u'3013', u'3019', u'665', u'635', u'665', u'king', u'georg', u'sound', u'9', u'se', u'3009', u'3021', u'b', u'c', u'q', u'2980', u'3002', u'685', u'noon', u'wnw', u'b', u'c', u'q', u'2q68', u'2983', u'6', u'pm', u'w', u'w', u'q', u'2978', u'9', u'abl', u'g', u'2993', u'2999', u'wnw', u'eg', u'qp', u'3019', u'3012', u'535', u'625', u'sw', u'b', u'e', u'qp', u'3018', u'3016', u'625', u'625', u'3045', u'3032', u'645', u'655', u'5', u'10', u'abl', u'b', u'e', u'q', u'3048', u'3037', u'585', u'655', u'e', u'3041', u'3040', u'655', u'675', u'665', u'635', u'35', u'34', u'nee', u'b', u'n', u'b', u'v', u'3013', u'3020', u'675', u'685', u'3502', u'11400', u'i8', u'vile', u'b', u'm', u'3003', u'3011', u'695', u'695', u'685', u'3432', u'11339', u'w', u'b', u'n', u'b', u'eq', u'3014', u'3017', u'655', u'675', u'3243', u'11258', u'3027', u'3029', u'695', u'685', u'675', u'3034', u'11114', u'b', u'e', u'b', u'e', u'p', u'3030', u'3035', u'695', u'685', u'2808', u'10931', u'se', u'b', u'b', u'cq', u'3018', u'3030', u'715', u'735', u'2538', u'10727', u'se', u'b', u'e', u'3000', u'3022', u'735', u'735', u'735', u'2308', u'10551', u'ess', u'b', u'm', u'2996', u'3022', u'765', u'755', u'755', u'755', u'2056', u'10422', u'se', u'2994', u'3023', u'765', u'1844', u'10300', u'b', u'c', u'm', u'2988', u'3017', u'775', u'1603', u'10117', u'ocm', u'q', u'3007', u'805', u'79', u'5', u'1322', u'99', u'07', u'4', u'pm', u'b', u'c', u'q', u'2963', u'2998', u'79', u'5', u'10', u'e', u'q', u'p', u'2970', u'29', u'98', u'755', u'785', u'1228', u'9749', u'4', u'pm', u'ocm', u'q', u'p', u'2962', u'2992', u'10', u'c', u'm', u'q', u'2964', u'2996', u'785', u'noon', u'sw', u'c', u'm', u'qp', u'2961', u'2988', u'1225', u'9731', u'8', u'pm', u'cmq', u'p', u'2966', u'785', u'16th', u'march', u'6a', u'm', u'pass', u'tl', u'rough', u'remark', u'le', u'tideri', u'jplb', u'm', u'meet', u'o', u'water', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'vr', u'inch', u'inch', u'lat', u'loig', u'e', u'marc', u'h', u'isl', u'785', u'10', u'wb', u'n', u'c', u'q', u'p', u'3002', u'815', u'785', u'785', u'11', u'49', u'93o', u'nw', u'3004', u'1218', u'9715', u'april', u'79', u'5', u'785', u'nee', u'29', u'75', u'3009', u'825', u'1208', u'9701', u'ess', u'b', u'c', u'm', u'30i5', u'825', u'79', u'5', u'825', u'keel', u'island', u'9', u'2982', u'3018', u'w', u'e', u'b', u'e', u'2986', u'3022', u'825', u'8', u'e', u'b', u'b', u'eq', u'2984', u'3021', u'795', u'noon', u'ess', u'b', u'e', u'q', u'2981', u'3020', u'825', u'6', u'pm', u'bcgq', u'2978', u'825', u'795', u'8', u'q', u'm', u'2983', u'30', u'2', u'1', u'785', u'noon', u'b', u'c', u'q', u'm', u'2983', u'3021', u'795', u'6', u'p', u'm', u'b', u'c', u'q', u'm', u'2981', u'3018', u'825', u'795', u'6', u'b', u'c', u'q', u'2987', u'9', u'b', u'c', u'q', u'ra', u'2987', u'3023', u'noon', u'se', u'bee', u'b', u'e', u'ni', u'q', u'2981', u'3023', u'9', u'b', u'c', u'q', u'mp', u'2985', u'3020', u'81', u'5', u'b', u'c', u'q', u'm', u'2984', u'3018', u'815', u'785', u'noon', u'b', u'c', u'q', u'm', u'2980', u'3017', u'81', u'9', u'b', u'c', u'g', u'qp', u'2982', u'3016', u'805', u'785', u'10', u'ess', u'3014', u'815', u'785', u'1212', u'9438', u'b', u'e', u'p', u'2980', u'3016', u'1237', u'9219', u'785', u'e', u'b', u'2976', u'3011', u'785', u'79', u'5', u'1259', u'8956', u'e', u'b', u'c', u'm', u'2972', u'3011', u'i323', u'8741', u'79', u'5', u'ess', u'b', u'c', u'3012', u'81', u'5', u'79', u'5', u'775', u'1404', u'8544', u'e', u'qep', u'2984', u'3010', u'785', u'14', u'37', u'8307', u'se', u'b', u'c', u'q', u'2981', u'3011', u'785', u'i5i8', u'socio', u'ess', u'3015', u'815', u'785', u'785', u'1602', u'7650', u'se', u'ocpq', u'2976', u'3011', u'815', u'79', u'5', u'775', u'1648', u'7337', u'nee', u'b', u'3016', u'785', u'1728', u'7136', u'eb', u'n', u'b', u'e', u'm', u'3016', u'825', u'785', u'785', u'1739', u'6949', u'b', u'e', u'v', u'2981', u'3020', u'825', u'79', u'5', u'17', u'05', u'6758', u'api', u'il', u'nth', u'lost', u'setfregibt', u'iiennom', u'ter', u'sound', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympv', u'barom', u'attd', u'tiger', u'temp', u'air', u'temp', u'water', u'local', u'april', u'1835', u'inch', u'indi', u'785', u'lat', u'lat', u'e', u'10', u'b', u'c', u'u', u'g', u'2982', u'3018', u'825', u'isi', u'6639', u'785', u'785', u'2985', u'3020', u'785', u'1833', u'6414', u'sse', u'2985', u'3021', u'805', u'785', u'785', u'1832', u'6150', u'se', u'2989', u'3023', u'785', u'1930', u'5944', u'b', u'c', u'p', u'q', u'2988', u'3023', u'785', u'mauritiu', u'9', u'sw', u'bop', u'2984', u'3016', u'port', u'loui', u'noon', u'e', u'2981', u'3015', u'may', u'9', u'se', u'2989', u'3022', u'795', u'e', u'b', u'e', u'beq', u'2995', u'3023', u'785', u'noon', u'ess', u'2981', u'3022', u'795', u'9', u'31', u'2989', u'3023', u'ene', u'2991', u'3021', u'se', u'beq', u'2996', u'3024', u'775', u'2995', u'3031', u'776', u'sse', u'beq', u'3005', u'3037', u'775', u'9', u'se', u'b', u'3006', u'3039', u'775', u'10', u'se', u'b', u'c', u'qp', u'3012', u'3038', u'785', u'775', u'2015', u'5508', u'b', u'c', u'q', u'p', u'3016', u'3045', u'765', u'2157', u'5206', u'beq', u'3028', u'3050', u'765', u'2358', u'4903', u'abl', u'3031', u'3053', u'735', u'735', u'2607', u'4607', u'h', u'e', u'n', u'e', u'3013', u'3037', u'765', u'745', u'745', u'2731', u'4240', u'5', u'abl', u'b', u'c', u'3006', u'3032', u'775', u'755', u'735', u'2730', u'4101', u'3010', u'3034', u'765', u'735', u'2722', u'4006', u'7', u'e', u'3017', u'3044', u'765', u'725', u'735', u'2750', u'3752', u'725', u'se', u'beg', u'3026', u'3046', u'775', u'2815', u'3509', u'725', u'9', u'ene', u'b', u'c', u'm', u'3027', u'3047', u'765', u'735', u'735', u'725', u'3021', u'3244', u'nee', u'3014', u'3034', u'735', u'735', u'3228', u'2943', u'sw', u'oe', u'q', u'3008', u'3016', u'715', u'705', u'3349', u'2728', u'nee', u'3026', u'3031', u'635', u'3429', u'2527', u'abstract', u'meteokolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'inch', u'inch', u'lat', u'long', u'e', u'may', u'1830', u'10', u'n', u'n', u'e', u'c', u'q', u'2974', u'29', u'94', u'625', u'3449', u'2248', u'j', u'abl', u'3012', u'3021', u'635', u'625', u'3443', u'2241', u'2158', u'nwbw', u'3020', u'3026', u'615', u'625', u'3529', u'nw', u'b', u'c', u'q', u'3007', u'3010', u'615', u'3515', u'2', u'122', u'3014', u'3020', u'685', u'6i', u'3506', u'2024', u'sw', u'b', u'3003', u'3009', u'615', u'3453', u'1958', u'2', u'nw', u'b', u'c', u'q', u'1', u'2973', u'noon', u'ogq', u'u', u'2969', u'2975', u'605', u'3511', u'2002', u'4', u'1', u'jr', u'q', u'2968', u'2978', u'midst', u'vv', u'b', u'cq', u'2984', u'10', u'sw', u'q', u'3016', u'3014', u'675', u'605', u'3512', u'1942', u'abl', u'b', u'c', u'r', u'3035', u'3036', u'675', u'cape', u'good', u'hope', u'june', u'9', u'beg', u'3029', u'3035', u'simon', u'bay', u'3048', u'3053', u'645', u'sse', u'q', u'3047', u'3053', u'b', u'm', u'3047', u'b', u'm', u'3045', u'abl', u'bcm', u'3036', u'3042', u'noon', u'nnw', u'b', u'm', u'q', u'3010', u'3037', u'9', u'w', u'b', u'c', u'q', u'3032', u'3040', u'665', u'sse', u'3045', u'3051', u'noon', u'nw', u'bcm', u'3032', u'e', u'b', u'c', u'3009', u'abl', u'b', u'e', u'3016', u'nw', u'b', u'e', u'q', u'p', u'3029', u'nnw', u'co', u'g', u'q', u'3025', u'3033', u'nw', u'bcm', u'3012', u'3022', u'e', u'q', u'r', u'3000', u'3008', u'635', u'6', u'b', u'e', u'egqp', u'd', u'3007', u'3018', u'625', u'555', u'noon', u'sse', u'bcq', u'3024', u'3033', u'625', u'n', u'n', u'w', u'b', u'c', u'3039', u'3045', u'625', u'555', u'585', u'585', u'10', u'b', u'c', u'3015', u'3020', u'585', u'605', u'3457', u'1708', u'6', u'n', u'c', u'q', u'g', u'2985', u'615', u'10', u'nw', u'bcq', u'2992', u'2993', u'3457', u'1655', u'4', u'pm', u'b', u'e', u'q', u'2998', u'3006', u'655', u'595', u'595', u'10', u'abl', u'b', u'c', u'3036', u'3038', u'595', u'595', u'33', u'35', u'1655', u'bcm', u'3030', u'3035', u'595', u'3247', u'1712', u'abstract', u'meteorolog', u'journal', u'jay', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'inch', u'inch', u'lat', u'long', u'e', u'fdnk', u'1b3j', u'585', u'10', u'abl', u'beg', u'3032', u'3043', u'595', u'595', u'595', u'595', u'3147', u'1701', u'sse', u'b', u'c', u'm', u'w', u'30', u'29', u'3036', u'665', u'585', u'595', u'605', u'3035', u'1538', u'abl', u'3024', u'3034', u'605', u'2918', u'1344', u'q', u'3036', u'3044', u'615', u'615', u'27', u'49', u'11', u'52', u'sse', u'cgq', u'30', u'37', u'3044', u'625', u'2544', u'914', u'abl', u'ocg', u'3017', u'3031', u'635', u'2336', u'658', u'c', u'beg', u'3011', u'3027', u'665', u'2304', u'513', u'3017', u'3045', u'2159', u'449', u'nlt', u'655', u'c', u'3024', u'3042', u'685', u'665', u'2100', u'316', u'se', u'oeg', u'3016', u'3039', u'67', u'1958', u'119', u'e', u'abl', u'oeq', u'3014', u'3037', u'675', u'673', u'673', u'1856', u'024', u'w', u'cgq', u'3014', u'3033', u'1814', u'204', u'w', u'n', u'3004', u'3031', u'695', u'687', u'682', u'1757', u'343', u'w', u'abl', u'3006', u'3030', u'675', u'685', u'1707', u'343', u'c', u'3012', u'3032', u'715', u'685', u'1617', u'337', u'se', u'b', u'c', u'q', u'3015', u'3042', u'685', u'685', u'st', u'helena', u'9', u'4', u'b', u'c', u'qp', u'd', u'3015', u'3039', u'685', u'685', u'noon', u'sse', u'4', u'b', u'cqp', u'3011', u'3035', u'9', u'4', u'bcgqp', u'3011', u'3039', u'se', u'bcgp', u'3013', u'3039', u'q', u'p', u'3036', u'h', u'3010', u'3036', u'705', u'685', u'695', u'10', u'abl', u'b', u'c', u'q', u'p', u'3002', u'3026', u'715', u'1411', u'753', u'705', u'2990', u'3020', u'725', u'71', u'1327', u'853', u'7', u'2997', u'3028', u'725', u'1217', u'723', u'3d', u'igth', u'temperatur', u'water', u'taken', u'night', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'ltd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'juli', u'1835', u'inch', u'inch', u'lat', u'longer', u'10', u'se', u'3000', u'3031', u'1027', u'1204', u'b', u'c', u'q', u'p', u'29', u'94', u'3029', u'753', u'811', u'noon', u'b', u'cq', u'p', u'2989', u'3030', u'765', u'ascens', u'9', u'b', u'cgqp', u'29', u'93', u'3029', u'755', u'b', u'c', u'q', u'29', u'92', u'3028', u'753', u'noon', u'b', u'c', u'q', u'29', u'89', u'3030', u'755', u'755', u'10', u'sse', u'b', u'c', u'q', u'29', u'98', u'3033', u'765', u'75', u'5', u'74', u'5', u'908', u'1652', u'25', u'se', u'q', u'igq', u'3031', u'765', u'74', u'5', u'1028', u'1935', u'b', u'c', u'q', u'2996', u'3030', u'745', u'1117', u'2243', u'b', u'c', u'q', u'2996', u'3031', u'745', u'745', u'1147', u'2613', u'9', u'abl', u'3032', u'755', u'1205', u'2905', u'10', u'e', u'b', u'c', u'm', u'2989', u'3027', u'775', u'755', u'76', u'1219', u'3133', u'2985', u'3024', u'775', u'765', u'765', u'1244', u'3414', u'b', u'c', u'2987', u'3029', u'1251', u'3631', u'august', u'2990', u'3032', u'785', u'745', u'9', u'sse', u'2990', u'3032', u'785', u'bahia', u'sw', u'2995', u'3034', u'775', u'3032', u'775', u'noon', u'ssw', u'2990', u'3032', u'775', u'sw', u'b', u'w', u'b', u'c', u'2988', u'3030', u'755', u'1', u'm', u'abl', u'b', u'c', u'q', u'2994', u'3031', u'755', u'755', u'1302', u'3815', u'og', u'2992', u'3031', u'755', u'1255', u'3747', u'2990', u'3032', u'755', u'1253', u'3723', u'se', u'b', u'cq', u'2990', u'3031', u'775', u'765', u'765', u'1130', u'3617', u'abl', u'q', u'2994', u'3031', u'755', u'945', u'3520', u'se', u'ocmgqp', u'2990', u'3026', u'775', u'755', u'758', u'3', u'noon', u'beq', u'3011', u'3030', u'785', u'755', u'r', u'pernambuco', u'inner', u'harbour', u'set', u'syi', u'npr', u'026', u'higher', u'1', u'eth', u'aug', u'st', u'pm', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'adjust', u'1836', u'inch', u'inch', u'lat', u'longer', u'h', u'9', u'se', u'3014', u'3029', u'755', u'765', u'765', u'f', u'pernambuco', u'l', u'road', u'3012', u'3028', u'765', u'755', u'10', u'ess', u'bcgpr', u'3010', u'3024', u'785', u'765', u'765', u'j7', u'se', u'beg', u'3022', u'785', u'765', u'765', u'e', u'b', u'c', u'q', u'3006', u'3025', u'795', u'765', u'765', u'653', u'3430', u'9', u'se', u'bcq', u'3010', u'3026', u'765', u'765', u'422', u'3330', u'b', u'c', u'q', u'3011', u'3030', u'765', u'755', u'158', u'3157', u'30', u'09', u'3024', u'765', u'775', u'015', u'n', u'3041', u'3007', u'3025', u'775', u'208', u'2935', u'bcq', u'3006', u'3026', u'785', u'735', u'409', u'2840', u'b', u'w', u'3004', u'3025', u'805', u'795', u'609', u'2648', u'sw', u'3000', u'3025', u'785', u'785', u'807', u'2525', u'abl', u'3000', u'3020', u'795', u'957', u'2418', u'b', u'e', u'm', u'2986', u'3014', u'1040', u'2342', u'2', u'sw', u'ogqr', u'2972', u'10', u'e', u'2996', u'3016', u'785', u'795', u'1227', u'2327', u'abl', u'born', u'2998', u'3023', u'795', u'785', u'1341', u'2322', u'nbe', u'b', u'c', u'm', u'3000', u'3024', u'825', u'793', u'79', u'2', u'1420', u'2305', u'9', u'nee', u'bcq', u'3023', u'805', u'torso', u'pray', u'ibptembeb', u'nne', u'3001', u'3026', u'785', u'3', u'nee', u'3004', u'3028', u'bcq', u'2997', u'3026', u'805', u'1', u'4', u'bcq', u'29', u'94', u'3022', u'10', u'3002', u'3023', u'785', u'1424', u'2521', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'septembeb1836', u'inch', u'inch', u'latin', u'longer', u'10', u'nee', u'4', u'b', u'c', u'm', u'q', u'30', u'22', u'3026', u'1601', u'2744', u'775', u'b', u'c', u'm', u'3026', u'3028', u'765', u'765', u'1812', u'2958', u'ene', u'3035', u'3032', u'785', u'765', u'755', u'2046', u'3154', u'j', u'abl', u'bcqp', u'30', u'39', u'3032', u'775', u'755', u'2307', u'3225', u'ene', u'3039', u'3036', u'752', u'745', u'2541', u'3434', u'e', u'b', u'n', u'3039', u'3038', u'765', u'745', u'745', u'745', u'2752', u'3547', u'wnw', u'3032', u'3031', u'755', u'735', u'2842', u'3517', u'nee', u'3034', u'3027', u'725', u'755', u'745', u'2959', u'3623', u'm', u'se', u'b', u'c', u'3032', u'3029', u'775', u'3037', u'3623', u'735', u'sw', u'ben', u'3025', u'3026', u'785', u'735', u'3241', u'i6', u'ssw', u'b', u'c', u'm', u'3026', u'3022', u'785', u'725', u'715', u'3515', u'3222', u'6', u'om', u'qg', u'3016', u'7', u'1', u'10', u'b', u'c', u'q', u'm', u'3024', u'3018', u'695', u'695', u'3649', u'2931', u'i8', u'9', u'3026', u'705', u'692', u'3803', u'2739', u'10', u'nnw', u'3050', u'3036', u'685', u'sw', u'b', u'cf', u'3042', u'3035', u'735', u'angra', u'road', u'abl', u'e', u'n', u'3040', u'3035', u'745', u'sw', u'oct', u'3042', u'30si', u'755', u'abl', u'30', u'60', u'3048', u'695', u'3758', u'sse', u'b', u'e', u'3062', u'3050', u'705', u'oflf', u'st', u'michael', u'ocg', u'3046', u'3034', u'3920', u'2430', u'nw', u'3037', u'3024', u'675', u'655', u'4105', u'2207', u'3052', u'3032', u'685', u'645', u'4228', u'1932', u'w', u'c', u'g', u'd', u'3036', u'3016', u'64t', u'645', u'4433', u'1629', u'10', u'cgqp', u'2988', u'2954', u'5th', u'sept', u'noon', u'set', u'sympr', u'017', u'higher', u'27th', u'sept', u'pm', u'broke', u'wat', u'3', u'thermomet', u'use', u'n', u'thi', u'time', u'ivori', u'25', u'abstract', u'meteorolog', u'journal', u'day', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'locat', u'sept', u'mber1836', u'inch', u'inch', u'latin', u'longer', u'10', u'nw', u'b', u'c', u'q', u'm', u'3011', u'2973', u'655', u'615', u'4543', u'1343', u'4', u'pm', u'n', u'q', u'3037', u'3003', u'675', u'10', u'nw', u'q', u'3046', u'3017', u'655', u'605', u'605', u'4', u'pm', u'abl', u'e', u'q', u'3038', u'3006', u'4631', u'1141', u'midst', u'sw', u'gqp', u'30', u'00', u'octob', u'10', u'nw', u'2958', u'2952', u'595', u'2', u'pm', u'q', u'p', u'2946', u'585', u'4815', u'858', u'4', u'b', u'e', u'q', u'p', u'2951', u'2946', u'675', u'585', u'10', u'w', u'b', u'c', u'q', u'p', u'2980', u'2972', u'565', u'9', u'pm', u'b', u'e', u'q', u'p', u'2930', u'2956', u'falmouth', u'midst', u'ough', u'2916', u'2908', u'10', u'nnw', u'bcq', u'2964', u'29691', u'605', u'565', u'6', u'pm', u'sw', u'b', u'c', u'q', u'p', u'2972', u'2967', u'605', u'9', u'b', u'2967', u'noon', u'sw', u'b', u'2976', u'2971', u'595', u'4', u'pm', u'nw', u'b', u'2980', u'2974', u'595', u'565', u'9', u'k', u'3002', u'4', u'pm', u'3018', u'3006', u'plymouth', u'9', u'nnw', u'b', u'c', u'm', u'2997', u'3004', u'4', u'pm', u'ws', u'w', u'beg', u'2986', u'2986', u'9', u'sw', u'bcq', u'2958', u'2959', u'595', u'3', u'pm', u'sse', u'bcq', u'2944', u'2946', u'595', u'9', u'sw', u'2959', u'2955', u'3', u'pm', u'ssw', u'2959', u'2955', u'595', u'9', u'w', u'q', u'2956', u'2953', u'9', u'b', u'c', u'q', u'p', u'2947', u'2944', u'3', u'pm', u'wsw', u'b', u'c', u'q', u'p', u'2950', u'2950', u'565', u'4', u'sw', u'bcq', u'2934', u'9', u'w', u'beg', u'2950', u'2948', u'585', u'3', u'pm', u'sw', u'b', u'c', u'p', u'2954', u'2952', u'585', u'9', u'wsw', u'beg', u'2976', u'2973', u'585', u'4', u'pm', u'sse', u'eg', u'qr', u'2942', u'2942', u'8', u'wsw', u'b', u'c', u'q', u'p', u'2908', u'2913', u'10', u'q', u'p', u'2911', u'2912', u'585', u'10', u'w', u'b', u'e', u'q', u'p', u'2949', u'2939', u'3', u'pm', u'sw', u'bcq', u'2951', u'2949', u'575', u'midst', u'b', u'c', u'q', u'p', u'h', u'9', u'sw', u'3003', u'2996', u'3', u'pm', u'3008', u'3003', u'9', u'ssw', u'b', u'c', u'3000', u'2996', u'9', u'se', u'b', u'c', u'm', u'3035', u'3025', u'3', u'pm', u'bcq', u'3026', u'3024', u'9', u'ess', u'bcq', u'3027', u'3023', u'3', u'pm', u'se', u'q', u'3019', u'3023', u'9', u'b', u'c', u'm', u'3030', u'3025', u'565', u'noon', u'sse', u'abl', u'b', u'c', u'm', u'3029', u'3024', u'4', u'pm', u'wsw', u'b', u'e', u'm', u'3028', u'3026', u'615', u'572', u'10', u'nnw', u'b', u'c', u'm', u'3056', u'3047', u'572', u'4', u'pm', u'n', u'b', u'm', u'3054', u'3050', u'583', u'575', u'5017', u'10', u'se', u'b', u'cm', u'3070', u'3060', u'615', u'10', u'm', u'3063', u'3046', u'605', u'1st', u'oct', u'set', u'sympr', u'027', u'lower', u'3d', u'oct', u'1230', u'baromet', u'low', u'2908', u'abstract', u'meteorolog', u'journal', u'day', u'octo', u'hour', u'wind', u'forc', u'weather', u'sympr', u'barom', u'attd', u'ther', u'temp', u'air', u'temp', u'water', u'local', u'jeb', u'1836', u'3', u'rm', u'se', u'b', u'c', u'm', u'3056', u'3044', u'595', u'575', u'10', u'b', u'c', u'm', u'q', u'3068', u'3053', u'595', u'575', u'3', u'pm', u'e', u'3068', u'3054', u'595', u'565', u'9', u'n', u'2', u'b', u'm', u'3055', u'4', u'pm', u'abl', u'b', u'c', u'm', u'30', u'66', u'3052', u'575', u'10', u'b', u'c', u'm', u'3062', u'3053', u'4', u'pm', u'nw', u'bf', u'3063', u'3050', u'565', u'10', u'bf', u'3056', u'3044', u'595', u'4', u'pm', u'f', u'm', u'3050', u'3037', u'555', u'545', u'10', u'nwb', u'n', u'b', u'm', u'30', u'3035', u'4', u'pm', u'nw', u'ogm', u'3036', u'3028', u'545', u'545', u'10', u'w', u'c', u'q', u'30', u'00', u'2988', u'535', u'thane', u'6', u'pm', u'nw', u'b', u'c', u'q', u'3025', u'3004', u'535', u'525', u'10', u'b', u'c', u'q', u'3026', u'3011', u'525', u'515', u'8', u'pm', u'3002', u'greenwich', u'9', u'n', u'b', u'e', u'og', u'2987', u'2969', u'noon', u'nne', u'dog', u'3000', u'3', u'pm', u'n', u'b', u'e', u'beg', u'3010', u'2991', u'9', u'3020', u'515', u'noon', u'n', u'b', u'm', u'3044', u'3', u'pm', u'3022', u'515', u'8', u'3028', u'noon', u'b', u'm', u'3052', u'3', u'pm', u'bm', u'3051', u'3028', u'515', u'nove', u'meer', u'9', u'wsw', u'g', u'm', u'3050', u'3028', u'495', u'noon', u'sw', u'cgm', u'3048', u'3', u'pm', u'cgm', u'3049', u'3032', u'9', u'wsw', u'b', u'c', u'g', u'm', u'3030', u'3013', u'noon', u'w', u'b', u'cgm', u'3023', u'9', u'wsw', u'b', u'c', u'g', u'm', u'3008', u'3005', u'noon', u'b', u'c', u'g', u'm', u'3001', u'9', u'w', u'egqm', u'2987', u'2978', u'noon', u'cgqm', u'2983', u'3', u'pm', u'e', u'm', u'p', u'd', u'2978', u'2968', u'535', u'9', u'abl', u'gq', u'2943', u'2936', u'535', u'noon', u'wnw', u'b', u'eg', u'qp', u'2953', u'3', u'pm', u'b', u'cq', u'2963', u'2947', u'9', u'wsw', u'2982', u'2966', u'525', u'3', u'pm', u'wnw', u'b', u'eq', u'2987', u'2966', u'515', u'woolwich', u'9', u'b', u'penn', u'2999', u'2982', u'3', u'pm', u'nw', u'b', u'e', u'm', u'3008', u'2991', u'505', u'8', u'pm', u'sw', u'b', u'e', u'm', u'3046', u'3028', u'9', u'b', u'eg', u'3038', u'3018', u'beagl', u'wa', u'plymouth', u'1831', u'excel', u'marin', u'baromet', u'made', u'jone', u'iron', u'cistern', u'wa', u'sent', u'water', u'maker', u'hand', u'thi', u'instrument', u'wa', u'suspend', u'cabin', u'cistern', u'level', u'sea', u'except', u'dure', u'first', u'eight', u'month', u'wa', u'place', u'six', u'feet', u'higher', u'barometr', u'observ', u'record', u'thi', u'tabl', u'taken', u'correct', u'1836', u'convey', u'baromet', u'land', u'woolwich', u'london', u'wa', u'serious', u'injur', u'therefor', u'give', u'valu', u'indic', u'board', u'beagl', u'annex', u'correspond', u'observ', u'made', u'royal', u'observatori', u'somerset', u'hous', u'extract', u'regist', u'standard', u'baromet', u'royal', u'societi', u'somerset', u'hous', u'royal', u'observatori', u'greenwich', u'day', u'hour', u'bar', u'attd', u'ro', u'bar', u'day', u'hour', u're', u'bar', u'attd', u'iher', u'ro', u'bar', u'novemb', u'1831', u'dee', u'mber', u'1831', u'9', u'29520', u'476', u'2940', u'9', u'30170', u'468', u'3006', u'29607', u'473', u'2944', u'30027', u'467', u'2992', u'29666', u'49', u'3', u'2958', u'30148', u'477', u'3005', u'30421', u'434', u'3030', u'29837', u'488', u'2973', u'30245', u'474', u'3013', u'29432', u'488', u'2932', u'30326', u'510', u'3022', u'28924', u'507', u'2883', u'29', u'994', u'518', u'29139', u'513', u'2905', u'30053', u'453', u'2993', u'29190', u'553', u'2908', u'29478', u'442', u'2938', u'3', u'pm', u'29206', u'563', u'2913', u'i6', u'29312', u'414', u'2921', u'9', u'29418', u'538', u'2931', u'29', u'585', u'397', u'2947', u'29307', u'538', u'2921', u'i8', u'29691', u'385', u'2958', u'29573', u'515', u'2948', u'29436', u'407', u'2932', u'29373', u'495', u'29850', u'488', u'2975', u'29567', u'467', u'2946', u'29966', u'527', u'2987', u'3', u'pm', u'29643', u'476', u'2954', u'30032', u'534', u'2992', u'3', u'pm', u'30418', u'400', u'3032', u'29960', u'543', u'2985', u'9', u'30428', u'404', u'3032', u'29944', u'54e', u'29', u'83', u'3', u'pm', u'30392', u'427', u'3027', u'30321', u'467', u'3020', u'octo', u'3eb', u'1836', u'octo', u'beb', u'1836', u'9', u'295ii', u'548', u'2940', u'3', u'pm', u'29423', u'567', u'2931', u'29386', u'560', u'2929', u'29390', u'586', u'2926', u'29219', u'544', u'2911', u'29322', u'589', u'2920', u'29247', u'579', u'2914', u'29388', u'600', u'2928', u'29140', u'575', u'2902', u'29333', u'595', u'2916', u'29782', u'564', u'2968', u'29717', u'592', u'2980', u'30229', u'547', u'30212', u'578', u'30210', u'557', u'3010', u'30176', u'577', u'3008', u'30174', u'569', u'3006', u'30150', u'603', u'3002', u'30241', u'585', u'3015', u'30322', u'603', u'30', u'332', u'522', u'3022', u'30305', u'55', u'5', u'3020', u'30398', u'512', u'3029', u'30382', u'539', u'3028', u'30408', u'493', u'30378', u'522', u'30394', u'515', u'3028', u'30360', u'536', u'3025', u'30371', u'526', u'3015', u'30225', u'532', u'3012', u'30196', u'526', u'3007', u'30113', u'544', u'3001', u'29473', u'423', u'2935', u'29703', u'416', u'2955', u'30019', u'39', u'0', u'30035', u'41', u'0', u'30089', u'373', u'2997', u'30009', u'400', u'2997', u'novemb', u'nove', u'mber', u'9', u'lm', u'30099', u'376', u'2997', u'3', u'pm', u'30008', u'404', u'2990', u'29570', u'454', u'2946', u'29451', u'470', u'2934', u'29140', u'456', u'2903', u'29287', u'47', u'2', u'2914', u'29459', u'421', u'29439', u'446', u'29631', u'400', u'2952', u'29722', u'428', u'2960', u'royal', u'societi', u'baromet', u'95', u'feet', u'ob', u'servant', u'ry', u'baromet', u'156', u'feet', u'abov', u'mean', u'level', u'c', u'f', u'sea', u'height', u'm', u'reuri', u'given', u'read', u'eut', u'ani', u'corr', u'action', u'reduct', u'figur', u'use', u'calm', u'1', u'light', u'air', u'2', u'light', u'breez', u'3', u'gentl', u'breez', u'4', u'moder', u'breez', u'5', u'fresh', u'breez', u'denot', u'forc', u'wind', u'suffici', u'give', u'steerag', u'way', u'manor', u'war', u'sail', u'set', u'clean', u'full', u'would', u'go', u'smooth', u'water', u'6', u'strong', u'breez', u'7', u'moder', u'gale', u'8', u'fresh', u'gale', u'9', u'strong', u'gale', u'10', u'whole', u'gale', u'wellcondit', u'manofwar', u'could', u'carri', u'chase', u'full', u'1', u'2', u'knot', u'3', u'4', u'knot', u'5', u'6', u'knot', u'royal', u'c', u'singlereef', u'topsail', u'topgal', u'sail', u'doublereef', u'topsail', u'jib', u'c', u'treblereef', u'topsail', u'c', u'closereef', u'topsail', u'cours', u'11', u'storm', u'12', u'hurrican', u'could', u'scarc', u'bear', u'closereef', u'maintopsail', u'reef', u'foresail', u'would', u'reduc', u'storm', u'staysail', u'canvass', u'could', u'withstand', u'letter', u'denot', u'state', u'weather', u'b', u'blue', u'sky', u'whether', u'clear', u'hazi', u'atmospher', u'c', u'cloud', u'detach', u'pass', u'cloud', u'd', u'drizzl', u'rain', u'f', u'foggi', u'f', u'thick', u'fog', u'g', u'gloomi', u'dark', u'weather', u'h', u'hail', u'1', u'lightn', u'm', u'misti', u'hazi', u'atmospher', u'o', u'overcast', u'whole', u'sky', u'cover', u'thick', u'cloud', u'p', u'pass', u'temporari', u'shower', u'q', u'squalli', u'r', u'rain', u'continu', u'rain', u'snow', u'thunder', u'u', u'ugli', u'threaten', u'appear', u'v', u'visibl', u'clear', u'atmospher', u'w', u'wet', u'dew', u'ani', u'letter', u'indic', u'extraordinari', u'degre', u'combin', u'letter', u'ordinari', u'phenomena', u'weather', u'may', u'express', u'facil', u'breviti', u'exampl', u'bcm', u'blue', u'sky', u'pass', u'cloud', u'hazi', u'atmospher', u'gv', u'gloomi', u'dark', u'weather', u'distant', u'object', u'remark', u'visibl', u'qpdlt', u'veri', u'hard', u'squall', u'pass', u'shower', u'drizzl', u'accompani', u'lightn', u'veri', u'heavi', u'thunder', u'tabl', u'latitud', u'longitud', u'variat', u'compass', u'also', u'time', u'syzygi', u'high', u'water', u'rise', u'tide', u'direct', u'set', u'flood', u'tide', u'stream', u'england', u'devonport', u'clarenc', u'bath', u'high', u'water', u'markinth', u'meridian', u'governmenthousej', u'falmouth', u'pendenni', u'castl', u'azor', u'island', u'terceira', u'mount', u'brazil', u'summit', u'st', u'michael', u'st', u'bra', u'castl', u'cape', u'verd', u'island', u'st', u'jago', u'port', u'prayaa', u'quail', u'island', u'west', u'point', u'call', u'also', u'gun', u'point', u'st', u'paul', u'penedo', u'penado', u'de', u'san', u'pedro', u'l', u'summit', u'j', u'brazil', u'fernando', u'de', u'noronha', u'fort', u'concerto', u'pernambuco', u'fort', u'pica', u'bahia', u'fort', u'san', u'pedro', u'bahia', u'intheof', u'abrolho', u'santa', u'barbara', u'e', u'summit', u'rio', u'de', u'janeiro', u'villegagnon', u'islet', u'well', u'santa', u'catharina', u'anhatomirim', u'islet', u'flag1', u'staff', u'j', u'plata', u'bueno', u'ayr', u'landingplac', u'mole', u'montevideo', u'rat', u'island', u'gorriti', u'well', u'nee', u'end', u'point', u'piedra', u'extrem', u'grassi', u'part', u'river', u'sanborombon', u'entranc', u'river', u'salado', u'entranc', u'san', u'antonio', u'cape', u'north', u'extrem', u'abov', u'high', u'water', u'j', u'pampa', u'medano', u'cato', u'summit', u'medano', u'silla', u'summit', u'mean', u'point', u'southeast', u'summit', u'mar', u'chiquito', u'bar', u'corrient', u'cape', u'eastern', u'summit', u'mont', u'point', u'southeast', u'summit', u'montana', u'mount', u'highest', u'summit', u'san', u'andr', u'point', u'southeast', u'high', u'cliff', u'hernieneg', u'point', u'gueguen', u'river', u'black', u'point', u'cliff', u'summit', u'argentin', u'fort', u'naked', u'point', u'southern', u'summit', u'well', u'anchorstock', u'hillpoint', u'johnson', u'lat', u'north', u'long', u'west', u'50', u'22', u'00', u'50', u'08', u'33', u'38', u'38', u'35', u'37', u'43', u'58', u'14', u'54', u'02', u'o', u'55', u'30', u'south', u'3', u'50', u'00', u'8', u'3', u'35', u'12', u'59', u'20', u'13', u'00', u'00', u'17', u'57', u'42', u'22', u'54', u'40', u'27', u'25', u'31', u'34', u'35', u'30', u'34', u'53', u'20', u'34', u'57', u'02', u'35', u'26', u'50', u'35', u'41', u'40', u'35', u'43', u'15', u'36', u'18', u'30', u'36', u'28', u'00', u'36', u'37', u'10', u'36', u'59', u'05', u'37', u'47', u'30', u'38', u'05', u'30', u'10', u'36', u'1', u'45', u'17', u'20', u'38', u'22', u'40', u'38', u'36', u'00', u'38', u'39', u'00', u'38', u'43', u'50', u'38', u'49', u'40', u'38', u'56', u'55', u'4', u'10', u'00', u'5', u'02', u'45', u'27', u'13', u'00', u'25', u'40', u'15', u'23', u'30', u'00', u'29', u'22', u'00', u'32', u'25', u'00', u'34', u'5', u'30', u'38', u'30', u'45', u'38', u'20', u'00', u'38', u'41', u'30', u'43', u'08', u'45', u'48', u'34', u'45', u'58', u'21', u'53', u'56', u'13', u'15', u'54', u'57', u'35', u'57', u'05', u'11', u'57', u'18', u'45', u'67', u'19', u'15', u'56', u'45', u'51', u'56', u'40', u'15', u'56', u'40', u'55', u'56', u'40', u'43', u'57', u'21', u'45', u'57', u'29', u'15', u'57', u'30', u'35', u'61', u'56', u'18', u'57', u'39', u'05', u'57', u'51', u'45', u'58', u'40', u'00', u'58', u'47', u'30', u'62', u'14', u'41', u'59', u'36', u'55', u'61', u'58', u'30', u'van', u'west', u'25', u'00', u'24', u'10', u'24', u'19', u'24', u'15', u'16', u'30', u'15i6', u'v', u'unl83i', u'9', u'30', u'7', u'00', u'5', u'54', u'4', u'18', u'2', u'00', u'east', u'2', u'00', u'6', u'30', u'11', u'40', u'12', u'40', u'12', u'28', u'12', u'30', u'12', u'30', u'12', u'30', u'13', u'00', u'13', u'30', u'13', u'50', u'14', u'00', u'14', u'00', u'15', u'20', u'15', u'00', u'hew', u'h', u'm', u'5', u'17', u'5', u'35', u'2', u'30', u'o', u'15', u'noon', u'4', u'00', u'4', u'23', u'3', u'30', u'noon', u'regular', u'noon', u'11', u'00', u'10', u'40', u'10', u'00', u'9', u'55', u'8', u'20', u'5', u'51', u'r', u'feet', u'20', u'e', u'17', u'e', u'5', u'nw', u'w', u'n', u'w', u'warbl', u'warbl', u'8', u'nee', u'8', u'nee', u'g', u'tabl', u'posit', u'pampa', u'contemn', u'asuncion', u'point', u'hermosa', u'mount', u'summit', u'ziiraita', u'island', u'south', u'extrem', u'ariadn', u'island', u'south', u'extrem', u'labyrinth', u'head', u'summit', u'colorado', u'head', u'one', u'mile', u'north', u'entranc', u'colorado', u'river', u'mouth', u'indian', u'head', u'union', u'bay', u'snake', u'bank', u'southeast', u'extrem', u'ilubia', u'point', u'summit', u'del', u'carmen', u'fort', u'plaza', u'point', u'summit', u'extrem', u'lead', u'hill', u'summit', u'negro', u'river', u'main', u'point', u'eastern', u'patagonia', u'nippl', u'hill', u'summit', u'direct', u'hill', u'summit', u'san', u'antonio', u'port', u'point', u'villain', u'fort', u'hill', u'centr', u'fals', u'sister', u'eastern', u'summit', u'helen', u'bluff', u'sw', u'cliff', u'bermuda', u'head', u'eastern', u'summit', u'sierra', u'point', u'summit', u'pozo', u'point', u'summit', u'cliffi', u'extrem', u'san', u'antonio', u'sierra', u'summit', u'north', u'point', u'cliffi', u'extrem', u'entranc', u'point', u'east', u'san', u'jose', u'port', u'point', u'san', u'quiroga', u'extrem', u'bajo', u'point', u'castro', u'point', u'rise', u'extrem', u'vale', u'port', u'entranc', u'cantor', u'point', u'pyramid', u'near', u'pyramid', u'road', u'hercul', u'point', u'eastern', u'cliff', u'delgado', u'point', u'southeast', u'cliff', u'western', u'port', u'rocki', u'point', u'lobo', u'peak', u'nuevo', u'head', u'nuevo', u'gulf', u'point', u'ninfa', u'east', u'cliff', u'chupat', u'river', u'middl', u'entranc', u'elfin', u'head', u'summit', u'lobo', u'head', u'summit', u'tomb', u'point', u'extrem', u'atla', u'point', u'summit', u'rata', u'cape', u'eastern', u'summit', u'rock', u'calabria', u'santa', u'elena', u'spanish', u'observatori', u'san', u'jose', u'point', u'eastern', u'summit', u'santa', u'elena', u'port', u'southvvest', u'cove', u'beagl', u'observatori', u'spanish', u'san', u'fulgensio', u'point', u'blancaa', u'islet', u'bahia', u'cape', u'summit', u'extrem', u'mont', u'mayor', u'mount', u'island', u'summit', u'near', u'centr', u'south', u'cape', u'near', u'oven', u'leon', u'island', u'southeastern', u'summit', u'lat', u'south', u'long', u'west', u'var', u'east', u'hew', u'r', u'si', u'o', u'h', u'm', u'feet', u'33', u'57', u'30', u'60', u'38', u'00', u'3b', u'58', u'50', u'61', u'39', u'45', u'14', u'50', u'5', u'8', u'12', u'wsw', u'39', u'11', u'00', u'61', u'54', u'20', u'15', u'10', u'1', u'2', u'w', u'n', u'w', u'39', u'15', u'50', u'62', u'00', u'20', u'15', u'20', u'5', u'20', u'39', u'26', u'30', u'62', u'02', u'36', u'15', u'30', u'5', u'10', u'39', u'50', u'30', u'62', u'05', u'30', u'15', u'40', u'n', u'39', u'51', u'40', u'62', u'04', u'20', u'15', u'40', u'n', u'39', u'57', u'30', u'62', u'07', u'00', u'5', u'50', u'3', u'10', u'40', u'27', u'00', u'61', u'54', u'30', u'16', u'30', u'2', u'30', u'40', u'36', u'10', u'62', u'08', u'40', u'16', u'30', u'2', u'15', u'40', u'48', u'15', u'62', u'58', u'06', u'17', u'00', u'15', u'nw', u'40', u'52', u'10', u'62', u'18', u'15', u'17', u'00', u'noon', u'40', u'56', u'36', u'62', u'49', u'20', u'41', u'2', u'00', u'62', u'45', u'10', u'17', u'40', u'nee', u'40', u'40', u'00', u'64', u'50', u'15', u'40', u'48', u'co', u'65', u'10', u'10', u'40', u'49', u'00', u't34', u'53', u'55', u'17', u'40', u'10', u'40', u'n', u'41', u'06', u'30', u'15', u'10', u'30', u'41', u'09', u'00', u'63', u'03', u'30', u'41', u'09', u'00', u'63', u'55', u'30', u'17', u'40', u'10', u'50', u'e', u'41', u'11', u'00', u'63', u'07', u'30', u'41', u'35', u'45', u'64', u'54', u'50', u'41', u'40', u'30', u'64', u'54', u'00', u'17', u'50', u'h', u'41', u'41', u'10', u'65', u'12', u'10', u'42', u'03', u'00', u'6s', u'47', u'40', u'17', u'50', u'nw', u'42', u'14', u'05', u'64', u'21', u'45', u'17', u'45', u'42', u'14', u'15', u'64', u'27', u'10', u'42', u'18', u'00', u'63', u'34', u'10', u'42', u'25', u'20', u'65', u'04', u'00', u'42', u'30', u'25', u'63', u'35', u'20', u'7', u'50', u'n', u'42', u'30', u'50', u'63', u'36', u'00', u'42', u'34', u'50', u'64', u'18', u'30', u'17', u'50', u'42', u'38', u'30', u'63', u'34', u'10', u'42', u'46', u'15', u'63', u'36', u'30', u'17', u'50', u'7', u'50', u'42', u'47', u'00', u'64', u'59', u'45', u'17', u'50', u'42', u'49', u'00', u'63', u'43', u'50', u'42', u'53', u'00', u'64', u'07', u'30', u'17', u'50', u'7', u'20', u'42', u'58', u'00', u'64', u'ip', u'30', u'17', u'50', u'7', u'10', u'n', u'43', u'20', u'45', u'65', u'02', u'50', u'18', u'06', u'n', u'43', u'3', u'00', u'65', u'12', u'06', u'43', u'46', u'40', u'65', u'30', u'18', u'30', u'n', u'44', u'07', u'00', u'65', u'14', u'30', u'44', u'11', u'40', u'65', u'15', u'30', u'18', u'50', u'4', u'10', u'44', u'23', u'40', u'65', u'15', u'30', u'44', u'25', u'00', u'65', u'07', u'20', u'44', u'30', u'40', u'65', u'21', u'40', u'19', u'10', u'7', u'n', u'j', u'44', u'30', u'45', u'65', u'17', u'00', u'44', u'32', u'15', u'65', u'22', u'30', u'19', u'06', u'n', u'44', u'32', u'30', u'65', u'22', u'00', u'44', u'54', u'50', u'65', u'32', u'10', u'19', u'00', u'3', u'20', u'44', u'56', u'3o', u'65', u'32', u'00', u'19', u'00', u'3', u'20', u'k', u'44', u'57', u'35', u'66', u'24', u'00', u'45', u'00', u'40', u'65', u'29', u'15', u'45', u'03', u'50', u'65', u'41', u'15', u'19', u'00', u'nk', u'45', u'04', u'00', u'65', u'35', u'5', u'2', u'10', u'tabl', u'posit', u'eastern', u'patagonia', u'continu', u'melt', u'port', u'sugarloaf', u'islet', u'near', u'rata', u'islet', u'median', u'rock', u'malaspina', u'cove', u'south', u'point', u'aristazab', u'cape', u'southeast', u'pitch', u'matalinar', u'head', u'salamanca', u'peak', u'nobl', u'ledg', u'cordova', u'head', u'tilli', u'road', u'point', u'marqu', u'eastern', u'cliff', u'murphi', u'head', u'bauza', u'head', u'summit', u'casamayor', u'cliff', u'nave', u'head', u'three', u'point', u'cape', u'northeast', u'pitch', u'sugarloaf', u'near', u'cape', u'three', u'point', u'blanc', u'cape', u'northeast', u'summit', u'river', u'peak', u'desir', u'port', u'eastern', u'islet', u'desir', u'port', u'spanish', u'ruin', u'fresh', u'water', u'islet', u'head', u'port', u'desir', u'fresh', u'water', u'reach', u'j', u'penguin', u'island', u'mount', u'south', u'end', u'sea', u'bear', u'bay', u'observatori', u'sandi', u'beach', u'south', u'side', u'j', u'shag', u'rock', u'centr', u'mount', u'video', u'watchman', u'cape', u'summit', u'round', u'mount', u'islet', u'j', u'bella', u'rock', u'summit', u'lookout', u'point', u'flat', u'islet', u'centr', u'san', u'julian', u'port', u'cape', u'furioso', u'south', u'east', u'point', u'j', u'wood', u'mount', u'summit', u'shell', u'mount', u'desengano', u'south', u'head', u'northeast', u'extrem', u'shall', u'point', u'monument', u'franc', u'de', u'paulo', u'cape', u'extrem', u'cliff', u'beagl', u'bluff', u'summit', u'weddel', u'bluff', u'summit', u'falkland', u'island', u'adventur', u'sound', u'os', u'observ', u'spot', u'albemarl', u'rock', u'middl', u'barren', u'island', u'southeast', u'extrem', u'beauchesn', u'island', u'north', u'extrem', u'beauchesn', u'island', u'south', u'extrem', u'berkeley', u'sound', u'entranc', u'bird', u'island', u'summit', u'bougainvil', u'cape', u'northeast', u'cleft', u'brisban', u'mount', u'summit', u'bull', u'road', u'height', u'near', u'point', u'porpois', u'bull', u'road', u'os', u'calm', u'head', u'summit', u'carcass', u'island', u'summit', u'carlo', u'san', u'port', u'summit', u'northward', u'choiseul', u'sound', u'pyramid', u'point', u'carysfort', u'cape', u'northeast', u'cliff', u'lat', u'south', u'45', u'04', u'10', u'45', u'06', u'10', u'45', u'10', u'00', u'45', u'10', u'10', u'45', u'12', u'45', u'45', u'24', u'00', u'45', u'34', u'00', u'45', u'43', u'10', u'45', u'46', u'00', u'45', u'57', u'00', u'46', u'31', u'10', u'46', u'41', u'20', u'46', u'52', u'00', u'47', u'04', u'40', u'47', u'06', u'20', u'47', u'17', u'20', u'47', u'12', u'20', u'47', u'29', u'45', u'47', u'44', u'40', u'47', u'45', u'00', u'47', u'49', u'30', u'47', u'55', u'35', u'47', u'57', u'5', u'48', u'08', u'30', u'48', u'13', u'40', u'48', u'21', u'30', u'48', u'29', u'20', u'48', u'35', u'30', u'48', u'43', u'00', u'49', u'10', u'45', u'13', u'45', u'14', u'00', u'14', u'30', u'15', u'20', u'49', u'41', u'o', u'49', u'55', u'10', u'49', u'59', u'20', u'52', u'12', u'20', u'52', u'14', u'30', u'52', u'24', u'36', u'52', u'40', u'00', u'52', u'41', u'00', u'51', u'35', u'00', u'52', u'10', u'45', u'51', u'18', u'00', u'51', u'29', u'50', u'62', u'20', u'50', u'52', u'20', u'45', u'52', u'07', u'20', u'51', u'16', u'50', u'51', u'28', u'50', u'52', u'01', u'20', u'51', u'25', u'40', u'long', u'west', u'var', u'east', u'hew', u'r', u'h', u'ra', u'feet', u'65', u'47', u'40', u'19', u'20', u'3', u'40', u'15', u'nee', u'65', u'24', u'30', u'65', u'53', u'30', u'66', u'31', u'50', u'19', u'30', u'2', u'50', u'16', u'n', u'66', u'31', u'10', u'67', u'02', u'30', u'67', u'19', u'30', u'67', u'17', u'20', u'67', u'21', u'40', u'19', u'40', u'1', u'20', u'20', u'n', u'67', u'34', u'20', u'19', u'42', u'1', u'15', u'20', u'n', u'67', u'23', u'10', u'19', u'40', u'1', u'00', u'67', u'10', u'30', u'20', u'00', u'1', u'00', u'18', u'n', u'w', u'66', u'56', u'40', u'66', u'32', u'15', u'65', u'51', u'00', u'19', u'20', u'12', u'50', u'65', u'56', u'20', u'65', u'43', u'30', u'19', u'30', u'18', u'nw', u'65', u'58', u'50', u'65', u'49', u'20', u'19', u'42', u'12', u'10', u'si', u'n', u'65', u'54', u'15', u'20', u'12', u'18', u'n', u'66', u'22', u'50', u'20', u'20', u'noon', u'65', u'42', u'00', u'65', u'45', u'40', u'20', u'50', u'12', u'45', u'20', u'n', u'65', u'53', u'30', u'66', u'25', u'50', u'66', u'21', u'25', u'20', u'00', u'24', u'nne', u'm', u'12', u'15', u'21', u'00', u'noon', u'66', u'53', u'20', u'21', u'00', u'11', u'30', u'67', u'01', u'00', u'nne', u'67', u'37', u'co', u'21', u'00', u'nne', u'67', u'44', u'50', u'21', u'10', u'67', u'48', u'00', u'67', u'36', u'10', u'21', u'00', u'10', u'45', u'30', u'nne', u'67', u'42', u'00', u'21', u'00', u'10', u'30', u'67', u'36', u'00', u'n', u'68', u'33', u'00', u'68', u'31', u'40', u'59', u'04', u'30', u'19', u'30', u'60', u'24', u'42', u'59', u'42', u'22', u'59', u'04', u'00', u'59', u'05', u'00', u'57', u'50', u'00', u'19', u'00', u'6', u'nw', u'60', u'55', u'12', u'58', u'28', u'20', u'57', u'55', u'20', u'59', u'19', u'57', u'69', u'20', u'28', u'19', u'50', u'60', u'56', u'22', u'60', u'35', u'30', u'59', u'02', u'00', u'58', u'36', u'00', u'5', u'58', u'5', u'n', u'57', u'51', u'00', u'tabl', u'ok', u'posit', u'falkland', u'island', u'continu', u'lat', u'south', u'long', u'west', u'var', u'east', u'hew', u'r', u'o', u'h', u'm', u'feet', u'castl', u'rock', u'summit', u'52', u'12', u'25', u'60', u'48', u'22', u'cow', u'bay', u'51', u'27', u'00', u'57', u'49', u'00', u'5', u'25', u'8', u'nnw', u'danger', u'point', u'east', u'extrem', u'52', u'01', u'35', u'58', u'20', u'47', u'dolphin', u'cape', u'northwest', u'extrem', u'51', u'14', u'35', u'58', u'58', u'30', u'driftwood', u'point', u'islet', u'52', u'16', u'40', u'59', u'01', u'34', u'eagl', u'point', u'nelson', u'head', u'near', u'eastern', u'32', u'50', u'57', u'47', u'00', u'triniti', u'eddyston', u'rock', u'centr', u'51', u'11', u'30', u'59', u'03', u'15', u'edgar', u'port', u'summit', u'south', u'end', u'entranc', u'52', u'06', u'15', u'60', u'16', u'12', u'ridg', u'j', u'edgar', u'port', u'summit', u'south', u'head', u'52', u'02', u'10', u'60', u'15', u'10', u'edgar', u'port', u'o', u'52', u'03', u'15', u'60', u'16', u'16', u'20', u'00', u'7', u'15', u'egmont', u'port', u'os', u'51', u'21', u'26', u'60', u'04', u'04', u'19', u'35', u'8', u'20', u'8', u'w', u'egmont', u'port', u'cay', u'western', u'centr', u'51', u'13', u'05', u'60', u'03', u'10', u'eleph', u'cay', u'west', u'extrem', u'western', u'cay', u'52', u'09', u'00', u'59', u'52', u'52', u'eleph', u'jason', u'summit', u'51', u'10', u'20', u'60', u'52', u'02', u'fan', u'headsouthwest', u'summit', u'51', u'28', u'06', u's9', u'08', u'35', u'flat', u'jason', u'northwest', u'extrem', u'51', u'06', u'30', u'60', u'55', u'20', u'fox', u'bay', u'eastern', u'entranc', u'summit', u'52', u'00', u'50', u'60', u'00', u'52', u'frehel', u'cape', u'north', u'cliff', u'51', u'23', u'16', u'58', u'14', u'00', u'georg', u'island', u'southwest', u'cliff', u'52', u'24', u'00', u'59', u'48', u'12', u'gibraltar', u'rock', u'summit', u'51', u'9', u'45', u'60', u'47', u'02', u'grand', u'jason', u'summit', u'5', u'04', u'30', u'61', u'03', u'57', u'grantham', u'sound', u'summit', u'islet', u'northwest', u'35', u'30', u'59', u'13', u'10', u'harbour', u'bay', u'os', u'52', u'12', u'00', u'59', u'22', u'00', u'5', u'44', u'hope', u'point', u'near', u'west', u'point', u'island', u'os', u'20', u'51', u'60', u'40', u'14', u'9', u'18', u'hors', u'block', u'island', u'51', u'56', u'00', u'61', u'08', u'00', u'jason', u'cay', u'east', u'cay', u'north', u'west', u'extrem', u'b', u'51', u'00', u'38', u'61', u'18', u'02', u'kelp', u'point', u'small', u'height', u'51', u'52', u'20', u'58', u'13', u'52', u'keppel', u'island', u'northwest', u'cliff', u'51', u'18', u'45', u'60', u'03', u'00', u'keppel', u'island', u'west', u'summit', u'51', u'9', u'15', u'60', u'02', u'20', u'live', u'island', u'southeast', u'extrem', u'52', u'06', u'15', u'58', u'25', u'02', u'long', u'island', u'small', u'height', u'near', u'west', u'end', u'52', u'14', u'40', u'58', u'59', u'42', u'5', u'w', u'loui', u'port', u'settlement', u'flagstaff', u'govern', u'hous', u'32', u'00', u'58', u'07', u'16', u'19', u'00', u'loui', u'port', u'creek', u'west', u'side', u'narrowest', u'part', u'32', u'20', u'58', u'06', u'58', u'low', u'kelp', u'patch', u'middl', u'52', u'32', u'00', u'59', u'39', u'00', u'low', u'mount', u'51', u'38', u'20', u'57', u'49', u'30', u'macbiid', u'head', u'north', u'cliff', u'51', u'23', u'00', u'57', u'59', u'25', u'manybranch', u'harbour', u'summit', u'north', u'point', u'31', u'05', u'59', u'20', u'30', u'mare', u'harbour', u'height', u'northeast', u'side', u'54', u'35', u'58', u'27', u'37', u'mare', u'harbour', u'os', u'5', u'54', u'11', u'58', u'08', u'7', u'15', u'8', u'w', u'meredith', u'cape', u'southern', u'cliff', u'52', u'i6', u'15', u'60', u'39', u'07', u'midway', u'rock', u'5', u'25', u'36', u'59', u'10', u'00', u'new', u'island', u'highest', u'summit', u'51', u'42', u'07', u'61', u'17', u'52', u'new', u'island', u'ship', u'islet', u'os', u'51', u'43', u'10', u'61', u'16', u'59', u'north', u'islet', u'summit', u'north', u'cliff', u'51', u'39', u'15', u'61', u'14', u'36', u'north', u'lookout', u'hill', u'summit', u'61', u'29', u'10', u'58', u'02', u'15', u'north', u'fur', u'island', u'east', u'extrem', u'51', u'08', u'15', u'60', u'44', u'10', u'north', u'keppel', u'island', u'north', u'extrem', u'51', u'j3', u'30', u'59', u'55', u'55', u'oxford', u'cape', u'west', u'summit', u'51', u'59', u'45', u'61', u'06', u'22', u'passag', u'island', u'summit', u'51', u'34', u'55', u'60', u'46', u'58', u'pebbl', u'island', u'cliff', u'summit', u'near', u'northwest', u'end', u'1', u'15', u'8', u'59', u'47', u'20', u'pembrok', u'cape', u'eastern', u'extrem', u'51', u'41', u'30', u'57', u'41', u'45', u'pleasant', u'port', u'os', u'51', u'48', u'55', u'58', u'u', u'26', u'7', u'19', u'talilk', u'posit', u'falkland', u'island', u'continu', u'poke', u'point', u'east', u'extrem', u'porpois', u'point', u'extrem', u'race', u'point', u'cliff', u'extrem', u'rodney', u'13iuff', u'western', u'summit', u'salvador', u'san', u'port', u'os', u'saunder', u'island', u'northwest', u'summit', u'saunder', u'island', u'northeast', u'point', u'extrem', u'sea', u'lion', u'island', u'west', u'extrem', u'sea', u'lion', u'point', u'summit', u'sedg', u'island', u'northwest', u'extrem', u'shag', u'rock', u'ship', u'coflbn', u'harbour', u'ship', u'islet', u'southwest', u'extrem', u'j', u'simon', u'mount', u'summit', u'south', u'fur', u'islet', u'summit', u'south', u'jason', u'summit', u'speedwel', u'island', u'harbour', u'os', u'split', u'cape', u'extrem', u'cliff', u'split', u'island', u'west', u'summit', u'steepl', u'jason', u'steepl', u'summit', u'steepl', u'jason', u'northwest', u'summit', u'stephen', u'port', u'east', u'entranc', u'point', u'summit', u'stephen', u'port', u'ossian', u'island', u'french', u'harbour', u'entranc', u'tamar', u'cape', u'north', u'cliff', u'summit', u'tamar', u'harbour', u'eastern', u'head', u'extrem', u'urani', u'rock', u'volunt', u'point', u'usbom', u'mount', u'volunt', u'point', u'eastern', u'solid', u'extrem', u'avert', u'point', u'island', u'summit', u'west', u'bluff', u'west', u'cay', u'northwest', u'extrem', u'white', u'rock', u'white', u'rock', u'point', u'northeast', u'extrem', u'cliff', u'white', u'rock', u'harbour', u'south', u'head', u'white', u'rock', u'harbour', u'sharp', u'peak', u'white', u'rock', u'harbour', u'o', u'wickham', u'height', u'middl', u'summit', u'william', u'port', u'os', u'william', u'mount', u'wreck', u'island', u'east', u'extrem', u'south', u'50', u'exclus', u'falkland', u'admiralti', u'sound', u'bottom', u'mount', u'hope', u'agn', u'island', u'summit', u'western', u'isl', u'guerr', u'bay', u'kinnaird', u'point', u'ainsworth', u'harbour', u'project', u'point', u'west', u'side', u'j', u'alikhoolip', u'cape', u'south', u'extrem', u'anchor', u'bay', u'summit', u'anchorag', u'ancon', u'sin', u'salida', u'central', u'island', u'summit', u'andr', u'san', u'sound', u'summit', u'middl', u'kentish', u'isl', u'andr', u'san', u'sound', u'southeast', u'extrem', u'anna', u'point', u'santa', u'extrem', u'ann', u'st', u'island', u'central', u'summit', u'ann', u'st', u'peak', u'anthoni', u'cape', u'st', u'northern', u'extrem', u'cliff', u'lat', u'south', u'long', u'west', u'51', u'36', u'25', u'52', u'21', u'47', u'51', u'25', u'00', u'52', u'03', u'36', u'51', u'27', u'05', u'51', u'17', u'20', u'51', u'18', u'55', u'52', u'26', u'50', u'51', u'21', u'47', u'51', u'10', u'30', u'52', u'14', u'30', u'51', u'43', u'51', u'38', u'5', u'15', u'51', u'12', u'52', u'13', u'51', u'49', u'51', u'28', u'51', u'04', u'51', u'02', u'62', u'11', u'52', u'11', u'51', u'52', u'51', u'16', u'51', u'20', u'51', u'31', u'51', u'42', u'51', u'31', u'51', u'23', u'60', u'59', u'51', u'17', u'51', u'24', u'51', u'26', u'51', u'27', u'51', u'26', u'51', u'43', u'61', u'39', u'61', u'42', u'51', u'11', u'64', u'26', u'30', u'54', u'18', u'00', u'54', u'67', u'06', u'54', u'23', u'05', u'56', u'11', u'50', u'50', u'65', u'00', u'52', u'12', u'46', u'50', u'23', u'15', u'50', u'33', u'00', u'53', u'37', u'50', u'53', u'06', u'30', u'52', u'43', u'00', u'64', u'43', u'30', u'69', u'23', u'26', u'59', u'19', u'22', u'59', u'06', u'20', u'04', u'37', u'20', u'04', u'19', u'60', u'60', u'05', u'07', u'59', u'09', u'37', u'58', u'21', u'00', u'60', u'27', u'20', u'58', u'39', u'42', u'61', u'17', u'07', u'58', u'28', u'50', u'60', u'51', u'52', u'60', u'53', u'42', u'59', u'41', u'16', u'61', u'20', u'37', u'tjo', u'42', u'10', u'61', u'09', u'37', u'61', u'13', u'22', u'60', u'42', u'27', u'60', u'40', u'53', u'61', u'08', u'00', u'59', u'29', u'50', u'59', u'25', u'42', u'67', u'41', u'00', u'58', u'49', u'48', u'67', u'43', u'40', u'60', u'43', u'12', u'61', u'27', u'30', u'60', u'63', u'52', u'12', u'22', u'13', u'00', u'16', u'30', u'16', u'38', u'58', u'31', u'52', u'67', u'48', u'28', u'67', u'55', u'58', u'13', u'20', u'69', u'02', u'55', u'72', u'48', u'40', u'65', u'47', u'00', u'69', u'37', u'45', u'70', u'49', u'00', u'74', u'21', u'20', u'73', u'19', u'30', u'74', u'23', u'00', u'73', u'42', u'70', u'55', u'00', u'73', u'16', u'30', u'73', u'55', u'45', u'64', u'34', u'00', u'var', u'east', u'19', u'42', u'20', u'18', u'20', u'24', u'22', u'50', u'22', u'50', u'22', u'30', u'23', u'10', u'22', u'20', u'22', u'25', u'23', u'00', u'23', u'30', u'hew', u'h', u'm', u'6', u'20', u'6', u'45', u'8', u'30', u'7', u'45', u'8', u'35', u'7', u'17', u'5', u'49', u'4', u'20', u'1', u'00', u'o', u'50', u'1', u'30', u'o', u'07', u'4', u'00', u'r', u'feet', u'n', u'e', u'tabl', u'posit', u'south', u'50', u'continu', u'antonio', u'san', u'summit', u'apostl', u'rock', u'western', u'larg', u'rock', u'april', u'peak', u'summit', u'arena', u'point', u'south', u'extrem', u'astrea', u'island', u'summit', u'austin', u'point', u'northeast', u'pitch', u'avalanch', u'point', u'extrem', u'raymond', u'mount', u'summit', u'bachelor', u'river', u'entranc', u'bachelor', u'peak', u'back', u'harbour', u'outer', u'point', u'balthazar', u'point', u'extrem', u'bamevelt', u'northeast', u'extrem', u'bartholomew', u'san', u'cape', u'south', u'west', u'cliff', u'basalt', u'glen', u'bald', u'point', u'west', u'extrem', u'cliff', u'bathurst', u'cape', u'summit', u'beagl', u'island', u'northwest', u'summit', u'beauti', u'mount', u'summit', u'bell', u'mount', u'summit', u'bell', u'mount', u'summit', u'valentynyn', u'bay', u'bessel', u'point', u'extrem', u'benito', u'point', u'extrem', u'bennett', u'point', u'extrem', u'point', u'west', u'low', u'rise', u'bivouac', u'last', u'hill', u'black', u'head', u'southeast', u'point', u'boat', u'island', u'summit', u'diego', u'ramirez', u'boqueron', u'mount', u'highest', u'pinnacl', u'bougainvil', u'cape', u'southwest', u'summit', u'bougainvil', u'cape', u'extrem', u'bolton', u'island', u'northern', u'summit', u'bougainvil', u'sugar', u'loaf', u'summit', u'bowl', u'island', u'north', u'summit', u'bravo', u'anchor', u'point', u'eastern', u'summit', u'brent', u'cove', u'point', u'southeast', u'brinkley', u'island', u'summit', u'brisban', u'head', u'extrem', u'summit', u'broken', u'mount', u'broken', u'cliff', u'peak', u'brother', u'middl', u'northeast', u'summit', u'auckland', u'mount', u'staten', u'land', u'auckland', u'mount', u'summit', u'bueno', u'puerto', u'west', u'point', u'burney', u'mount', u'southern', u'summit', u'button', u'island', u'southeast', u'summit', u'byno', u'island', u'summit', u'camden', u'head', u'summit', u'capstan', u'rock', u'summit', u'largest', u'card', u'point', u'extrem', u'castl', u'hill', u'castlereagh', u'cape', u'summit', u'catherin', u'point', u'northeast', u'extrem', u'catherin', u'isl', u'western', u'point', u'cayetano', u'peak', u'cere', u'island', u'summit', u'thalia', u'stream', u'junction', u'santa', u'cruz', u'chanceri', u'point', u'south', u'west', u'pitch', u'charl', u'island', u'walli', u'mark', u'lat', u'south', u'long', u'west', u'53', u'54', u'40', u'52', u'46', u'15', u'50', u'10', u'50', u'53', u'09', u'10', u'54', u'36', u'30', u'55', u'49', u'30', u'54', u'56', u'00', u'52', u'07', u'10', u'53', u'33', u'00', u'53', u'29', u'30', u'54', u'47', u'25', u'51', u'38', u'05', u'55', u'48', u'25', u'54', u'53', u'45', u'50', u'11', u'00', u'53', u'34', u'40', u'55', u'14', u'15', u'51', u'58', u'30', u'55', u'36', u'15', u'54', u'09', u'54', u'54', u'53', u'5', u'53', u'00', u'40', u'51', u'48', u'52', u'52', u'38', u'45', u'53', u'j3', u'50', u'50', u'12', u'30', u'55', u'33', u'45', u'56', u'28', u'50', u'54', u'10', u'40', u'53', u'25', u'40', u'53', u'27', u'00', u'54', u'59', u'00', u'53', u'57', u'32', u'54', u'02', u'00', u'50', u'08', u'55', u'54', u'50', u'20', u'51', u'58', u'45', u'55', u'39', u'00', u'55', u'24', u'20', u'50', u'14', u'40', u'54', u'42', u'35', u'54', u'46', u'18', u'54', u'26', u'00', u'50', u'58', u'35', u'52', u'20', u'00', u'55', u'05', u'00', u'54', u'19', u'00', u'53', u'12', u'30', u'55', u'24', u'10', u'54', u'20', u'45', u'50', u'09', u'15', u'54', u'56', u'00', u'52', u'32', u'00', u'54', u'47', u'30', u'53', u'53', u'04', u'51', u'51', u'35', u'50', u'11', u'15', u'52', u'52', u'00', u'53', u'43', u'57', u'69', u'32', u'72', u'19', u'o', u'ii', u'71', u'50', u'30', u'74', u'47', u'50', u'75', u'21', u'00', u'68', u'12', u'10', u'72', u'05', u'30', u'67', u'03', u'00', u'13', u'20', u'72', u'19', u'30', u'63', u'50', u'15', u'74', u'00', u'30', u'66', u'44', u'40', u'64', u'45', u'3', u'70', u'u', u'00', u'67', u'39', u'30', u'68', u'00', u'00', u'75', u'j2', u'45', u'68', u'58', u'00', u'72', u'07', u'10', u'65', u'33', u'30', u'73', u'46', u'40', u'73', u'55', u'00', u'71', u'30', u'00', u'70', u'28', u'30', u'71', u'41', u'00', u'69', u'20', u'30', u'68', u'42', u'30', u'70', u'59', u'44', u'70', u'13', u'15', u'70', u'13', u'00', u'var', u'east', u'70', u'10', u'00', u'71', u'27', u'57', u'72', u'15', u'00', u'74', u'41', u'45', u'64', u'22', u'50', u'73', u'43', u'00', u'68', u'57', u'00', u'69', u'45', u'19', u'68', u'31', u'30', u'65', u'29', u'50', u'64', u'20', u'45', u'70', u'22', u'30', u'74', u'10', u'55', u'73', u'26', u'00', u'68', u'07', u'30', u'12', u'44', u'41', u'00', u'17', u'30', u'15', u'30', u'72', u'34', u'00', u'71', u'28', u'00', u'68', u'44', u'10', u'71', u'19', u'00', u'72', u'09', u'40', u'74', u'05', u'55', u'70', u'10', u'30', u'74', u'40', u'30', u'72', u'05', u'45', u'23', u'40', u'23', u'50', u'24', u'40', u'24', u'06', u'23', u'00', u'22', u'40', u'24', u'00', u'23', u'00', u'23', u'34', u'23', u'20', u'24', u'00', u'23', u'50', u'21', u'00', u'21', u'00', u'23', u'45', u'24', u'15', u'24', u'10', u'21', u'00', u'24', u'00', u'hew', u'h', u'm', u'noon', u'2', u'20', u'1', u'40', u'4', u'40', u'4', u'45', u'3', u'30', u'6', u'1', u'30', u'o', u'50', u'12', u'15', u'1', u'40', u'2', u'40', u'2', u'50', u'2', u'55', u'1', u'40', u'tabl', u'posit', u'lat', u'south', u'long', u'west', u'var', u'east', u'hew', u'r', u'south', u'50', u'continu', u'o', u'1', u'ii', u'h', u'm', u'feet', u'1', u'charl', u'cape', u'pitch', u'53', u'15', u'00', u'72', u'20', u'00', u'cheer', u'cape', u'northwest', u'hitch', u'51', u'41', u'00', u'74', u'18', u'45', u'child', u'island', u'summit', u'53', u'21', u'30', u'73', u'51', u'00', u'claiiricard', u'point', u'south', u'summit', u'50', u'11', u'30', u'74', u'35', u'30', u'clay', u'cliff', u'narrow', u'cliff', u'summit', u'54', u'54', u'00', u'67', u'28', u'30', u'3', u'00', u'e', u'cliff', u'head', u'northern', u'cliff', u'52', u'43', u'30', u'70', u'19', u'15', u'colleg', u'rock', u'southwest', u'rock', u'53', u'37', u'20', u'73', u'58', u'00', u'collect', u'cape', u'northern', u'cliff', u'54', u'42', u'15', u'64', u'18', u'30', u'5', u'00', u'w', u'cone', u'point', u'summit', u'54', u'o5', u'35', u'70', u'51', u'45', u'convent', u'hill', u'south', u'51', u'53', u'00', u'69', u'17', u'35', u'cook', u'port', u'observatori', u'mark', u'summit', u'54', u'45', u'16', u'64', u'02', u'45', u'cook', u'port', u'observatori', u'southwest', u'cor', u'nero', u'j', u'54', u'46', u'27', u'64', u'02', u'45', u'5', u'30', u'nw', u'corona', u'island', u'summit', u'53', u'15', u'15', u'72', u'23', u'30', u'tornado', u'cape', u'extrem', u'52', u'49', u'37', u'74', u'26', u'40', u'wordsworth', u'island', u'port', u'william', u'53', u'10', u'00', u'74', u'34', u'00', u'coy', u'inlet', u'northern', u'head', u'50', u'54', u'7', u'69', u'04', u'20', u'9', u'30', u'n', u'coy', u'inlet', u'height', u'south', u'side', u'extrem', u'50', u'58', u'30', u'69', u'07', u'20', u'9', u'30', u'n', u'coy', u'inlet', u'southeast', u'height', u'50', u'59', u'00', u'69', u'06', u'00', u'creol', u'point', u'extrem', u'54', u'06', u'00', u'72', u'12', u'30', u'crosswis', u'cape', u'extrem', u'53', u'33', u'00', u'72', u'26', u'30', u'1', u'40', u'e', u'cruz', u'mount', u'summit', u'53', u'40', u'45', u'72', u'04', u'00', u'cruz', u'santa', u'port', u'north', u'point', u'southeast', u'extrem', u'j', u'50', u'05', u'30', u'68', u'03', u'00', u'9', u'48', u'n', u'curiou', u'peak', u'summit', u'54', u'19', u'35', u'70', u'12', u'15', u'cutter', u'cove', u'jerom', u'channel', u'53', u'22', u'00', u'72', u'26', u'45', u'4', u'30', u'n', u'dampier', u'island', u'southern', u'summit', u'54', u'53', u'00', u'64', u'11', u'20', u'darwin', u'mount', u'summit', u'54', u'45', u'00', u'69', u'20', u'00', u'davi', u'gilbert', u'head', u'north', u'summit', u'53', u'5b', u'30', u'72', u'15', u'00', u'deceit', u'island', u'cape', u'deceit', u'east', u'extrem', u'55', u'54', u'40', u'67', u'02', u'25', u'deceit', u'islet', u'middl', u'islet', u'55', u'56', u'10', u'66', u'59', u'00', u'4', u'30', u'e', u'deepwat', u'head', u'summit', u'53', u'38', u'00', u'73', u'44', u'00', u'deepwat', u'sound', u'os', u'53', u'35', u'00', u'74', u'34', u'55', u'1', u'10', u'nee', u'delgada', u'point', u'extrem', u'52', u'26', u'30', u'69', u'34', u'10', u'desperado', u'cape', u'peak', u'summit', u'near', u'52', u'55', u'30', u'74', u'37', u'30', u'desol', u'cape', u'southern', u'summit', u'54', u'45', u'40', u'71', u'37', u'10', u'1', u'40', u'nee', u'detach', u'islet', u'summit', u'54', u'53', u'20', u'64', u'30', u'00', u'devil', u'island', u'summit', u'54', u'58', u'30', u'69', u'04', u'50', u'diana', u'peak', u'52', u'08', u'00', u'74', u'48', u'00', u'diego', u'san', u'cape', u'east', u'extrem', u'54', u'41', u'00', u'65', u'07', u'00', u'4', u'30', u'nw', u'diner', u'mount', u'summit', u'52', u'19', u'40', u'68', u'33', u'20', u'direct', u'hill', u'north', u'52', u'20', u'50', u'69', u'32', u'50', u'disloc', u'harbour', u'os', u'52', u'54', u'15', u'74', u'37', u'10', u'23', u'53', u'1', u'40', u'se', u'divid', u'cape', u'east', u'extrem', u'54', u'59', u'10', u'69', u'07', u'00', u'dogjaw', u'mountain', u'western', u'summit', u'55', u'00', u'30', u'67', u'41', u'00', u'dogjaw', u'mountain', u'eastern', u'summit', u'55', u'02', u'20', u'67', u'32', u'00', u'donaldson', u'cape', u'extrem', u'51', u'06', u'10', u'74', u'20', u'15', u'dori', u'cove', u'os', u'54', u'58', u'50', u'71', u'09', u'48', u'e', u'dori', u'peak', u'summit', u'54', u'59', u'20', u'71', u'11', u'40', u'dosgerman', u'summit', u'53', u'57', u'45', u'71', u'25', u'15', u'duncan', u'rock', u'middl', u'51', u'22', u'40', u'75', u'28', u'20', u'dung', u'point', u'extrem', u'52', u'23', u'50', u'68', u'25', u'10', u'8', u'50', u'w', u'dutch', u'point', u'north', u'extrem', u'55', u'29', u'00', u'67', u'39', u'30', u'dynevor', u'sound', u'northeastern', u'headland', u'53', u'22', u'00', u'73', u'35', u'00', u'dynevor', u'castl', u'summit', u'52', u'35', u'00', u'72', u'26', u'00', u'earnest', u'cape', u'52', u'10', u'52', u'73', u'18', u'30', u'eastern', u'peak', u'summit', u'50', u'00', u'15', u'75', u'3', u'20', u'elizabeth', u'island', u'northeast', u'bluff', u'52', u'49', u'10', u'70', u'37', u'15', u'nee', u'elizabeth', u'head', u'adventur', u'passag', u'54', u'56', u'30', u'70', u'54', u'00', u'tabl', u'posit', u'south', u'50', u'continu', u'elvira', u'point', u'extrem', u'emili', u'island', u'summit', u'enderbi', u'island', u'centr', u'entranc', u'mount', u'summit', u'santa', u'cruz', u'cliff', u'esperanza', u'island', u'southwest', u'extrem', u'spinoza', u'cape', u'northeast', u'extrem', u'cliff', u'evangelist', u'sugar', u'loaf', u'islet', u'evan', u'island', u'western', u'summit', u'evout', u'northeast', u'head', u'expect', u'bay', u'north', u'islet', u'fairweath', u'cape', u'famin', u'port', u'observatori', u'felix', u'point', u'extrem', u'felip', u'san', u'bay', u'felip', u'san', u'bay', u'fifti', u'point', u'southwest', u'summit', u'finch', u'island', u'summit', u'westernmost', u'islet', u'j', u'fitton', u'mount', u'summit', u'fitzroy', u'passag', u'nw', u'end', u'os', u'flamste', u'cape', u'extrem', u'rock', u'focu', u'island', u'summit', u'fortun', u'bay', u'rivulet', u'mouth', u'fortyf', u'cape', u'extrem', u'pitch', u'foster', u'mount', u'summit', u'friar', u'hill', u'southernmost', u'summit', u'froward', u'cape', u'summit', u'bluff', u'furi', u'east', u'largest', u'rock', u'furi', u'west', u'largest', u'rock', u'furi', u'peak', u'highest', u'gallant', u'port', u'wigwam', u'point', u'gal', u'leg', u'river', u'observatori', u'mound', u'gallego', u'river', u'west', u'head', u'gap', u'peak', u'gent', u'grand', u'point', u'northwest', u'extrem', u'georg', u'point', u'extrem', u'pitch', u'georg', u'cape', u'bluff', u'summit', u'ridley', u'islet', u'summit', u'gloucest', u'cape', u'summit', u'good', u'success', u'bay', u'osgood', u'success', u'bay', u'north', u'head', u'good', u'success', u'bay', u'south', u'head', u'good', u'success', u'cape', u'southern', u'extrem', u'goodwin', u'mount', u'summit', u'goree', u'road', u'station', u'islet', u'goree', u'road', u'guanaco', u'point', u'extrem', u'gracia', u'ne', u'de', u'south', u'extrem', u'cliff', u'graham', u'cape', u'southeast', u'pitch', u'grant', u'bay', u'head', u'southwest', u'grave', u'mount', u'summit', u'gregori', u'bay', u'gregori', u'bay', u'gregori', u'cape', u'extrem', u'gregori', u'rang', u'southwest', u'summit', u'guanaco', u'hill', u'quia', u'narrow', u'north', u'extrem', u'nearli', u'mid', u'channel', u'hall', u'cape', u'south', u'extrem', u'hall', u'point', u'extrem', u'lat', u'south', u'53', u'49', u'12', u'55', u'29', u'30', u'54', u'13', u'00', u'50', u'08', u'50', u'51', u'11', u'45', u'52', u'37', u'20', u'52', u'24', u'18', u'53', u'26', u'30', u'55', u'33', u'00', u'50', u'25', u'00', u'51', u'32', u'05', u'53', u'38', u'15', u'52', u'56', u'00', u'52', u'35', u'00', u'52', u'40', u'00', u'55', u'17', u'10', u'53', u'44', u'15', u'54', u'47', u'45', u'52', u'39', u'00', u'51', u'46', u'25', u'51', u'53', u'23', u'52', u'15', u'48', u'53', u'23', u'00', u'55', u'50', u'30', u'51', u'50', u'08', u'53', u'53', u'43', u'54', u'38', u'00', u'54', u'34', u'45', u'54', u'25', u'40', u'53', u'41', u'45', u'51', u'33', u'20', u'51', u'38', u'45', u'53', u'55', u'00', u'53', u'00', u'45', u'55', u'12', u'20', u'51', u'37', u'40', u'53', u'10', u'45', u'54', u'05', u'18', u'54', u'48', u'02', u'54', u'47', u'00', u'54', u'48', u'45', u'54', u'54', u'40', u'54', u'19', u'30', u'17', u'35', u'19', u'00', u'52', u'43', u'10', u'55', u'16', u'40', u'54', u'51', u'45', u'53', u'45', u'00', u'52', u'39', u'00', u'52', u'39', u'00', u'52', u'39', u'00', u'53', u'34', u'30', u'50', u'02', u'00', u'50', u'43', u'30', u'54', u'57', u'00', u'52', u'49', u'45', u'long', u'west', u'72', u'03', u'55', u'69', u'35', u'00', u'71', u'57', u'35', u'68', u'20', u'00', u'73', u'15', u'00', u'68', u'36', u'20', u'75', u'06', u'40', u'73', u'53', u'30', u'66', u'45', u'00', u'74', u'17', u'00', u'68', u'55', u'20', u'70', u'57', u'45', u'74', u'12', u'45', u'69', u'49', u'00', u'69', u'42', u'00', u'66', u'35', u'40', u'73', u'45', u'30', u'64', u'23', u'00', u'71', u'31', u'00', u'73', u'51', u'45', u'72', u'48', u'00', u'73', u'45', u'00', u'72', u'31', u'45', u'67', u'32', u'50', u'69', u'08', u'20', u'71', u'18', u'15', u'72', u'12', u'00', u'72', u'21', u'60', u'72', u'19', u'20', u'72', u'00', u'41', u'68', u'59', u'10', u'69', u'42', u'40', u'69', u'39', u'50', u'70', u'26', u'45', u'66', u'36', u'20', u'75', u'21', u'00', u'72', u'13', u'00', u'73', u'29', u'15', u'65', u'14', u'00', u'65', u'11', u'30', u'65', u'12', u'20', u'65', u'21', u'30', u'70', u'51', u'00', u'67', u'03', u'00', u'67', u'10', u'00', u'70', u'30', u'25', u'66', u'30', u'30', u'64', u'14', u'00', u'70', u'37', u'30', u'70', u'13', u'00', u'70', u'13', u'00', u'70', u'13', u'40', u'70', u'22', u'50', u'69', u'03', u'00', u'74', u'26', u'40', u'65', u'36', u'00', u'71', u'25', u'54', u'var', u'east', u'22', u'54', u'24', u'00', u'22', u'00', u'23', u'40', u'23', u'30', u'23', u'00', u'23', u'40', u'23', u'50', u'23', u'20', u'25', u'00', u'25', u'00', u'24', u'04', u'21', u'47', u'23', u'00', u'23', u'45', u'24', u'30', u'22', u'48', u'23', u'40', u'23', u'30', u'23', u'30', u'23', u'30', u'23', u'30', u'22', u'00', u'hew', u'h', u'm', u'9', u'o', u'o', u'7', u'rs', u'feet', u'30', u'n', u'w', u'6', u'7', u'9', u'40', u'30', u'9', u'00', u'24', u'v', u'4', u'45', u'8', u'n', u'e', u'1', u'30', u'1', u'2', u'o', u'50', u'8', u'3', u'00', u'7', u'1', u'o', u'2', u'30', u'2', u'30', u'9', u'3', u'8', u'50', u'5', u'o', u'1', u'30', u'4', u'3', u'4', u'15', u'4', u'40', u'4', u'00', u'9', u'22', u'10', u'22', u'9', u'38', u'6', u'n', u'k', u'4', u'n', u'e', u'4', u'nee', u'5', u'6', u'e', u'48', u'n', u'6', u'n', u'e', u'5', u'se', u'9', u'n', u'9', u'n', u'nee', u'nee', u'25', u'sw', u'12', u'sswj', u'28', u'nee', u'4', u'00', u'1', u'4', u'n', u'tabl', u'posit', u'south', u'50', u'continu', u'halfport', u'bay', u'point', u'hammond', u'island', u'southwest', u'summit', u'hart', u'mount', u'summit', u'harvey', u'point', u'southwest', u'extrem', u'hat', u'isl', u'summit', u'late', u'point', u'southeast', u'extrem', u'henri', u'port', u'observatori', u'herschel', u'mount', u'summit', u'hewett', u'harbour', u'south', u'point', u'hobbler', u'hill', u'hole', u'wall', u'point', u'south', u'extrem', u'holland', u'cape', u'southeast', u'extrem', u'hope', u'island', u'central', u'extrem', u'summit', u'hope', u'harbour', u'hope', u'pointextrem', u'horac', u'peak', u'southern', u'summit', u'horn', u'cape', u'summit', u'horn', u'fals', u'cape', u'south', u'extrem', u'hyde', u'mount', u'summit', u'innoc', u'island', u'summit', u'ildefonso', u'isl', u'northern', u'rock', u'ildefonso', u'isl', u'highest', u'summit', u'ildefonso', u'isl', u'southern', u'rock', u'indian', u'cove', u'southeast', u'comer', u'indian', u'pass', u'first', u'santa', u'cruz', u'river', u'indian', u'pass', u'second', u'santa', u'cruz', u'river', u'nez', u'sta', u'north', u'cliff', u'inglefield', u'island', u'north', u'extrem', u'inglefield', u'island', u'south', u'extrem', u'inman', u'cape', u'cliff', u'summit', u'ipswich', u'isl', u'southern', u'summit', u'isabel', u'cape', u'summit', u'isabel', u'cape', u'west', u'extrem', u'isidro', u'san', u'cape', u'isabella', u'island', u'os', u'isabella', u'isl', u'murray', u'peak', u'northern', u'summit', u'jane', u'mount', u'summit', u'jordan', u'island', u'summit', u'jerom', u'channel', u'jerom', u'point', u'summit', u'jerom', u'st', u'point', u'southeast', u'extrem', u'jess', u'point', u'john', u'st', u'cape', u'north', u'cliff', u'john', u'st', u'cape', u'east', u'cliff', u'jonathan', u'mount', u'summit', u'joy', u'mount', u'juan', u'san', u'point', u'southwest', u'extrem', u'judg', u'rock', u'westernmost', u'jupit', u'rock', u'eater', u'peak', u'keel', u'point', u'observatori', u'true', u'west', u'shingl', u'point', u'kekhlao', u'cape', u'northern', u'pitch', u'kemp', u'peak', u'southern', u'summit', u'kendal', u'cape', u'extrem', u'kennel', u'rock', u'largest', u'king', u'island', u'summit', u'king', u'head', u'summit', u'latitud', u'bay', u'os', u'labyrinth', u'island', u'jane', u'island', u'summit', u'laura', u'harbour', u'basin', u'os', u'lat', u'south', u'53', u'11', u'40', u'55', u'18', u'45', u'54', u'11', u'45', u'55', u'18', u'25', u'55', u'04', u'20', u'52', u'58', u'30', u'50', u'00', u'18', u'55', u'49', u'45', u'52', u'25', u'00', u'50', u'11', u'40', u'54', u'49', u'20', u'53', u'48', u'33', u'55', u'32', u'30', u'54', u'07', u'30', u'54', u'43', u'00', u'55', u'58', u'40', u'55', u'43', u'15', u'55', u'43', u'40', u'50', u'31', u'55', u'55', u'49', u'00', u'55', u'52', u'30', u'55', u'53', u'30', u'55', u'30', u'20', u'50', u'08', u'00', u'50', u'12', u'20', u'54', u'07', u'00', u'53', u'04', u'20', u'53', u'06', u'10', u'53', u'18', u'30', u'54', u'10', u'30', u'51', u'52', u'00', u'51', u'51', u'50', u'53', u'47', u'00', u'54', u'13', u'05', u'54', u'12', u'35', u'55', u'31', u'10', u'55', u'49', u'05', u'53', u'31', u'30', u'53', u'31', u'40', u'55', u'02', u'45', u'54', u'42', u'20', u'54', u'42', u'50', u'55', u'21', u'50', u'52', u'39', u'20', u'50', u'39', u'52', u'52', u'51', u'00', u'54', u'24', u'15', u'55', u'51', u'55', u'50', u'06', u'45', u'55', u'10', u'00', u'54', u'23', u'30', u'51', u'27', u'15', u'54', u'17', u'30', u'54', u'22', u'38', u'53', u'13', u'30', u'53', u'18', u'40', u'54', u'19', u'10', u'54', u'07', u'00', u'long', u'west', u'var', u'east', u'ii', u'03', u'46', u'7', u'9', u'16', u'05', u'40', u'tf7', u'29', u'40', u'74', u'46', u'9', u'9', u'6q', u'b7', u'72', u'58', u'9', u'bf', u'ti', u'3', u'73', u'47', u'74', u'32', u'74', u'48', u'30', u'1', u'33', u'50', u'1', u'io', u'23', u'40', u'24', u'16', u'20', u'50', u'23', u'50', u'24', u'00', u'23', u'56', u'24', u'10', u'24', u'10', u'23', u'56', u'23', u'56', u'24', u'00', u'23', u'40', u'24', u'20', u'24', u'00', u'22', u'30', u'22', u'30', u'24', u'00', u'20', u'54', u'23', u'50', u'23', u'56', u'28', u'50', u'24', u'40', u'hew', u'r', u'h', u'm', u'2', u'00', u'3', u'00', u'noon', u'10', u'40', u'4', u'40', u'3', u'28', u'3', u'20', u'3', u'20', u'4', u'00', u'4', u'00', u'2', u'00', u'1', u'00', u'2', u'00', u'1', u'30', u'5', u'30', u'5', u'30', u'1', u'00', u'9', u'48', u'40', u'feet', u'6', u'e', u'9', u'e', u'6', u'nee', u'6', u'e', u'6', u'e', u'6', u'nk', u'4', u'e', u'2', u'05', u'1', u'00', u'tabl', u'posit', u'lat', u'south', u'south', u'50', u'continu', u'law', u'peak', u'northernmost', u'lead', u'hill', u'summit', u'lennox', u'harbour', u'os', u'lennox', u'road', u'luff', u'islet', u'summit', u'liddel', u'rock', u'lion', u'mount', u'summit', u'longchas', u'cape', u'western', u'pitch', u'lord', u'point', u'eastern', u'pitch', u'lucia', u'santa', u'cape', u'summit', u'magdalena', u'isl', u'sta', u'northwest', u'cliff', u'march', u'harbour', u'os', u'martha', u'santa', u'island', u'summit', u'magalhaen', u'strait', u'eastern', u'entranc', u'ob1', u'servat', u'tide', u'j', u'magalhaen', u'strait', u'eastern', u'entranc', u'magalhaen', u'strait', u'eastern', u'entranc', u'magalhaen', u'strait', u'eastern', u'entranc', u'magalhaen', u'strait', u'eastern', u'entranc', u'magalhaen', u'strait', u'eastern', u'entranc', u'magalhaen', u'strait', u'eastern', u'entranc', u'marten', u'peak', u'highest', u'martin', u'st', u'cove', u'os', u'mari', u'st', u'point', u'extrem', u'mateo', u'san', u'point', u'extrem', u'maxwel', u'island', u'summit', u'maxwel', u'mount', u'may', u'point', u'western', u'extrem', u'medio', u'cape', u'northeast', u'cliff', u'merci', u'misericordia', u'prepar', u'harbour', u'1', u'bottl', u'island', u'summit', u'meta', u'islet', u'central', u'summit', u'michael', u'point', u'extrem', u'mid', u'bay', u'rock', u'largest', u'middl', u'islet', u'summit', u'middl', u'cape', u'northwest', u'cliff', u'middl', u'cove', u'wollaston', u'island', u'observa1', u'tion', u'spot', u'beach', u'j', u'middl', u'hill', u'mitchel', u'cape', u'northwest', u'pitch', u'monday', u'cape', u'extrem', u'monmouth', u'cape', u'west', u'head', u'monmouth', u'island', u'summit', u'moor', u'monument', u'morrison', u'el', u'summit', u'murray', u'narrow', u'eddi', u'point', u'nassau', u'island', u'southeast', u'point', u'nativ', u'cape', u'western', u'pitch', u'negro', u'cape', u'southwest', u'extrem', u'cliff', u'newton', u'point', u'extrem', u'windhond', u'bay', u'newer', u'island', u'northeastern', u'point', u'nicholson', u'rock', u'southwestern', u'rock', u'nodul', u'peak', u'noir', u'island', u'os', u'noir', u'island', u'cape', u'noir', u'extrem', u'nombr', u'head', u'northeast', u'cliff', u'north', u'cove', u'o', u'north', u'hill', u'summit', u'northern', u'rock', u'abov', u'water', u'diego', u'ramirez', u'long', u'west', u'52', u'53', u'00', u'55', u'33', u'20', u'55', u'17', u'00', u'55', u'18', u'40', u'56', u'q4', u'30', u'50', u'20', u'00', u'54', u'45', u'40', u'55', u'40', u'30', u'51', u'30', u'00', u'52', u'54', u'15', u'55', u'22', u'35', u'52', u'50', u'00', u'52', u'26', u'00', u'52', u'26', u'00', u'52', u'32', u'00', u'52', u'31', u'00', u'52', u'22', u'00', u'52', u'14', u'go', u'52', u'15', u'00', u'55', u'43', u'00', u'55', u'5', u'20', u'53', u'21', u'15', u'5', u'23', u'50', u'55', u'47', u'30', u'53', u'47', u'10', u'55', u'22', u'20', u'54', u'12', u'15', u'52', u'44', u'58', u'52', u'29', u'15', u'50', u'17', u'00', u'53', u'50', u'10', u'55', u'36', u'15', u'54', u'48', u'20', u'55', u'35', u'30', u'51', u'49', u'56', u'55', u'57', u'30', u'53', u'09', u'12', u'53', u'20', u'30', u'53', u'41', u'45', u'51', u'39', u'30', u'53', u'33', u'20', u'55', u'01', u'00', u'53', u'50', u'23', u'55', u'27', u'30', u'52', u'56', u'40', u'55', u'15', u'45', u'54', u'39', u'00', u'55', u'03', u'00', u'53', u'50', u'40', u'54', u'28', u'15', u'54', u'30', u'00', u'52', u'39', u'00', u'54', u'24', u'25', u'51', u'47', u'30', u'56', u'24', u'40', u'var', u'east', u'l', u'74', u'33', u'00', u'69', u'ti', u'40', u'66', u'49', u'00', u'66', u'44', u'45', u'68', u'43', u'10', u'68', u'49', u'30', u'71', u'04', u'00', u'67', u'59', u'00', u'75', u'29', u'00', u'70', u'35', u'25', u'69', u'59', u'34', u'70', u'34', u'45', u'68', u'57', u'00', u'69', u'00', u'00', u'68', u'59', u'00', u'68', u'42', u'00', u'68', u'39', u'00', u'69', u'06', u'00', u'g9', u'24', u'00', u'67', u'19', u'00', u'67', u'34', u'00', u'70', u'57', u'45', u'74', u'04', u'00', u'67', u'30', u'45', u'72', u'15', u'00', u'70', u'09', u'30', u'66', u'51', u'20', u'74', u'39', u'14', u'72', u'55', u'40', u'74', u'48', u'00', u'73', u'35', u'o', u'67', u'17', u'45', u'64', u'45', u'20', u'68', u'19', u'00', u'69', u'22', u'40', u'68', u'14', u'00', u'73', u'22', u'00', u'70', u'27', u'45', u'72', u'11', u'45', u'72', u'52', u'40', u'73', u'32', u'15', u'68', u'14', u'20', u'71', u'04', u'30', u'69', u'48', u'30', u'70', u'49', u'00', u'67', u'52', u'40', u'64', u'06', u'20', u'71', u'23', u'20', u'71', u'09', u'45', u'72', u'59', u'45', u'73', u'05', u'30', u'68', u'34', u'50', u'72', u'18', u'10', u'69', u'25', u'40', u'68', u'43', u'00', u'hew', u'r', u'23', u'40', u'23', u'40', u'23', u'30', u'22', u'00', u'24', u'04', u'23', u'58', u'22', u'30', u'22', u'00', u'22', u'40', u'24', u'23', u'23', u'26', u'24', u'10', u'23', u'48', u'23', u'00', u'23', u'50', u'23', u'00', u'23', u'20', u'23', u'40', u'24', u'00', u'22', u'30', u'24', u'20', u'24', u'40', u'25', u'00', u'24', u'30', u'24', u'30', u'feet', u'4', u'40', u'4', u'40', u'4', u'30', u'3', u'10', u'n', u'e', u'n', u'8', u'56', u'45', u'wsw', u'8', u'47', u'7', u'40', u'8', u'37', u'8', u'13', u'8', u'24', u'8', u'46', u'sw', u'ssw', u'42', u'w', u'39', u'ssw', u'wsw', u'4', u'4', u'3', u'00', u'1', u'10', u'3', u'30', u'3', u'00', u'3', u'00', u'2', u'30', u'w', u'se', u'se', u'stabl', u'potltlon', u'south', u'50', u'continu', u'nose', u'peak', u'summit', u'notch', u'mountain', u'summit', u'notch', u'cape', u'extrem', u'observ', u'mount', u'summit', u'observ', u'mount', u'summit', u'west', u'coast', u'gest', u'point', u'extrem', u'orat', u'isthmu', u'bay', u'isthmu', u'middl', u'orang', u'cape', u'north', u'extrem', u'orang', u'peak', u'orang', u'bay', u'burnt', u'island', u'summit', u'orang', u'bay', u'os', u'orozco', u'tabl', u'southeast', u'summit', u'lazi', u'harbour', u'head', u'west', u'en', u'tranc', u'packsaddl', u'island', u'summit', u'parker', u'cape', u'western', u'summit', u'parri', u'harbour', u'northwest', u'point', u'paulo', u'sail', u'cape', u'northeast', u'cliff', u'paulo', u'san', u'mount', u'northern', u'summit', u'pocket', u'harbour', u'south', u'summit', u'peel', u'inlet', u'northeast', u'extrem', u'pene', u'cape', u'southeast', u'cliff', u'pene', u'cape', u'near', u'peter', u'mount', u'philip', u'st', u'bay', u'philip', u'st', u'bay', u'philip', u'san', u'mount', u'summit', u'phillip', u'cape', u'summit', u'phillip', u'rock', u'largest', u'summit', u'picton', u'island', u'cape', u'maria', u'southeast', u'ex', u'tree', u'j', u'pillar', u'cape', u'pilar', u'northern', u'cliff', u'pillar', u'rock', u'extrem', u'pinto', u'hill', u'eastern', u'summit', u'pio', u'san', u'cape', u'south', u'pitch', u'playa', u'parma', u'shelter', u'isl', u'summit', u'polycarp', u'point', u'extrem', u'pond', u'mount', u'porpois', u'point', u'northeast', u'extrem', u'portland', u'bay', u'west', u'point', u'islet', u'possess', u'cape', u'middl', u'cliff', u'possess', u'bay', u'western', u'bank', u'provid', u'cape', u'south', u'extrem', u'pyramid', u'hillsummit', u'preserv', u'island', u'summit', u'west', u'island', u'quarter', u'master', u'island', u'north', u'point', u'quoin', u'head', u'south', u'extrem', u'summit', u'quod', u'cape', u'extrem', u'ramirez', u'diego', u'island', u'highest', u'summit', u'red', u'hill', u'redbil', u'island', u'summit', u'rejoic', u'harbour', u'north', u'point', u'extrem', u'ree', u'cape', u'east', u'pitch', u'renard', u'island', u'summit', u'richardson', u'mount', u'summit', u'roca', u'parthia', u'summit', u'rocki', u'point', u'extrem', u'roman', u'bell', u'summit', u'roo', u'de', u'cape', u'northeast', u'pitch', u'rose', u'mount', u'whittleburi', u'island', u'lat', u'south', u'o', u'53', u'52', u'30', u'55', u'04', u'30', u'53', u'25', u'00', u'50', u'32', u'35', u'52', u'28', u'58', u'51', u'31', u'45', u'52', u'10', u'00', u'52', u'27', u'10', u'52', u'28', u'15', u'55', u'31', u'00', u'55', u'30', u'50', u'54', u'40', u'40', u'52', u'42', u'00', u'55', u'23', u'50', u'52', u'42', u'00', u'54', u'25', u'15', u'54', u'16', u'20', u'54', u'39', u'30', u'52', u'47', u'10', u'50', u'38', u'00', u'53', u'51', u'30', u'54', u'08', u'00', u'52', u'22', u'00', u'52', u'35', u'00', u'52', u'40', u'00', u'53', u'36', u'25', u'52', u'44', u'20', u'55', u'4', u'10', u'55', u'07', u'00', u'52', u'42', u'50', u'50', u'02', u'00', u'52', u'23', u'00', u'55', u'03', u'15', u'53', u'18', u'45', u'54', u'39', u'00', u'53', u'51', u'45', u'52', u'55', u'30', u'14', u'45', u'17', u'00', u'19', u'00', u'52', u'59', u'00', u'54', u'27', u'00', u'54', u'23', u'00', u'52', u'56', u'00', u'53', u'44', u'15', u'53', u'32', u'10', u'56', u'28', u'50', u'55', u'34', u'00', u'50', u'05', u'30', u'51', u'02', u'15', u'55', u'05', u'00', u'52', u'34', u'50', u'54', u'45', u'50', u'50', u'45', u'00', u'54', u'57', u'45', u'53', u'57', u'40', u'55', u'34', u'20', u'55', u'13', u'20', u'long', u'west', u'var', u'east', u'hew', u'70', u'05', u'70', u'30', u'72', u'48', u'55', u'23', u'40', u'69', u'00', u'74', u'36', u'25', u'09', u'74', u'08', u'73', u'40', u'69', u'28', u'22', u'30', u'69', u'25', u'68', u'02', u'23', u'56', u'68', u'05', u'23', u'56', u'65', u'59', u'45', u'70', u'36', u'35', u'23', u'50', u'68', u'04', u'23', u'50', u'74', u'14', u'69', u'20', u'66', u'40', u'72', u'01', u'70', u'46', u'23', u'29', u'73', u'36', u'67', u'33', u'22', u'00', u'66', u'53', u'72', u'40', u'69', u'49', u'22', u'40', u'69', u'42', u'22', u'40', u'71', u'00', u'73', u'56', u'44', u'70', u'57', u'66', u'46', u'74', u'43', u'23', u'50', u'75', u'23', u'23', u'00', u'72', u'20', u'66', u'30', u'73', u'01', u'23', u'45', u'65', u'39', u'71', u'56', u'70', u'48', u'23', u'30', u'74', u'40', u'68', u'56', u'22', u'40', u'69', u'20', u'73', u'34', u'23', u'22', u'71', u'07', u'71', u'35', u'70', u'22', u'23', u'20', u'70', u'43', u'23', u'20', u'72', u'33', u'68', u'42', u'24', u'30', u'68', u'09', u'74', u'48', u'74', u'19', u'67', u'01', u'23', u'20', u'73', u'43', u'63', u'51', u'75', u'02', u'65', u'46', u'71', u'47', u'67', u'20', u'23', u'45', u'70', u'10', u'1', u'00', u'9', u'00', u'3', u'30', u'o', u'30', u'3', u'30', u'12', u'00', u'6', u'42', u'6', u'27', u'9', u'40', u'9', u'00', u'1', u'00', u'1', u'ob', u'noon', u'8', u'40', u'8', u'19', u'r', u'feet', u'46', u'v', u'5', u'n', u'6', u'n', u'12', u'n', u'w', u'12wnw', u'30', u'sw', u'6', u'k', u'e', u'40', u'w', u'42', u'ssw', u'noon', u'9', u'n', u'noon', u'4', u'00', u'4', u'00', u'3', u'30', u'7', u'tabl', u'posit', u'south', u'continu', u'round', u'cape', u'redound', u'cape', u'summit', u'rowley', u'cape', u'extrem', u'rowley', u'cape', u'southwest', u'pitch', u'rag', u'point', u'extrem', u'south', u'rug', u'point', u'western', u'extrem', u'sanchez', u'cape', u'sanderson', u'island', u'south', u'extrem', u'sandi', u'point', u'extrem', u'santiago', u'cape', u'summit', u'sarmiento', u'mount', u'northeast', u'peak', u'saturday', u'harbour', u'os', u'schetki', u'cape', u'southern', u'pitch', u'schomberg', u'cape', u'western', u'pitch', u'scott', u'island', u'summit', u'scourg', u'cape', u'northeast', u'pitch', u'sea', u'rock', u'summit', u'sebastian', u'san', u'cape', u'northern', u'height', u'salina', u'island', u'summit', u'sambr', u'summit', u'seymour', u'mount', u'summit', u'sharp', u'peak', u'wickhara', u'island', u'summit', u'singular', u'peak', u'skyre', u'mount', u'summit', u'sloggett', u'bay', u'island', u'south', u'extrem', u'snowi', u'sound', u'extrem', u'islet', u'entranc', u'south', u'cape', u'south', u'extrem', u'cliff', u'southern', u'rock', u'diego', u'ramirez', u'spaniard', u'harbour', u'new', u'extrem', u'spencer', u'cape', u'southeast', u'summit', u'stain', u'peninsula', u'isthmu', u'centr', u'stout', u'mount', u'stewart', u'harbour', u'os', u'stoke', u'monument', u'stoke', u'mount', u'sulivan', u'head', u'southwest', u'summit', u'sunday', u'cape', u'northeast', u'cliff', u'sunday', u'cape', u'summit', u'swim', u'bluff', u'taper', u'point', u'extrem', u'tamar', u'cape', u'south', u'extrem', u'tames', u'islet', u'middl', u'tarn', u'mount', u'peakat', u'north', u'end', u'turn', u'cape', u'extrem', u'tate', u'cape', u'summit', u'tekeenica', u'sound', u'northwest', u'extrem', u'terhalten', u'island', u'summit', u'terhalten', u'island', u'cape', u'carolin', u'south1', u'extrem', u'f', u'thoma', u'point', u'extrem', u'three', u'peak', u'mount', u'summit', u'tiger', u'mount', u'tower', u'point', u'tower', u'tower', u'rock', u'eastern', u'rock', u'townshend', u'harbour', u'os', u'trafalgar', u'mount', u'summit', u'trebl', u'island', u'southern', u'summit', u'tre', u'punta', u'cape', u'trigo', u'mount', u'summit', u'tussuck', u'rock', u'lat', u'south', u'long', u'west', u'var', u'east', u'hew', u'r', u'isi', u'o', u'1', u'ii', u'1', u'ii', u'h', u'm', u'feet', u'50', u'51', u'00', u'69', u'04', u'50', u'21', u'30', u'9', u'30', u'40', u'n', u'54', u'14i', u'70', u'08', u'15', u'54', u'55', u'00', u'67', u'00', u'00', u'55', u'39', u'10', u'69', u'05', u'40', u'53', u'47', u'10', u'73', u'35', u'00', u'51', u'06', u'56', u'69', u'03', u'40', u'55', u'38', u'40', u'68', u'49', u'00', u'53', u'09', u'5', u'70', u'52', u'00', u'50', u'42', u'00', u'75', u'28', u'00', u'54', u'27', u'15', u'70', u'51', u'15', u'53', u'o', u'15', u'74', u'18', u'00', u'24', u'20', u'2', u'00', u'se', u'53', u'21', u'40', u'74', u'12', u'45', u'24', u'00', u'2', u'00', u'se', u'54', u'39', u'00', u'72', u'07', u'00', u'24', u'40', u'2', u'30', u'55', u'16', u'50', u'67', u'46', u'00', u'55', u'45', u'15', u'67', u'08', u'00', u'55', u'15', u'00', u'70', u'28', u'30', u'nw', u'53', u'19', u'00', u'68', u'09', u'50', u'22', u'40', u'7', u'00', u'54', u'55', u'20', u'71', u'30', u'20', u'nnw', u'55', u'27', u'15', u'59', u'30', u'54', u'19', u'05', u'69', u'50', u'20', u'54', u'06', u'50', u'70', u'26', u'45', u'50', u'24', u'00', u'74', u'33', u'45', u'54', u'24', u'48', u'72', u'11', u'20', u'24', u'30', u'2', u'30', u'55', u'02', u'15', u'66', u'20', u'00', u'53', u'31', u'00', u'72', u'40', u'00', u'54', u'51', u'00', u'64', u'45', u'40', u'56', u'29', u'52', u'68', u'42', u'20', u'25', u'00', u'4', u'00', u'e', u'54', u'53', u'00', u'65', u'53', u'00', u'55', u'55', u'00', u'67', u'37', u'40', u'24', u'30', u'4', u'40', u'e', u'51', u'40', u'35', u'73', u'41', u'40', u'50', u'11', u'45', u'70', u'16', u'45', u'54', u'54', u'24', u'71', u'29', u'02', u'24', u'14', u'2', u'50', u'se', u'51', u'02', u'00', u'75', u'00', u'00', u'50', u'29', u'00', u'73', u'05', u'00', u'55', u'20', u'50', u'69', u'45', u'45', u'53', u'39', u'50', u'67', u'56', u'20', u'22', u'50', u'6', u'00', u'nw', u'53', u'10', u'30', u'74', u'22', u'00', u'50', u'04', u'20', u'69', u'33', u'00', u'50', u'28', u'55', u'74', u'41', u'45', u'53', u'55', u'30', u'73', u'48', u'10', u'23', u'24', u'2', u'30', u'e', u'53', u'23', u'30', u'74', u'05', u'30', u'53', u'45', u'06', u'71', u'02', u'10', u'54', u'24', u'08', u'71', u'07', u'30', u'24', u'00', u'1', u'20', u'n', u'e', u'53', u'37', u'15', u'73', u'51', u'30', u'55', u'15', u'00', u'68', u'54', u'00', u'55', u'26', u'15', u'67', u'01', u'30', u'23', u'40', u'4', u'30', u'e', u'55', u'21', u'10', u'65', u'52', u'15', u'23', u'45', u'4', u'37', u'e', u'52', u'26', u'00', u'72', u'48', u'00', u'53', u'42', u'40', u'72', u'44', u'15', u'51', u'21', u'36', u'69', u'01', u'46', u'54', u'59', u'30', u'66', u'01', u'30', u'54', u'36', u'40', u'73', u'02', u'50', u'25', u'00', u'54', u'42', u'15', u'71', u'55', u'30', u'24', u'34', u'2', u'30', u'e', u'51', u'38', u'00', u'74', u'24', u'45', u'55', u'07', u'50', u'71', u'02', u'20', u'24', u'15', u'3', u'00', u'se', u'50', u'02', u'00', u'75', u'21', u'00', u'51', u'15', u'04', u'74', u'15', u'45', u'54', u'34', u'00', u'72', u'12', u'10', u'25', u'00', u'2', u'30', u'5', u'nee', u'tabl', u'posit', u'south', u'30', u'continu', u'twoboat', u'point', u'north', u'extrem', u'upright', u'cape', u'north', u'extrem', u'union', u'peak', u'summit', u'valentynyn', u'harbour', u'observ', u'mount', u'valentynyn', u'cape', u'summit', u'extrem', u'vancouv', u'port', u'head', u'southwest', u'vauverlandt', u'islet', u'summit', u'vernal', u'mount', u'summit', u'vicent', u'san', u'cape', u'extrem', u'vicent', u'san', u'cape', u'southwest', u'summit', u'west', u'coast', u'j', u'vicent', u'san', u'cape', u'west', u'extrem', u'victori', u'cape', u'extrem', u'virgin', u'cape', u'southeast', u'extrem', u'walker', u'bay', u'height', u'south', u'waller', u'point', u'extrem', u'warp', u'cove', u'os', u'walter', u'point', u'eastern', u'pitch', u'wesley', u'cape', u'islet', u'extrem', u'point', u'webster', u'mount', u'summit', u'weddel', u'cape', u'southwest', u'pitch', u'west', u'point', u'extrem', u'west', u'hill', u'hermit', u'island', u'summit', u'west', u'mountain', u'summit', u'west', u'channel', u'north', u'head', u'summit', u'west', u'channel', u'south', u'head', u'summit', u'west', u'cliff', u'cape', u'cliff', u'extrem', u'western', u'station', u'santa', u'cruz', u'river', u'westminst', u'hall', u'eastern', u'summit', u'wiiitsh', u'mount', u'summit', u'white', u'hors', u'islet', u'north', u'summit', u'wilson', u'cape', u'southwest', u'summit', u'windhond', u'bay', u'windward', u'bay', u'beach', u'wollaston', u'island', u'largest', u'summit', u'woouya', u'settlement', u'york', u'minster', u'summit', u'west', u'coast', u'patagonia', u'place', u'latitud', u'50', u'northward', u'doubl', u'peak', u'mount', u'western', u'peak', u'needham', u'bay', u'beach', u'cape', u'primero', u'extrem', u'mount', u'corso', u'southwest', u'summit', u'cathedr', u'mount', u'summit', u'sandi', u'bay', u'east', u'point', u'mount', u'corso', u'nee', u'summit', u'cape', u'breton', u'summit', u'falcon', u'inlet', u'southeast', u'extrem', u'saumarez', u'island', u'bold', u'head', u'furi', u'cove', u'height', u'east', u'falcon', u'inlet', u'cape', u'wellesley', u'extrem', u'offshoot', u'islet', u'centr', u'picton', u'open', u'middl', u'mount', u'jervi', u'summit', u'level', u'bay', u'west', u'point', u'extrem', u'cape', u'montagu', u'western', u'cliff', u'western', u'rock', u'centr', u'lat', u'south', u'54', u'52', u'30', u'53', u'04', u'03', u'54', u'50', u'45', u'52', u'55', u'00', u'53', u'33', u'30', u'54', u'49', u'50', u'55', u'19', u'30', u'54', u'06', u'28', u'54', u'38', u'40', u'51', u'30', u'00', u'52', u'46', u'20', u'52', u'16', u'10', u'53', u'20', u'10', u'50', u'22', u'00', u'55', u'10', u'10', u'54', u'24', u'08', u'54', u'55', u'15', u'55', u'16', u'15', u'54', u'47', u'12', u'55', u'33', u'00', u'55', u'50', u'15', u'55', u'50', u'30', u'54', u'50', u'00', u'50', u'22', u'15', u'50', u'33', u'30', u'50', u'36', u'30', u'50', u'12', u'40', u'52', u'37', u'18', u'54', u'08', u'00', u'51', u'07', u'50', u'55', u'04', u'45', u'55', u'15', u'00', u'50', u'03', u'12', u'56', u'27', u'44', u'55', u'03', u'40', u'55', u'24', u'50', u'49', u'58', u'20', u'49', u'53', u'54', u'49', u'50', u'05', u'49', u'48', u'00', u'49', u'46', u'30', u'49', u'45', u'40', u'49', u'45', u'15', u'49', u'39', u'00', u'49', u'38', u'00', u'49', u'32', u'48', u'49', u'31', u'50', u'49', u'28', u'30', u'49', u'25', u'10', u'49', u'15', u'00', u'49', u'08', u'30', u'49', u'07', u'45', u'49', u'07', u'30', u'49', u'01', u'00', u'long', u'west', u'69', u'37', u'00', u'73', u'36', u'00', u'70', u'08', u'00', u'74', u'18', u'45', u'70', u'33', u'45', u'64', u'05', u'45', u'67', u'57', u'00', u'14', u'15', u'74', u'00', u'15', u'70', u'26', u'25', u'74', u'54', u'39', u'68', u'21', u'34', u'74', u'53', u'15', u'66', u'28', u'00', u'71', u'08', u'20', u'70', u'58', u'00', u'68', u'06', u'00', u'64', u'04', u'52', u'68', u'45', u'00', u'67', u'54', u'30', u'67', u'46', u'45', u'64', u'35', u'35', u'75', u'22', u'00', u'75', u'28', u'15', u'75', u'31', u'45', u'71', u'50', u'00', u'74', u'24', u'10', u'71', u'14', u'00', u'75', u'14', u'40', u'71', u'01', u'00', u'67', u'50', u'00', u'74', u'41', u'45', u'68', u'43', u'01', u'68', u'03', u'00', u'70', u'02', u'30', u'74', u'41', u'00', u'74', u'59', u'00', u'75', u'35', u'30', u'75', u'34', u'00', u'74', u'43', u'50', u'74', u'16', u'45', u'75', u'32', u'00', u'75', u'31', u'00', u'73', u'36', u'30', u'74', u'06', u'15', u'74', u'03', u'00', u'73', u'54', u'25', u'75', u'3s', u'00', u'75', u'23', u'00', u'74', u'11', u'15', u'74', u'14', u'00', u'75', u'37', u'00', u'75', u'48', u'40', u'var', u'east', u'h', u'w', u'23', u'30', u'24', u'00', u'23', u'50', u'22', u'50', u'22', u'30', u'24', u'57', u'23', u'40', u'24', u'20', u'20', u'58', u'20', u'20', u'h', u'm', u'1', u'30', u'2', u'00', u'4', u'40', u'4', u'30', u'8', u'50', u'3', u'30', u'4', u'30', u'4', u'n', u'1', u'15', u'r', u'feet', u'7', u'e', u'10', u'nw', u'n', u'x', u'nw', u'9', u'e', u'tabl', u'posit', u'west', u'coast', u'patagoniacontinu', u'lat', u'south', u'long', u'west', u'wildcoast', u'head', u'cliff', u'summit', u'eyr', u'sound', u'northeast', u'extrem', u'halt', u'bay', u'middl', u'islet', u'close', u'dyneley', u'point', u'extrem', u'parallel', u'point', u'extrem', u'parallel', u'peak', u'summit', u'station', u'head', u'summit', u'conglomer', u'point', u'extrem', u'white', u'kelp', u'cove', u'summit', u'west', u'side', u'breaker', u'peak', u'summit', u'middl', u'island', u'north', u'point', u'extrem', u'point', u'breakoff', u'extrem', u'fall', u'channel', u'duplic', u'mount', u'south', u'summit', u'black', u'island', u'southeast', u'summit', u'dunde', u'rock', u'summit', u'cape', u'dyer', u'extrem', u'miller', u'island', u'south', u'extrem', u'port', u'santa', u'barbara', u'observ', u'point', u'l', u'north', u'extrem', u'j', u'byno', u'island', u'northern', u'centr', u'miller', u'monument', u'north', u'extrem', u'campanula', u'island', u'summit', u'south', u'end', u'good', u'harbour', u'isthmu', u'bottom', u'byno', u'island', u'western', u'extrem', u'cape', u'san', u'roman', u'north', u'extrem', u'wager', u'island', u'eastern', u'point', u'extrem', u'suppos', u'posit', u'wager', u'wreck', u'speedwel', u'bay', u'hill', u'northeast', u'point', u'northernmost', u'islet', u'summit', u'ayautau', u'island', u'summit', u'largest', u'channel', u'mouth', u'largest', u'rock', u'entranc', u'channel', u'mouth', u'east', u'side', u'northernmost', u'hazard', u'islet', u'j', u'chono', u'archipelago', u'xavier', u'island', u'ignacio', u'beach', u'jesuit', u'sound', u'central', u'mount', u'xavier', u'island', u'lindsay', u'point', u'northeast', u'extrem', u'j', u'kelli', u'harbour', u'south', u'point', u'extrem', u'kelli', u'harbour', u'north', u'point', u'extrem', u'cape', u'tre', u'mont', u'extrem', u'cape', u'tre', u'mont', u'summit', u'purcel', u'island', u'summit', u'cirujano', u'islet', u'northeast', u'point', u'corneliu', u'peninsula', u'isthmu', u'narrowest', u'part', u'port', u'otway', u'observ', u'spot', u'port', u'otway', u'summit', u'southern', u'entranc', u'head', u'j', u'cape', u'raper', u'rock', u'close', u'bad', u'bay', u'summit', u'west', u'point', u'ree', u'extrem', u'sugar', u'loaf', u'summit', u'milford', u'head', u'summit', u'st', u'paul', u'dome', u'summit', u'small', u'islet', u'near', u'cape', u'gallego', u'cape', u'gallego', u'summit', u'48', u'57', u'30', u'48', u'57', u'00', u'48', u'54', u'15', u'48', u'50', u'00', u'48', u'47', u'45', u'48', u'45', u'40', u'48', u'39', u'00', u'48', u'36', u'15', u'48', u'30', u'15', u'48', u'28', u'00', u'48', u'27', u'35', u'48', u'26', u'00', u'48', u'19', u'00', u'48', u'12', u'00', u'48', u'06', u'15', u'48', u'06', u'00', u'48', u'03', u'20', u'48', u'02', u'20', u'47', u'58', u'00', u'47', u'55', u'50', u'47', u'45', u'00', u'47', u'45', u'00', u'47', u'44', u'40', u'47', u'44', u'30', u'47', u'41', u'00', u'47', u'39', u'30', u'47', u'39', u'30', u'47', u'38', u'10', u'47', u'34', u'15', u'47', u'29', u'30', u'47', u'28', u'55', u'47', u'10', u'00', u'47', u'09', u'30', u'47', u'03', u'15', u'46', u'59', u'30', u'46', u'59', u'00', u'46', u'58', u'57', u'46', u'57', u'50', u'46', u'55', u'20', u'46', u'51', u'10', u'46', u'50', u'oo', u'46', u'49', u'31', u'46', u'49', u'30', u'46', u'49', u'10', u'46', u'47', u'10', u'46', u'44', u'40', u'46', u'42', u'40', u'46', u'39', u'00', u'46', u'36', u'16', u'46', u'35', u'40', u'46', u'35', u'00', u'75', u'32', u'00', u'73', u'41', u'45', u'74', u'14', u'20', u'75', u'26', u'00', u'75', u'34', u'40', u'75', u'31', u'00', u'74', u'10', u'60', u'75', u'35', u'00', u'74', u'17', u'10', u'75', u'32', u'30', u'74', u'21', u'40', u'75', u'33', u'40', u'75', u'14', u'00', u'74', u'32', u'00', u'75', u'42', u'00', u'75', u'34', u'20', u'74', u'35', u'30', u'75', u'29', u'20', u'75', u'23', u'30', u'74', u'41', u'30', u'74', u'37', u'10', u'75', u'20', u'20', u'75', u'24', u'20', u'74', u'52', u'30', u'74', u'55', u'00', u'75', u'06', u'30', u'75', u'10', u'00', u'75', u'14', u'00', u'74', u'40', u'20', u'74', u'29', u'30', u'74', u'24', u'20', u'74', u'25', u'40', u'74', u'08', u'20', u'74', u'16', u'00', u'74', u'08', u'30', u'74', u'05', u'50', u'75', u'27', u'50', u'75', u'27', u'55', u'74', u'39', u'45', u'74', u'21', u'45', u'74', u'41', u'40', u'75', u'19', u'20', u'75', u'i8', u'00', u'75', u'40', u'55', u'74', u'51', u'40', u'75', u'42', u'20', u'75', u'15', u'00', u'75', u'40', u'30', u'75', u'13', u'40', u'75', u'40', u'00', u'75', u'28', u'30', u'var', u'east', u'hew', u'rs', u'feet', u'12', u'30', u'12', u'00', u'19', u'10', u'11', u'45', u'19', u'50', u'20', u'32', u'noon', u'd', u'tabl', u'posit', u'chono', u'archipelago', u'continu', u'christma', u'cove', u'o', u'atsoutlieast', u'extr', u'mityofcov', u'j', u'cone', u'summit', u'point', u'princ', u'extrem', u'rescu', u'point', u'summit', u'northern', u'weller', u'rock', u'middl', u'cape', u'taytao', u'western', u'extrem', u'sjjyre', u'monument', u'summit', u'mount', u'gallego', u'summit', u'patch', u'cove', u'o', u'mount', u'gallego', u'pert', u'refug', u'pene', u'island', u'summit', u'inch', u'island', u'southeast', u'summit', u'anna', u'pink', u'bay', u'st', u'julian', u'island', u'summit', u'mount', u'haddington', u'summit', u'sensual', u'island', u'summit', u'mount', u'river', u'summit', u'midday', u'rock', u'centr', u'cape', u'garrick', u'northern', u'extrem', u'darwin', u'channel', u'northeast', u'head', u'mount', u'isquiliac', u'summit', u'vallenar', u'road', u'os', u'southeast', u'extrem', u'threefing', u'island', u'lemu', u'island', u'summit', u'paz', u'island', u'summit', u'humbl', u'socorro', u'island', u'south', u'extrem', u'humbl', u'socorro', u'island', u'west', u'head', u'spun', u'narborough', u'island', u'john', u'point', u'extrem', u'j', u'stoke', u'island', u'summit', u'cape', u'lord', u'summit', u'hulk', u'rock', u'northern', u'abov', u'water', u'mount', u'main', u'summit', u'pellet', u'island', u'western', u'extrem', u'melimoyu', u'mountain', u'summit', u'tuamapu', u'island', u'summit', u'huayteca', u'island', u'central', u'summit', u'point', u'huayhuin', u'western', u'islet', u'port', u'low', u'os', u'rocki', u'islet', u'harbour', u'point', u'charli', u'north', u'extrem', u'huacanec', u'islet', u'northernmost', u'small', u'queytao', u'islet', u'largest', u'summit', u'archipelago', u'chloe', u'huafo', u'island', u'south', u'extrem', u'huafo', u'island', u'east', u'point', u'cove', u'huafo', u'island', u'summit', u'north', u'west', u'weather', u'point', u'huafo', u'island', u'northern', u'rock', u'j', u'canoitad', u'rock', u'summit', u'mantl', u'mountain', u'summit', u'southern', u'huapiquilan', u'island', u'southern', u'islet', u'summit', u'larger', u'island', u'huapiquilan', u'southern', u'summit', u'san', u'pedro', u'mountain', u'summit', u'san', u'pedro', u'passag', u'os', u'cove', u'cape', u'quilan', u'southwest', u'extrem', u'laytec', u'island', u'southeast', u'extrem', u'colorado', u'mountain', u'summit', u'build', u'harbour', u'point', u'sentinel', u'extrem', u'lat', u'long', u'var', u'south', u'west', u'east', u'o', u'ii', u'46', u'35', u'75', u'34', u'05', u'20', u'40', u'46', u'34', u'75', u'31', u'gg', u'46', u'30', u'75', u'33', u'46', u'18', u'75', u'13', u'46', u'04', u'75', u'14', u'45', u'53', u'75', u'08', u'go', u'45', u'53', u'75', u'04', u'45', u'52', u'74', u'56', u'45', u'52', u'74', u'55', u'50', u'20', u'31', u'45', u'51', u'74', u'51', u'45', u'48', u'75', u'01', u'og', u'20', u'36', u'45', u'47', u'74', u'55', u'og', u'45', u'43', u'74', u'39', u'45', u'36', u'74', u'56', u'45', u'34', u'74', u'35', u'45', u'27', u'74', u'45', u'45', u'26', u'74', u'32', u'45', u'25', u'go', u'74', u'25', u'45', u'20', u'74', u'21', u'45', u'18', u'74', u'36', u'5', u'20', u'48', u'45', u'12', u'74', u'34', u'44', u'57', u'74', u'40', u'44', u'55', u'50', u'75', u'12', u'4449', u'75', u'14', u'44', u'40', u'40', u'74', u'48', u'44', u'40', u'74', u'33', u'44', u'32', u'74', u'50', u'44', u'16', u'74', u'33', u'44', u'09', u'74', u'11', u'44', u'04', u'74', u'23', u'44', u'01', u'73', u'07', u'43', u'58', u'74', u'15', u'2g', u'43', u'52', u'74', u'01', u'43', u'51', u'74', u'13', u'43', u'48', u'74', u'03', u'05', u'19', u'48', u'43', u'46', u'73', u'65', u'40', u'43', u'46', u'74', u'03', u'30', u'43', u'43', u'73', u'35', u'30', u'43', u'41', u'74', u'46', u'43', u'38', u'40', u'74', u'34', u'40', u'43', u'35', u'74', u'48', u'19', u'00', u'43', u'32', u'74', u'44', u'43', u'30', u'go', u'73', u'50', u'43', u'30', u'72', u'50', u'43', u'29', u'74', u'15', u'43', u'26', u'74', u'17', u'50', u'43', u'21', u'73', u'49', u'43', u'19', u'73', u'45', u'43', u'17', u'ig', u'74', u'26', u'43', u'15', u'73', u'36', u'43', u'11', u'2g', u'72', u'48', u'43', u'03', u'73', u'34', u'ib', u'30', u'42', u'59', u'73', u'22', u'hew', u'h', u'm', u'o', u'45', u'g', u'14', u'o', u'45', u'o', u'45', u'o', u'40', u'11', u'45', u'o', u'30', u'o', u'37', u'o', u'48', u'r', u'feet', u'5', u'n', u'5', u'nee', u'5', u'e', u'5', u'e', u'nee', u'tabl', u'posit', u'archipelago', u'ciiilo', u'continu', u'cape', u'punta', u'northwest', u'extrem', u'quilaii', u'cove', u'dismount', u'vilcun', u'summit', u'minchinmadom', u'mountain', u'south', u'summit', u'alcan', u'harbour', u'os', u'pirulil', u'head', u'northwest', u'extrem', u'lemuy', u'island', u'apabon', u'peak', u'phil', u'yah', u'point', u'summit', u'nihuel', u'islet', u'summit', u'also', u'island', u'summit', u'huentemo', u'head', u'summit', u'cahuach', u'island', u'summit', u'castro', u'town', u'easternmost', u'part', u'dalcahu', u'chapel', u'cape', u'matalqui', u'west', u'extrem', u'chang', u'island', u'north', u'summit', u'matalqui', u'height', u'summit', u'quicavi', u'bluff', u'quintergen', u'point', u'summit', u'oscuro', u'port', u'os', u'huapilinao', u'head', u'summit', u'lobo', u'head', u'summit', u'coconut', u'height', u'summit', u'san', u'carlo', u'town', u'landingplac', u'mole', u'prologu', u'island', u'south', u'point', u'san', u'carlo', u'harbour', u'point', u'arena', u'ossian', u'carlo', u'harbour', u'english', u'bank', u'point', u'tre', u'cruce', u'extrem', u'pitch', u'abtao', u'island', u'point', u'cape', u'guabun', u'northwest', u'extrem', u'point', u'sanoullan', u'northeastern', u'cliff', u'calico', u'fort', u'east', u'end', u'island', u'calico', u'anoth', u'observ', u'corona', u'head', u'northern', u'pitch', u'coast', u'chile', u'mount', u'yate', u'llebcan', u'summit', u'carelmapu', u'cove', u'os', u'maudlin', u'amortajado', u'north', u'extrem', u'river', u'cochin', u'mouth', u'point', u'godli', u'southwest', u'extrem', u'quellayp', u'mountain', u'summit', u'osorno', u'mountain', u'summit', u'point', u'colonel', u'south', u'extrem', u'cape', u'quedal', u'summit', u'manzano', u'cove', u'rivulet', u'mouth', u'milagro', u'cove', u'depth', u'river', u'bueno', u'entranc', u'bar', u'point', u'galena', u'west', u'extrem', u'fals', u'point', u'summit', u'highest', u'valdivia', u'o', u'near', u'fort', u'corral', u'gonzal', u'head', u'northern', u'pitch', u'valdivia', u'town', u'landingplac', u'opposit', u'church', u'hospit', u'mole', u'clachan', u'cove', u'islet', u'river', u'molten', u'mouth', u'cauten', u'imperi', u'river', u'mouth', u'cauten', u'head', u'cliff', u'summit', u'mocha', u'island', u'south', u'summit', u'lat', u'south', u'long', u'west', u'var', u'east', u'hew', u'r', u'o', u'1', u'ii', u'b', u'm', u'feet', u'42', u'59', u'15', u'74', u'16', u'50', u'42', u'52', u'00', u'73', u'33', u'00', u'18', u'40', u'42', u'48', u'50', u'72', u'52', u'50', u'42', u'48', u'00', u'72', u'34', u'30', u'42', u'47', u'00', u'72', u'58', u'00', u'1', u'03', u'43', u'44', u'40', u'74', u'11', u'00', u'42', u'40', u'00', u'73', u'35', u'30', u'42', u'39', u'00', u'73', u'43', u'00', u'42', u'36', u'10', u'72', u'58', u'10', u'42', u'35', u'00', u'73', u'22', u'00', u'n', u'42', u'34', u'20', u'74', u'12', u'40', u'42', u'28', u'05', u'73', u'18', u'45', u'42', u'27', u'45', u'73', u'49', u'20', u'18', u'35', u'n', u'42', u'23', u'00', u'73', u'40', u'00', u'42', u'10', u'40', u'74', u'14', u'00', u'42', u'15', u'00', u'73', u'18', u'00', u'42', u'10', u'30', u'74', u'11', u'0', u'42', u'15', u'00', u'73', u'24', u'00', u'n', u'42', u'09', u'25', u'73', u'24', u'00', u'42', u'04', u'00', u'73', u'29', u'00', u'1', u'00', u'n', u'41', u'57', u'36', u'73', u'32', u'20', u'1', u'25', u'n', u'42', u'04', u'00', u'73', u'27', u'00', u'29', u'41', u'56', u'40', u'74', u'05', u'35', u'41', u'52', u'00', u'73', u'52', u'40', u'18', u'33', u'11', u'15', u'41', u'51', u'00', u'73', u'06', u'00', u'1', u'05', u'41', u'51', u'20', u'73', u'56', u'00', u'ib', u'00', u'e', u'41', u'49', u'00', u'73', u'54', u'00', u'41', u'49', u'30', u'73', u'31', u'40', u'1', u'13', u'41', u'48', u'00', u'73', u'26', u'00', u'41', u'47', u'50', u'74', u'05', u'55', u'41', u'47', u'30', u'73', u'35', u'20', u'41', u'46', u'10', u'73', u'10', u'45', u'1', u'18', u'41', u'46', u'00', u'73', u'11', u'00', u'41', u'46', u'00', u'73', u'57', u'30', u'41', u'45', u'30', u'72', u'31', u'50', u'41', u'45', u'00', u'73', u'45', u'00', u'41', u'37', u'15', u'73', u'44', u'30', u'41', u'40', u'00', u'72', u'45', u'00', u'41', u'34', u'15', u'73', u'50', u'20', u'41', u'22', u'00', u'72', u'43', u'30', u'41', u'09', u'30', u'73', u'36', u'45', u'41', u'07', u'40', u'73', u'31', u'45', u'41', u'03', u'00', u'73', u'59', u'50', u'40', u'33', u'20', u'73', u'45', u'50', u'40', u'16', u'00', u'73', u'45', u'00', u'40', u'11', u'00', u'73', u'44', u'00', u'40', u'02', u'00', u'73', u'46', u'40', u'40', u'00', u'50', u'73', u'40', u'50', u'39', u'52', u'53', u'73', u'29', u'00', u'18', u'15', u'10', u'35', u'39', u'51', u'15', u'73', u'30', u'00', u'39', u'49', u'02', u'73', u'8', u'30', u'18', u'20', u'10', u'45', u'warbl', u'39', u'26', u'40', u'73', u'18', u'30', u'39', u'07', u'45', u'73', u'19', u'00', u'38', u'47', u'40', u'73', u'26', u'00', u'38', u'40', u'40', u'73', u'30', u'20', u'38', u'24', u'10', u'73', u'56', u'50', u'tabl', u'posit', u'coast', u'chile', u'conlimi', u'cape', u'tinea', u'summit', u'islet', u'mocha', u'island', u'north', u'summit', u'mocha', u'island', u'os', u'east', u'side', u'near', u'north', u'1', u'point', u'j', u'molguilla', u'point', u'southwest', u'extrem', u'point', u'tucapel', u'extrem', u'river', u'lelibu', u'entranc', u'tucapel', u'head', u'summit', u'corner', u'head', u'western', u'summit', u'arauco', u'fort', u'middl', u'tubal', u'river', u'south', u'head', u'entranc', u'cape', u'rumena', u'north', u'vest', u'cliff', u'summit', u'laraquet', u'river', u'mouth', u'point', u'lavapi', u'extrem', u'colour', u'villag', u'western', u'pitch', u'hill', u'santa', u'maria', u'island', u'o', u'near', u'rivulet', u'iandl', u'ing', u'place', u'j', u'santa', u'maria', u'island', u'summit', u'west', u'head', u'point', u'coron', u'west', u'extrem', u'concepcion', u'citi', u'middl', u'nearest', u'river', u'river', u'bio', u'bio', u'south', u'entranc', u'point', u'talcahuano', u'fort', u'galvez', u'point', u'tumb', u'northwest', u'cliff', u'mount', u'neuk', u'summit', u'column', u'head', u'north', u'extrem', u'boquitata', u'point', u'western', u'extrem', u'bio', u'bio', u'pap', u'southwest', u'summit', u'carrara', u'point', u'southwest', u'extrem', u'cape', u'humor', u'summit', u'maul', u'church', u'rock', u'near', u'entranc', u'maul', u'river', u'south', u'head', u'entranc', u'point', u'huachupur', u'extrem', u'topocalmo', u'point', u'summit', u'extrem', u'naiad', u'bay', u'river', u'repel', u'mouth', u'repel', u'shoal', u'wrongli', u'call', u'topocalma', u'mayo', u'river', u'south', u'entranc', u'head', u'white', u'rock', u'point', u'white', u'rock', u'curaumilla', u'point', u'rock', u'valparaiso', u'fort', u'san', u'antonio', u'quillota', u'bell', u'summit', u'quiritero', u'rock', u'bodi', u'quintero', u'point', u'summit', u'horton', u'rock', u'largest', u'aconcagua', u'mountain', u'summit', u'papudo', u'gobernador', u'mount', u'bay', u'papudo', u'bay', u'os', u'landingplac', u'pichidanqu', u'southeast', u'point', u'island', u'os', u'conceal', u'bay', u'islet', u'middl', u'point', u'tabl', u'southwest', u'extrem', u'river', u'chuapa', u'south', u'entranc', u'point', u'maytencilio', u'cove', u'north', u'head', u'talinay', u'mount', u'summit', u'limari', u'river', u'south', u'head', u'lengua', u'de', u'vaca', u'extrem', u'huanaquero', u'hill', u'summit', u'sugar', u'loaf', u'hill', u'northwest', u'summit', u'heitadura', u'port', u'southwest', u'comer', u'coquimbo', u'port', u'northern', u'islet', u'rock', u'lat', u'south', u'long', u'west', u'var', u'west', u'hew', u'r', u'o', u'h', u'm', u'feet', u'38', u'23', u'00', u'73', u'34', u'30', u'38', u'21', u'15', u'74', u'01', u'09', u'38', u'19', u'35', u'74', u'00', u'20', u'17', u'20', u'37', u'48', u'00', u'73', u'36', u'00', u'37', u'42', u'00', u'73', u'43', u'00', u'37', u'35', u'45', u'73', u'42', u'00', u'17', u'10', u'10', u'30', u'5', u'n', u'37', u'35', u'20', u'73', u'43', u'10', u'37', u'21', u'20', u'73', u'44', u'00', u'37', u'15', u'00', u'73', u'23', u'00', u'37', u'14', u'25', u'73', u'27', u'30', u'37', u'12', u'45', u'73', u'42', u'00', u'37', u'10', u'30', u'73', u'14', u'00', u'37', u'08', u'50', u'73', u'38', u'20', u'37', u'02', u'50', u'73', u'14', u'00', u'37', u'02', u'48', u'73', u'34', u'00', u'17', u'go', u'10', u'20', u'6', u'n', u'37', u'01', u'45', u'73', u'36', u'30', u'36', u'57', u'00', u'73', u'15', u'00', u'36', u'49', u'30', u'73', u'05', u'20', u'36', u'48', u'45', u'73', u'13', u'00', u'36', u'42', u'00', u'73', u'10', u'00', u'16', u'48', u'10', u'14', u'5', u'n', u'36', u'37', u'15', u'73', u'10', u'20', u'36', u'34', u'55', u'72', u'58', u'00', u'36', u'31', u'30', u'73', u'01', u'15', u'36', u'16', u'30', u'72', u'54', u'45', u'36', u'06', u'20', u'73', u'14', u'40', u'35', u'37', u'20', u'72', u'42', u'20', u'35', u'22', u'50', u'72', u'33', u'go', u'35', u'19', u'40', u'72', u'29', u'20', u'16', u'24', u'35', u'19', u'15', u'72', u'28', u'00', u'34', u'57', u'30', u'72', u'16', u'30', u'34', u'00', u'50', u'72', u'05', u'00', u'33', u'54', u'00', u'71', u'52', u'20', u'33', u'51', u'00', u'71', u'56', u'30', u'33', u'39', u'20', u'71', u'43', u'5', u'33', u'29', u'00', u'71', u'46', u'50', u'33', u'06', u'00', u'71', u'48', u'00', u'33', u'01', u'53', u'71', u'41', u'15', u'15', u'18', u'9', u'32', u'5', u'n', u'32', u'57', u'10', u'71', u'10', u'20', u'32', u'52', u'20', u'70', u'37', u'00', u'32', u'46', u'00', u'70', u'35', u'30', u'32', u'41', u'50', u'70', u'35', u'30', u'32', u'38', u'30', u'70', u'00', u'30', u'32', u'31', u'00', u'71', u'31', u'30', u'32', u'30', u'09', u'71', u'30', u'45', u'15', u'12', u'32', u'07', u'55', u'71', u'36', u'00', u'15', u'24', u'9', u'20', u'5', u'n', u'31', u'53', u'10', u'71', u'36', u'00', u'3', u'51', u'45', u'71', u'37', u'30', u'31', u'39', u'30', u'71', u'38', u'00', u'31', u'17', u'05', u'71', u'42', u'05', u'30', u'50', u'45', u'71', u'41', u'45', u'30', u'44', u'53', u'71', u'46', u'25', u'30', u'13', u'40', u'71', u'41', u'30', u'30', u'12', u'50', u'71', u'30', u'45', u'30', u'go', u'10', u'71', u'26', u'10', u'29', u'58', u'40', u'71', u'25', u'45', u'14', u'30', u'9', u'8', u'5', u'n', u'29', u'55', u'10', u'71', u'25', u'10', u'14', u'24', u'9', u'8', u'5', u'n', u'8', u'tabl', u'posit', u'coast', u'chile', u'continu', u'coquimbo', u'citi', u'la', u'serena', u'mr', u'edwardss', u'hous', u'j', u'array', u'cove', u'south', u'point', u'juan', u'soldan', u'mountain', u'summit', u'pesaro', u'islet', u'southern', u'summit', u'yevba', u'buena', u'villag', u'chapel', u'pesaro', u'islet', u'northern', u'summit', u'trigo', u'ishmdsoutliwest', u'point', u'tortoralillo', u'south', u'entranc', u'point', u'chungunga', u'islet', u'summit', u'toro', u'rock', u'chore', u'island', u'southwest', u'point', u'largest', u'polillao', u'cove', u'south', u'point', u'extrem', u'chafier', u'bay', u'southwest', u'point', u'chaner', u'island', u'southwest', u'summit', u'sarco', u'cove', u'middl', u'beach', u'cape', u'vascufian', u'islet', u'oif', u'rock', u'alcald', u'point', u'summit', u'upon', u'huasco', u'captain', u'port', u'hous', u'lobo', u'point', u'outer', u'pitch', u'herradura', u'de', u'carris', u'landingplac', u'carris', u'middl', u'point', u'south', u'side', u'mataraor', u'cove', u'outer', u'point', u'south', u'side', u'pajon', u'cove', u'southeast', u'comer', u'salado', u'bay', u'carlo', u'point', u'summit', u'copiapopo', u'landingplac', u'morro', u'summit', u'morro', u'copiapopo', u'morro', u'point', u'northern', u'extrem', u'port', u'yngle', u'sandi', u'beach', u'southwest', u'cor', u'ner', u'j', u'cabeza', u'de', u'vaca', u'point', u'extrem', u'flamenco', u'southeast', u'corner', u'bay', u'la', u'anima', u'summit', u'point', u'outer', u'pan', u'de', u'azucar', u'islet', u'summit', u'ballenita', u'islet', u'ballenita', u'lavata', u'cove', u'near', u'southwest', u'point', u'point', u'san', u'pedro', u'summit', u'point', u'taltal', u'northern', u'extrem', u'hue', u'parado', u'south', u'point', u'cove', u'point', u'grand', u'outer', u'summit', u'point', u'grand', u'summit', u'smile', u'ahalf', u'inl', u'shore', u'j', u'paposo', u'white', u'head', u'coast', u'peru', u'mount', u'trigo', u'summit', u'eye', u'head', u'extrem', u'pitch', u'point', u'jara', u'summit', u'baron', u'mountain', u'summit', u'moreno', u'mountain', u'summit', u'constitucion', u'cove', u'shingl', u'point', u'island', u'georg', u'mount', u'morro', u'jorg', u'summit', u'mexillon', u'hill', u'summit', u'cobija', u'flagstaff', u'landingplac', u'algodon', u'bay', u'extrem', u'point', u'chipana', u'bay', u'ossian', u'francisco', u'head', u'west', u'pitch', u'river', u'loa', u'mouth', u'point', u'lobo', u'blancaa', u'outer', u'pitch', u'lat', u'north', u'29', u'54', u'10', u'29', u'42', u'20', u'29', u'41', u'30', u'29', u'35', u'00', u'29', u'34', u'00', u'29', u'32', u'50', u'29', u'32', u'35', u'29', u'29', u'15', u'29', u'24', u'15', u'29', u'21', u'10', u'29', u'15', u'45', u'29', u'10', u'00', u'29', u'02', u'40', u'29', u'01', u'15', u'28', u'50', u'00', u'28', u'50', u'00', u'28', u'34', u'16', u'28', u'27', u'15', u'28', u'17', u'50', u'28', u'05', u'45', u'28', u'04', u'30', u'27', u'64', u'10', u'27', u'43', u'30', u'27', u'39', u'20', u'27', u'20', u'00', u'27', u'09', u'30', u'27', u'06', u'45', u'27', u'05', u'20', u'26', u'51', u'05', u'26', u'34', u'30', u'26', u'23', u'35', u'26', u'09', u'15', u'25', u'45', u'45', u'25', u'39', u'30', u'25', u'31', u'00', u'25', u'24', u'45', u'25', u'24', u'30', u'25', u'07', u'00', u'25', u'07', u'00', u'long', u'wst', u'west', u'r', u'o', u'o', u'h', u'm', u'feet', u'71', u'18', u'45', u'71', u'23', u'71', u'20', u'71', u'36', u'71', u'21', u'71', u'37', u'71', u'24', u'71', u'23', u'71', u'25', u'71', u'33', u'71', u'39', u'71', u'32', u'71', u'34', u'71', u'23', u'71', u'19', u'71', u'17', u'71', u'15', u'71', u'14', u'71', u'12', u'71', u'07', u'71', u'06', u'71', u'01', u'71', u'01', u'71', u'01', u'70', u'56', u'00', u'70', u'55', u'00', u'70', u'47', u'30', u'70', u'47', u'00', u'70', u'47', u'05', u'70', u'50', u'40', u'o', u'47', u'15', u'44', u'30', u'70', u'38', u'70', u'35', u'25', u'02', u'24', u'40', u'24', u'34', u'23', u'53', u'23', u'52', u'23', u'28', u'23', u'26', u'23', u'15', u'23', u'06', u'22', u'34', u'22', u'06', u'21', u'23', u'21', u'55', u'21', u'28', u'21', u'05', u'j', u'6', u'14', u'10', u'70', u'33', u'30', u'7', u'33', u'45', u'70', u'33', u'05', u'70', u'36', u'15', u'70', u'39', u'45', u'70', u'35', u'45', u'70', u'32', u'70', u'38', u'70', u'40', u'30', u'70', u'39', u'45', u'70', u'35', u'00', u'70', u'21', u'05', u'70', u'17', u'05', u'10', u'50', u'14', u'45', u'7o', u'06', u'15', u'70', u'15', u'45', u'13', u'40', u'13', u'37', u'13', u'23', u'13', u'28', u'13', u'36', u'13', u'30', u'13', u'46', u'13', u'30', u'13', u'00', u'12', u'48', u'12', u'30', u'12', u'06', u'8', u'30', u'8', u'30', u'9', u'10', u'9', u'40', u'10', u'00', u'10', u'32', u'9', u'54', u'tabl', u'posit', u'coast', u'peru', u'continu', u'mount', u'carrasco', u'highest', u'summit', u'pica', u'pabellon', u'summit', u'point', u'patach', u'extrem', u'iqiiiqu', u'centr', u'island', u'pisagua', u'point', u'pichalo', u'extrem', u'point', u'corda', u'western', u'low', u'extrem', u'point', u'lobo', u'summit', u'arica', u'summit', u'mont', u'gordon', u'arica', u'mole', u'sama', u'mountain', u'highest', u'summit', u'mollendo', u'point', u'cole', u'extrem', u'ylo', u'town', u'rivulet', u'mouth', u'tambo', u'valley', u'point', u'mexico', u'southwest', u'extrem', u'f', u'islay', u'custom', u'hous', u'islay', u'mountain', u'summit', u'quilca', u'cove', u'west', u'head', u'pescador', u'point', u'southwest', u'extrem', u'atico', u'east', u'cove', u'point', u'chala', u'extrem', u'loma', u'flagstaff', u'point', u'san', u'juan', u'needl', u'hummock', u'point', u'bewar', u'southwest', u'extrem', u'point', u'nasca', u'summit', u'dona', u'maria', u'tabl', u'central', u'summit', u'yndependencia', u'bay', u'south', u'point', u'santa', u'rosa', u'island', u'j', u'mount', u'carr', u'summit', u'mount', u'wilson', u'summit', u'san', u'gallan', u'island', u'northern', u'summit', u'paraca', u'bay', u'west', u'point', u'north', u'extrem', u'pisco', u'town', u'middl', u'ti', u'point', u'franc', u'extrem', u'asia', u'rock', u'summit', u'jl', u'chilca', u'point', u'southwest', u'pitch', u'chilca', u'cove', u'rock', u'summit', u'chorillo', u'bay', u'morro', u'solar', u'summit', u'callao', u'bay', u'arsen', u'flagstaff', u'san', u'lorenzo', u'island', u'north', u'point', u'hormiga', u'islet', u'largest', u'southern', u'pescador', u'island', u'summit', u'largest', u'chancay', u'head', u'summit', u'plato', u'islet', u'summit', u'salina', u'hill', u'summit', u'huacho', u'point', u'extrem', u'pitch', u'supe', u'west', u'end', u'villag', u'jaguar', u'gramadel', u'head', u'west', u'extrem', u'harley', u'west', u'end', u'sandi', u'beach', u'colin', u'deronda', u'summit', u'mount', u'mongon', u'western', u'summit', u'casma', u'bay', u'inner', u'south', u'point', u'samanco', u'bay', u'cross', u'point', u'ferrol', u'bay', u'blanc', u'island', u'summit', u'santa', u'centr', u'project', u'point', u'chao', u'islet', u'centr', u'guaiiap', u'island', u'summit', u'highest', u'mount', u'wickham', u'summit', u'lat', u'south', u'long', u'west', u'20', u'58', u'30', u'20', u'57', u'40', u'20', u'51', u'05', u'12', u'30', u'36', u'30', u'19', u'00', u'8', u'45', u'40', u'8', u'28', u'55', u'8', u'28', u'05', u'58', u'35', u'00', u'00', u'42', u'00', u'37', u'00', u'7', u'10', u'50', u'00', u'00', u'56', u'05', u'42', u'20', u'23', u'50', u'13', u'30', u'48', u'00', u'08', u'35', u'57', u'00', u'41', u'00', u'4', u'18', u'15', u'4', u'09', u'50', u'4', u'04', u'50', u'3', u'50', u'00', u'3', u'48', u'00', u'3', u'43', u'00', u'3', u'01', u'00', u'2', u'48', u'00', u'2', u'31', u'00', u'2', u'29', u'20', u'2', u'11', u'30', u'2', u'04', u'00', u'2', u'04', u'00', u'1', u'58', u'00', u'1', u'47', u'10', u'1', u'35', u'55', u'1', u'27', u'10', u'1', u'15', u'30', u'1', u'08', u'45', u'o', u'49', u'45', u'o', u'25', u'15', u'o', u'06', u'15', u'38', u'35', u'38', u'15', u'28', u'00', u'15', u'30', u'06', u'30', u'9', u'00', u'00', u'8', u'46', u'30', u'8', u'34', u'50', u'8', u'20', u'00', u'70', u'09', u'45', u'14', u'00', u'18', u'15', u'4', u'30', u'70', u'19', u'00', u'70', u'21', u'30', u'70', u'25', u'30', u'70', u'23', u'30', u'70', u'23', u'45', u'70', u'56', u'15', u'71', u'00', u'00', u'71', u'26', u'15', u'71', u'23', u'45', u'71', u'52', u'00', u'72', u'10', u'15', u'72', u'08', u'30', u'72', u'31', u'00', u'73', u'20', u'25', u'73', u'45', u'5', u'74', u'31', u'00', u'74', u'54', u'45', u'75', u'13', u'20', u'75', u'25', u'45', u'75', u'34', u'30', u'75', u'53', u'40', u'76', u'13', u'30', u'76', u'20', u'20', u'76', u'20', u'15', u'76', u'31', u'15', u'76', u'22', u'15', u'76', u'16', u'30', u'7', u'34', u'50', u'76', u'41', u'55', u'76', u'52', u'40', u'76', u'52', u'30', u'77', u'06', u'77', u'13', u'77', u'19', u'77', u'50', u'77', u'19', u'77', u'20', u'77', u'53', u'77', u'39', u'77', u'40', u'77', u'47', u'78', u'03', u'78', u'13', u'78', u'24', u'78', u'21', u'78', u'25', u'78', u'32', u'78', u'39', u'78', u'41', u'78', u'49', u'78', u'59', u'78', u'49', u'var', u'east', u'12', u'l3', u'11', u'30', u'11', u'10', u'11', u'00', u'11', u'05', u'11', u'00', u'11', u'00', u'10', u'45', u'11', u'12', u'10', u'48', u'10', u'30', u'9', u'30', u'ii', u'00', u'hew', u'10', u'00', u'10', u'36', u'10', u'12', u'9', u'48', u'9', u'42', u'9', u'36', u'9', u'30', u'9', u'20', u'9', u'32', u'h', u'm', u'8', u'45', u'8', u'00', u'8', u'00', u'8', u'20', u'8', u'53', u'8', u'00', u'8', u'53', u'8', u'19', u'5', u'10', u'4', u'50', u'4', u'50', u'3', u'37', u'5', u'47', u'rs', u'feet', u'4', u'56', u'4', u'44', u'3', u'4', u'50', u'6', u'10', u'6', u'30', u'tabl', u'posit', u'coast', u'peru', u'cortmu', u'lat', u'south', u'long', u'west', u'var', u'east', u'h', u'w', u'rs', u'o', u'h', u'm', u'feet', u'truxillo', u'cliiirch', u'8', u'07', u'30', u'79', u'04', u'00', u'huaiichaco', u'point', u'southwest', u'extrem', u'8', u'05', u'40', u'79', u'09', u'00', u'macabi', u'islet', u'summit', u'7', u'49', u'15', u'79', u'30', u'55', u'san', u'nichola', u'bay', u'5', u'04', u'malabrigo', u'bay', u'rock', u'7', u'42', u'40', u'79', u'28', u'00', u'5', u'00', u'pacasmayo', u'point', u'northwest', u'extrem', u'7', u'25', u'15', u'79', u'37', u'25', u'sana', u'point', u'extrem', u'7', u'10', u'35', u'79', u'43', u'30', u'lobo', u'de', u'afuera', u'island', u'fish', u'cove', u'least', u'side', u'j', u'6', u'56', u'45', u'bo', u'43', u'55', u'eten', u'head', u'summit', u'6', u'56', u'40', u'79', u'53', u'50', u'lambayequ', u'beach', u'opposit', u'6', u'46', u'00', u'79', u'59', u'30', u'4', u'00', u'lobo', u'de', u'tierra', u'central', u'summit', u'6', u'26', u'45', u'80', u'52', u'50', u'point', u'ahuja', u'western', u'cliff', u'summit', u'5', u'55', u'30', u'81', u'10', u'00', u'sechura', u'town', u'church', u'5', u'35', u'00', u'80', u'49', u'45', u'lobo', u'island', u'near', u'payta', u'south', u'extrem', u'5', u'13', u'35', u'81', u'13', u'10', u'payta', u'silla', u'saddl', u'south', u'summit', u'5', u'12', u'00', u'81', u'09', u'20', u'payta', u'new', u'end', u'town', u'5', u'05', u'30', u'81', u'08', u'15', u'3', u'20', u'parthia', u'point', u'extrem', u'4', u'40', u'50', u'81', u'20', u'45', u'cape', u'blanc', u'middl', u'high', u'cliff', u'4', u'16', u'40', u'81', u'15', u'45', u'pico', u'point', u'extrem', u'cliff', u'3', u'45', u'10', u'80', u'47', u'30', u'point', u'malpelo', u'mouth', u'tumb', u'river', u'3', u'30', u'40', u'80', u'30', u'30', u'4', u'00', u'pun', u'island', u'consul', u'point', u'espanola', u'2', u'47', u'30', u'79', u'57', u'45', u'6', u'00', u'guayaquil', u'south', u'end', u'citi', u'2', u'13', u'00', u'79', u'53', u'30', u'7', u'00', u'ii', u'galapago', u'island', u'hood', u'island', u'eastern', u'summit', u'1', u'25', u'00', u'89', u'43', u'55', u'charl', u'island', u'summit', u'1', u'19', u'00', u'90', u'32', u'00', u'charl', u'island', u'post', u'offic', u'bay', u'southeast', u'corner', u'j', u'15', u'25', u'90', u'31', u'30', u'2', u'10', u'6', u'n', u'w', u'macgow', u'rock', u'middl', u'1', u'08', u'30', u'89', u'59', u'30', u'albemarl', u'island', u'iguana', u'cove', u'southl', u'west', u'extrem', u'j', u'59', u'00', u'91', u'32', u'15', u'2', u'00', u'6', u'n', u'chatham', u'island', u'water', u'cove', u'beach', u'56', u'25', u'89', u'33', u'25', u'barrington', u'island', u'summit', u'west', u'end', u'50', u'30', u'90', u'10', u'00', u'chatham', u'island', u'southwest', u'point', u'step', u'pen', u'bay', u'j', u'50', u'00', u'89', u'36', u'45', u'2', u'23', u'6i', u'nw', u'chatham', u'island', u'eastern', u'summit', u'44', u'15', u'89', u'20', u'45', u'indefatig', u'island', u'summit', u'islet', u'nw', u'bay', u'eden', u'islet', u'33', u'25', u'90', u'37', u'45', u'1', u'56', u'6', u'nw', u'narborough', u'island', u'northwest', u'extrem', u'20', u'00', u'91', u'44', u'45', u'albemarl', u'island', u'tagu', u'cove', u'15', u'55', u'91', u'26', u'45', u'jame', u'island', u'sugar', u'loaf', u'near', u'west', u'end', u'15', u'20', u'90', u'56', u'40', u'3', u'10', u'5', u'n', u'jame', u'island', u'cove', u'n', u'e', u'side', u'10', u'00', u'90', u'50', u'00', u'2', u'34', u'jame', u'island', u'adam', u'cove', u'10', u'00', u'north', u'90', u'50', u'00', u'4', u'bundl', u'island', u'southernmost', u'summit', u'18', u'50', u'90', u'33', u'55', u'1', u'tower', u'island', u'westernmost', u'cliff', u'20', u'00', u'90', u'02', u'30', u'abingdon', u'island', u'summit', u'34', u'25', u'90', u'48', u'lo', u'2', u'10', u'n', u'w', u'culpepp', u'islet', u'summit', u'1', u'22', u'55', u'91', u'53', u'30', u'penman', u'islet', u'northwestern', u'summit', u'1', u'39', u'30', u'92', u'04', u'30', u'callao', u'guayaquil', u'longitud', u'depend', u'upon', u'mr', u'usborii', u'survey', u'constitut', u'three', u'chronomet', u'fix', u'board', u'vessel', u'one', u'wa', u'use', u'observ', u'four', u'good', u'watch', u'hi', u'whole', u'meridian', u'distanc', u'guayaquil', u'1', u'1', u'callao', u'incorrect', u'error', u'whatev', u'may', u'must', u'distribut', u'equal', u'along', u'portion', u'coast', u'think', u'error', u'two', u'mile', u'probabl', u'inde', u'near', u'great', u'deviat', u'truth', u'mr', u'usborn', u'land', u'observ', u'continu', u'candi', u'connect', u'triangul', u'callao', u'pun', u'posit', u'ascertain', u'anil', u'use', u'continu', u'chain', u'meridian', u'distanc', u'includ', u'survey', u'lat', u'south', u'long', u'var', u'east', u'hew', u'r', u'hi', u'h', u'm', u'feet', u'otaheit', u'point', u'venu', u'extrem', u'17', u'29', u'149', u'30', u'00', u'7', u'54', u'continu', u'chain', u'meridian', u'diseveri', u'danc', u'westward', u'bahia', u'brazil', u'day', u'otaheit', u'point', u'venu', u'extrem', u'would', u'j', u'take', u'measur', u'eastward', u'bahia', u'149', u'34', u'30', u'149', u'26', u'14', u'mean', u'two', u'149', u'30', u'22', u'longitud', u'follow', u'list', u'new', u'zealand', u'ascens', u'obtain', u'ad', u'meridian', u'distanc', u'eastward', u'bahia', u'east', u'new', u'zealand', u'bay', u'island', u'paihia', u'islet', u'36', u'16', u'174', u'09', u'45', u'14', u'00', u'9', u'6', u'6', u'nw', u'sydney', u'fort', u'macquarri', u'flagstaff', u'33', u'51', u'151', u'17', u'00', u'10', u'24', u'7', u'36', u'paramatta', u'observatori', u'151', u'04', u'00', u'hobart', u'town', u'fort', u'margrav', u'42', u'53', u'147', u'24', u'15', u'11', u'06', u'8', u'00', u'5', u'w', u'king', u'georg', u'sound', u'princess', u'royal', u'har', u'new', u'govern', u'build', u'j', u'35', u'02', u'117', u'56', u'30', u'west', u'5', u'36', u'8', u'00', u'4', u'e', u'keel', u'island', u'direct', u'island', u'west', u'point', u'j', u'12', u'05', u'96', u'54', u'45', u'1', u'12', u'5', u'27', u'5', u'n', u'w', u'mauritiu', u'port', u'loui', u'observatori', u'20', u'09', u'57', u'31', u'30', u'11', u'18', u'1', u'02', u'2', u'nw', u'cape', u'good', u'hope', u'simon', u'bayeast', u'endow', u'dock', u'yard', u'34', u'11', u'18', u'25', u'45', u'28', u'30', u'2', u'30', u'royal', u'observatori', u'18', u'28', u'30', u'st', u'helena', u'high', u'water', u'mark', u'merit', u'west', u'tian', u'observatori', u'j', u'15', u'55', u'5', u'42', u'45', u'18', u'00', u'4', u'50', u'3w', u'n', u'w', u'ascens', u'barrack', u'squar', u'7', u'55', u'14', u'24', u'15', u'3', u'30', u'5', u'30', u'2', u'w', u'beagl', u'chronomet', u'meridian', u'distanc', u'falmouth', u'plymouth', u'1', u'portsmouth', u'greenwich', u'fol', u'low', u'j', u'portsmouth', u'observatori', u'ren', u'colleg', u'1', u'greenwich', u'observatori', u'j', u'1', u'06075', u'devonport', u'govern', u'hous', u'portsmouth', u'observatori', u'3', u'03', u'49', u'5', u'n', u'b', u'pendenni', u'castl', u'falmouth', u'devon', u'port', u'govern', u'hous', u'j', u'falmouth', u'pendenni', u'castl', u'west', u'ofl', u'indent', u'ital', u'52', u'465', u'mea', u'tiara', u'ure', u'ot', u'dr', u'ks', u'greenwich', u'j', u'5', u'02', u'435', u'forego', u'tabl', u'everi', u'posit', u'variat', u'notic', u'tide', u'result', u'observ', u'made', u'offic', u'adventur', u'beagl', u'therefor', u'strictli', u'speak', u'origin', u'refer', u'whatev', u'observ', u'made', u'person', u'explan', u'method', u'instrument', u'use', u'basi', u'longitud', u'especi', u'found', u'given', u'abridg', u'form', u'end', u'appendix', u'posit', u'point', u'onli', u'given', u'consid', u'gener', u'speak', u'satisfactorili', u'ascertain', u'actual', u'observ', u'shore', u'well', u'connect', u'triangul', u'station', u'artifici', u'horizon', u'wa', u'use', u'tidal', u'notic', u'given', u'opposit', u'summit', u'mountain', u'place', u'distanc', u'sea', u'understood', u'refer', u'point', u'sea', u'approach', u'nearest', u'specifi', u'tabl', u'variat', u'compass', u'observ', u'board', u'afloat', u'date', u'lat', u'north', u'long', u'west', u'var', u'west', u'date', u'lat', u'south', u'long', u'west', u'var', u'west', u'1831', u'1832', u'dec', u'43', u'20', u'50', u'mi', u'arch', u'30', u'18', u'07', u'38', u'38', u'2', u'37', u'43', u'37', u'east', u'42', u'31', u'18', u'ai', u'ril', u'3', u'23', u'22', u'42', u'07', u'2', u'19', u'3', u'41', u'00', u'rio', u'de', u'janeiro', u'1', u'55', u'40', u'15', u'west', u'1832', u'm', u'ly', u'13', u'18', u'14', u'38', u'52', u'1', u'04', u'jan', u'38', u'41', u'14', u'17', u'12', u'38', u'47', u'1', u'00', u'37', u'20', u'17', u'14', u'38', u'48', u'1', u'15', u'33', u'00', u'16', u'35', u'38', u'48', u'1', u'52', u'29', u'32', u'15', u'15', u'01', u'38', u'4', u'1', u'30', u'29', u'30', u'23', u'13', u'25', u'38', u'37', u'2', u'08', u'28', u'20', u'25', u'14', u'42', u'38', u'22', u'2', u'20', u'28', u'12', u'15', u'29', u'38', u'24', u'2', u'54', u'8', u'26', u'59', u'15', u'25', u'38', u'24', u'2', u'42', u'25', u'26', u'26', u'16', u'20', u'38', u'24', u'1', u'59', u'24', u'40', u'17', u'31', u'38', u'23', u'2', u'12', u'23', u'09', u'17', u'35', u'38', u'23', u'2', u'20', u'9', u'22', u'39', u'27', u'18', u'59', u'38', u'44', u'1', u'14', u'22', u'02', u'2tf', u'i8', u'10', u'june', u'1', u'22', u'42', u'40', u'21', u'21', u'44', u'east', u'21', u'38', u'22', u'58', u'41', u'15', u'20', u'42', u'22', u'58', u'41', u'14', u'20', u'18', u'20', u'ju', u'y', u'5', u'23', u'03', u'43', u'06', u'1', u'39', u'19', u'31', u'24', u'06', u'42', u'53', u'1', u'57', u'19', u'06', u'7', u'26', u'33', u'43', u'48', u'3', u'39', u'17', u'50', u'13', u'27', u'13', u'45', u'48', u'4', u'35', u'15', u'29', u'27', u'14', u'45', u'50', u'4', u'34', u'15', u'17', u'14', u'27', u'46', u'16', u'5', u'10', u'feb', u'14', u'54', u'17', u'29', u'53', u'43', u'13', u'6', u'52', u'13', u'20', u'29', u'52', u'43', u'12', u'6', u'02', u'12', u'17', u'2fi', u'18', u'31', u'09', u'48', u'57', u'7', u'50', u'8', u'50', u'34', u'09', u'52', u'03', u'10', u'27', u'2', u'10', u'08', u'g', u'20', u'35', u'20', u'56', u'47', u'12', u'30', u'1', u'20', u'35', u'49', u'56', u'49', u'11', u'21', u'1', u'00', u'35', u'54', u'56', u'47', u'11', u'36', u'south', u'36', u'53', u'36', u'55', u'56', u'34', u'56', u'35', u'12', u'17', u'12', u'23', u'58', u'23', u'37', u'02', u'56', u'36', u'13', u'07', u'18', u'oct', u'27', u'mont', u'video', u'12', u'42', u'31', u'34', u'5', u'57', u'3', u'12', u'09', u'3', u'29', u'00', u'v', u'1', u'34', u'42', u'57', u'28', u'12', u'24', u'fernando', u'd', u'e', u'noroiiha', u'34', u'35', u'57', u'55', u'11', u'06', u'3', u'09', u'14', u'34', u'55', u'56', u'19', u'12', u'00', u'5', u'04', u'26', u'34', u'58', u'56', u'10', u'12', u'56', u'march', u'1', u'8', u'13', u'12', u'27', u'34', u'48', u'56', u'42', u'12', u'26', u'13', u'29', u'29', u'35', u'07', u'56', u'05', u'12', u'29', u'13', u'11', u'11', u'dec', u'3', u'40', u'46', u'62', u'06', u'15', u'26', u'13', u'38', u'42', u'16', u'cl', u'32', u'16', u'12', u'15', u'03', u'43', u'14', u'61', u'17', u'16', u'20', u'15', u'38', u'43', u'56', u'61', u'25', u'16', u'40', u'16', u'29', u'45', u'12', u'62', u'23', u'17', u'25', u'18', u'10', u'11', u'51', u'18', u'65', u'14', u'20', u'26', u'18', u'09', u'13', u'50', u'42', u'65', u'45', u'20', u'41', u'17', u'54', u'14', u'52', u'06', u'66', u'58', u'21', u'35', u'18', u'04', u'15', u'52', u'39', u'67', u'14', u'21', u'3', u'17', u'59', u'24', u'1', u'tabl', u'variat', u'compass', u'y', u'lat', u'long', u'var', u'date', u'lat', u'long', u'var', u'jjaic', u'south', u'west', u'east', u'south', u'west', u'east', u'1833', u'1834', u'march', u'dec', u'2', u'44', u'26', u'75', u'15', u'44', u'29', u'75', u'44', u'april', u'44', u'48', u'75', u'02', u'18', u'44', u'52', u'76', u'18', u'aug', u'19', u'45', u'09', u'77', u'48', u'i5', u'45', u'10', u'77', u'51', u'20', u'46', u'31', u'75', u'43', u'29', u'45', u'48', u'75', u'06', u'30', u'45', u'48', u'75', u'06', u'1835', u'jan', u'6', u'44', u'30', u'74', u'20', u'43', u'58', u'74', u'20', u'sept', u'feb', u'28', u'38', u'18', u'72', u'30', u'nov', u'march', u'1', u'38', u'18', u'72', u'30', u'1', u'25', u'35', u'11', u'71', u'45', u'ide', u'note', u'onc', u'galapago', u'island', u'1', u'variat', u'observ', u'shore', u'ji', u'1', u'1', u'sept', u'12', u'4', u'42', u'84', u'48', u'1834', u'13', u'2', u'58', u'85', u'16', u'jan', u'north', u'west', u'oct', u'22', u'97', u'27', u'forth', u'1', u'24', u'1', u'12', u'99', u'59', u'25', u'4', u'32', u'103', u'56', u'3', u'39', u'102', u'54', u'1', u'26', u'5', u'31', u'105', u'02', u'1', u'27', u'6', u'09', u'106', u'26', u'1', u'28', u'7', u'07', u'109', u'09', u'7', u'47', u'100', u'24', u'ifeb', u'29', u'7', u'40', u'112', u'40', u'30', u'8', u'21', u'113', u'51', u'8', u'47', u'115', u'18', u'31', u'9', u'38', u'i8', u'20', u'nov', u'1', u'10', u'04', u'119', u'48', u'10', u'27', u'121', u'16', u'april', u'1', u'1', u'11', u'14', u'123', u'59', u'3', u'11', u'33', u'125', u'10', u'11', u'42', u'126', u'06', u'4', u'11', u'52', u'127', u'21', u'1', u'12', u'07', u'128', u'43', u'may', u'6', u'13', u'11', u'132', u'11', u'june', u'11', u'27', u'17', u'16', u'150', u'02', u'nov', u'28', u'17', u'22', u'151', u'52', u'17', u'22', u'152', u'02', u'17', u'19', u'152', u'24', u'29', u'17', u'26', u'152', u'50', u'17', u'26', u'152', u'51', u'17', u'32', u'152', u'30', u'30', u'18', u'20', u'156', u'31', u'dec', u'1', u'18', u'21', u'157', u'16', u'1', u'18', u'32', u'158', u'01', u'18', u'33', u'158', u'13', u'dec', u'3', u'18', u'42', u'159', u'24', u'18', u'44', u'159', u'27', u'19', u'47', u'161', u'47', u'20', u'17', u'163', u'05', u'5', u'21', u'17', u'165', u'24', u'tabl', u'variat', u'compass', u'date', u'lat', u'south', u'long', u'west', u'var', u'east', u'date', u'lat', u'south', u'long', u'east', u'var', u'west', u'1835', u'1836', u'dec', u'6', u'21', u'51', u'166', u'37', u'10', u'27', u'may', u'15', u'27', u'33', u'40', u'52', u'22', u'41', u'169', u'01', u'10', u'56', u'16', u'27', u'21', u'40', u'13', u'22', u'41', u'169', u'1', u'1', u'1', u'00', u'17', u'27', u'45', u'33', u'18', u'25', u'42', u'177', u'6', u'11', u'15', u'18', u'28', u'12', u'36', u'08', u'26', u'30', u'178', u'26', u'11', u'15', u'23', u'34', u'45', u'23', u'11', u'27', u'26', u'179', u'20', u'1', u'1', u'22', u'34', u'53', u'22', u'33', u'28', u'45', u'179', u'27', u'11', u'54', u'june', u'29', u'22', u'56', u'5', u'06', u'east', u'30', u'22', u'17', u'4', u'36', u'12', u'29', u'41', u'179', u'08', u'13', u'24', u'west', u'29', u'41', u'179', u'08', u'13', u'16', u'juli', u'8', u'15', u'57', u'5', u'34', u'14', u'31', u'25', u'175', u'59', u'14', u'15', u'16', u'13', u'02', u'9', u'07', u'15', u'32', u'36', u'175', u'05', u'14', u'14', u'18', u'9', u'52', u'12', u'34', u'35', u'00', u'174', u'00', u'14', u'05', u'21', u'7', u'57', u'14', u'24', u'1836', u'24', u'9', u'30', u'17', u'32', u'jan', u'1', u'34', u'04', u'172', u'56', u'13', u'05', u'25', u'10', u'07', u'18', u'58', u'34', u'40', u'165', u'37', u'13', u'26', u'26', u'11', u'25', u'23', u'23', u'7', u'34', u'29', u'1', u'63', u'26', u'13', u'28', u'28', u'12', u'04', u'28', u'31', u'feb', u'21', u'42', u'53', u'141', u'45', u'8', u'21', u'12', u'12', u'29', u'39', u'22', u'42', u'48', u'140', u'40', u'7', u'37', u'31', u'12', u'48', u'35', u'55', u'west', u'12', u'49', u'36', u'52', u'march', u'2', u'39', u'46', u'123', u'42', u'3', u'35', u'aug', u'6', u'13', u'09', u'38', u'30', u'44', u'3', u'38', u'20', u'123', u'36', u'2', u'50', u'12', u'44', u'37', u'54', u'37', u'52', u'123', u'13', u'3', u'48', u'12', u'32', u'37', u'39', u'37', u'54', u'123', u'11', u'3', u'02', u'9', u'12', u'44', u'37', u'29', u'36', u'27', u'119', u'50', u'5', u'24', u'12', u'40', u'37', u'00', u'15', u'35', u'33', u'117', u'30', u'6', u'06', u'13', u'8', u'03', u'34', u'49', u'16', u'35', u'38', u'117', u'09', u'8', u'15', u'15', u'8', u'03', u'34', u'50', u'35', u'34', u'116', u'16', u'6', u'31', u'north', u'17', u'34', u'48', u'114', u'00', u'7', u'20', u'2', u'32', u'29', u'07', u'21', u'27', u'28', u'108', u'50', u'4', u'59', u'23', u'3', u'39', u'29', u'11', u'27', u'27', u'108', u'47', u'5', u'19', u'24', u'5', u'45', u'27', u'11', u'23', u'23', u'44', u'106', u'17', u'3', u'58', u'sept', u'4', u'14', u'43', u'23', u'39', u'25', u'20', u'24', u'104', u'09', u'3', u'22', u'9', u'23', u'43', u'33', u'50', u'april', u'1', u'3', u'12', u'21', u'94', u'04', u'23', u'39', u'33', u'47', u'16', u'13', u'17', u'88', u'13', u'10', u'25', u'00', u'34', u'19', u'12', u'59', u'90', u'33', u'28', u'07', u'36', u'00', u'21', u'16', u'56', u'73', u'02', u'3', u'55', u'12', u'28', u'29', u'36', u'18', u'16', u'56', u'73', u'01', u'3', u'38', u'13', u'29', u'59', u'36', u'23', u'22', u'16', u'58', u'72', u'59', u'3', u'28', u'14', u'31', u'04', u'35', u'57', u'17', u'13', u'71', u'48', u'4', u'04', u'15', u'32', u'03', u'35', u'05', u'17', u'24', u'71', u'51', u'4', u'10', u'16', u'35', u'38', u'31', u'32', u'23', u'17', u'36', u'70', u'27', u'5', u'07', u'17', u'37', u'15', u'28', u'5', u'24', u'17', u'52', u'68', u'30', u'5', u'39', u'18', u'37', u'49', u'28', u'00', u'26', u'18', u'35', u'63', u'34', u'7', u'36', u'19', u'38', u'35', u'27', u'o3', u'27', u'18', u'43', u'62', u'20', u'8', u'06', u'25', u'38', u'54', u'25', u'03', u'18', u'43', u'62', u'14', u'8', u'11', u'26', u'40', u'35', u'22', u'45', u'28', u'19', u'20', u'60', u'12', u'8', u'59', u'41', u'28', u'21', u'31', u'may', u'13', u'25', u'42', u'46', u'42', u'16', u'16', u'27', u'42', u'06', u'20', u'06', u'15', u'27', u'30', u'41', u'08', u'20', u'37', u'27', u'42', u'20', u'19', u'50', u'observ', u'variat', u'n', u'afloat', u'taken', u'w', u'veri', u'good', u'gilbert', u'compass', u'place', u'oil', u'itanchionab', u'dveth', u'poop', u'wa', u'found', u'rial', u'vari', u'us', u'latitud', u'nearli', u'free', u'f', u'effect', u'local', u'attract', u'1', u'err', u'arum', u'page', u'65', u'line', u'4', u'figur', u'o', u'015', u'read', u'2', u'15', u'appendix', u'1', u'sir', u'march', u'19', u'1831', u'accompani', u'thi', u'letter', u'honour', u'transmit', u'lordship', u'inform', u'six', u'chart', u'sixteen', u'plan', u'harbour', u'portion', u'coast', u'tierra', u'del', u'fuego', u'result', u'command', u'fitsroy', u'survey', u'hm', u'sloop', u'beagl', u'april', u'1829', u'june', u'1830', u'lordship', u'trust', u'permit', u'senior', u'offic', u'expedit', u'state', u'peculiar', u'natur', u'extent', u'thi', u'servic', u'well', u'complet', u'manner', u'ha', u'effect', u'melancholi', u'occas', u'command', u'stokess', u'death', u'wa', u'fortun', u'commanderinchief', u'sir', u'robert', u'otway', u'discrimin', u'command', u'fitsroy', u'qualif', u'account', u'alon', u'wa', u'select', u'receiv', u'colleagu', u'command', u'beagl', u'april', u'detach', u'beagl', u'adventur', u'tender', u'complet', u'portion', u'strait', u'magalhaen', u'imperfect', u'hi', u'superintend', u'abl', u'direct', u'magdalen', u'barbara', u'channel', u'tierra', u'del', u'fuego', u'survey', u'consider', u'portion', u'interior', u'sound', u'western', u'coast', u'wa', u'examin', u'discoveri', u'otway', u'skyre', u'water', u'wa', u'made', u'command', u'fitsroy', u'depth', u'sever', u'winter', u'climat', u'wa', u'absent', u'ship', u'thirtythre', u'day', u'open', u'whaleboat', u'august', u'beagl', u'join', u'chilo', u'sail', u'earli', u'novemb', u'follow', u'view', u'examin', u'outward', u'sean', u'90', u'appendix', u'coast', u'tierra', u'del', u'fuego', u'westernmost', u'extrem', u'strait', u'le', u'mair', u'includ', u'cape', u'horn', u'island', u'vicin', u'difficulti', u'thi', u'servic', u'wa', u'perform', u'tempestu', u'expos', u'natur', u'coast', u'fatigu', u'privat', u'endur', u'offic', u'crew', u'well', u'meritori', u'cheer', u'conduct', u'everi', u'individu', u'mainli', u'attribut', u'excel', u'exampl', u'unflinch', u'activ', u'command', u'onli', u'mention', u'term', u'highest', u'approb', u'result', u'voyag', u'servic', u'command', u'fitsroy', u'beg', u'refer', u'lordship', u'hydrograph', u'chart', u'herewith', u'transmit', u'hope', u'vdll', u'satisfactori', u'trust', u'lordship', u'permit', u'onc', u'express', u'much', u'feel', u'command', u'fitsroy', u'onli', u'import', u'servic', u'ha', u'render', u'zealou', u'perfect', u'manner', u'ha', u'effect', u'merit', u'distinct', u'patronag', u'beg', u'leav', u'hi', u'late', u'senior', u'offic', u'recommend', u'strongest', u'manner', u'favour', u'consider', u'c', u'phillip', u'p', u'king', u'captain', u'hon', u'georg', u'elliot', u'secretari', u'admiralti', u'c', u'c', u'c', u'2', u'sir', u'london', u'may', u'23', u'1831', u'enclos', u'copi', u'letter', u'sent', u'captain', u'p', u'p', u'king', u'command', u'h', u'ms', u'sloop', u'adventur', u'secretari', u'admiralti', u'rel', u'nativ', u'tierra', u'del', u'fuego', u'brought', u'england', u'beagl', u'request', u'honour', u'submit', u'enclos', u'copi', u'purport', u'thi', u'letter', u'lord', u'commission', u'admiralti', u'proper', u'season', u'return', u'fuegian', u'draw', u'near', u'fourteen', u'month', u'least', u'five', u'month', u'must', u'elaps', u'befor', u'reach', u'shore', u'appendix', u'91', u'alway', u'expect', u'return', u'dure', u'ensu', u'winter', u'summer', u'countri', u'disappoint', u'fear', u'discont', u'diseas', u'may', u'consequ', u'led', u'suppos', u'vessel', u'would', u'sent', u'south', u'america', u'continu', u'survey', u'shore', u'explor', u'part', u'yet', u'unknown', u'hope', u'seen', u'peopl', u'becom', u'use', u'interpret', u'mean', u'establish', u'friendli', u'disposit', u'toward', u'englishmen', u'part', u'countrymen', u'nota', u'regular', u'intercours', u'suppli', u'nativ', u'anim', u'seed', u'tool', u'c', u'place', u'vdth', u'tribe', u'fertil', u'countri', u'lie', u'east', u'side', u'tierra', u'del', u'fuego', u'thought', u'year', u'ship', u'might', u'enabl', u'obtain', u'fresh', u'provis', u'well', u'wood', u'water', u'dure', u'passag', u'atlant', u'pacif', u'ocean', u'part', u'coast', u'alway', u'approach', u'eas', u'safeti', u'lordship', u'far', u'approv', u'idea', u'grant', u'ani', u'assist', u'carri', u'execut', u'shall', u'feel', u'deepli', u'gratifi', u'shall', u'exert', u'everi', u'mean', u'power', u'thought', u'worthi', u'attent', u'support', u'humbl', u'request', u'lordship', u'grant', u'twelv', u'month', u'leav', u'absenc', u'england', u'order', u'enabl', u'keep', u'faith', u'vidth', u'nativ', u'tierra', u'del', u'fuego', u'restor', u'countrymen', u'much', u'good', u'effect', u'veri', u'limit', u'mean', u'c', u'robert', u'fitsrot', u'command', u'hon', u'georg', u'elliot', u'secretari', u'admiralti', u'c', u'c', u'c', u'june', u'receiv', u'twelv', u'month', u'leav', u'absenc', u'england', u'made', u'follow', u'agreement', u'mr', u'mawman', u'shipown', u'london', u'3', u'memorandum', u'agreement', u'made', u'eighth', u'day', u'june', u'year', u'lord', u'one', u'thousand', u'eight', u'hundr', u'thirtyon', u'john', u'mawman', u'stephen', u'causeway', u'london', u'merchant', u'92', u'appendix', u'ovner', u'brig', u'vessel', u'call', u'john', u'two', u'hundr', u'ton', u'regist', u'burthen', u'lie', u'london', u'dock', u'whereof', u'john', u'davi', u'master', u'one', u'part', u'robert', u'fitsroy', u'command', u'hi', u'majesti', u'royal', u'navi', u'part', u'said', u'john', u'mawman', u'agre', u'said', u'robert', u'fitsroy', u'manner', u'follow', u'said', u'master', u'master', u'said', u'john', u'mslwraan', u'shall', u'appoint', u'shall', u'receiv', u'said', u'robert', u'fitsroy', u'hi', u'friend', u'servant', u'exceed', u'whole', u'six', u'person', u'onboard', u'said', u'brig', u'vessel', u'proceed', u'vith', u'forthwith', u'south', u'america', u'one', u'two', u'port', u'port', u'place', u'place', u'said', u'robert', u'fitsroy', u'shall', u'order', u'direct', u'port', u'port', u'place', u'place', u'north', u'valparaiso', u'first', u'port', u'place', u'near', u'thereto', u'said', u'vessel', u'may', u'safe', u'get', u'name', u'said', u'robert', u'fitsroy', u'land', u'said', u'robert', u'fitzroy', u'hi', u'said', u'friend', u'servant', u'said', u'robert', u'fitsroy', u'shall', u'requir', u'receiv', u'said', u'robert', u'fitsroy', u'shall', u'requir', u'board', u'thenc', u'forthwith', u'proceed', u'second', u'port', u'place', u'near', u'thereto', u'said', u'vessel', u'may', u'safe', u'get', u'name', u'said', u'robert', u'fitzroy', u'land', u'said', u'robert', u'fitsroy', u'hi', u'friend', u'servant', u'shall', u'alreadi', u'land', u'said', u'firstnam', u'port', u'place', u'receiv', u'said', u'robert', u'fitsroy', u'lastment', u'person', u'shall', u'requir', u'board', u'said', u'vessel', u'forthwith', u'proceed', u'land', u'valparaiso', u'said', u'robert', u'fitsroy', u'shall', u'liberti', u'put', u'board', u'stock', u'provend', u'place', u'may', u'agre', u'upon', u'port', u'charg', u'pilotag', u'paid', u'said', u'robert', u'fitsroy', u'john', u'mawman', u'wil', u'find', u'provid', u'said', u'robert', u'fitzroy', u'said', u'person', u'vnth', u'au', u'suitabl', u'proper', u'customari', u'provis', u'store', u'wine', u'beer', u'spirit', u'said', u'robert', u'fitsroy', u'agre', u'said', u'john', u'mawman', u'hi', u'executor', u'administr', u'follow', u'detain', u'said', u'brig', u'vessel', u'either', u'port', u'place', u'name', u'herein', u'befor', u'mention', u'ani', u'longer', u'shall', u'reason', u'necessari', u'enabl', u'said', u'person', u'safe', u'land', u'reembark', u'final', u'land', u'said', u'port', u'respect', u'appendix', u'93', u'pay', u'said', u'john', u'mawman', u'hi', u'executor', u'administr', u'compens', u'agreement', u'liereinbefor', u'contain', u'part', u'said', u'john', u'mawman', u'sum', u'one', u'thousand', u'pound', u'sterl', u'paid', u'prior', u'embark', u'wit', u'hand', u'said', u'parti', u'wit', u'robert', u'fitsroy', u'w', u'h', u'woollett', u'john', u'mawman', u'w', u'wackerbarth', u'4', u'salisburi', u'squar', u'dear', u'sir', u'novemb', u'10', u'1831', u'matthew', u'left', u'town', u'thi', u'morn', u'join', u'beagl', u'plymouth', u'detain', u'tiu', u'today', u'steamer', u'provid', u'matthew', u'vdth', u'articl', u'appear', u'necessari', u'could', u'advantag', u'suppli', u'thi', u'countri', u'au', u'complet', u'befor', u'learn', u'mr', u'wilson', u'short', u'stowag', u'hope', u'howev', u'vdll', u'found', u'amount', u'quantiti', u'occas', u'inconveni', u'think', u'opinion', u'part', u'hi', u'outfit', u'could', u'proprieti', u'dispens', u'case', u'matthew', u'becom', u'perman', u'resid', u'tierra', u'del', u'fuego', u'mr', u'wilson', u'concur', u'opinion', u'letter', u'address', u'us', u'matthew', u'refer', u'undertak', u'enter', u'thi', u'drawn', u'mr', u'ws', u'request', u'hope', u'procur', u'addit', u'hi', u'signatur', u'pressur', u'engag', u'ha', u'compel', u'drive', u'til', u'late', u'send', u'purpos', u'doubt', u'howev', u'express', u'hi', u'gener', u'view', u'subject', u'think', u'dwelt', u'much', u'religi', u'bear', u'matthewss', u'futur', u'labour', u'must', u'kindli', u'call', u'recollect', u'missionari', u'secretari', u'could', u'altogeth', u'divest', u'charact', u'present', u'occas', u'letter', u'enclos', u'shall', u'feel', u'oblig', u'give', u'matthew', u'come', u'board', u'cours', u'take', u'copi', u'wish', u'94', u'appendix', u'much', u'regret', u'could', u'meet', u'suitabl', u'companion', u'matthew', u'trust', u'howev', u'find', u'possess', u'manyvalu', u'qualif', u'undertak', u'veri', u'cordial', u'wish', u'safeti', u'welfar', u'remain', u'c', u'd', u'coax', u'capt', u'fitsroy', u'ren', u'c', u'c', u'c', u'5', u'salisburi', u'squar', u'london', u'dear', u'mr', u'matthew', u'nov', u'10', u'1831', u'friend', u'whose', u'mean', u'enabl', u'proceed', u'tierra', u'del', u'fuego', u'suffer', u'depart', u'without', u'offer', u'suggest', u'counsel', u'regard', u'futur', u'cours', u'undertak', u'engag', u'spring', u'benevol', u'interest', u'taken', u'captain', u'fitsroy', u'nativ', u'island', u'tierra', u'del', u'fuego', u'becam', u'acquaint', u'dure', u'hi', u'survey', u'part', u'coast', u'south', u'america', u'wa', u'employ', u'hi', u'majesti', u'govern', u'brought', u'hither', u'capt', u'f', u'hi', u'return', u'home', u'twelv', u'month', u'ago', u'individu', u'capt', u'fs', u'kind', u'exert', u'dure', u'stay', u'england', u'place', u'circumst', u'receiv', u'instruct', u'english', u'languag', u'principl', u'christian', u'simpl', u'art', u'civil', u'life', u'nativ', u'companion', u'board', u'beagl', u'passag', u'tierra', u'del', u'fuego', u'instanc', u'capt', u'f', u'grant', u'board', u'ship', u'liber', u'lord', u'admiralti', u'christian', u'friend', u'becom', u'acquaint', u'foreign', u'capt', u'fitsroy', u'solicitud', u'promot', u'welfar', u'tribe', u'connect', u'suppli', u'mean', u'provid', u'outfit', u'wa', u'requisit', u'appendix', u'95', u'enabl', u'advantag', u'enter', u'work', u'befor', u'among', u'friend', u'especi', u'indebt', u'kind', u'liber', u'rev', u'w', u'wilson', u'hi', u'solicitud', u'forward', u'capt', u'fitsroy', u'view', u'ha', u'manifest', u'toward', u'fuegian', u'well', u'hi', u'hi', u'immedi', u'care', u'walthamstow', u'mani', u'month', u'order', u'impart', u'knowledg', u'inform', u'seem', u'calcul', u'promot', u'present', u'etern', u'welfar', u'contribut', u'larg', u'fund', u'rais', u'use', u'ha', u'state', u'perceiv', u'peculiar', u'oblig', u'lie', u'capt', u'fitsroy', u'mr', u'wilson', u'interest', u'take', u'undertak', u'especi', u'consid', u'bound', u'act', u'superintend', u'direct', u'capt', u'fitsroy', u'earnestli', u'recommend', u'consult', u'capt', u'f', u'plan', u'proceed', u'ever', u'act', u'toward', u'entir', u'open', u'unreserv', u'cordial', u'desir', u'promot', u'welfar', u'fuegian', u'possess', u'inform', u'experi', u'author', u'influenc', u'calcul', u'divin', u'bless', u'power', u'advanc', u'object', u'view', u'therefor', u'well', u'refer', u'occas', u'cheer', u'conform', u'hi', u'wish', u'trust', u'enter', u'thi', u'undertak', u'influenc', u'sincer', u'desir', u'promot', u'glori', u'god', u'good', u'fellow', u'creatur', u'end', u'friend', u'view', u'assist', u'trust', u'grace', u'god', u'ever', u'steadili', u'keep', u'view', u'mean', u'employ', u'attain', u'end', u'may', u'sum', u'veri', u'word', u'make', u'studi', u'endeavour', u'poor', u'creatur', u'good', u'power', u'everi', u'practic', u'way', u'evidenc', u'thi', u'whole', u'spirit', u'conduct', u'whl', u'gain', u'confid', u'obtain', u'influenc', u'without', u'expect', u'succeed', u'easi', u'steadili', u'consist', u'maintain', u'line', u'conduct', u'like', u'thi', u'enabl', u'must', u'strong', u'grace', u'christ', u'jesu', u'thi', u'giac', u'must', u'sought', u'dilig', u'prayer', u'constant', u'read', u'medit', u'word', u'god', u'lie', u'strength', u'henc', u'god', u'must', u'success', u'deriv', u'draw', u'nigh', u'96', u'appendix', u'god', u'vnll', u'draw', u'nigh', u'walk', u'closelywith', u'hi', u'name', u'glorifi', u'pursu', u'thi', u'cours', u'sure', u'enjoy', u'hi', u'bless', u'may', u'cheer', u'leav', u'event', u'hi', u'hand', u'first', u'object', u'must', u'acquir', u'languag', u'fuegian', u'thi', u'must', u'appli', u'utmost', u'dilig', u'fulli', u'avail', u'thi', u'purpos', u'intercours', u'nativ', u'voyag', u'till', u'thi', u'point', u'gain', u'hold', u'free', u'commun', u'tribe', u'island', u'prosecut', u'thi', u'object', u'recommend', u'care', u'note', u'write', u'everi', u'new', u'word', u'bear', u'vocabulari', u'leisur', u'classifi', u'reduc', u'order', u'form', u'basi', u'grammar', u'dictionari', u'intim', u'translat', u'languag', u'prosecut', u'thi', u'design', u'requisit', u'ascertain', u'practic', u'dialect', u'extens', u'use', u'island', u'found', u'one', u'obvious', u'desir', u'fix', u'extens', u'use', u'impart', u'religi', u'instruct', u'nativ', u'make', u'bibl', u'basi', u'teach', u'must', u'never', u'lose', u'sight', u'great', u'theolog', u'principl', u'laid', u'sixth', u'articl', u'church', u'england', u'holi', u'scriptur', u'contain', u'thing', u'necessari', u'salvat', u'whatsoev', u'read', u'therein', u'may', u'prove', u'therebi', u'requir', u'ani', u'man', u'believ', u'articl', u'faith', u'thought', u'requisit', u'necessari', u'salvat', u'thi', u'sound', u'salutari', u'principl', u'let', u'whole', u'religi', u'instruct', u'impart', u'nativ', u'govern', u'earnestli', u'pray', u'god', u'may', u'give', u'mouth', u'speak', u'ear', u'hear', u'may', u'know', u'holi', u'scriptur', u'may', u'made', u'wise', u'unto', u'salvat', u'faith', u'christ', u'jesu', u'intercours', u'vsdth', u'fuegian', u'bear', u'mind', u'tempor', u'advantag', u'may', u'capabl', u'commun', u'easili', u'immedi', u'sensibl', u'among', u'may', u'reckon', u'acquisit', u'better', u'dwell', u'better', u'plenti', u'food', u'cloth', u'consequ', u'consid', u'primari', u'duti', u'instruct', u'cultiv', u'potato', u'cabbag', u'veget', u'rear', u'pig', u'poultri', u'c', u'construct', u'commodi', u'habit', u'c', u'appendix', u'97', u'probabl', u'find', u'thi', u'well', u'import', u'thing', u'exampl', u'influenti', u'instructor', u'must', u'therefor', u'take', u'care', u'comfort', u'habit', u'furnish', u'necessari', u'articl', u'use', u'kept', u'clean', u'orderli', u'also', u'fenc', u'piec', u'ground', u'garden', u'get', u'well', u'stock', u'use', u'veget', u'also', u'surround', u'quickli', u'possibl', u'plenti', u'suppli', u'pig', u'poultri', u'goat', u'c', u'llii', u'inde', u'find', u'absolut', u'necessari', u'futur', u'subsist', u'well', u'view', u'civil', u'comfort', u'nativ', u'captain', u'fitsroy', u'doubt', u'afford', u'assist', u'select', u'proper', u'spot', u'resid', u'rais', u'dwell', u'upon', u'also', u'procur', u'requisit', u'seed', u'anim', u'subsist', u'success', u'prosecut', u'work', u'veri', u'liber', u'suppli', u'european', u'cloth', u'implement', u'tool', u'ironmongeri', u'earthenwar', u'c', u'includ', u'outfit', u'trust', u'gener', u'hint', u'inform', u'assist', u'may', u'acquir', u'captain', u'fitsroy', u'book', u'suppli', u'suffic', u'enabl', u'carri', u'work', u'comfort', u'effici', u'well', u'kind', u'vite', u'mr', u'wilson', u'full', u'particular', u'proceed', u'prospect', u'everi', u'practic', u'opportun', u'send', u'letter', u'bueno', u'ayr', u'ani', u'point', u'may', u'like', u'get', u'channel', u'reach', u'england', u'conclus', u'onli', u'add', u'captain', u'fitsroy', u'ha', u'veri', u'kindli', u'consider', u'offer', u'bring', u'back', u'thi', u'countri', u'circumst', u'contrari', u'anticip', u'turnout', u'deem', u'unadvis', u'remain', u'tierra', u'del', u'fuego', u'earnestli', u'pray', u'bless', u'god', u'may', u'rest', u'import', u'interest', u'labour', u'remain', u'truli', u'd', u'coat', u'6', u'memorandum', u'agreement', u'made', u'thi', u'eleventh', u'day', u'septemb', u'one', u'thousand', u'eight', u'hundr', u'thirtytwo', u'mr', u'jame', u'98', u'appendix', u'harri', u'resid', u'river', u'negro', u'robert', u'fitsroy', u'command', u'hi', u'britann', u'majesti', u'survey', u'sloop', u'beagl', u'mr', u'jame', u'harri', u'provid', u'furnish', u'two', u'deck', u'schoonerrig', u'vessel', u'rig', u'sail', u'mast', u'thing', u'necessari', u'use', u'safeti', u'sea', u'harbour', u'also', u'suffici', u'crew', u'two', u'plot', u'togeth', u'provis', u'said', u'pilot', u'crew', u'eight', u'person', u'said', u'mr', u'jame', u'harri', u'herebi', u'agre', u'said', u'schoonerrig', u'vessel', u'board', u'shall', u'obey', u'direct', u'said', u'robert', u'fitsroy', u'said', u'robert', u'fitsroy', u'may', u'appoint', u'said', u'vessel', u'shall', u'continu', u'perform', u'thi', u'express', u'servic', u'dure', u'eight', u'lunar', u'month', u'date', u'thi', u'agreement', u'unless', u'said', u'robert', u'fitsroy', u'shall', u'end', u'thi', u'agreement', u'earlier', u'period', u'said', u'robert', u'fitsroy', u'shall', u'liberti', u'put', u'end', u'thi', u'agreement', u'th', u'end', u'ani', u'month', u'decemb', u'thi', u'year', u'consider', u'abov', u'use', u'servic', u'thu', u'render', u'hi', u'britann', u'majesti', u'public', u'said', u'robert', u'fitsroy', u'herebi', u'agre', u'promis', u'pay', u'said', u'mr', u'jame', u'harri', u'hi', u'executor', u'administr', u'sum', u'one', u'hundr', u'forti', u'pound', u'sterl', u'per', u'lunar', u'month', u'dure', u'whole', u'time', u'said', u'schooner', u'employ', u'herein', u'agre', u'wit', u'hand', u'said', u'parti', u'jame', u'harri', u'resid', u'rio', u'negro', u'robert', u'fitsroy', u'command', u'wit', u'signatur', u'agreement', u'j', u'c', u'wickham', u'senior', u'lieuten', u'b', u'j', u'sullivan', u'second', u'lieuten', u'7', u'robert', u'fitsroy', u'esq', u'command', u'hm', u'beagl', u'dr', u'mr', u'jame', u'harri', u'hire', u'two', u'schoonerrig', u'vessel', u'c', u'asper', u'annex', u'agreement', u'1680', u'sterl', u'11th', u'august', u'1833', u'receiv', u'robert', u'fitsroy', u'command', u'hm', u'beagl', u'sum', u'1680', u'sterl', u'full', u'payment', u'hire', u'two', u'appendix', u'99', u'schoonerrig', u'vessel', u'c', u'per', u'annex', u'agreement', u'date', u'11th', u'juli', u'1832', u'john', u'harri', u'hm', u'beagl', u'sea', u'15th', u'sept', u'1833', u'8', u'robert', u'fitsroy', u'command', u'hi', u'britann', u'majesti', u'survey', u'ship', u'beagl', u'herebi', u'requir', u'direct', u'take', u'command', u'charg', u'two', u'vessel', u'la', u'paz', u'la', u'libr', u'board', u'engag', u'upon', u'term', u'specifi', u'accompani', u'agreement', u'vessel', u'execut', u'much', u'survey', u'herein', u'point', u'mean', u'circumst', u'allow', u'blanc', u'bay', u'new', u'bay', u'seacoast', u'accur', u'examin', u'charter', u'particular', u'plan', u'made', u'entranc', u'fals', u'bay', u'brighten', u'inlet', u'union', u'bay', u'bay', u'san', u'bia', u'river', u'negro', u'plan', u'alreadi', u'made', u'port', u'san', u'josef', u'port', u'san', u'antonio', u'verifi', u'seacoast', u'ought', u'complet', u'befor', u'undertak', u'ani', u'examin', u'interior', u'water', u'request', u'cautiou', u'inform', u'mayb', u'colour', u'exagger', u'individu', u'interest', u'well', u'acquaint', u'excel', u'memoir', u'drawn', u'hydrograph', u'guidanc', u'need', u'onli', u'recal', u'attent', u'accompani', u'extract', u'wish', u'bay', u'san', u'bia', u'10th', u'novemb', u'await', u'arriv', u'robert', u'fitsroy', u'command', u'blanc', u'bay', u'19th', u'sept', u'1832', u'lieut', u'j', u'c', u'wickham', u'senior', u'lieuten', u'h', u'm', u'beagl', u'100', u'appendix', u'9', u'memorandum', u'h', u'm', u'beagl', u'blanc', u'bay', u'19tli', u'septemb', u'1832', u'direct', u'take', u'command', u'charg', u'hire', u'vessel', u'la', u'paz', u'board', u'extrem', u'care', u'keep', u'companynth', u'lieuten', u'wickham', u'unless', u'otherwis', u'direct', u'obey', u'hi', u'order', u'assist', u'carri', u'order', u'execut', u'robert', u'fitsroy', u'command', u'mr', u'j', u'l', u'stoke', u'assist', u'surveyor', u'hm', u'beagl', u'10', u'hm', u'beagl', u'san', u'bia', u'bay', u'coast', u'patagonia', u'sir', u'4th', u'decemb', u'1832', u'alreadi', u'execut', u'consider', u'part', u'servic', u'point', u'order', u'date', u'septemb', u'1832', u'readi', u'arduou', u'task', u'suppos', u'limit', u'mean', u'could', u'undertak', u'herebi', u'requir', u'direct', u'examin', u'survey', u'much', u'seacoast', u'port', u'desir', u'blanc', u'bay', u'time', u'mean', u'allow', u'first', u'instanc', u'hasten', u'blanc', u'bay', u'deliv', u'accompani', u'despatch', u'command', u'bueno', u'ayrean', u'settlement', u'afterward', u'rout', u'appear', u'proper', u'verif', u'chart', u'furnish', u'execut', u'abovement', u'servic', u'vdli', u'endeavour', u'pass', u'month', u'march', u'river', u'negro', u'meet', u'sooner', u'look', u'beagl', u'blanc', u'bay', u'begin', u'juli', u'arriv', u'juli', u'go', u'vsdth', u'vessel', u'mont', u'video', u'c', u'lieut', u'j', u'c', u'wickham', u'robert', u'fitsroy', u'command', u'hire', u'schooner', u'la', u'paz', u'la', u'libr', u'appendix', u'101', u'11', u'extract', u'falkner', u'pp', u'61', u'62', u'63', u'shall', u'give', u'account', u'strang', u'amphibi', u'anim', u'inhabit', u'river', u'parana', u'descript', u'ha', u'never', u'reach', u'europ', u'even', u'ani', u'mention', u'made', u'describ', u'thi', u'countri', u'relat', u'concurr', u'assever', u'indian', u'mani', u'spaniard', u'variou', u'employ', u'thi', u'river', u'besid', u'dure', u'resid', u'bank', u'wa', u'near', u'four', u'year', u'onc', u'transient', u'view', u'one', u'doubt', u'exist', u'anim', u'first', u'voyag', u'cut', u'timber', u'year', u'1752', u'rana', u'near', u'bank', u'indian', u'shout', u'yaquaru', u'look', u'saw', u'great', u'anim', u'time', u'plung', u'water', u'bank', u'time', u'wa', u'short', u'examin', u'ani', u'degre', u'precis', u'call', u'yaquaru', u'yaquaruigh', u'languag', u'countri', u'signifi', u'water', u'tiger', u'describ', u'indian', u'big', u'ass', u'figur', u'larg', u'overgrown', u'riverwolf', u'otter', u'sharp', u'talon', u'strong', u'tusk', u'thick', u'short', u'leg', u'long', u'shaggi', u'hair', u'long', u'taper', u'tail', u'spaniard', u'describ', u'somewhat', u'differ', u'long', u'head', u'sharp', u'nose', u'like', u'wolf', u'stiff', u'erect', u'ear', u'thi', u'differ', u'descript', u'may', u'aris', u'seldom', u'seen', u'seen', u'suddenli', u'disappear', u'perhap', u'may', u'two', u'speci', u'thi', u'anim', u'look', u'upon', u'thi', u'last', u'account', u'authent', u'receiv', u'person', u'credit', u'assur', u'seen', u'thi', u'watertig', u'sever', u'time', u'alway', u'found', u'near', u'river', u'lie', u'bank', u'whenc', u'hear', u'least', u'nois', u'immedi', u'plung', u'water', u'veri', u'destruct', u'cattl', u'pass', u'parana', u'great', u'herd', u'pass', u'everi', u'year', u'gener', u'happen', u'thi', u'beast', u'seiz', u'ha', u'onc', u'laid', u'hold', u'prey', u'seen', u'lung', u'entrail', u'soon', u'appear', u'float', u'upon', u'water', u'ive', u'greatest', u'depth', u'especi', u'whirlpool', u'made', u'concurr', u'two', u'stream', u'sleep', u'deep', u'cavern', u'bank', u'j', u'02', u'appendix', u'12', u'extract', u'letter', u'thoma', u'pennant', u'esq', u'hon', u'dain', u'barrington', u'written', u'1771', u'dear', u'sir', u'execut', u'promis', u'made', u'town', u'time', u'ago', u'commun', u'result', u'dsit', u'mr', u'falkner', u'antient', u'jesuit', u'pass', u'thirtyeight', u'year', u'hi', u'life', u'southern', u'part', u'south', u'america', u'river', u'la', u'plata', u'strait', u'magellan', u'let', u'endeavour', u'prejudic', u'favour', u'new', u'friend', u'assur', u'hi', u'long', u'intercours', u'inhabit', u'patagonia', u'seem', u'lost', u'european', u'guil', u'acquir', u'simplic', u'honest', u'impetuos', u'peopl', u'ha', u'long', u'convers', u'ventur', u'give', u'onli', u'much', u'hi', u'narr', u'could', u'vouch', u'authent', u'consist', u'fact', u'wa', u'eyewit', u'believ', u'establish', u'past', u'contradict', u'verac', u'late', u'circumnavig', u'give', u'new', u'light', u'manner', u'thi', u'singular', u'race', u'men', u'flatter', u'deem', u'impertin', u'lay', u'befor', u'chronolog', u'mention', u'sever', u'evid', u'tend', u'prove', u'exist', u'peopl', u'supernatur', u'height', u'inhabit', u'southern', u'tract', u'find', u'major', u'voyag', u'touch', u'coast', u'seen', u'made', u'report', u'size', u'veri', u'well', u'keep', u'counten', u'verbal', u'account', u'given', u'mr', u'byron', u'print', u'mr', u'clark', u'observ', u'old', u'voyag', u'exagger', u'wa', u'novelti', u'amaz', u'singular', u'sight', u'latter', u'forewarn', u'preced', u'account', u'seem', u'made', u'remark', u'cool', u'confirm', u'experi', u'measur', u'ad', u'1519', u'first', u'saw', u'peopl', u'wa', u'great', u'magellan', u'one', u'made', u'hi', u'appear', u'bank', u'river', u'la', u'plata', u'made', u'hi', u'retreat', u'dure', u'magellan', u'long', u'stay', u'port', u'st', u'julian', u'wa', u'visit', u'number', u'thi', u'tall', u'race', u'first', u'approach', u'sing', u'fling', u'dust', u'hi', u'head', u'shew', u'sign', u'mild', u'peaceabl', u'disposit', u'hi', u'visag', u'wa', u'paint', u'hi', u'garment', u'skin', u'anim', u'neatli', u'appendix', u'sew', u'hi', u'arm', u'stout', u'thick', u'bow', u'quiver', u'long', u'arrow', u'feather', u'one', u'end', u'arm', u'flint', u'height', u'peopl', u'wa', u'seven', u'feet', u'french', u'tall', u'person', u'approach', u'first', u'repres', u'gigant', u'size', u'magellan', u'men', u'head', u'reach', u'high', u'waist', u'thi', u'patagoniann', u'beast', u'burden', u'place', u'wive', u'magellan', u'descript', u'appear', u'anim', u'known', u'name', u'llama', u'interview', u'end', u'captiv', u'two', u'peopl', u'carri', u'away', u'two', u'differ', u'ship', u'soon', u'arriv', u'hot', u'climat', u'die', u'dwell', u'longer', u'thi', u'account', u'appear', u'extrem', u'deserv', u'credit', u'courag', u'magellan', u'made', u'incap', u'give', u'exagger', u'account', u'influenc', u'fear', u'could', u'ani', u'mistak', u'height', u'onli', u'long', u'intercours', u'actual', u'possess', u'two', u'veri', u'consider', u'space', u'time', u'wa', u'magellan', u'first', u'gave', u'name', u'patagon', u'becaus', u'wore', u'sort', u'slipper', u'made', u'skin', u'anim', u'tellement', u'say', u'm', u'de', u'grossest', u'quil', u'paroissoi', u'avoir', u'de', u'patt', u'de', u'bete', u'1525', u'garcia', u'de', u'louisa', u'saw', u'within', u'strait', u'magellan', u'savag', u'veri', u'great', u'statur', u'doe', u'particular', u'height', u'louisa', u'strait', u'pass', u'1535', u'simon', u'de', u'alcazova', u'attempt', u'1540', u'alphons', u'de', u'cargo', u'without', u'visit', u'tall', u'peopl', u'happen', u'countryman', u'sir', u'franci', u'drake', u'becaus', u'wa', u'fortun', u'abl', u'popular', u'seaman', u'meet', u'gigant', u'peopl', u'hi', u'contemporari', u'consid', u'report', u'invent', u'spaniard', u'1579', u'pedro', u'sarmiento', u'assert', u'saw', u'three', u'ell', u'high', u'thi', u'writer', u'world', u'never', u'ventur', u'quot', u'singli', u'destroy', u'hi', u'credibl', u'say', u'savag', u'made', u'prison', u'wa', u'errant', u'cyclop', u'onli', u'cite', u'prove', u'fell', u'tall', u'race', u'though', u'mix', u'fabl', u'truth', u'1586', u'countryman', u'sir', u'thoma', u'cavendish', u'hi', u'voyag', u'onli', u'vide', u'ramuss', u'coll', u'voyag', u'venic', u'1550', u'also', u'letter', u'maximilian', u'transylvania', u'sec', u'charl', u'v', u'first', u'volum', u'p', u'376', u'b', u'thi', u'account', u'well', u'quot', u'author', u'taken', u'judici', u'writer', u'm', u'de', u'bross', u'104', u'appendix', u'opportun', u'measur', u'one', u'footstep', u'wa', u'eighteen', u'inch', u'long', u'also', u'found', u'grave', u'mention', u'custom', u'buri', u'near', u'shore', u'1591', u'anthoni', u'knevet', u'sail', u'sir', u'thoma', u'cavendish', u'hi', u'second', u'voyag', u'relat', u'saw', u'port', u'desir', u'men', u'fifteen', u'sixteen', u'span', u'high', u'measur', u'bodi', u'two', u'recent', u'buri', u'fourteen', u'span', u'longer', u'1599', u'sebald', u'de', u'veer', u'sail', u'admir', u'de', u'cord', u'wa', u'attack', u'strait', u'magellan', u'savag', u'thought', u'ten', u'eleven', u'feet', u'high', u'add', u'reddish', u'colour', u'long', u'hair', u'year', u'oliv', u'van', u'noort', u'dutch', u'admir', u'rencontr', u'thi', u'gigant', u'race', u'repres', u'high', u'statur', u'terribl', u'aspect', u'1614', u'georg', u'sphbergen', u'anoth', u'dutchman', u'hi', u'passag', u'strait', u'saw', u'man', u'gigant', u'statur', u'climb', u'hni', u'take', u'view', u'ship', u'1615', u'le', u'mair', u'schouten', u'discov', u'buryingplac', u'patagonian', u'beneath', u'heap', u'great', u'stone', u'found', u'skeleton', u'ten', u'eleven', u'feet', u'long', u'mr', u'falkner', u'suppos', u'formerli', u'exist', u'race', u'patagonian', u'superior', u'm', u'size', u'skeleton', u'often', u'found', u'far', u'greater', u'dimens', u'particularli', u'river', u'texeira', u'perhap', u'may', u'heard', u'old', u'tradit', u'nativ', u'mention', u'cieza', u'repeat', u'garcilasso', u'de', u'la', u'vega', u'certain', u'giant', u'come', u'sea', u'land', u'near', u'cape', u'st', u'helena', u'mani', u'age', u'befor', u'arriv', u'european', u'1618', u'gracia', u'de', u'nodal', u'spanish', u'command', u'cours', u'hi', u'voyag', u'wa', u'inform', u'john', u'moor', u'one', u'hi', u'crew', u'land', u'cape', u'st', u'esprit', u'cape', u'st', u'arena', u'south', u'side', u'strait', u'traffick', u'race', u'men', u'taller', u'head', u'european', u'thi', u'next', u'onli', u'instanc', u'ever', u'met', u'tall', u'race', u'found', u'side', u'strait', u'purchas', u'58', u'purchas', u'1232', u'j', u'col', u'voy', u'dutch', u'eastindia', u'compani', u'c', u'london', u'1703', u'p', u'319', u'purcha', u'80', u'purcha', u'91', u'seventeen', u'year', u'travel', u'peter', u'de', u'cieza', u'138', u'translat', u'ricaut', u'p', u'263', u'appendix', u'105', u'1642', u'henri', u'brewer', u'dutch', u'admir', u'observ', u'strait', u'le', u'mair', u'footstep', u'men', u'measur', u'eighteen', u'inch', u'thi', u'last', u'evid', u'seventeenth', u'centuri', u'exist', u'tall', u'peopl', u'let', u'observ', u'fifteen', u'first', u'voyag', u'pass', u'magellan', u'strait', u'fewer', u'nine', u'undeni', u'wit', u'fact', u'would', u'establish', u'present', u'centuri', u'produc', u'two', u'evid', u'exist', u'tall', u'patagonian', u'one', u'1704', u'crew', u'ship', u'belong', u'st', u'male', u'command', u'captain', u'harrington', u'saw', u'seven', u'giant', u'gregori', u'bay', u'mention', u'also', u'made', u'six', u'seen', u'captain', u'carman', u'nativ', u'tovra', u'whether', u'voyag', u'author', u'silent', u'wa', u'fortun', u'four', u'voyag', u'f', u'sail', u'strait', u'seventeenth', u'centuri', u'fall', u'ani', u'thi', u'tall', u'race', u'becam', u'fashion', u'treat', u'fabul', u'account', u'preced', u'nine', u'hold', u'thi', u'lofti', u'race', u'mere', u'creation', u'warm', u'imagin', u'temper', u'wa', u'public', u'return', u'mr', u'byron', u'hi', u'circumnavig', u'year', u'1766', u'honour', u'person', u'confer', u'gentleman', u'therefor', u'repeat', u'account', u'inform', u'given', u'sever', u'hi', u'friend', u'rather', u'chuse', u'recapitul', u'given', u'mr', u'clark', u'philosoph', u'transact', u'1767', u'p', u'75', u'mr', u'clark', u'wa', u'offic', u'mr', u'byron', u'ship', u'land', u'strait', u'magellan', u'two', u'hour', u'opportun', u'stand', u'within', u'yard', u'thi', u'race', u'see', u'examin', u'measur', u'mr', u'byron', u'repres', u'gener', u'stout', u'wellproport', u'assur', u'us', u'none', u'men', u'lower', u'eight', u'feet', u'even', u'exceed', u'nine', u'women', u'seven', u'feet', u'half', u'eight', u'feet', u'saw', u'mr', u'byron', u'measur', u'one', u'men', u'notwithstand', u'commodor', u'wa', u'near', u'six', u'feet', u'high', u'could', u'tipto', u'reach', u'hi', u'hand', u'top', u'frezier', u'voy', u'p', u'84', u'sir', u'john', u'narborough', u'1670', u'bartholomew', u'sharp', u'1680', u'de', u'grime', u'1696', u'beauchesn', u'goiiin', u'1699', u'thi', u'abl', u'offic', u'command', u'discoveri', u'capt', u'cook', u'last', u'vosag', u'die', u'kamtschatka', u'august', u'22d', u'1779', u'o', u'106', u'appendix', u'patagoniann', u'head', u'mr', u'clark', u'certain', u'sever', u'taller', u'experi', u'wa', u'made', u'five', u'hundr', u'men', u'women', u'children', u'seem', u'veri', u'happi', u'land', u'peopl', u'express', u'joy', u'rude', u'sort', u'sing', u'copper', u'colour', u'long', u'lank', u'hair', u'face', u'hideous', u'paint', u'sex', u'cover', u'skin', u'appear', u'horseback', u'foot', u'leg', u'sort', u'boot', u'sharedpoint', u'stick', u'heel', u'instead', u'spur', u'llieir', u'bridl', u'made', u'thong', u'bit', u'wood', u'saddl', u'artless', u'possibl', u'without', u'stirrup', u'introduct', u'hors', u'part', u'european', u'introduc', u'likewis', u'onli', u'speci', u'manufactur', u'appear', u'acquaint', u'sldu', u'seem', u'extend', u'farther', u'rude', u'essay', u'har', u'equip', u'themselv', u'cavali', u'respect', u'would', u'state', u'first', u'parent', u'turn', u'paradis', u'cloth', u'coat', u'skin', u'best', u'condit', u'caesar', u'found', u'ancient', u'briton', u'dress', u'wa', u'similar', u'hair', u'long', u'bodi', u'like', u'ancestor', u'made', u'terrif', u'mild', u'paint', u'peopl', u'mean', u'acquir', u'bead', u'bracelet', u'otherwis', u'singl', u'articl', u'european', u'fabric', u'appear', u'among', u'must', u'gotten', u'intercours', u'indian', u'tribe', u'ani', u'intercours', u'spaniard', u'never', u'would', u'neglect', u'procur', u'knive', u'stirrup', u'conveni', u'peopl', u'seen', u'mr', u'walli', u'glad', u'close', u'thi', u'place', u'relat', u'thi', u'stupend', u'race', u'mankind', u'becaus', u'two', u'follow', u'account', u'given', u'gentlemen', u'charact', u'abil', u'seem', u'contradict', u'great', u'part', u'befor', u'advanc', u'least', u'serv', u'give', u'scoffer', u'room', u'say', u'preced', u'navig', u'seen', u'peopl', u'medium', u'magnifi', u'glass', u'instead', u'sober', u'eye', u'observ', u'befor', u'make', u'remark', u'ha', u'befor', u'relat', u'shall', u'proceed', u'navig', u'attempt', u'reconcil', u'differ', u'account', u'1767', u'captain', u'walli', u'dolphin', u'captain', u'philip', u'carteret', u'swallow', u'sloop', u'saw', u'measur', u'pole', u'sever', u'patagonian', u'happen', u'strait', u'affexdix', u'107', u'magellan', u'dure', u'hi', u'passag', u'repres', u'fine', u'friendli', u'peopl', u'cloth', u'skin', u'leg', u'sort', u'boot', u'mani', u'tie', u'hair', u'wa', u'long', u'black', u'sort', u'woven', u'stuff', u'breadth', u'garter', u'made', u'kind', u'wool', u'arm', u'sling', u'form', u'two', u'round', u'ball', u'fasten', u'one', u'end', u'cord', u'fling', u'great', u'forc', u'dexter', u'add', u'hold', u'one', u'ball', u'hand', u'swing', u'full', u'length', u'cord', u'round', u'head', u'acquir', u'prodigi', u'veloc', u'fling', u'great', u'distanc', u'exact', u'strike', u'veri', u'small', u'object', u'peopl', u'also', u'mount', u'hors', u'saddl', u'bridl', u'c', u'omni', u'make', u'iron', u'metal', u'bit', u'bridl', u'one', u'spanish', u'broadsword', u'whether', u'last', u'articl', u'taken', u'war', u'procur', u'commerc', u'uncertain', u'last', u'probabl', u'seem', u'evid', u'intercours', u'european', u'even', u'adopt', u'fashion', u'mani', u'cut', u'dress', u'form', u'spanish', u'poncho', u'squar', u'piec', u'cloth', u'hole', u'cut', u'head', u'rest', u'hang', u'loos', u'low', u'knee', u'also', u'wore', u'drawer', u'peopl', u'attain', u'step', u'farther', u'toward', u'cihzat', u'gigant', u'neighbour', u'appear', u'made', u'far', u'greater', u'advanc', u'still', u'devour', u'meat', u'raw', u'drank', u'noth', u'water', u'm', u'bougainvil', u'year', u'saw', u'anoth', u'parti', u'nativ', u'patagonia', u'measur', u'sever', u'declar', u'none', u'lower', u'five', u'feet', u'five', u'inch', u'french', u'taller', u'five', u'feet', u'ten', u'e', u'five', u'feet', u'ten', u'six', u'feet', u'three', u'english', u'measur', u'conclud', u'hi', u'account', u'say', u'afterward', u'met', u'taller', u'peopl', u'south', u'sea', u'recollect', u'mention', u'place', u'sorri', u'oblig', u'remark', u'voyag', u'veri', u'illiber', u'propens', u'cavil', u'invalid', u'account', u'given', u'mr', u'byron', u'time', u'exult', u'opportun', u'given', u'gentleman', u'vindic', u'hi', u'nation', u'honour', u'm', u'bougainvil', u'order', u'prove', u'fell', u'ident', u'peopl', u'mr', u'brron', u'convers', u'assert', u'saw', u'number', u'possess', u'knive', u'english', u'manufactori', u'certainli', u'given', u'mr', u'byron', u'consid', u'phil', u'tran', u'1770', u'p', u'21', u'hawkesworth', u'voy', u'vol', u'374', u'o', u'108', u'appendix', u'way', u'one', u'come', u'thing', u'commerc', u'sheffield', u'south', u'america', u'port', u'cadi', u'uncommonli', u'larg', u'hi', u'indian', u'might', u'got', u'knive', u'spaniard', u'time', u'got', u'gilt', u'nail', u'spanish', u'har', u'farther', u'satisfact', u'thi', u'subject', u'liberti', u'say', u'mr', u'byron', u'author', u'never', u'gave', u'singl', u'knife', u'peopl', u'saw', u'one', u'time', u'except', u'present', u'given', u'hi', u'ora', u'hand', u'tobacco', u'brought', u'lieuten', u'cummin', u'least', u'trifl', u'wa', u'bestow', u'furnish', u'one', u'proof', u'lesser', u'indian', u'mr', u'walk', u'saw', u'describ', u'mr', u'byron', u'ha', u'insinu', u'first', u'offic', u'preced', u'voyag', u'bear', u'wit', u'onli', u'differ', u'size', u'declar', u'peopl', u'singl', u'articl', u'among', u'given', u'mr', u'byron', u'extrem', u'probabl', u'indian', u'mr', u'bougainvil', u'fell', u'furnish', u'bit', u'spanish', u'scymet', u'brass', u'stirrup', u'beforement', u'last', u'evid', u'gigant', u'american', u'receiv', u'mr', u'falkner', u'acquaint', u'jear', u'1742', u'wa', u'sent', u'mission', u'vast', u'plain', u'pampa', u'recollect', u'right', u'southwest', u'bueno', u'ayr', u'extend', u'near', u'thousand', u'mile', u'toward', u'plain', u'first', u'met', u'tribe', u'peopl', u'wa', u'taken', u'protect', u'one', u'caciqu', u'remark', u'made', u'size', u'follow', u'tallest', u'measur', u'manner', u'mr', u'byron', u'wa', u'seven', u'feet', u'eight', u'inch', u'high', u'common', u'height', u'middl', u'size', u'wa', u'six', u'feet', u'number', u'even', u'shorter', u'tallest', u'woman', u'exceed', u'sue', u'feet', u'scatter', u'foot', u'vast', u'tract', u'extend', u'atlant', u'ocean', u'found', u'far', u'red', u'river', u'bay', u'nevada', u'lat', u'40', u'1', u'land', u'barren', u'habit', u'none', u'found', u'except', u'accident', u'migrant', u'till', u'arriv', u'9x', u'river', u'galleri', u'near', u'strait', u'magellan', u'm', u'frezier', u'wa', u'assur', u'pedro', u'molino', u'governor', u'see', u'mr', u'byron', u'letter', u'end', u'appendix', u'109', u'chilo', u'onc', u'wa', u'visit', u'peopl', u'four', u'vara', u'nine', u'ten', u'feet', u'high', u'came', u'compani', u'chilo', u'indian', u'friend', u'probabl', u'found', u'excurs', u'whose', u'height', u'extraordinari', u'occas', u'great', u'disbelief', u'account', u'voyag', u'indisput', u'exist', u'peopl', u'seen', u'magellan', u'six', u'sixteenth', u'centuri', u'two', u'three', u'present', u'thoma', u'pennant', u'copi', u'paper', u'transmit', u'admir', u'byron', u'mr', u'pennant', u'hand', u'right', u'reverend', u'john', u'egerton', u'late', u'bishop', u'durham', u'perus', u'manuscript', u'forego', u'account', u'peopl', u'saw', u'upon', u'coast', u'patagonia', u'seen', u'second', u'voyag', u'one', u'two', u'offic', u'sail', u'afterward', u'captain', u'walli', u'declar', u'tome', u'singl', u'thing', u'distribut', u'amongst', u'saw', u'm', u'bougainvil', u'remark', u'hi', u'offic', u'land', u'amongst', u'indian', u'seen', u'mani', u'english', u'knive', u'among', u'pretend', u'undoubtedli', u'given', u'happen', u'never', u'gave', u'singl', u'knife', u'ani', u'indian', u'even', u'carri', u'one', u'ashor', u'often', u'heard', u'spaniard', u'two', u'three', u'differ', u'nation', u'veri', u'tall', u'peopl', u'largest', u'inhabit', u'immens', u'plain', u'back', u'somewher', u'near', u'river', u'gallego', u'take', u'former', u'saw', u'thi', u'reason', u'return', u'port', u'famin', u'wood', u'water', u'saw', u'peopl', u'fire', u'long', u'way', u'westward', u'left', u'great', u'way', u'inland', u'winter', u'wa', u'approach', u'certainli', u'return', u'better', u'climat', u'remark', u'one', u'singl', u'thing', u'amongst', u'shew', u'ever', u'ani', u'commerc', u'european', u'certainli', u'amaz', u'size', u'much', u'frezier', u'voyag', u'p', u'86', u'110', u'appendix', u'hors', u'disproport', u'peopl', u'mein', u'boat', u'veri', u'near', u'shore', u'swore', u'mount', u'upon', u'deer', u'thi', u'instant', u'believ', u'man', u'land', u'though', u'distanc', u'would', u'swear', u'took', u'nine', u'feet', u'high', u'suppos', u'mani', u'seven', u'eight', u'feet', u'strong', u'proport', u'mr', u'byron', u'obug', u'mr', u'pennant', u'perus', u'hi', u'manuscript', u'think', u'hi', u'remark', u'veri', u'judici', u'13', u'extract', u'diario', u'de', u'antonio', u'de', u'viedma', u'1783', u'commun', u'pedro', u'de', u'angel', u'sir', u'woodbin', u'parish', u'fr', u'capt', u'fitsroy', u'1837', u'lo', u'indi', u'todo', u'son', u'de', u'una', u'misma', u'nation', u'en', u'esta', u'vecindad', u'su', u'statur', u'es', u'alta', u'de', u'vara', u'k', u'neve', u'patmo', u'por', u'lo', u'comu', u'en', u'lo', u'hombr', u'siendo', u'muy', u'raro', u'el', u'que', u'pass', u'de', u'esta', u'tall', u'la', u'mere', u'son', u'tan', u'ala', u'pero', u'lo', u'obstant', u'con', u'proport', u'su', u'sex', u'todo', u'son', u'de', u'bueno', u'semblanc', u'y', u'entr', u'la', u'muger', u'la', u'hay', u'muy', u'bien', u'parecida', u'y', u'glanc', u'aunqu', u'curti', u'del', u'viento', u'y', u'del', u'sol', u'como', u'ell', u'se', u'encuentra', u'hombr', u'ni', u'muger', u'flaco', u'ant', u'todo', u'son', u'guess', u'con', u'proport', u'su', u'statur', u'lo', u'que', u'y', u'user', u'la', u'rope', u'del', u'cuello', u'lo', u'pie', u'hara', u'contribut', u'que', u'alguno', u'viagero', u'lo', u'tengan', u'por', u'gigant', u'su', u'idiom', u'es', u'guttur', u'y', u'reput', u'en', u'su', u'convers', u'una', u'misma', u'vo', u'mucha', u'vice', u'interrupt', u'al', u'que', u'esta', u'hablando', u'aunqu', u'su', u'orat', u'dure', u'todo', u'el', u'dia', u'commenc', u'habla', u'uno', u'de', u'ma', u'6', u'el', u'ma', u'eloqu', u'la', u'muger', u'laban', u'entr', u'lo', u'hombr', u'sin', u'ser', u'preguntada', u'y', u'entonc', u'solo', u'contest', u'la', u'pregunta', u'lo', u'que', u'laban', u'mucho', u'sin', u'occas', u'ni', u'asunto', u'tienen', u'portico', u'entr', u'ello', u'ni', u'se', u'le', u'oye', u'el', u'vestido', u'de', u'lo', u'hombr', u'es', u'un', u'cuero', u'de', u'guanaco', u'murillo', u'6', u'libr', u'extract', u'pennant', u'literari', u'life', u'p', u'47', u'69', u'appendix', u'ill', u'de', u'vara', u'en', u'cuadro', u'el', u'pelo', u'para', u'adentro', u'y', u'la', u'te', u'pinta', u'de', u'colorado', u'verd', u'6', u'murillo', u'est', u'lo', u'cure', u'desd', u'el', u'cuello', u'lo', u'pie', u'con', u'tal', u'art', u'y', u'manejo', u'que', u'rara', u'ment', u'se', u'le', u've', u'part', u'alguna', u'de', u'su', u'cuerpo', u'except', u'lo', u'brazo', u'y', u'esto', u'cuando', u'usan', u'de', u'ello', u'para', u'also', u'llevan', u'adema', u'otro', u'cuero', u'muy', u'sobado', u'atado', u'la', u'cintura', u'con', u'una', u'cornea', u'por', u'debajo', u'de', u'aquel', u'con', u'que', u'japan', u'el', u'ventr', u'y', u'hasta', u'la', u'mitad', u'de', u'lo', u'muslo', u'descend', u'desd', u'aqui', u'en', u'punta', u'hasta', u'lo', u'tobillo', u'en', u'lo', u'pie', u'se', u'atan', u'con', u'una', u'corneil', u'uno', u'cuero', u'de', u'busi', u'si', u'le', u'tienen', u'6', u'de', u'cabal', u'6', u'del', u'cuero', u'de', u'lo', u'guanaco', u'grand', u'fernando', u'manera', u'de', u'sandal', u'para', u'andar', u'cabal', u'usan', u'de', u'bota', u'que', u'haven', u'de', u'lo', u'garron', u'6', u'pierna', u'de', u'lo', u'mismo', u'caballo', u'6', u'guanaco', u'grand', u'y', u'la', u'espuela', u'son', u'se', u'madeira', u'que', u'laban', u'ello', u'con', u'obstant', u'prior', u'se', u'linen', u'la', u'cabeza', u'con', u'una', u'cinna', u'de', u'lana', u'como', u'de', u'delo', u'de', u'anchor', u'tegida', u'por', u'ello', u'de', u'variou', u'color', u'con', u'que', u'se', u'sultan', u'el', u'pelo', u'dorado', u'por', u'arriba', u'con', u'la', u'punta', u'al', u'air', u'como', u'plumag', u'por', u'el', u'ladi', u'izquierdo', u'dans', u'con', u'la', u'cinna', u'sei', u'6', u'echo', u'vultu', u'y', u'colgando', u'la', u'punta', u'de', u'ella', u'con', u'uno', u'cast', u'de', u'metal', u'mario', u'6', u'laton', u'para', u'montar', u'cabal', u'sultan', u'el', u'cuero', u'grand', u'con', u'una', u'cornea', u'que', u'se', u'ocean', u'por', u'encima', u'de', u'todo', u'la', u'cintura', u'de', u'la', u'cual', u'cuelgan', u'la', u'bola', u'y', u'data', u'que', u'son', u'la', u'anna', u'que', u'gener', u'ment', u'train', u'y', u'cuando', u'necesitan', u'de', u'lo', u'brazo', u'para', u'usarla', u'dean', u'caer', u'por', u'la', u'espalda', u'el', u'cuero', u'sobr', u'la', u'inca', u'del', u'cabal', u'quedandos', u'desnudo', u'de', u'medio', u'cuerpo', u'arriba', u'y', u'hacen', u'de', u'est', u'modo', u'buena', u'vista', u'cuando', u'van', u'de', u'huida', u'6', u'en', u'seguimiento', u'de', u'la', u'caza', u'jiorqu', u'el', u'cuero', u'cure', u'la', u'inca', u'del', u'cabal', u'y', u'ofrec', u'lo', u'jo', u'el', u'pelo', u'que', u'tien', u'por', u'dentro', u'de', u'variou', u'color', u'el', u'aparejo', u'de', u'montar', u'es', u'manera', u'de', u'un', u'abandon', u'sin', u'petal', u'ni', u'grupa', u'hecho', u'tambien', u'de', u'cuero', u'de', u'guanaco', u'grand', u'reenchi', u'lo', u'basto', u'de', u'papa', u'fuert', u'lo', u'estribo', u'labrador', u'por', u'euo', u'de', u'madeira', u'y', u'tan', u'pequeno', u'que', u'tasadament', u'case', u'el', u'dido', u'vulgar', u'del', u'pie', u'se', u'ponen', u'mal', u'cabal', u'pero', u'son', u'muy', u'fire', u'en', u'el', u'y', u'lo', u'mismo', u'corren', u'cuesta', u'abajo', u'que', u'cuesta', u'arriba', u'el', u'freno', u'del', u'cabal', u'se', u'compon', u'de', u'un', u'pahto', u'6', u'hue', u'de', u'camilla', u'de', u'vestrum', u'labrador', u'con', u'peril', u'lo', u'extrem', u'tan', u'largo', u'como', u'ancha', u'la', u'boca', u'del', u'cabal', u'y', u'en', u'nicia', u'peril', u'estan', u'sujet', u'la', u'rienda', u'y', u'correct', u'que', u'atan', u'en', u'la', u'barbara', u'con', u'lo', u'que', u'queda', u'seguro', u'para', u'que', u'se', u'le', u'saiga', u'de', u'la', u'boca', u'la', u'rienda', u'son', u'coronet', u'de', u'echo', u'rambl', u'de', u'correct', u'de', u'cuero', u'muy', u'sonata', u'la', u'muger', u'tienen', u'el', u'vestido', u'de', u'la', u'misma', u'especi', u'de', u'cuero', u'puesto', u'del', u'mismo', u'modo', u'con', u'sola', u'la', u'differ', u'de', u'que', u'sobr', u'el', u'echo', u'112', u'appendix', u'lo', u'sultan', u'pasandol', u'agujeta', u'de', u'mercia', u'de', u'largo', u'hella', u'de', u'madeira', u'6', u'de', u'ferro', u'quando', u'la', u'punta', u'del', u'cuero', u'colgando', u'como', u'la', u'faldilla', u'de', u'lo', u'capingot', u'hasta', u'lo', u'bajo', u'de', u'la', u'cintura', u'la', u'otra', u'punta', u'le', u'cuelgan', u'y', u'arrastran', u'arra', u'como', u'media', u'vara', u'stand', u'suelto', u'pero', u'para', u'andar', u'se', u'lo', u'recov', u'y', u'afianzan', u'con', u'la', u'mano', u'izqui', u'era', u'de', u'la', u'que', u'hacen', u'ma', u'uso', u'que', u'est', u'y', u'el', u'de', u'cubrirs', u'con', u'ella', u'en', u'alguna', u'urgenc', u'su', u'part', u'encima', u'de', u'esta', u'llevan', u'debajo', u'de', u'aquel', u'cuero', u'una', u'especi', u'de', u'mantel', u'cuadrado', u'que', u'cuelga', u'hasta', u'ma', u'de', u'la', u'rodilla', u'de', u'bayeta', u'pan', u'li', u'otro', u'genera', u'si', u'le', u'pueden', u'haber', u'y', u'sino', u'de', u'cuero', u'sobado', u'muy', u'bien', u'el', u'cual', u'atan', u'con', u'un', u'de', u'lo', u'mismo', u'que', u'la', u'rode', u'el', u'cuerpo', u'el', u'que', u'guarnec', u'la', u'de', u'alguna', u'entr', u'ell', u'con', u'abalorio', u'llevan', u'sandal', u'en', u'lo', u'pie', u'como', u'lo', u'horabr', u'pero', u'cuando', u'montana', u'cabal', u'calzan', u'bota', u'como', u'ello', u'llevan', u'descubierta', u'la', u'cabeza', u'divid', u'el', u'pelo', u'en', u'part', u'y', u'de', u'cada', u'una', u'hecha', u'una', u'colet', u'que', u'baja', u'por', u'la', u'oreja', u'y', u'hombro', u'hasta', u'el', u'echo', u'y', u'cintura', u'cuya', u'cinna', u'es', u'de', u'lana', u'parma', u'de', u'delo', u'de', u'anchor', u'guarnecida', u'si', u'es', u'muger', u'rica', u'en', u'dia', u'de', u'gala', u'con', u'abalorio', u'y', u'lo', u'mismo', u'la', u'muger', u'de', u'aiguna', u'autoridad', u'tambien', u'se', u'jjonen', u'lo', u'abalorio', u'en', u'la', u'agujeta', u'con', u'que', u'sultan', u'el', u'cuero', u'en', u'el', u'echo', u'y', u'en', u'la', u'cana', u'de', u'la', u'pierna', u'como', u'puls', u'y', u'en', u'el', u'cuello', u'por', u'gargantilla', u'de', u'cualesquiera', u'color', u'en', u'la', u'oreja', u'uevan', u'zarcillo', u'de', u'laton', u'y', u'lo', u'mismo', u'lo', u'hombr', u'lo', u'arreo', u'de', u'la', u'caballeria', u'en', u'que', u'la', u'muger', u'montana', u'que', u'por', u'lo', u'comu', u'son', u'yegua', u'se', u'compon', u'de', u'uno', u'silli', u'de', u'vaqueta', u'6', u'de', u'zuela', u'si', u'la', u'pueden', u'conseguir', u'muy', u'bien', u'echo', u'clave', u'tea', u'con', u'clavito', u'de', u'laton', u'murillo', u'guamecido', u'su', u'extrem', u'con', u'abalorio', u'de', u'differ', u'color', u'cuando', u'lo', u'tienen', u'fernando', u'dibujo', u'6', u'labor', u'su', u'modo', u'y', u'fantasia', u'la', u'concha', u'tien', u'tre', u'argo', u'la', u'una', u'en', u'un', u'extrem', u'y', u'la', u'otra', u'en', u'cada', u'tercio', u'una', u'la', u'villa', u'con', u'que', u'la', u'abrochan', u'6', u'linen', u'es', u'muy', u'grand', u'el', u'freno', u'se', u'compon', u'de', u'cabezada', u'bocado', u'y', u'rienda', u'la', u'cabezada', u'es', u'rica', u'guarnecida', u'de', u'abalorio', u'6', u'de', u'canva', u'cost', u'tienen', u'6', u'pueden', u'adquirir', u'al', u'proposit', u'la', u'rienda', u'y', u'el', u'bocado', u'son', u'del', u'mismo', u'modo', u'que', u'lo', u'que', u'usan', u'lo', u'hombr', u'pone', u'la', u'yegua', u'un', u'collar', u'al', u'cuello', u'que', u'cae', u'hasta', u'la', u'rodilla', u'con', u'canto', u'cascabl', u'y', u'colgajo', u'pueden', u'conseguir', u'esto', u'arreo', u'son', u'para', u'gala', u'y', u'fiesta', u'pero', u'en', u'su', u'marcha', u'ordinari', u'usan', u'esto', u'adoni', u'y', u'en', u'sugar', u'de', u'dicho', u'collar', u'ponen', u'un', u'cordon', u'de', u'lana', u'azul', u'o', u'colorado', u'de', u'un', u'dido', u'de', u'grueso', u'con', u'el', u'cual', u'dan', u'tre', u'vultu', u'al', u'cuello', u'de', u'la', u'cabalferia', u'y', u'le', u'serv', u'tambien', u'de', u'strabo', u'para', u'montar', u'en', u'el', u'sillon', u'done', u'appendix', u'113', u'se', u'asientan', u'con', u'la', u'care', u'la', u'cabeza', u'del', u'cabal', u'recommend', u'la', u'pierna', u'arriba', u'sobr', u'la', u'faldilla', u'del', u'mismo', u'sillon', u'en', u'una', u'postur', u'muy', u'violent', u'y', u'trabajosa', u'que', u'solo', u'la', u'costum', u'pued', u'haer', u'sufrir', u'porto', u'que', u'estan', u'espuesta', u'mucha', u'caida', u'para', u'andar', u'cabal', u'y', u'para', u'montar', u'guardan', u'sum', u'homestead', u'permit', u'que', u'se', u'le', u'vea', u'part', u'alguna', u'de', u'su', u'cuerpo', u'la', u'muger', u'de', u'alguna', u'autoridad', u'uevan', u'en', u'la', u'marcha', u'sombrero', u'de', u'papa', u'que', u'vienen', u'ser', u'un', u'redound', u'con', u'cato', u'sin', u'copi', u'que', u'se', u'lo', u'atan', u'por', u'debajo', u'de', u'la', u'barba', u'con', u'cualesquiera', u'cosa', u'y', u'con', u'esto', u'se', u'cubren', u'del', u'sol', u'y', u'agua', u'cuando', u'van', u'cabal', u'el', u'egercicio', u'6', u'occup', u'ordinaria', u'de', u'lo', u'hombr', u'es', u'czar', u'para', u'manner', u'con', u'la', u'came', u'su', u'famili', u'y', u'hacer', u'del', u'cuero', u'lo', u'toldo', u'6', u'chose', u'en', u'que', u'given', u'y', u'todo', u'su', u'vestig', u'cuidan', u'tambien', u'de', u'lo', u'cabal', u'que', u'tienen', u'y', u'trajan', u'todo', u'su', u'arreo', u'su', u'divertimiento', u'se', u'reduc', u'sugar', u'lo', u'dado', u'y', u'la', u'perinola', u'y', u'egercitars', u'en', u'su', u'mode', u'de', u'batallar', u'y', u'corner', u'parent', u'cabal', u'la', u'muger', u'tienen', u'oblig', u'de', u'guitar', u'la', u'comic', u'truer', u'el', u'agua', u'y', u'la', u'lena', u'armor', u'y', u'desarmar', u'el', u'toldo', u'en', u'la', u'march', u'y', u'cargarlo', u'y', u'descargarlo', u'sin', u'que', u'para', u'nada', u'de', u'esto', u'le', u'ayud', u'el', u'hombr', u'antiqu', u'est', u'ell', u'enema', u'porqu', u'ha', u'de', u'sacer', u'fuerza', u'de', u'flaqueza', u'adelaid', u'esto', u'ha', u'de', u'cover', u'el', u'toldo', u'que', u'es', u'siempr', u'de', u'cuero', u'de', u'guanaco', u'grand', u'y', u'tambien', u'ha', u'de', u'cover', u'todo', u'lo', u'dema', u'cuero', u'de', u'cama', u'y', u'vestig', u'que', u'regular', u'ment', u'se', u'compon', u'de', u'cuero', u'de', u'zorriuo', u'y', u'guanaco', u'donatu', u'6', u'recien', u'acid', u'de', u'lo', u'que', u'hacen', u'prevent', u'y', u'concha', u'en', u'la', u'prima', u'vera', u'para', u'con', u'lo', u'socrat', u'commerci', u'con', u'lo', u'indio', u'del', u'rio', u'negro', u'por', u'cabal', u'rope', u'freno', u'abalorio', u'y', u'saga', u'que', u'aquello', u'acquir', u'del', u'comercio', u'invas', u'que', u'hacen', u'en', u'la', u'frontier', u'de', u'bueno', u'air', u'porqu', u'lo', u'indio', u'de', u'que', u'aqui', u'se', u'va', u'hablando', u'jama', u'han', u'bravado', u'spangl', u'hasta', u'hora', u'ni', u'ban', u'vista', u'lingua', u'de', u'su', u'oblat', u'ni', u'esta', u'cost', u'tienen', u'ferro', u'metal', u'laton', u'herramienta', u'ni', u'arm', u'toda', u'esta', u'pieta', u'y', u'gener', u'la', u'acquir', u'mediat', u'dicho', u'comercio', u'para', u'cover', u'esta', u'muger', u'lo', u'express', u'cuero', u'usan', u'de', u'alesna', u'que', u'forman', u'del', u'ferro', u'que', u'le', u'dan', u'lo', u're', u'derid', u'indio', u'del', u'rio', u'negro', u'y', u'en', u'sugar', u'de', u'hill', u'empyrean', u'nerv', u'que', u'adelgazan', u'segun', u'necesitan', u'delay', u'pierna', u'de', u'losavestruc', u'el', u'cacicazgo', u'es', u'hereditari', u'su', u'jurisdict', u'absolut', u'en', u'cuanto', u'mudars', u'de', u'un', u'campo', u'otro', u'en', u'seguimiento', u'de', u'la', u'caza', u'que', u'es', u'su', u'subsist', u'cuando', u'al', u'caciqu', u'le', u'parec', u'tiempo', u'de', u'mudar', u'el', u'campo', u'el', u'dia', u'ant', u'al', u'poners', u'el', u'sol', u'hace', u'su', u'platina', u'grand', u'voce', u'desd', u'su', u'toldo', u'toda', u'le', u'escuchan', u'con', u'sum', u'attent', u'desd', u'lo', u'suyo', u'le', u'11', u'appendix', u'dice', u'se', u'lia', u'de', u'marcia', u'al', u'otro', u'dia', u'le', u'senala', u'hora', u'para', u'recov', u'lo', u'caballo', u'batir', u'lo', u'toldo', u'y', u'emperor', u'marcia', u'nadi', u'le', u'replica', u'y', u'la', u'hora', u'senalada', u'todo', u'estan', u'print', u'como', u'se', u'le', u'ha', u'mandat', u'la', u'muger', u'van', u'por', u'verita', u'que', u'hay', u'hella', u'para', u'toda', u'la', u'aguada', u'dond', u'deben', u'para', u'son', u'la', u'conductor', u'de', u'todo', u'el', u'equipag', u'lo', u'hombr', u'luego', u'que', u'la', u'muger', u'empiezan', u'la', u'marcia', u'se', u'van', u'apost', u'en', u'el', u'campo', u'para', u'cercar', u'lo', u'guanaco', u'y', u'bolearlo', u'la', u'travesia', u'porqu', u'son', u'tan', u'violent', u'en', u'la', u'carrara', u'que', u'ningun', u'cabal', u'ni', u'perron', u'le', u'pued', u'alcanzar', u'cuando', u'estan', u'con', u'la', u'bola', u'enredado', u'le', u'siren', u'lo', u'perron', u'para', u'acabarlo', u'de', u'render', u'el', u'mismo', u'caciqu', u'senala', u'lo', u'guest', u'de', u'la', u'batida', u'por', u'lo', u'que', u'y', u'en', u'testimonio', u'de', u'senor', u'el', u'tribut', u'part', u'de', u'la', u'caza', u'asi', u'nunc', u'core', u'ni', u'hace', u'otra', u'cosa', u'ma', u'que', u'andar', u'de', u'apost', u'en', u'apost', u'su', u'jornada', u'ma', u'larga', u'son', u'de', u'4', u'legua', u'en', u'llegando', u'al', u'destini', u'que', u'esta', u'asignado', u'arian', u'la', u'muger', u'lo', u'toldo', u'recov', u'lena', u'y', u'lo', u'tienen', u'todo', u'pronto', u'para', u'cuando', u'lo', u'hombr', u'vengan', u'esto', u'al', u'poners', u'el', u'sol', u'marchant', u'su', u'toldo', u'sin', u'que', u'jama', u'se', u'verifiqu', u'llegu', u'euo', u'ninguno', u'obscurecida', u'la', u'noch', u'si', u'se', u'ha', u'de', u'continu', u'la', u'marcia', u'al', u'otro', u'dia', u'hace', u'el', u'caciqu', u'la', u'misma', u'arena', u'y', u'pretens', u'y', u'si', u'dice', u'nada', u'ya', u'saber', u'que', u'por', u'entonc', u'han', u'de', u'perman', u'alli', u'y', u'esta', u'mansion', u'por', u'lo', u'comu', u'es', u'aton', u'saber', u'que', u'se', u'ha', u'retir', u'la', u'caza', u'qui', u'cuando', u'el', u'caciqu', u've', u'que', u'estan', u'escap', u'de', u'came', u'al', u'poners', u'el', u'sol', u'y', u'en', u'la', u'misma', u'forma', u'que', u'para', u'la', u'marcha', u'le', u'dice', u'recojan', u'lo', u'caballo', u'la', u'hora', u'que', u'senala', u'para', u'el', u'dia', u'siguient', u'lo', u'que', u'egecutan', u'sin', u'malta', u'luego', u'que', u'tienen', u'lo', u'caballo', u'en', u'lo', u'toldo', u'le', u'hace', u'otra', u'platina', u'paseandos', u'cabal', u'y', u'sen', u'alan', u'dole', u'lo', u'apost', u'con', u'lo', u'que', u'cada', u'quadril', u'debe', u'executor', u'van', u'con', u'euo', u'alguna', u'muger', u'para', u'cargar', u'la', u'caza', u'porqu', u'ni', u'aun', u'est', u'trabajo', u'queen', u'lo', u'hombr', u'hacer', u'lo', u'toldo', u'quean', u'armada', u'y', u'en', u'ello', u'la', u'estat', u'muger', u'muchacho', u'6', u'impedido', u'al', u'poners', u'el', u'sol', u'se', u'return', u'otra', u'vez', u'su', u'toldo', u'reduciendos', u'sole', u'esta', u'function', u'todo', u'el', u'mando', u'de', u'est', u'caciqu', u'el', u'cual', u'por', u'ningim', u'delito', u'cast', u'su', u'indio', u'aunqu', u'en', u'lo', u'punto', u'de', u'obedi', u'que', u'van', u'express', u'jama', u'se', u'verifi', u'le', u'fallen', u'ella', u'cuando', u'quier', u'hacer', u'guerra', u'su', u'vein', u'6', u'alguno', u'otro', u'de', u'que', u'haydn', u'recibido', u'gravi', u'ha', u'de', u'ser', u'con', u'approb', u'de', u'su', u'indio', u'principal', u'para', u'lo', u'cual', u'se', u'junta', u'en', u'el', u'toldo', u'del', u'caciqu', u'est', u'ponder', u'y', u'explicit', u'lo', u'gravi', u'y', u'modo', u'de', u'vengarlo', u'fuerza', u'facilit', u'6', u'inconveni', u'que', u'hay', u'en', u'hacer', u'la', u'guerra', u'lo', u'de', u'la', u'junta', u'confieren', u'sobr', u'el', u'asunto', u'y', u'aprueban', u'6', u'reiirueban', u'lo', u'appendix', u'115', u'propuesto', u'por', u'el', u'caciqu', u'est', u'fee', u'arabia', u'la', u'guerra', u'por', u'lo', u'regular', u'se', u'aprueba', u'y', u'solo', u'venetian', u'el', u'modo', u'de', u'lacerta', u'y', u'cuando', u'y', u'suel', u'tartar', u'esta', u'resolut', u'alguno', u'dia', u'luego', u'que', u'estan', u'convent', u'en', u'salir', u'campania', u'el', u'caciqu', u'tre', u'nich', u'seguida', u'desd', u'su', u'toldo', u'grand', u'voce', u'leshac', u'saber', u'k', u'todo', u'lo', u'indio', u'la', u'declar', u'de', u'la', u'guerra', u'el', u'tiempo', u'para', u'cuando', u'esta', u'result', u'la', u'forma', u'en', u'que', u'ha', u'de', u'hacerseenemigoscontraquien', u'ysu', u'motiv', u'avisan', u'que', u'estenprevenido', u'una', u'de', u'la', u'principal', u'caus', u'que', u'tienen', u'para', u'declar', u'guerra', u'es', u'que', u'como', u'cada', u'caciqu', u'tien', u'salad', u'el', u'terreno', u'de', u'su', u'jurisdict', u'pued', u'ninguno', u'de', u'su', u'indio', u'entrar', u'en', u'el', u'terreno', u'de', u'otro', u'sin', u'pedicl', u'licentia', u'para', u'ello', u'el', u'indio', u'que', u'vk', u'pedicl', u'ha', u'de', u'hacer', u'tre', u'humaraja', u'y', u'hasta', u'que', u'le', u'correspond', u'con', u'otra', u'tre', u'pued', u'llegar', u'lo', u'toldo', u'en', u'ello', u'da', u'razor', u'aquel', u'caciqu', u'del', u'motiv', u'que', u'le', u'true', u'ya', u'sea', u'de', u'paso', u'6', u'ya', u'porqu', u'pretend', u'perman', u'alli', u'si', u'al', u'caciqu', u'le', u'parec', u'consent', u'en', u'su', u'pretens', u'y', u'si', u'le', u'manda', u'salir', u'inmediatament', u'de', u'su', u'torrent', u'y', u'dominion', u'si', u'el', u'indio', u'va', u'como', u'ambassador', u'de', u'su', u'caciqu', u'6', u'de', u'otro', u'indio', u'bien', u'pimiento', u'paso', u'por', u'aquel', u'terreno', u'6', u'bien', u'para', u'commerci', u'con', u'euo', u'6', u'para', u'visitor', u'se', u'le', u'senala', u'por', u'el', u'caciqu', u'el', u'tiempo', u'y', u'por', u'dond', u'deben', u'entrar', u'camino', u'que', u'han', u'de', u'tomar', u'para', u'seguir', u'su', u'viag', u'6', u'terreno', u'que', u'han', u'de', u'ocular', u'dond', u'pagan', u'su', u'comercio', u'luego', u'hacen', u'su', u'tre', u'humarada', u'y', u'en', u'habiendol', u'correspond', u'lo', u'indio', u'del', u'terreno', u'entrap', u'loosen', u'est', u'y', u'cosa', u'de', u'una', u'legum', u'de', u'la', u'tolderia', u'se', u'detienen', u'todo', u'lo', u'hombr', u'y', u'pasando', u'adelin', u'la', u'muger', u'y', u'creatur', u'arian', u'su', u'toldo', u'dond', u'se', u'le', u'senala', u'y', u'en', u'estandolo', u'todo', u'llegan', u'ello', u'lo', u'hombr', u'nadir', u'sale', u'recibirlo', u'quedandos', u'asi', u'la', u'vista', u'uno', u'de', u'otro', u'hasta', u'que', u'despu', u'de', u'mucho', u'rato', u'va', u'el', u'caciqu', u'6', u'cualquiera', u'otro', u'que', u'hag', u'cabeza', u'entr', u'lo', u'forest', u'k', u'visitor', u'y', u'complimentari', u'al', u'del', u'pai', u'que', u'le', u'recit', u'en', u'su', u'toldo', u'acompanado', u'de', u'su', u'principal', u'indio', u'que', u'acumen', u'alli', u'luego', u'para', u'cortejar', u'al', u'forest', u'esta', u'visita', u'suel', u'durer', u'todo', u'un', u'dia', u'porqu', u'como', u'cada', u'uno', u'habla', u'sin', u'que', u'nadi', u'le', u'interrupt', u'si', u'el', u'forest', u'true', u'mucha', u'notic', u'y', u'quier', u'enterpris', u'de', u'la', u'del', u'pai', u'suel', u'durer', u'la', u'orat', u'de', u'cada', u'uno', u'6', u'tre', u'horn', u'y', u'aun', u'ma', u'porqu', u'tambien', u'reput', u'mucha', u'vice', u'cert', u'voce', u'el', u'que', u'oye', u'y', u'lo', u'dema', u'estan', u'con', u'grand', u'attent', u'diciendo', u'con', u'frequenc', u'que', u'quier', u'decir', u'si', u'si', u'y', u'con', u'lingua', u'otra', u'vo', u'interrupt', u'al', u'que', u'habla', u'en', u'esta', u'junta', u'se', u'hacen', u'la', u'alianza', u'se', u'organ', u'mistak', u'ampua', u'y', u'otro', u'contract', u'sacerdo', u'6', u'convent', u'para', u'todo', u'lo', u'cual', u'tienen', u'lo', u'caciqu', u'faculti', u'absolut', u'cuando', u'116', u'a11endix', u'para', u'entrar', u'en', u'terreno', u'6', u'tolderia', u'agent', u'se', u'observ', u'la', u'express', u'formal', u'es', u'seal', u'de', u'mala', u'y', u'en', u'consequ', u'se', u'tota', u'luego', u'al', u'arma', u'tambien', u'sedeclaran', u'menudo', u'guerra', u'por', u'coars', u'alguno', u'caballo', u'de', u'cuya', u'result', u'quean', u'lo', u'vencido', u'k', u'pie', u'y', u'cautiou', u'del', u'vendor', u'la', u'muger', u'moza', u'y', u'muchacho', u'que', u'k', u'la', u'vieja', u'y', u'lo', u'hombr', u'nose', u'le', u'da', u'cartel', u'como', u'lo', u'consign', u'en', u'la', u'fuga', u'el', u'caciqu', u'tien', u'oblig', u'de', u'amparar', u'y', u'scorner', u'lo', u'indio', u'de', u'su', u'dominion', u'y', u'territori', u'en', u'su', u'necessit', u'y', u'por', u'lo', u'tal', u'es', u'ma', u'estim', u'tien', u'ma', u'portico', u'entr', u'ello', u'y', u'ma', u'prefer', u'para', u'caciqu', u'el', u'que', u'es', u'ma', u'dispuesto', u'socorrerlo', u'ma', u'galen', u'y', u'ma', u'intellig', u'en', u'la', u'caza', u'porqu', u'si', u'le', u'faltan', u'esta', u'palisad', u'se', u'van', u'buscar', u'otro', u'que', u'la', u'terga', u'dejandolo', u'solo', u'con', u'su', u'parient', u'y', u'exguest', u'continu', u'invas', u'de', u'su', u'vein', u'bien', u'que', u'pierc', u'aquella', u'familia', u'el', u'jericho', u'del', u'terreno', u'y', u'con', u'el', u'tiempo', u'suel', u'haber', u'otro', u'que', u'restablec', u'la', u'tolderia', u'que', u'su', u'padr', u'abuelo', u'6', u'herman', u'ha', u'testudo', u'por', u'su', u'desgracia', u'6', u'mala', u'conduct', u'cuando', u'esta', u'viejo', u'el', u'caciqu', u'y', u'en', u'estat', u'que', u'por', u'malta', u'de', u'fuerza', u'pued', u'cumplir', u'con', u'la', u'oblig', u'de', u'su', u'minist', u'deja', u'el', u'mando', u'en', u'el', u'successor', u'lo', u'casement', u'se', u'hacen', u'por', u'contra', u'que', u'el', u'hombr', u'hace', u'de', u'la', u'muger', u'al', u'padr', u'6', u'cualquiera', u'otro', u'cuyo', u'cargo', u'esta', u'ella', u'que', u'segun', u'su', u'caliban', u'buen', u'career', u'conduct', u'c', u'es', u'ma', u'care', u'6', u'ma', u'baryta', u'sin', u'que', u'pueda', u'oponers', u'la', u'venta', u'que', u'celebr', u'su', u'padr', u'6', u'su', u'tutor', u'quien', u'cretan', u'con', u'su', u'volunta', u'para', u'otorgarla', u'pede', u'cada', u'hombr', u'tener', u'una', u'6', u'ma', u'muger', u'profit', u'segun', u'tengan', u'haber', u'para', u'compar', u'pero', u'rara', u'ment', u'tienen', u'ma', u'de', u'una', u'meno', u'de', u'ser', u'caciqu', u'6', u'indio', u'de', u'grand', u'autoridad', u'el', u'que', u'ma', u'vega', u'tener', u'son', u'tre', u'muger', u'y', u'todo', u'marido', u'tien', u'faculti', u'de', u'vender', u'la', u'suya', u'd', u'otro', u'cuya', u'secunda', u'venta', u'hace', u'poco', u'appreci', u'la', u'muger', u'y', u'se', u'da', u'por', u'lo', u'mismo', u'en', u'muy', u'poco', u'precio', u'comprandola', u'sola', u'ment', u'lo', u'pore', u'que', u'se', u'surten', u'de', u'est', u'modo', u'porqu', u'careen', u'de', u'mediu', u'conqu', u'adquirirla', u'de', u'primera', u'mano', u'hay', u'tampoco', u'inconveni', u'en', u'vender', u'cualquiera', u'parent', u'como', u'sea', u'hijo', u'6', u'herman', u'de', u'la', u'vend', u'porqu', u'todo', u'lo', u'dema', u'grade', u'lo', u'tienen', u'dispens', u'son', u'mucho', u'lo', u'casement', u'que', u'hacen', u'de', u'esta', u'especi', u'por', u'lo', u'caro', u'que', u'capstan', u'la', u'muger', u'soltera', u'la', u'cale', u'interim', u'son', u'moza', u'y', u'tienen', u'esperanza', u'de', u'coars', u'guardan', u'la', u'virginia', u'pero', u'en', u'perdiendo', u'aquella', u'esperanza', u'se', u'entreat', u'todo', u'la', u'caraca', u'cuyo', u'marido', u'que', u'le', u'erato', u'su', u'padr', u'6', u'tutor', u'ha', u'sido', u'de', u'su', u'gusto', u'le', u'guardan', u'sum', u'fideappendix', u'117', u'lidad', u'pero', u'en', u'la', u'que', u'hay', u'mucho', u'trabajo', u'bien', u'que', u'el', u'adulteri', u'es', u'delito', u'como', u'sea', u'vista', u'del', u'marido', u'y', u'en', u'est', u'caso', u'culpa', u'al', u'adulteri', u'y', u'ella', u'y', u'tampoco', u'asi', u'se', u'cast', u'pue', u'por', u'medio', u'de', u'algun', u'certo', u'tere', u'persona', u'est', u'gravi', u'el', u'marido', u'el', u'caciqu', u'siempr', u'tien', u'por', u'muger', u'una', u'hia', u'6', u'herman', u'de', u'otro', u'caciqu', u'la', u'cual', u'es', u'la', u'princip', u'entr', u'la', u'dema', u'muger', u'suya', u'y', u'esta', u'la', u'siren', u'en', u'todo', u'aunqu', u'se', u'liabl', u'canada', u'de', u'ella', u'la', u'pued', u'vender', u'pore', u'sera', u'gravi', u'y', u'motiv', u'de', u'romper', u'una', u'guerra', u'con', u'su', u'parient', u'today', u'esta', u'caraca', u'manifest', u'grave', u'laban', u'poco', u'se', u'estan', u're', u'cogida', u'en', u'su', u'toldo', u'ocupada', u'en', u'algun', u'trabajo', u'correspond', u'ell', u'y', u'interven', u'en', u'la', u'vulgar', u'convers', u'de', u'la', u'dema', u'indian', u'lo', u'hombr', u'por', u'ningun', u'motiv', u'caspian', u'de', u'ora', u'la', u'muger', u'except', u'cuando', u'estan', u'borracho', u'y', u'aun', u'entonc', u'el', u'caciqu', u'la', u'cacica', u'prefer', u'jama', u'le', u'peg', u'aunqu', u'la', u'otra', u'leven', u'toda', u'golp', u'la', u'ceremoni', u'del', u'casement', u'solo', u'se', u'reduc', u'una', u'vez', u'ajustada', u'la', u'muger', u'llevarsela', u'su', u'padr', u'al', u'novi', u'su', u'toldo', u'meno', u'que', u'ella', u'nose', u'adelin', u'ers', u'con', u'61', u'sin', u'que', u'la', u'liev', u'nadi', u'que', u'en', u'esto', u'hay', u'inconveni', u'sentenc', u'el', u'novi', u'hace', u'mater', u'uno', u'6', u'yegua', u'segun', u'terga', u'de', u'ell', u'y', u'convict', u'lo', u'parient', u'y', u'parent', u'amigo', u'y', u'amiga', u'de', u'la', u'novi', u'y', u'suyo', u'y', u'commend', u'todo', u'de', u'aquella', u'came', u'queda', u'conclud', u'el', u'casement', u'ash', u'hombr', u'como', u'muger', u'son', u'muy', u'close', u'y', u'amant', u'de', u'su', u'hijo', u'ii', u'quien', u'luego', u'que', u'nacen', u'atan', u'con', u'mucha', u'raja', u'de', u'cuero', u'que', u'tienen', u'prepar', u'muy', u'sonata', u'y', u'suav', u'contra', u'una', u'manera', u'de', u'tabl', u'que', u'forman', u'porqu', u'la', u'tienen', u'de', u'palat', u'crusad', u'y', u'atado', u'forrado', u'con', u'raja', u'de', u'cuero', u'en', u'dond', u'lo', u'tienen', u'sujet', u'ma', u'de', u'un', u'candl', u'el', u'echo', u'sin', u'de', u'alii', u'ash', u'dice', u'que', u'se', u'cran', u'derecho', u'y', u'efectivament', u'tempo', u'ello', u'como', u'ello', u'son', u'todo', u'muy', u'derecho', u'tienen', u'bueno', u'cuer', u'po', u'y', u'se', u've', u'uno', u'que', u'sea', u'cargo', u'de', u'espalda', u'en', u'quitandolo', u'de', u'esta', u'atadura', u'lo', u'train', u'regular', u'ment', u'siempr', u'consign', u'la', u'madra', u'betid', u'en', u'la', u'espalda', u'entr', u'su', u'came', u'y', u'el', u'cuero', u'con', u'que', u'van', u'vestig', u'con', u'la', u'cabeza', u'sacada', u'por', u'el', u'cogot', u'de', u'la', u'madr', u'cuando', u'van', u'de', u'marcia', u'hacen', u'de', u'cuero', u'y', u'uno', u'palat', u'una', u'especi', u'de', u'cana', u'atumbada', u'y', u'errata', u'por', u'toda', u'part', u'meno', u'por', u'lo', u'pie', u'y', u'la', u'cabeza', u'la', u'cale', u'forran', u'y', u'adorn', u'con', u'bayeta', u'pan', u'6', u'lo', u'que', u'tienen', u'guard', u'con', u'abalorio', u'cascad', u'c', u'segun', u'pueden', u'y', u'la', u'ase', u'guran', u'encima', u'de', u'la', u'inca', u'del', u'cabal', u'dond', u'va', u'la', u'madr', u'entr', u'esta', u'gent', u'se', u've', u'que', u'lo', u'muchacho', u'nunc', u'lloran', u'sino', u'uevan', u'golp', u'6', u'alguna', u'cauda', u'118', u'appendix', u'su', u'religion', u'vien', u'ser', u'sola', u'ment', u'una', u'especi', u'de', u'creencia', u'en', u'potenti', u'la', u'una', u'benign', u'que', u'solo', u'gobierna', u'el', u'ciel', u'independ', u'y', u'sin', u'poderio', u'en', u'la', u'tierra', u'y', u'su', u'habitant', u'de', u'la', u'cual', u'hacen', u'muy', u'poco', u'caso', u'y', u'la', u'otra', u'un', u'tiempo', u'benign', u'y', u'rigor', u'la', u'cual', u'gobierna', u'la', u'tierra', u'dirig', u'cast', u'y', u'premia', u'su', u'habitud', u'y', u'esta', u'adorn', u'bajo', u'cualquiera', u'figura', u'que', u'fabric', u'6', u'que', u'se', u'haydn', u'ballad', u'en', u'la', u'play', u'proceed', u'de', u'alguno', u'navi', u'naufrago', u'como', u'son', u'macaroni', u'de', u'proa', u'6', u'figura', u'de', u'la', u'aeta', u'de', u'pope', u'y', u'esta', u'son', u'la', u'que', u'estim', u'y', u'premier', u'para', u'su', u'cultu', u'por', u'suponerla', u'aparecida', u'esta', u'deidad', u'dan', u'por', u'nombr', u'el', u'camalasqu', u'que', u'equival', u'poderoso', u'y', u'valiant', u'de', u'esta', u'figura', u'cada', u'uno', u'que', u'la', u'tien', u'defenc', u'y', u'cree', u'ser', u'aquila', u'la', u'verdadera', u'deidad', u'y', u'que', u'la', u'de', u'lo', u'otro', u'son', u'falsa', u'aunqu', u'legal', u'caso', u'de', u'empefiar', u'esta', u'disput', u'ni', u'armor', u'quiver', u'sobr', u'ello', u'porqu', u'se', u'persuad', u'que', u'la', u'misma', u'deidad', u'megara', u'su', u'gravi', u'con', u'la', u'superstit', u'que', u'se', u'figura', u'creyendo', u'que', u'la', u'enfermedad', u'y', u'la', u'laert', u'son', u'venganza', u'de', u'esta', u'decad', u'meno', u'de', u'seced', u'en', u'lo', u'ya', u'muy', u'viejo', u'que', u'solo', u'entonc', u'la', u'tienen', u'por', u'natural', u'esta', u'figura', u'la', u'guardan', u'en', u'su', u'toldo', u'muy', u'cubierta', u'y', u'liada', u'con', u'cuero', u'paso', u'bayeta', u'b', u'lien', u'segun', u'cada', u'uno', u'pued', u'y', u'se', u'descubr', u'nadi', u'sin', u'dictamen', u'del', u'santon', u'6', u'hechicero', u'que', u'pued', u'ser', u'muger', u'li', u'hombr', u'tien', u'de', u'continu', u'dia', u'en', u'que', u'debe', u'fiercer', u'su', u'officio', u'cantanto', u'la', u'deidad', u'al', u'son', u'de', u'calabash', u'con', u'china', u'dentro', u'musica', u'tan', u'disagre', u'como', u'su', u'misma', u'vo', u'tambien', u'hace', u'en', u'esta', u'forma', u'rotat', u'por', u'que', u'la', u'deidad', u'enforc', u'6', u'mate', u'lo', u'que', u'tienen', u'por', u'enemi', u'pero', u'esto', u'suel', u'satir', u'muy', u'mal', u'lo', u'tale', u'hechi', u'cere', u'porqu', u'si', u'acaso', u'tienen', u'su', u'enemi', u'algun', u'contagion', u'6', u'mere', u'algun', u'indio', u'princip', u'6', u'caciqu', u'procur', u'por', u'todo', u'lo', u'mediu', u'possibl', u'haber', u'la', u'man', u'lo', u'referido', u'hechicero', u'y', u'lo', u'hacen', u'mrtire', u'del', u'diablo', u'tambien', u'deben', u'canter', u'la', u'deidad', u'esto', u'hechicero', u'por', u'lo', u'enfermo', u'de', u'su', u'tolderia', u'para', u'contradict', u'lo', u'otro', u'hechicero', u'su', u'enemi', u'y', u'sino', u'continu', u'el', u'alivio', u'el', u'enfermo', u'sullen', u'tambien', u'lo', u'amigo', u'de', u'est', u'carl', u'su', u'merecido', u'aquello', u'k', u'lo', u'meno', u'quitandol', u'el', u'empleo', u'y', u'travancor', u'en', u'adelin', u'como', u'infami', u'y', u'si', u'la', u'muert', u'ha', u'sido', u'de', u'muger', u'o', u'hijo', u'del', u'caciqu', u'suel', u'pagan', u'con', u'la', u'vida', u'el', u'hechicero', u'su', u'mala', u'cura', u'que', u'solo', u'se', u'reduc', u'al', u'canto', u'porqu', u'usan', u'de', u'otra', u'medicin', u'en', u'su', u'enfermedad', u'y', u'por', u'tanto', u'tienen', u'mucho', u'contratempu', u'esto', u'medico', u'centr', u'siendo', u'pocu', u'de', u'euo', u'lo', u'que', u'mueren', u'de', u'muert', u'natur', u'pero', u'siempr', u'sobran', u'presenti', u'para', u'est', u'empleo', u'porqu', u'tienen', u'faculti', u'de', u'user', u'de', u'la', u'muger', u'de', u'lo', u'indio', u'appendix', u'119', u'si', u'ello', u'consent', u'6', u'de', u'ello', u'si', u'el', u'hechicero', u'es', u'muger', u'de', u'esto', u'hechicero', u'cash', u'hay', u'santo', u'como', u'famili', u'6', u'como', u'idol', u'porqu', u'regular', u'ment', u'cada', u'cabeza', u'de', u'familia', u'tien', u'su', u'idolo', u'en', u'su', u'toldo', u'y', u'si', u'la', u'tolderia', u'se', u'compon', u'de', u'cuatro', u'cinco', u'6', u'ma', u'famili', u'hay', u'otro', u'santo', u'idol', u'y', u'otro', u'santo', u'hechicero', u'6', u'stone', u'en', u'la', u'intellig', u'de', u'que', u'una', u'familia', u'entr', u'ello', u'se', u'compon', u'solo', u'del', u'marido', u'muger', u'e', u'hijo', u'sino', u'tambien', u'de', u'todo', u'lo', u'parient', u'del', u'dicho', u'marido', u'que', u'es', u'cabeza', u'y', u'gee', u'de', u'esta', u'familia', u'en', u'la', u'cual', u'vien', u'ser', u'como', u'un', u'caciqu', u'subaltern', u'del', u'que', u'tien', u'el', u'gener', u'gobiemo', u'de', u'todo', u'y', u'jericho', u'en', u'pro', u'pie', u'dad', u'de', u'aquel', u'terreno', u'cuando', u'enema', u'alguno', u'en', u'la', u'familia', u'acut', u'el', u'santon', u'de', u'ella', u'k', u'cantl', u'al', u'ordo', u'con', u'voce', u'tan', u'laert', u'y', u'desentonada', u'y', u'tan', u'disagre', u'que', u'eua', u'por', u'si', u'sole', u'barbarian', u'matur', u'si', u'se', u'agrava', u'convict', u'lo', u'dema', u'de', u'su', u'officio', u'y', u'toda', u'la', u'vieja', u'para', u'que', u'le', u'ayuden', u'canter', u'fin', u'de', u'que', u'de', u'noch', u'y', u'de', u'dia', u'case', u'el', u'canto', u'pero', u'nadi', u'queda', u'respons', u'si', u'el', u'enfermo', u'muer', u'porqu', u'est', u'cargo', u'es', u'solo', u'del', u'hechicero', u'cuando', u'el', u'enfermo', u'esta', u'ya', u'inter', u'postrado', u'si', u'es', u'doncella', u'y', u'jove', u'le', u'forman', u'un', u'toldo', u'de', u'poncho', u'separ', u'de', u'la', u'tolderia', u'la', u'ponen', u'en', u'61', u'y', u'alii', u'es', u'el', u'canto', u'ma', u'fuert', u'porqu', u'toda', u'canva', u'vieja', u'hay', u'van', u'cantl', u'y', u'una', u'de', u'ell', u'arma', u'en', u'un', u'palo', u'todo', u'lo', u'cascad', u'que', u'pued', u'junta', u'y', u'hacienda', u'con', u'ello', u'grand', u'guido', u'da', u'una', u'vuelta', u'al', u'redder', u'del', u'toldo', u'de', u'cuando', u'en', u'cuando', u'cuyo', u'tiempo', u'esfuerzan', u'la', u'de', u'adentro', u'su', u'criteria', u'durant', u'la', u'enfermedad', u'se', u'satan', u'yegua', u'y', u'caballo', u'en', u'offend', u'6', u'sacrific', u'al', u'idolo', u'para', u'que', u'major', u'el', u'enfermo', u'pero', u'esta', u'offend', u'se', u'la', u'come', u'entr', u'el', u'mismo', u'enfermo', u'y', u'lo', u'centr', u'si', u'el', u'enfermo', u'muer', u'bien', u'sea', u'en', u'el', u'nuevo', u'toldo', u'de', u'poncho', u'siendo', u'doncella', u'b', u'en', u'el', u'suo', u'mismo', u'siendo', u'hombr', u'6', u'muger', u'canada', u'se', u'true', u'al', u'toldo', u'el', u'cabal', u'ma', u'estim', u'lo', u'aparejan', u'y', u'poniendol', u'encima', u'toda', u'la', u'alhaja', u'del', u'difunto', u'montana', u'en', u'l', u'un', u'muchacho', u'y', u'le', u'hacen', u'dar', u'una', u'vuelta', u'al', u'redder', u'del', u'toldo', u'dond', u'esta', u'el', u'cadav', u'bajan', u'al', u'muchacho', u'y', u'ponen', u'al', u'cuello', u'del', u'cabal', u'un', u'lao', u'de', u'cuyo', u'cabot', u'tiran', u'indio', u'hasta', u'que', u'lo', u'logan', u'tienen', u'ya', u'prevent', u'una', u'hogaera', u'dond', u'van', u'arrog', u'quemar', u'el', u'aparejo', u'y', u'alhaja', u'que', u'eva', u'el', u'cabal', u'y', u'la', u'persona', u'que', u'hace', u'cabeza', u'de', u'duelo', u'se', u'va', u'quando', u'el', u'vestido', u'y', u'cuanto', u'tien', u'puesto', u'y', u'lo', u'va', u'arrog', u'tambien', u'al', u'fuego', u'como', u'tambien', u'todo', u'lo', u'parient', u'y', u'amigo', u'echan', u'una', u'prenda', u'cada', u'uno', u'que', u'al', u'efecto', u'train', u'de', u'su', u'toldo', u'6', u'se', u'quitan', u'de', u'su', u'vestur', u'compitiendos', u'en', u'entreat', u'al', u'fuego', u'la', u'major', u'en', u'que', u'denot', u'ma', u'120', u'appendix', u'oblig', u'al', u'puerto', u'6', u'ma', u'amistad', u'amor', u'luego', u'desuellan', u'el', u'cabal', u'ahogado', u'y', u'se', u'reparte', u'su', u'came', u'entr', u'todo', u'lo', u'que', u'charon', u'su', u'prendr', u'al', u'fuego', u'la', u'dolient', u'se', u'esta', u'en', u'su', u'toldo', u'muy', u'faraday', u'sin', u'hablar', u'una', u'palabra', u'today', u'la', u'muger', u'parent', u'y', u'amiga', u'la', u'van', u'hacer', u'campania', u'y', u'para', u'ello', u'se', u'coran', u'del', u'pelo', u'uno', u'machin', u'de', u'modo', u'que', u'le', u'caiga', u'por', u'la', u'trent', u'hasta', u'la', u'ceja', u'se', u'aranan', u'la', u'care', u'se', u'satan', u'lo', u'carrillo', u'y', u'lloran', u'aunqu', u'tengan', u'gan', u'con', u'uno', u'gemido', u'y', u'estilo', u'tan', u'lament', u'y', u'lastimoso', u'que', u'parec', u'se', u'le', u'arrang', u'el', u'alma', u'la', u'noch', u'se', u'entreat', u'la', u'vieja', u'del', u'cadav', u'y', u'eua', u'lo', u'entierran', u'dond', u'le', u'parec', u'sin', u'que', u'lo', u'span', u'client', u'ni', u'otro', u'alguno', u'porqu', u'ni', u'se', u'le', u'predicta', u'ni', u'eua', u'pueden', u'declrlo', u'nadi', u'sigu', u'el', u'duelo', u'por', u'qmnce', u'dia', u'con', u'lo', u'mismo', u'gemido', u'y', u'se', u'van', u'matando', u'cada', u'dia', u'caballo', u'del', u'difunto', u'hasta', u'dear', u'ni', u'uno', u'porqu', u'todo', u'su', u'bien', u'han', u'de', u'quedar', u'bestrid', u'sin', u'que', u'puedan', u'cars', u'nadi', u'ni', u'meno', u'labia', u'queen', u'lo', u'admities', u'sabiendo', u'que', u'ran', u'del', u'puerto', u'porqu', u'est', u'es', u'un', u'sagrado', u'para', u'euo', u'inviol', u'today', u'la', u'lung', u'se', u'respit', u'un', u'dia', u'el', u'duelo', u'y', u'llanto', u'y', u'se', u'mata', u'cabal', u'6', u'yegua', u'si', u'hay', u'amigo', u'o', u'parent', u'que', u'quiera', u'carlo', u'porqu', u'al', u'difunto', u'ya', u'le', u'ha', u'quedado', u'ninguno', u'cumplido', u'el', u'alio', u'se', u'respit', u'el', u'duelo', u'por', u'tre', u'dia', u'con', u'plant', u'hogu', u'arrear', u'en', u'eua', u'prendr', u'y', u'dema', u'ceremoni', u'canva', u'pueden', u'hacer', u'para', u'que', u'se', u'reliev', u'el', u'funer', u'como', u'en', u'el', u'dia', u'de', u'la', u'muert', u'desir', u'de', u'esto', u'tre', u'dia', u'ya', u'velvet', u'acordars', u'ma', u'del', u'difunto', u'para', u'nada', u'tota', u'esta', u'funera', u'pomp', u'y', u'ceremoni', u'se', u'hacen', u'solo', u'por', u'juveni', u'6', u'persona', u'de', u'buena', u'egad', u'y', u'robust', u'pue', u'lo', u'que', u'mueren', u'viejo', u'ni', u'se', u'le', u'hace', u'duelo', u'ni', u'se', u'le', u'bora', u'ni', u'se', u'acuerdan', u'ma', u'de', u'ello', u'creyendo', u'que', u'su', u'muert', u'era', u'precis', u'y', u'se', u'content', u'con', u'mater', u'en', u'eua', u'un', u'cabal', u'el', u'poor', u'6', u'ma', u'desechado', u'que', u'terga', u'se', u'satan', u'caballo', u'por', u'casement', u'y', u'laert', u'por', u'la', u'salida', u'de', u'lo', u'deni', u'lo', u'muchacho', u'cuando', u'comienza', u'la', u'menstruat', u'la', u'muger', u'por', u'cualquiera', u'leve', u'mal', u'por', u'placer', u'al', u'idolo', u'enojado', u'que', u'green', u'lo', u'esta', u'cuando', u'tienen', u'enfermedad', u'cuando', u'le', u'cuesta', u'mucho', u'trabajo', u'el', u'tomar', u'la', u'caza', u'cuando', u'otro', u'indio', u'lo', u'hostigan', u'y', u'tienen', u'fuerza', u'suffici', u'para', u'haer', u'guerra', u'porqu', u'en', u'est', u'caso', u'aguantan', u'la', u'injuri', u'que', u'le', u'quean', u'hacer', u'y', u'toda', u'esta', u'stanza', u'de', u'caballo', u'6', u'yegua', u'es', u'la', u'causa', u'de', u'star', u'toda', u'la', u'costa', u'poblada', u'de', u'est', u'ganado', u'pue', u'aunqu', u'la', u'yegua', u'paren', u'todo', u'lo', u'amo', u'con', u'todo', u'como', u'dean', u'poca', u'hay', u'suffici', u'cabal', u'para', u'surtirlo', u'sino', u'funera', u'por', u'lo', u'que', u'lo', u'indio', u'pampa', u'de', u'bueno', u'air', u'le', u'appendix', u'121', u'cambrian', u'por', u'lo', u'cucro', u'que', u'le', u'llevan', u'cuando', u'bajan', u'al', u'rio', u'negro', u'de', u'que', u'result', u'tener', u'lo', u'de', u'san', u'julian', u'meno', u'ganado', u'de', u'est', u'que', u'lo', u'del', u'golfo', u'de', u'san', u'jorg', u'y', u'santa', u'elena', u'porqu', u'pueden', u'ajar', u'al', u'rio', u'negro', u'con', u'la', u'continu', u'que', u'esto', u'green', u'en', u'la', u'transmigr', u'del', u'alma', u'y', u'que', u'la', u'de', u'lo', u'que', u'mueren', u'pagan', u'lo', u'que', u'nacen', u'en', u'la', u'familia', u'en', u'esta', u'forma', u'el', u'que', u'muer', u'viejo', u'transmit', u'el', u'alma', u'sin', u'detent', u'y', u'por', u'eso', u'se', u'le', u'flora', u'ni', u'hacen', u'sentiment', u'porqu', u'dice', u'va', u'aquella', u'alma', u'k', u'majora', u'de', u'puesto', u'pero', u'la', u'del', u'que', u'muer', u'jove', u'6', u'robust', u'queda', u'detenida', u'debajo', u'de', u'tierra', u'sin', u'destini', u'hasta', u'que', u'se', u'cumpl', u'el', u'tiempo', u'que', u'le', u'faltaba', u'para', u'ser', u'viejo', u'que', u'entonc', u'pass', u'al', u'primero', u'que', u'name', u'y', u'por', u'esta', u'detent', u'en', u'que', u'juzgan', u'esta', u'compris', u'y', u'violent', u'le', u'hacen', u'todo', u'lo', u'sacrific', u'al', u'idolo', u'para', u'que', u'le', u'de', u'algun', u'desahogo', u'interim', u'llega', u'el', u'tiempo', u'decret', u'y', u'son', u'tan', u'super', u'sticioso', u'en', u'esta', u'materia', u'que', u'uno', u'se', u'persuad', u'es', u'convenient', u'power', u'en', u'el', u'sepulchr', u'h', u'lo', u'difunto', u'alguna', u'comic', u'y', u'auiaja', u'para', u'que', u'conan', u'su', u'alia', u'y', u'se', u'diviertan', u'y', u'otro', u'lo', u'tienen', u'esto', u'por', u'ocioso', u'creyendo', u'que', u'el', u'idolo', u'le', u'tara', u'todo', u'lo', u'necessaria', u'esta', u'matena', u'se', u'gobierna', u'en', u'cada', u'familia', u'segun', u'el', u'modo', u'de', u'penser', u'del', u'embustero', u'santon', u'que', u'se', u'engana', u'y', u'lo', u'engana', u'como', u'quier', u'sin', u'que', u'se', u'prepar', u'en', u'su', u'inconsist', u'aun', u'cuando', u'su', u'pensamiento', u'y', u'su', u'disposit', u'vari', u'cada', u'paso', u'esto', u'embustero', u'le', u'hacen', u'career', u'que', u'el', u'idolo', u'hace', u'gesto', u'y', u'habla', u'haciendolo', u'ello', u'conform', u'le', u'dice', u'que', u'le', u'heron', u'hacer', u'y', u'aunqu', u'lo', u'mismo', u'indio', u'se', u'fallen', u'present', u'al', u'tiempo', u'que', u'el', u'santon', u'descubr', u'el', u'idolo', u'y', u'con', u'su', u'mismo', u'jo', u'yean', u'que', u'es', u'mention', u'como', u'el', u'santon', u'dig', u'que', u'halo', u'6', u'hizo', u'gesto', u'basta', u'para', u'que', u'ello', u'lo', u'clean', u'asi', u'cigarett', u'jiizgans', u'inca', u'pace', u'de', u'power', u'offend', u'con', u'alguna', u'de', u'su', u'oper', u'la', u'deidad', u'que', u'adorn', u'y', u'asi', u'green', u'que', u'lo', u'contratiempo', u'6', u'cast', u'que', u'le', u'envia', u'es', u'porqu', u'ello', u'lo', u'merezcan', u'por', u'su', u'delo', u'sino', u'porqu', u'le', u'da', u'gan', u'al', u'idolo', u'de', u'tratarlo', u'mal', u'ash', u'la', u'benign', u'de', u'esta', u'potentia', u'consist', u'en', u'tener', u'bueno', u'caballo', u'salut', u'y', u'paz', u'hagar', u'mucha', u'y', u'buena', u'caza', u'y', u'lograr', u'fidelia', u'de', u'part', u'de', u'su', u'vein', u'el', u'numero', u'de', u'indio', u'que', u'se', u'alan', u'aqui', u'establecido', u'sern', u'hasta', u'4000', u'persona', u'ocupan', u'el', u'terreno', u'de', u'la', u'costa', u'que', u'queda', u'salad', u'pueden', u'salir', u'de', u'el', u'impidiendoselo', u'por', u'el', u'e', u'la', u'mar', u'por', u'el', u'n', u'el', u'rio', u'negro', u'fe', u'indio', u'pampa', u'de', u'bueno', u'air', u'y', u'por', u'el', u'o', u'y', u'la', u'cordillera', u'imposs', u'de', u'pasar', u'aqui', u'por', u'su', u'altera', u'y', u'por', u'hallars', u'p', u'pigg', u'appendix', u'en', u'todo', u'tiempo', u'cubierta', u'de', u'niev', u'sin', u'que', u'se', u'verifiqn', u'la', u'habita', u'en', u'esto', u'parad', u'ni', u'aun', u'la', u'ave', u'en', u'su', u'batalla', u'lean', u'pie', u'demand', u'la', u'muger', u'en', u'custodia', u'de', u'lo', u'cabal', u'y', u'se', u'ponen', u'una', u'como', u'amiss', u'de', u'hombr', u'con', u'manga', u'cerrada', u'hella', u'de', u'die', u'6', u'done', u'cuero', u'de', u'venado', u'bien', u'sobado', u'qne', u'lo', u'pued', u'pasar', u'el', u'sabl', u'ni', u'la', u'data', u'en', u'la', u'cabeza', u'se', u'ponen', u'una', u'especi', u'de', u'sombrero', u'6', u'cusco', u'hecho', u'tambien', u'de', u'corrod', u'busi', u'd', u'de', u'cabal', u'con', u'cuyo', u'resguardo', u'procur', u'tirad', u'la', u'cuchillada', u'la', u'pieta', u'por', u'ser', u'ma', u'fail', u'heir', u'en', u'ell', u'orlando', u'la', u'bota', u'son', u'muy', u'fire', u'y', u'constant', u'en', u'la', u'patella', u'y', u'la', u'dean', u'una', u'vez', u'que', u'entrap', u'en', u'eua', u'hasta', u'ser', u'vencido', u'6', u'merton', u'susan', u'tambien', u'de', u'la', u'bola', u'y', u'todo', u'portico', u'que', u'es', u'vencido', u'ordi', u'parliament', u'son', u'merton', u'porqu', u'se', u'ensangrientan', u'de', u'manera', u'que', u'ninguno', u'huge', u'y', u'esta', u'es', u'la', u'causa', u'de', u'ser', u'mucho', u'ma', u'poblado', u'esto', u'torrent', u'porqu', u'la', u'muger', u'son', u'muy', u'secundu', u'y', u'padecen', u'muy', u'poca', u'enfermedad', u'lo', u'toldo', u'lo', u'ponen', u'clavando', u'en', u'tierra', u'palo', u'de', u'6', u'tre', u'vara', u'de', u'alto', u'y', u'una', u'y', u'media', u'distant', u'uno', u'de', u'otro', u'al', u'ladi', u'de', u'cada', u'palo', u'y', u'igual', u'distanc', u'cavan', u'otro', u'ma', u'cort', u'y', u'al', u'o', u'de', u'lo', u'sei', u'cavan', u'otro', u'sei', u'ma', u'cort', u'la', u'misma', u'distanc', u'y', u'al', u'o', u'de', u'esto', u'con', u'igual', u'distanc', u'otro', u'sei', u'de', u'poco', u'ma', u'de', u'media', u'vara', u'de', u'largo', u'sobr', u'esto', u'die', u'y', u'echo', u'palo', u'echan', u'el', u'cuero', u'con', u'el', u'pelo', u'para', u'afuera', u'y', u'lo', u'asegiiran', u'la', u'habea', u'de', u'todo', u'lo', u'palo', u'de', u'lo', u'cale', u'cuelgan', u'como', u'corvinu', u'de', u'cuero', u'por', u'dentro', u'que', u'forman', u'la', u'divis', u'segun', u'la', u'necesitan', u'atandola', u'de', u'alto', u'abajo', u'l', u'lo', u'mismo', u'palo', u'manera', u'de', u'rampart', u'fire', u'por', u'afuera', u'llega', u'el', u'cuero', u'hasta', u'el', u'suelo', u'por', u'el', u'y', u'dejandol', u'siempr', u'la', u'puerto', u'al', u'e', u'de', u'toda', u'la', u'anchor', u'del', u'toldo', u'el', u'cual', u'queda', u'como', u'si', u'fuse', u'una', u'cueva', u'ovalada', u'la', u'puerto', u'se', u'le', u'pone', u'cosa', u'alguna', u'eon', u'que', u'ferrara', u'sino', u'en', u'el', u'rigor', u'de', u'lo', u'delo', u'que', u'la', u'japan', u'colgando', u'de', u'eua', u'otro', u'cuero', u'la', u'separ', u'interior', u'la', u'acomodan', u'desd', u'el', u'centr', u'hasta', u'el', u'fondo', u'para', u'cada', u'matrimonio', u'y', u'lo', u'hijo', u'y', u'dema', u'familia', u'y', u'parentela', u'duermen', u'todo', u'revuelto', u'en', u'el', u'resto', u'que', u'queda', u'franco', u'hasta', u'la', u'puerto', u'uniendos', u'aqui', u'mida', u'vista', u'soltero', u'soltera', u'parient', u'criado', u'y', u'esclavo', u'y', u'en', u'fin', u'canto', u'depend', u'6', u'tienen', u'relat', u'con', u'la', u'caheza', u'princip', u'6', u'amo', u'del', u'toldo', u'la', u'donceua', u'aqui', u'sin', u'embargo', u'de', u'esta', u'occas', u'procur', u'como', u'queda', u'dicho', u'guard', u'su', u'virginia', u'mientra', u'appendix', u'123', u'tienen', u'esperanza', u'de', u'coars', u'pero', u'si', u'llegan', u'perderla', u'se', u'dan', u'cual', u'quiera', u'y', u'tanto', u'ell', u'como', u'la', u'vtiida', u'pagan', u'buena', u'noch', u'acomo', u'dans', u'indistintament', u'con', u'el', u'que', u'primero', u'se', u'le', u'acerca', u'dormir', u'con', u'eua', u'la', u'querella', u'de', u'lo', u'hombr', u'dentro', u'de', u'una', u'misma', u'tolderia', u'se', u'decid', u'entr', u'ello', u'coquett', u'sin', u'que', u'puedan', u'user', u'para', u'ello', u'de', u'otra', u'anna', u'ni', u'que', u'se', u'atreva', u'nadi', u'separ', u'hasta', u'que', u'ello', u'se', u'ridden', u'6', u'separ', u'y', u'lo', u'dema', u'estan', u'miranda', u'celebrandolo', u'6', u'riendos', u'la', u'muger', u'cuando', u'risen', u'se', u'estan', u'muy', u'asentada', u'palabra', u'ofensiva', u'hasta', u'que', u'la', u'una', u'echo', u'mano', u'deshacers', u'la', u'tienza', u'del', u'pelo', u'con', u'mucha', u'flea', u'lo', u'que', u'igualment', u'hace', u'la', u'otra', u'con', u'la', u'misma', u'continuando', u'en', u'lo', u'improperli', u'y', u'en', u'teniendo', u'abba', u'el', u'pelo', u'todo', u'suelto', u'se', u'lo', u'sadden', u'se', u'levant', u'y', u'se', u'arremeten', u'furiou', u'dndose', u'bueno', u'throne', u'de', u'el', u'en', u'que', u'se', u'quitan', u'una', u'otra', u'cuanto', u'pueden', u'sacer', u'enredado', u'en', u'la', u'ufia', u'y', u'la', u'dema', u'muger', u'y', u'hombr', u'se', u'la', u'estan', u'miranda', u'sin', u'que', u'se', u'atreva', u'nadi', u'separ', u'hasta', u'que', u'eua', u'mina', u'se', u'spartan', u'en', u'stand', u'canada', u'y', u'se', u'quean', u'tan', u'amiga', u'de', u'result', u'de', u'esto', u'como', u'si', u'nunc', u'hubiesen', u'renido', u'per', u'maneciendo', u'todo', u'aquel', u'dia', u'con', u'el', u'pelo', u'suelto', u'y', u'en', u'la', u'guerilla', u'pueden', u'cars', u'como', u'lo', u'hombr', u'coquett', u'ni', u'tirad', u'romper', u'el', u'vestido', u'sine', u'sola', u'ment', u'el', u'pelo', u'siendo', u'de', u'lo', u'contraria', u'corregidor', u'de', u'la', u'circumst', u'spectat', u'en', u'tempu', u'de', u'duelo', u'en', u'marcha', u'en', u'dia', u'de', u'mucho', u'viento', u'muchoo', u'frio', u'6', u'head', u'se', u'pinta', u'el', u'strode', u'negro', u'o', u'dorado', u'tanto', u'hombr', u'como', u'muger', u'para', u'que', u'se', u'le', u'cort', u'el', u'cuti', u'generalment', u'tienen', u'esto', u'indio', u'indol', u'muy', u'dulc', u'6', u'innoc', u'y', u'tomaron', u'tanto', u'afecto', u'y', u'trataron', u'con', u'tanta', u'senciuez', u'princip', u'el', u'caciqu', u'de', u'san', u'julian', u'que', u'si', u'hubieramo', u'tenido', u'caballo', u'basalt', u'pienso', u'quedaria', u'un', u'palm', u'de', u'aqueou', u'torrent', u'que', u'puiss', u'registrar', u'en', u'su', u'compaiiia', u'antonio', u'de', u'viedma', u'bueno', u'air', u'10', u'de', u'diciembr', u'de', u'1783', u'p2', u'124', u'appendix', u'14', u'extract', u'byron', u'narr', u'loss', u'wager', u'peopl', u'small', u'statur', u'veri', u'swarthi', u'long', u'black', u'coars', u'hair', u'hang', u'face', u'wa', u'evid', u'great', u'surpris', u'everi', u'part', u'behaviour', u'well', u'one', u'thing', u'possess', u'could', u'deriv', u'white', u'peopl', u'never', u'seen', u'cloth', u'wa', u'noth', u'bit', u'beast', u'skin', u'waist', u'someth', u'woven', u'feather', u'shoulder', u'utter', u'word', u'ani', u'languag', u'ever', u'heard', u'ani', u'method', u'make', u'themselv', u'understood', u'presid', u'could', u'intercours', u'vdth', u'european', u'savag', u'upon', u'departur', u'left', u'us', u'muscl', u'return', u'two', u'day', u'surpris', u'us', u'bring', u'three', u'sheep', u'thi', u'interview', u'barter', u'dog', u'two', u'roast', u'eat', u'one', u'walk', u'see', u'veri', u'larg', u'bird', u'prey', u'upon', u'emin', u'endeavour', u'come', u'upon', u'unperceiv', u'gun', u'mean', u'wood', u'lay', u'back', u'emin', u'proceed', u'far', u'wood', u'think', u'wa', u'line', u'heard', u'grow', u'close', u'made', u'think', u'advis', u'retir', u'soon', u'possibl', u'wood', u'gloomi', u'could', u'see', u'noth', u'retir', u'thi', u'nois', u'follow', u'close', u'till', u'got', u'men', u'assur', u'seen', u'veri', u'larg', u'beast', u'wood', u'descript', u'wa', u'imperfect', u'reli', u'upont', u'first', u'night', u'put', u'good', u'harbour', u'leagu', u'southward', u'wager', u'island', u'find', u'larg', u'bitch', u'big', u'puppi', u'regal', u'upon', u'thi', u'expedit', u'usual', u'bad', u'weather', u'break', u'sea', u'grown', u'height', u'third', u'day', u'obug', u'distress', u'push', u'first', u'inlet', u'saw', u'hand', u'thi', u'sooner', u'enter', u'present', u'view', u'fine', u'bay', u'secur', u'barg', u'went', u'ashor', u'weather', u'veri', u'raini', u'find', u'noth', u'subsist', u'upon', u'pitch', u'bell', u'tent', u'brought', u'us', u'wood', u'opposit', u'barg', u'lay', u'thi', u'tent', u'wa', u'larg', u'enough', u'contain', u'us', u'propos', u'nativ', u'guaianeco', u'island', u'show', u'puma', u'cross', u'arm', u'sea', u'r', u'f', u'appendix', u'125', u'four', u'peopl', u'go', u'end', u'bay', u'two', u'mile', u'distant', u'bell', u'tent', u'occupi', u'skeleton', u'old', u'indian', u'wigwam', u'discov', u'walk', u'way', u'upon', u'first', u'land', u'thi', u'cover', u'windward', u'seawe', u'light', u'fire', u'laid', u'ourselv', u'hope', u'find', u'remedi', u'hunger', u'sleep', u'long', u'compos', u'ourselv', u'befor', u'one', u'compani', u'wa', u'disturb', u'blow', u'anim', u'hi', u'face', u'upon', u'open', u'hi', u'eye', u'wa', u'littl', u'astonish', u'see', u'glimmer', u'fire', u'larg', u'beast', u'stand', u'presenc', u'mind', u'enough', u'snatch', u'brand', u'fire', u'wa', u'veri', u'low', u'thrust', u'nose', u'anim', u'thereupon', u'made', u'morn', u'nota', u'littl', u'anxiou', u'know', u'companion', u'fare', u'thi', u'anxieti', u'wa', u'increas', u'upon', u'om', u'trace', u'footstep', u'beast', u'sand', u'direct', u'toward', u'bell', u'tent', u'impress', u'wa', u'deep', u'plain', u'larg', u'round', u'foot', u'well', u'furnish', u'vnth', u'claw', u'upon', u'acquaint', u'peopl', u'tent', u'circumst', u'stori', u'found', u'visit', u'unwelcom', u'guest', u'driven', u'away', u'much', u'expedi', u'return', u'thi', u'cruis', u'strong', u'gale', u'wager', u'island', u'soon', u'discov', u'quarter', u'dog', u'hang', u'indian', u'brought', u'fresh', u'suppli', u'market', u'upon', u'inquiri', u'found', u'six', u'cano', u'among', u'method', u'take', u'fish', u'taught', u'dog', u'drive', u'fish', u'comer', u'pond', u'lake', u'whenc', u'easili', u'taken', u'skill', u'address', u'savag', u'upon', u'return', u'lagoon', u'fortun', u'kill', u'seal', u'boil', u'laid', u'boat', u'seastock', u'rang', u'alongshor', u'detach', u'parti', u'quest', u'thi', u'whatev', u'eatabl', u'might', u'come', u'way', u'oiu', u'surgeon', u'wa', u'discov', u'pretti', u'larg', u'hole', u'seem', u'lead', u'den', u'repositori', u'within', u'rock', u'wa', u'rude', u'natur', u'sign', u'clear', u'made', u'access', u'industri', u'surgeon', u'time', u'hesit', u'whether', u'ventur', u'hi', u'uncertainti', u'recept', u'might', u'meet', u'ani', u'inhabit', u'hi', u'curios', u'get', u'better', u'hi', u'fear', u'determin', u'go', u'upon', u'hi', u'hand', u'knee', u'holloway', u'sound', u'near', u'port', u'otway', u'appendix', u'passag', u'wa', u'low', u'enter', u'otherwis', u'proceed', u'consider', u'way', u'thu', u'arriv', u'spaciou', u'chamber', u'whether', u'hollow', u'hand', u'natur', u'could', u'posit', u'light', u'thi', u'chamber', u'wa', u'convey', u'hole', u'top', u'midst', u'wa', u'kind', u'bier', u'made', u'stick', u'laid', u'crossway', u'support', u'prop', u'five', u'feet', u'height', u'upon', u'thi', u'bier', u'five', u'six', u'bodi', u'extend', u'appear', u'deposit', u'long', u'time', u'suffer', u'decay', u'diminut', u'without', u'cover', u'flesh', u'bodi', u'wa', u'becom', u'perfectli', u'dri', u'hard', u'whether', u'done', u'ani', u'art', u'secret', u'savag', u'may', u'possess', u'occas', u'ani', u'dri', u'virtu', u'air', u'cave', u'could', u'guess', u'inde', u'surgeon', u'find', u'noth', u'eat', u'wa', u'chief', u'induc', u'hi', u'creep', u'hole', u'amus', u'long', u'disquisit', u'make', u'accur', u'examin', u'would', u'done', u'anoth', u'time', u'crawl', u'came', u'went', u'told', u'first', u'met', u'seen', u'curios', u'go', u'lilcevids', u'forgot', u'mention', u'wa', u'anoth', u'rang', u'bodi', u'deposit', u'manner', u'upon', u'anoth', u'platform', u'bier', u'probabl', u'thi', u'wa', u'burialplac', u'great', u'men', u'call', u'caciqu', u'whenc', u'could', u'brought', u'utterli', u'loss', u'conceiv', u'trace', u'ani', u'indian', u'settlement', u'hereabout', u'lead', u'seen', u'savag', u'sinc', u'left', u'island', u'observ', u'ani', u'mark', u'cove', u'bay', u'northward', u'touch', u'lireplac', u'old', u'wigwam', u'never', u'fail', u'leav', u'behind', u'veri', u'probabl', u'violent', u'sea', u'alway', u'beat', u'upon', u'thi', u'coast', u'deform', u'aspect', u'veri', u'swampi', u'soil', u'everi', u'border', u'upon', u'littl', u'frequent', u'day', u'return', u'mysteri', u'nail', u'hut', u'indian', u'upon', u'island', u'absenc', u'wa', u'partli', u'explain', u'us', u'fifteenth', u'day', u'came', u'parti', u'indian', u'island', u'two', u'cano', u'littl', u'surpris', u'find', u'us', u'among', u'wa', u'indian', u'tribe', u'hono', u'live', u'neighbourhood', u'chilo', u'talk', u'spanish', u'languag', u'savag', u'accent', u'render', u'almost', u'unintellig', u'ani', u'adept', u'languag', u'wa', u'likewis', u'caciqu', u'appendix', u'1s7', u'lead', u'man', u'hi', u'tribe', u'author', u'wa', u'confirm', u'spaniard', u'carri', u'usual', u'badg', u'mark', u'distinct', u'spaniard', u'depend', u'hold', u'militari', u'civil', u'employ', u'stick', u'silver', u'head', u'thi', u'report', u'shipwreck', u'suppos', u'reach', u'hono', u'mean', u'intermedi', u'tribe', u'hand', u'sone', u'anoth', u'indian', u'visit', u'us', u'thi', u'caciqu', u'wa', u'neither', u'sent', u'learn', u'truth', u'rumour', u'first', u'got', u'intellig', u'set', u'view', u'make', u'advantag', u'wreck', u'understood', u'necess', u'two', u'women', u'talk', u'togeth', u'littl', u'time', u'get', u'went', u'take', u'coupl', u'dog', u'train', u'assist', u'fish', u'hour', u'absenc', u'came', u'trembl', u'cold', u'hair', u'stream', u'yith', u'water', u'brought', u'two', u'wish', u'broil', u'gave', u'largest', u'share', u'laid', u'befor', u'rest', u'rove', u'time', u'women', u'gain', u'requir', u'water', u'wa', u'eight', u'ten', u'fathom', u'deep', u'lay', u'upon', u'oar', u'youngest', u'two', u'women', u'talk', u'basket', u'mouth', u'jump', u'overboard', u'dive', u'bottom', u'continu', u'water', u'amaz', u'time', u'fill', u'basket', u'seaegg', u'came', u'boatsid', u'deliv', u'fill', u'women', u'boat', u'took', u'content', u'return', u'diver', u'taken', u'short', u'time', u'breath', u'went', u'dora', u'success', u'sever', u'time', u'space', u'half', u'hour', u'seem', u'provid', u'endu', u'thi', u'peopl', u'kind', u'amphibi', u'natur', u'sea', u'onli', u'sourc', u'whenc', u'almost', u'subsist', u'deriv', u'thi', u'element', u'veri', u'boister', u'fall', u'heavi', u'surf', u'upon', u'rug', u'coast', u'veri', u'littl', u'except', u'seal', u'got', u'ani', u'quiet', u'bosom', u'deep', u'occas', u'thi', u'reflect', u'earli', u'propens', u'frequent', u'observ', u'children', u'savag', u'thi', u'occup', u'even', u'age', u'three', u'year', u'might', u'seen', u'crawl', u'upon', u'hand', u'line', u'among', u'rock', u'128', u'appendix', u'breaker', u'would', u'tumbl', u'themselv', u'sea', u'without', u'regard', u'cold', u'often', u'intens', u'show', u'fear', u'nois', u'roar', u'surf', u'water', u'wa', u'thi', u'time', u'extrem', u'cold', u'diver', u'got', u'boat', u'seem', u'greatli', u'benumb', u'usual', u'thi', u'exercis', u'near', u'enough', u'wigwam', u'run', u'fire', u'present', u'one', u'side', u'rub', u'chafe', u'time', u'turn', u'use', u'manner', u'till', u'circul', u'blood', u'restor', u'thi', u'practic', u'ha', u'wors', u'effect', u'must', u'occas', u'suscept', u'impress', u'cold', u'wait', u'gradual', u'advanc', u'natur', u'warmth', u'open', u'air', u'leav', u'decis', u'gentlemen', u'faculti', u'whether', u'thi', u'hasti', u'approach', u'fire', u'may', u'subject', u'disord', u'observ', u'among', u'call', u'elephantiasi', u'swell', u'leg', u'diver', u'return', u'boat', u'continu', u'row', u'tiu', u'toward', u'even', u'land', u'upon', u'low', u'point', u'soon', u'cano', u'haul', u'employ', u'themselv', u'erect', u'wigwam', u'despatch', u'great', u'address', u'quick', u'still', u'enjoy', u'protect', u'two', u'good', u'indian', u'women', u'made', u'guest', u'befor', u'first', u'regal', u'seaegg', u'went', u'upon', u'anoth', u'kind', u'fisheri', u'mean', u'dog', u'net', u'dog', u'curuk', u'look', u'anim', u'veri', u'sagaci', u'easili', u'train', u'thi', u'busi', u'though', u'appear', u'uncomfort', u'sort', u'sport', u'yet', u'engag', u'readili', u'seem', u'enjoy', u'much', u'express', u'eager', u'bark', u'everi', u'time', u'rais', u'head', u'abov', u'water', u'breath', u'net', u'held', u'two', u'indian', u'get', u'water', u'dog', u'talk', u'larg', u'compass', u'dive', u'fish', u'drive', u'net', u'onli', u'particular', u'place', u'fish', u'taken', u'thi', u'manner', u'understood', u'two', u'indian', u'women', u'sojourn', u'wive', u'thi', u'chieftain', u'though', u'one', u'wa', u'young', u'enough', u'hi', u'daughter', u'far', u'could', u'learn', u'realli', u'stand', u'differ', u'relat', u'daughter', u'vdfe', u'wa', u'easi', u'perceiv', u'au', u'go', u'well', u'thi', u'time', u'either', u'wa', u'satisfi', u'answer', u'return', u'appendix', u'129', u'hi', u'question', u'suspect', u'misconduct', u'side', u'present', u'break', u'savag', u'furi', u'took', u'young', u'one', u'hi', u'arm', u'threw', u'violenc', u'stone', u'hi', u'brutal', u'resent', u'stop', u'beat', u'afterward', u'cruel', u'manner', u'could', u'see', u'thi', u'treatment', u'benefactress', u'without', u'highest', u'concern', u'rage', u'author', u'especi', u'natur', u'jealousi', u'peopl', u'gave', u'occas', u'think', u'wa', u'account', u'suffer', u'could', u'hardli', u'suppress', u'first', u'emot', u'resent', u'prompt', u'return', u'hi', u'barbar', u'hi', u'kind', u'besid', u'thi', u'might', u'drawn', u'upon', u'fresh', u'mark', u'hi', u'sever', u'wa', u'neither', u'poetic', u'inde', u'power', u'done', u'ani', u'good', u'purpos', u'thi', u'time', u'untoward', u'circumst', u'found', u'relief', u'arriv', u'indian', u'wait', u'brought', u'seal', u'small', u'portion', u'feu', u'share', u'night', u'two', u'sifter', u'sent', u'young', u'men', u'procur', u'us', u'quantiti', u'veri', u'delic', u'kind', u'bird', u'call', u'shag', u'cormor', u'manner', u'take', u'bird', u'resembl', u'someth', u'sport', u'call', u'batfowl', u'find', u'haunt', u'among', u'rock', u'cliff', u'night', u'take', u'torch', u'made', u'bark', u'birch', u'tree', u'common', u'grow', u'veri', u'larg', u'size', u'thi', u'bark', u'ha', u'veri', u'unctuou', u'qualiti', u'emit', u'bright', u'clear', u'light', u'northern', u'part', u'america', u'use', u'frequent', u'instead', u'candl', u'bring', u'boat', u'side', u'near', u'possibl', u'rock', u'roost', u'place', u'bird', u'wave', u'hght', u'backward', u'forward', u'bird', u'dazzl', u'confound', u'fall', u'cano', u'instantli', u'mock', u'head', u'short', u'stick', u'indian', u'take', u'purpos', u'seal', u'taken', u'less', u'frequent', u'part', u'coast', u'great', u'eas', u'haunt', u'two', u'three', u'time', u'disturb', u'soon', u'learn', u'provid', u'safeti', u'repair', u'water', u'upon', u'first', u'alarm', u'thi', u'case', u'hereabout', u'frequent', u'rais', u'head', u'abov', u'water', u'either', u'breath', u'look', u'seen', u'indian', u'thi', u'interv', u'throw', u'hi', u'lanc', u'dexter', u'strike', u'anim', u'eye', u'great', u'distanc', u'veri', u'seldom', u'miss', u'aim', u'130', u'appendix', u'indian', u'middl', u'statur', u'well', u'set', u'veri', u'activ', u'make', u'way', u'among', u'rock', u'amaz', u'agil', u'feet', u'thi', u'kind', u'exercis', u'contract', u'callos', u'render', u'use', u'shoe', u'quit', u'unnecessari', u'befor', u'conclud', u'observ', u'make', u'peopl', u'confin', u'notion', u'practic', u'may', u'expect', u'say', u'someth', u'religion', u'gross', u'ignor', u'noth', u'conspicu', u'foimd', u'advis', u'keep', u'way', u'fit', u'devot', u'came', u'upon', u'rather', u'frantic', u'religi', u'reader', u'expect', u'veri', u'littl', u'satisfact', u'thi', u'head', u'accid', u'ha', u'sometim', u'made', u'unavoid', u'spectat', u'scene', u'chosen', u'withdrawn', u'far', u'instruct', u'fix', u'season', u'religi', u'exercis', u'younger', u'peopl', u'wait', u'till', u'elder', u'find', u'themselv', u'devoutli', u'dispos', u'begin', u'ceremoni', u'sever', u'deep', u'dismal', u'groan', u'rise', u'gradual', u'hideou', u'kind', u'sing', u'proceed', u'enthusiasm', u'work', u'themselv', u'disposit', u'border', u'mad', u'suddenli', u'jump', u'snatch', u'fire', u'brand', u'fire', u'put', u'mouth', u'run', u'burn', u'everi', u'bodi', u'come', u'near', u'time', u'custom', u'wound', u'one', u'anoth', u'sharp', u'muscleshel', u'till', u'besmear', u'blood', u'orgi', u'continu', u'till', u'presid', u'foam', u'mouth', u'grow', u'faint', u'exhaust', u'fatigu', u'dissolv', u'profus', u'sweat', u'men', u'drop', u'part', u'thi', u'frenzi', u'women', u'take', u'act', u'much', u'kind', u'wild', u'scene', u'except', u'rather', u'outdo', u'men', u'shriek', u'nois', u'caciqu', u'reclaim', u'abomin', u'spaniard', u'knew', u'exterior', u'form', u'cross', u'pretend', u'much', u'offend', u'profan', u'ceremoni', u'would', u'die', u'sooner', u'partaken', u'among', u'express', u'hi', u'disapprob', u'declar', u'whilst', u'savag', u'solemn', u'horrid', u'rite', u'never', u'fail', u'hear', u'strang', u'uncommon', u'nois', u'wood', u'see', u'fright', u'vision', u'assur', u'us', u'devil', u'wa', u'chief', u'actor', u'among', u'occas', u'must', u'relat', u'anecdot', u'ovu', u'nomin', u'christian', u'caciqu', u'hi', u'wife', u'gone', u'distanc', u'shore', u'cano', u'dive', u'seaegg', u'meet', u'appendix', u'great', u'success', u'return', u'good', u'deal', u'humour', u'littl', u'boy', u'three', u'year', u'old', u'appear', u'coaxingli', u'fond', u'watch', u'hi', u'father', u'mother', u'return', u'ran', u'surf', u'meet', u'father', u'hand', u'basket', u'egg', u'child', u'heavi', u'carri', u'let', u'fall', u'upon', u'father', u'jump', u'cano', u'catch', u'boy', u'hi', u'arm', u'dash', u'utmost', u'violenc', u'stone', u'poor', u'littl', u'creatur', u'lay', u'motionless', u'bleed', u'condit', u'wa', u'taken', u'mother', u'die', u'soon', u'appear', u'inconsol', u'time', u'brute', u'hi', u'father', u'shew', u'littl', u'concern', u'first', u'thing', u'indian', u'mong', u'wa', u'take', u'cano', u'piec', u'inform', u'reader', u'itwiu', u'necessari', u'describ', u'structur', u'boat', u'extrem', u'well', u'calcul', u'use', u'indian', u'frequent', u'oblig', u'carri', u'overland', u'long', u'way', u'togeth', u'thick', u'wood', u'avoid', u'doubl', u'cape', u'headland', u'sea', u'open', u'boat', u'could', u'hive', u'gener', u'consist', u'five', u'piec', u'plank', u'one', u'bottom', u'two', u'side', u'peopl', u'iron', u'tool', u'labour', u'must', u'great', u'hack', u'singl', u'plank', u'larg', u'tree', u'shell', u'flint', u'though', u'help', u'fire', u'along', u'edg', u'plank', u'made', u'small', u'hole', u'inch', u'one', u'sew', u'togeth', u'supplejack', u'woodbin', u'hole', u'fill', u'substanc', u'woodbin', u'boat', u'would', u'immedi', u'full', u'water', u'method', u'prevent', u'thi', u'veri', u'effectu', u'bark', u'tree', u'first', u'steep', u'water', u'time', u'beat', u'two', u'stone', u'till', u'answer', u'use', u'oakum', u'chines', u'hole', u'well', u'admit', u'least', u'water', u'come', u'easili', u'taken', u'asund', u'put', u'togeth', u'occas', u'go', u'overland', u'thi', u'time', u'man', u'woman', u'carri', u'plank', u'wherea', u'would', u'imposs', u'drag', u'heavi', u'boat', u'entir', u'quit', u'worn', u'dth', u'fatigu', u'soon', u'feu', u'asleep', u'awak', u'befor', u'day', u'thought', u'heard', u'voic', u'great', u'distanc', u'day', u'appear', u'look', u'wood', u'per', u'132', u'appendix', u'civet', u'wigwam', u'immedi', u'made', u'toward', u'recept', u'met', u'wa', u'agreeabl', u'stoop', u'get', u'present', u'receiv', u'two', u'three', u'lack', u'face', u'time', u'heard', u'sound', u'voic', u'seemingli', u'anger', u'made', u'retir', u'wait', u'foot', u'tree', u'remain', u'till', u'old', u'woman', u'peep', u'made', u'sign', u'draw', u'near', u'obey', u'veri', u'readi', u'went', u'wigwam', u'three', u'men', u'two', u'women', u'one', u'young', u'man', u'seem', u'great', u'respect', u'shewn', u'rest', u'though', u'wa', u'miser', u'object', u'ever', u'saw', u'wa', u'perfect', u'skeleton', u'cover', u'sore', u'head', u'foot', u'wa', u'happi', u'sit', u'moment', u'fire', u'wa', u'quit', u'benumb', u'cold', u'old', u'woman', u'took', u'piec', u'seal', u'hold', u'one', u'part', u'feet', u'end', u'teeth', u'cut', u'thin', u'slice', u'sharp', u'shell', u'distribut', u'indian', u'put', u'bit', u'fire', u'take', u'piec', u'fat', u'mouth', u'kept', u'chew', u'everi', u'spirt', u'piec', u'wa', u'warm', u'upon', u'fire', u'never', u'vnth', u'warm', u'wa', u'readi', u'gave', u'littl', u'bit', u'swallow', u'whole', u'almost', u'starv', u'indian', u'stranger', u'know', u'way', u'go', u'inde', u'wa', u'becom', u'quit', u'indiffer', u'way', u'went', u'whether', u'northward', u'southward', u'would', u'take', u'give', u'someth', u'eat', u'howev', u'make', u'comprehend', u'point', u'first', u'southward', u'lake', u'soon', u'understood', u'go', u'northward', u'went', u'togeth', u'except', u'sick', u'indian', u'took', u'plank', u'cano', u'lay', u'near', u'wigwam', u'carri', u'upon', u'beach', u'present', u'put', u'togeth', u'get', u'everyth', u'put', u'oar', u'row', u'across', u'lake', u'mouth', u'veri', u'rapid', u'river', u'wheie', u'put', u'ashor', u'night', u'dare', u'get', u'ani', u'way', u'dark', u'requir', u'greatest', u'skill', u'even', u'day', u'avoid', u'run', u'foul', u'stump', u'root', u'tree', u'thi', u'river', u'wa', u'fuu', u'pass', u'melancholi', u'night', u'would', u'suffer', u'come', u'near', u'wigwam', u'made', u'give', u'least', u'bit', u'ani', u'one', u'thing', u'eat', u'sinc', u'embark', u'morn', u'set', u'weather', u'prove', u'extrem', u'bad', u'whole', u'day', u'march', u'april', u'begin', u'autumn', u'carlo', u'de', u'person', u'r', u'f', u'appendix', u'miss', u'went', u'river', u'amaz', u'rate', u'befor', u'night', u'put', u'ashor', u'upon', u'stoni', u'beach', u'haul', u'cano', u'disappear', u'moment', u'wa', u'left', u'quit', u'alon', u'rain', u'violent', u'wa', u'veri', u'dark', u'thought', u'wa', u'well', u'ue', u'upon', u'beach', u'half', u'side', u'water', u'get', u'swamp', u'drop', u'tree', u'thi', u'dismal', u'situat', u'fell', u'asleep', u'awak', u'three', u'four', u'hour', u'agoni', u'cramp', u'thought', u'must', u'die', u'upon', u'spot', u'attempt', u'sever', u'time', u'rais', u'upon', u'leg', u'could', u'last', u'made', u'shift', u'get', u'upon', u'knee', u'look', u'toward', u'wood', u'saw', u'great', u'fire', u'distanc', u'wa', u'long', u'time', u'crawl', u'reach', u'threw', u'almost', u'hope', u'find', u'relief', u'pain', u'suffer', u'thi', u'intrus', u'gave', u'great', u'offenc', u'indian', u'immedi', u'got', u'kick', u'beat', u'till', u'drove', u'distanc', u'howev', u'contriv', u'littl', u'place', u'receiv', u'warmth', u'got', u'rid', u'cramp', u'morn', u'left', u'thi', u'place', u'soon', u'river', u'sea', u'indian', u'intend', u'put', u'ashor', u'first', u'conveni', u'place', u'look', u'shefish', u'stock', u'provis', u'quit', u'exhaust', u'time', u'low', u'water', u'land', u'upon', u'spot', u'seem', u'promis', u'well', u'found', u'plenti', u'limpet', u'though', u'thi', u'time', u'starv', u'attempt', u'eat', u'one', u'lest', u'lose', u'moment', u'gather', u'know', u'soon', u'indian', u'might', u'go', u'almost', u'fill', u'hat', u'saw', u'return', u'cano', u'made', u'hast', u'coidd', u'believ', u'would', u'made', u'conscienc', u'leav', u'behind', u'sat', u'oar', u'place', u'hat', u'close', u'everi', u'eat', u'hmpet', u'indian', u'employ', u'way', u'one', u'see', u'throw', u'shell', u'overboard', u'spoke', u'rest', u'violent', u'passion', u'get', u'fell', u'upon', u'seiz', u'old', u'rag', u'handkerchief', u'neck', u'almost', u'throttl', u'whilst', u'anoth', u'took', u'leg', u'wa', u'go', u'throw', u'overboard', u'old', u'woman', u'prevent', u'wa', u'au', u'thi', u'time', u'entir', u'ignor', u'mean', u'given', u'offenc', u'till', u'observ', u'indian', u'eat', u'limpet', u'care', u'put', u'shell', u'heap', u'bottom', u'cano', u'conclud', u'wa', u'superstit', u'throw', u'shell', u'sea', u'ignor', u'134', u'appendix', u'veri', u'nearli', u'cost', u'life', u'wa', u'resolv', u'eat', u'limpet', u'till', u'land', u'time', u'upon', u'island', u'took', u'notic', u'indian', u'brought', u'au', u'shell', u'ashor', u'laid', u'abov', u'highwat', u'mark', u'wa', u'go', u'eat', u'larg', u'bunch', u'berri', u'gather', u'tree', u'look', u'veri', u'tempt', u'one', u'indian', u'snatch', u'hand', u'threw', u'away', u'make', u'understand', u'poison', u'thu', u'probabl', u'peopl', u'save', u'life', u'hour', u'befor', u'go', u'take', u'throw', u'away', u'shell', u'one', u'day', u'fell', u'forti', u'indian', u'came', u'beach', u'land', u'curious', u'paint', u'caciqu', u'seem', u'understand', u'littl', u'languag', u'sound', u'us', u'veri', u'differ', u'heard', u'befor', u'howev', u'made', u'us', u'comprehend', u'ship', u'upon', u'coast', u'far', u'red', u'flag', u'thi', u'understood', u'time', u'anna', u'pink', u'whose', u'adventur', u'particularli', u'relat', u'lord', u'anson', u'voyag', u'pass', u'veri', u'harbour', u'lain', u'inst', u'probabl', u'neighbourhood', u'ester', u'de', u'aysen', u'lat', u'45', u'r', u'f', u'harbour', u'within', u'twenti', u'mile', u'suppos', u'r', u'f', u'v', u'appendix', u'15', u'follow', u'fragment', u'vocabulari', u'vowel', u'sound', u'english', u'syllabl', u'bah', u'bat', u'eel', u'bet', u'bit', u'top', u'rule', u'hay', u'conson', u'english', u'give', u'kh', u'veri', u'guttur', u'sound', u'one', u'fuegian', u'express', u'someth', u'lili', u'cluck', u'hen', u'scarc', u'repres', u'letter', u'mean', u'fragment', u'vocabulari', u'alikhoolip', u'tekeenica', u'languag', u'also', u'word', u'spoken', u'patacoklin', u'tehuelhet', u'hono', u'indian', u'english', u'alikhoolip', u'tekeenica', u'york', u'minster', u'nana', u'elleparu', u'jemmi', u'button', u'name', u'orfindemco', u'fuegia', u'basket', u'name', u'yokcushla', u'ankl', u'aciillab', u'tuppalla', u'arm', u'toquimb', u'ermin', u'arm', u'fore', u'yiiccaba', u'dowela', u'arrow', u'annaqua', u'teach', u'bead', u'necklac', u'aconash', u'back', u'tuccalerkhit', u'ammiickti', u'bark', u'dog', u'stueksta', u'woona', u'basket', u'kaekhuorkliak', u'kaekhem', u'kiish', u'bead', u'caecol', u'ahklijnna', u'belli', u'kuppudd', u'birch', u'appl', u'afishkha', u'bard', u'littl', u'towqua', u'beagl', u'bite', u'eckhantsh', u'etaum', u'black', u'feal', u'blood', u'shiibba', u'shiibba', u'babi', u'co', u'boat', u'athl', u'watch', u'bone', u'oshkia', u'ahtush', u'bow', u'kereccana', u'whyanna', u'boy', u'ailwalkh', u'yar', u'anna', u'appendix', u'english', u'alikhoolip', u'tekeenica', u'break', u'ficcan', u'iittergushu', u'brother', u'arr', u'marcu', u'yumertel', u'children', u'patet', u'markham', u'catch', u'ca', u'titta', u'chain', u'paru', u'chest', u'jabfshaciinn', u'cuppiinea', u'child', u'patet', u'markham', u'chin', u'ufca', u'wonn', u'cloud', u'tullu', u'cold', u'ktshash', u'iiccow', u'cheek', u'clitkhopca', u'chesla', u'come', u'yamaschuna', u'come', u'habrelua', u'ahe', u'cri', u'yelkesta', u'iirra', u'cut', u'ciippa', u'atkliekiim', u'cough', u'yilkea', u'gutta', u'day', u'unequ', u'dead', u'wtllacarwona', u'death', u'apalna', u'die', u'vvillacarwona', u'sppanna', u'spatnjl', u'dive', u'sko', u'dog', u'sliilok', u'shilak', u'eashiilla', u'drink', u'afkhella', u'iiria', u'duck', u'yeketp', u'mahe', u'duckl', u'wen', u'ear', u'teldil', u'ufkhea', u'earth', u'barb', u'ann', u'east', u'yulba', u'yahciif', u'egg', u'itthl', u'perch', u'eight', u'yulcaram', u'elbow', u'yock', u'dowtlla', u'eat', u'lufftsh', u'attema', u'ettiima', u'eye', u'telkh', u'della', u'eyebrow', u'tethliu', u'utkhella', u'fireston', u'catliow', u'fall', u'ahlash', u'liipa', u'fat', u'qfki', u'tiitfla', u'father', u'chaiil', u'aymo', u'feather', u'irish', u'oltuku', u'fright', u'uthleth', u'cheyn', u'fist', u'iifsheba', u'iikk', u'appendix', u'english', u'alikhoolip', u'tekeenica', u'fire', u'tettal', u'piishahk', u'poshaki', u'five', u'cupaspa', u'fish', u'appiiwn', u'puff', u'appurma', u'small', u'fish', u'fish', u'kerriksta', u'appiirma', u'fli', u'ahlash', u'miirra', u'flower', u'yiksta', u'aneaca', u'fli', u'tomattola', u'foot', u'ciitltculcul', u'eoeea', u'forehead', u'telch', u'oshcarsh', u'four', u'tnadaba', u'cargo', u'fresh', u'water', u'sheama', u'sham', u'girl', u'anna', u'arimathea', u'guanaco', u'harmaiir', u'armada', u'go', u'away', u'lisha', u'khatdrtsh', u'good', u'lytp', u'gown', u'uckwul', u'arch', u'grass', u'kittar', u'hianamba', u'grey', u'owkush', u'greas', u'ktn', u'june', u'grandmoth', u'caushilksh', u'ghuluonna', u'grandfath', u'cornish', u'cafiwtsh', u'ghuluvvan', u'grand', u'daughter', u'yarriikepa', u'grass', u'shall', u'hair', u'ayu', u'oshta', u'hand', u'yuccaba', u'marpo', u'head', u'ofchocka', u'lukab', u'hear', u'telltsh', u'miirra', u'heavi', u'pahciil', u'hahshu', u'hummingbird', u'amowara', u'iittush', u'hip', u'colkhist', u'washnii', u'hog', u'tethl', u'hot', u'ketkhtk', u'lickhula', u'hous', u'hut', u'ukhral', u'hut', u'ait', u'iicka', u'husband', u'arrtk', u'dug', u'ice', u'atkhurska', u'ye', u'ate', u'jump', u'ahculu', u'kelp', u'utcha', u'kill', u'ttftucla', u'iittul', u'knee', u'tiildul', u'tidlapua', u'knife', u'altar', u'aftaiia', u'tetlow', u'teciewel', u'knuckl', u'ahtelishab', u'rash', u'land', u'champ', u'osh', u'appendix', u'english', u'alikhoolip', u'tekeenica', u'larg', u'ovvquel', u'oolu', u'laugh', u'feayl', u'tushca', u'leaf', u'fall', u'oosh', u'lean', u'seal', u'tildum', u'iindiippa', u'leg', u'cut', u'hieta', u'littl', u'ylcoat', u'yucca', u'look', u'iirruksi', u'man', u'vir', u'acktntsh', u'oha', u'mani', u'men', u'acklitnesh', u'owe', u'man', u'old', u'kerowksh', u'ciittsa', u'moon', u'conakho', u'ansco', u'moon', u'cuunequa', u'hanniika', u'moon', u'full', u'owquel', u'bulrush', u'moon', u'new', u'yecot', u'tuqutl', u'moon', u'set', u'iko', u'cay', u'moon', u'rise', u'harsh', u'harsh', u'morn', u'ushqual', u'ilqualef', u'mala', u'mother', u'chap', u'dahb', u'mouth', u'riffear', u'yeak', u'nail', u'finger', u'eshciil', u'giilmf', u'neck', u'chahfikha', u'yare', u'night', u'yullupr', u'jowleba', u'ucciish', u'nine', u'yiirtoba', u'quittuk', u'barb', u'north', u'yaow', u'uffahu', u'nose', u'noel', u'ciishush', u'oar', u'man', u'wyic', u'cinna', u'oar', u'woman', u'worrtc', u'app', u'one', u'towqumow', u'ocoal', u'owl', u'tilkibbol', u'lufquea', u'otter', u'hippo', u'hippo', u'owl', u'horn', u'shlptshi', u'yaputella', u'pain', u'ahf', u'iimmaya', u'porpois', u'showannik', u'shswanntk', u'rain', u'cappocabsh', u'abquabsh', u'jiibbasha', u'wert', u'rope', u'shucm', u'cufyenn', u'run', u'calash', u'dahdu', u'rush', u'mump', u'sail', u'ahnayr', u'made', u'sealskin', u'salt', u'water', u'chaiivash', u'shema', u'sheama', u'sand', u'print', u'appendix', u'english', u'alikhoolip', u'tekeenica', u'sea', u'chahbiicl', u'hayeca', u'seal', u'affeilo', u'afafi', u'diippa', u'sea', u'shore', u'wan', u'n', u'lie', u'winnygata', u'seawe', u'utcha', u'seven', u'liowcasta', u'carntsh', u'tershotn', u'shore', u'wanniic', u'wmnegayta', u'shoulder', u'chok', u'ahkeka', u'sick', u'yauhol', u'oma', u'omey', u'side', u'uesharfiqiia', u'iicshansiqua', u'sit', u'shucka', u'mutu', u'sister', u'cholic', u'way', u'kippa', u'six', u'curaua', u'skin', u'uccolayk', u'appiilla', u'sky', u'accuba', u'howucca', u'sleep', u'kaykeol', u'khakhon', u'lick', u'asia', u'sling', u'shennekay', u'wattowa', u'small', u'shoe', u'smell', u'iicsh', u'arv', u'smoke', u'tellick', u'telkhasli', u'ushc6', u'chat', u'snow', u'asho', u'sppiinaca', u'son', u'papal', u'marri', u'south', u'uccsay', u'ahn', u'spear', u'ihlca', u'f', u'ishca', u'away', u'ea', u'6vay', u'ea', u'spear', u'handl', u'air', u'speak', u'yacafta', u'auruosh', u'spung', u'allufsh', u'stand', u'arco', u'summari', u'star', u'quounasli', u'conash', u'apperntsh', u'straw', u'goshen', u'stone', u'kehtla6', u'cathow', u'owey', u'sun', u'lum', u'lum', u'sunris', u'ahlacurrtc', u'cardiac', u'sunset', u'ash', u'coshu', u'sunshin', u'lum', u'alla', u'lum', u'push', u'swim', u'itmpi', u'calg', u'teeth', u'caiiwash', u'carltsh', u'tuun', u'thigh', u'cutlaba', u'liickha', u'three', u'cupeb', u'mutta', u'thumb', u'ushciiccun', u'iishciiggen', u'thunder', u'cayru', u'kektka', u'tire', u'ftchla', u'gush', u'q2', u'appendix', u'english', u'alikhoolip', u'tekeenica', u'tongu', u'luckin', u'hun', u'tree', u'eariicka', u'kafsha', u'wuuriish', u'two', u'telkeow', u'combab', u'vessel', u'aun', u'alla', u'vultur', u'ahcflrrtga', u'walk', u'ash', u'cardlk', u'water', u'chauash', u'shame', u'west', u'uthquald', u'iippahush', u'whistl', u'ufshexca', u'liffey', u'white', u'aktfca', u'wife', u'ashwalliik', u'toucu', u'wind', u'hiirruquash', u'wuriip', u'woman', u'atlarabtshoracklanash', u'kept', u'sheepish', u'wood', u'iifsha', u'ahschtf', u'orospatash', u'wrist', u'accallaba', u'tiippulla', u'ye', u'o', u'ca', u'fuegian', u'word', u'similar', u'correspond', u'huillich', u'term', u'english', u'fuegian', u'huillich', u'belli', u'kiippud', u'pray', u'bone', u'oshkia', u'vo', u'vero', u'cold', u'uccow', u'chosay', u'day', u'anoqu', u'ant', u'anguish', u'fire', u'tettal', u'ktal', u'cutal', u'hand', u'yiiccaba', u'cough', u'cuu', u'moon', u'cuunequa', u'cuyen', u'moon', u'new', u'tuqutl', u'chum', u'cuyen', u'saltwat', u'chauash', u'sheama', u'chase', u'cadico', u'sea', u'chahljuel', u'hayeea', u'lavquem', u'sun', u'bright', u'light', u'lum', u'16m', u'ant', u'pelion', u'outshin', u'lumulmen', u'word', u'thi', u'column', u'taken', u'molina', u'compar', u'falkner', u'fibr', u'appendix', u'english', u'patagonian', u'anoth', u'sark', u'axe', u'ptkel', u'ptckel', u'band', u'worn', u'round', u'hair', u'cochin', u'barberri', u'calga', u'boat', u'ta', u'line', u'carro', u'ball', u'two', u'somsi', u'somst', u'ball', u'three', u'achtc', u'boot', u'choca', u'bridl', u'sumo', u'cloth', u'verona', u'comb', u'made', u'coars', u'dri', u'grass', u'par', u'chin', u'dog', u'watch', u'wauchtn', u'wachtn', u'fire', u'se', u'ak', u'ze', u'ak', u'give', u'ey', u'nt', u'lot', u'giianaco', u'co', u'go', u'away', u'ailro', u'word', u'chain', u'hors', u'calgo', u'knife', u'patka', u'knife', u'small', u'papa', u'mantl', u'chortllto', u'cattam', u'meat', u'seypra', u'zeypra', u'come', u'ostrich', u'mashior', u'pole', u'ask', u'put', u'cae', u'ship', u'carri', u'sinew', u'ostrich', u'use', u'sew', u'mantl', u'c', u'illoyu', u'skunk', u'siirrena', u'slave', u'apollo', u'spur', u'ta', u'sword', u'cuchillo', u'tent', u'cow', u'cau', u'toldo', u'water', u'la', u'wood', u'care', u'ye', u'thai', u'particular', u'root', u'eaten', u'food', u'thi', u'anoth', u'similar', u'root', u'chalk', u'appendix', u'english', u'patagonian', u'arbutu', u'cranberri', u'barberri', u'drink', u'made', u'amatori', u'pileco', u'licon', u'english', u'chono', u'good', u'deiti', u'bad', u'spirit', u'white', u'men', u'moon', u'yerrt', u'yiipon', u'baccyma', u'cuba', u'16', u'remark', u'structur', u'fuegian', u'gener', u'form', u'fuegian', u'peculiar', u'head', u'bodi', u'particularli', u'larg', u'extrem', u'unusu', u'small', u'feet', u'broad', u'though', u'short', u'thi', u'peculiar', u'doubt', u'owe', u'mode', u'life', u'peopl', u'take', u'littl', u'exercis', u'sit', u'constantli', u'huddl', u'togeth', u'cano', u'wigwam', u'blood', u'sourc', u'nourish', u'onli', u'circul', u'freeli', u'must', u'greater', u'quantiti', u'head', u'trunk', u'obstruct', u'passag', u'limb', u'owe', u'bent', u'posit', u'caus', u'want', u'exercis', u'thi', u'form', u'esquimaux', u'lapland', u'man', u'examin', u'wa', u'middl', u'size', u'five', u'feet', u'seven', u'inch', u'hi', u'muscular', u'power', u'medium', u'circumfer', u'ft', u'thorax', u'3', u'1', u'abdomen', u'2', u'7', u'pelvi', u'2', u'5', u'thigh', u'1', u'10', u'calf', u'leg', u'1', u'arm', u'1', u'forearm', u'11', u'length', u'head', u'chin', u'upward', u'9', u'length', u'bodi', u'symphysi', u'pubi', u'top', u'sternum', u'2', u'length', u'thigh', u'17', u'length', u'leg', u'arm', u'forearm', u'hand', u'spine', u'sternum', u'extern', u'intern', u'breadth', u'thorax', u'hypochondriac', u'region', u'pelvi', u'superior', u'spinou', u'process', u'ft', u'ii', u'alpendix', u'343', u'consid', u'thi', u'man', u'wa', u'averag', u'statur', u'fuegian', u'gener', u'short', u'broad', u'fuegian', u'like', u'cetac', u'anim', u'circul', u'red', u'blood', u'cold', u'medium', u'ha', u'hi', u'cover', u'admir', u'nonconductor', u'heat', u'corpu', u'adipos', u'envelop', u'bodi', u'preserv', u'temperatur', u'necessari', u'continu', u'vital', u'function', u'circul', u'fluid', u'thi', u'individu', u'wa', u'particularli', u'thick', u'abdomen', u'dorsum', u'hip', u'form', u'perfect', u'cushion', u'file', u'interstic', u'muscl', u'gener', u'unlik', u'limb', u'porter', u'smith', u'athlet', u'europ', u'form', u'size', u'muscl', u'may', u'trace', u'action', u'limb', u'peopl', u'round', u'smooth', u'like', u'femal', u'sex', u'child', u'infanc', u'quantiti', u'fat', u'imput', u'diet', u'food', u'shellfish', u'bird', u'greatest', u'dainti', u'fat', u'kind', u'seal', u'penguin', u'particular', u'veget', u'aliment', u'none', u'ani', u'tast', u'muscl', u'soft', u'viscera', u'particular', u'heart', u'ever', u'lung', u'good', u'order', u'circumst', u'rare', u'occur', u'bone', u'wellform', u'process', u'foramina', u'sutur', u'complet', u'complexion', u'thi', u'man', u'wa', u'dark', u'hi', u'skin', u'copper', u'colour', u'nativ', u'hue', u'fuegian', u'tribe', u'eye', u'hair', u'black', u'thi', u'univers', u'far', u'seen', u'predomin', u'throughout', u'aborigin', u'america', u'fuegian', u'esquimaux', u'epidermi', u'thicker', u'white', u'men', u'rete', u'mucou', u'saw', u'differ', u'copper', u'hue', u'aris', u'vessel', u'cuti', u'shine', u'thicken', u'scarfskin', u'incorpor', u'particl', u'smoke', u'ochr', u'bodi', u'continu', u'cover', u'hair', u'thi', u'man', u'head', u'wa', u'jetblack', u'straight', u'long', u'luxuri', u'scanti', u'part', u'bodi', u'fuegian', u'littl', u'beard', u'whisker', u'featur', u'thi', u'individu', u'rounder', u'gener', u'among', u'hi', u'nation', u'form', u'whose', u'counten', u'resembl', u'lapland', u'esquimaux', u'broad', u'face', u'project', u'cheekbon', u'eye', u'oval', u'form', u'drawn', u'toward', u'templ', u'tunica', u'sclerotica', u'yellowwhit', u'iri', u'deep', u'black', u'cartilag', u'nose', u'broad', u'dear', u'wilson', u'wa', u'awar', u'eat', u'birch', u'excresc', u'berri', u'r', u'f', u'144', u'alpkndix', u'press', u'orific', u'mouth', u'larg', u'shut', u'form', u'straight', u'ene', u'open', u'ellipsi', u'head', u'bulki', u'hair', u'straight', u'phrenolog', u'mark', u'skull', u'said', u'person', u'includ', u'correspond', u'organ', u'brain', u'taken', u'spot', u'follow', u'propens', u'full', u'destruct', u'veri', u'larg', u'philoprogenit', u'moder', u'full', u'construct', u'small', u'concentrativeiiess', u'ditto', u'acquisit', u'small', u'adhes', u'fii41', u'secret', u'larg', u'c', u'omb', u'larg', u'sentiment', u'selfesteem', u'moder', u'small', u'vener', u'small', u'love', u'approb', u'larg', u'hope', u'ditto', u'cautious', u'veri', u'larg', u'ideal', u'ditto', u'benevol', u'small', u'conscienti', u'ditto', u'firm', u'moder', u'full', u'intellectu', u'organ', u'individu', u'small', u'form', u'small', u'time', u'ditto', u'number', u'veri', u'small', u'tune', u'ditto', u'languag', u'full', u'comparison', u'small', u'causal', u'small', u'wit', u'ditto', u'imit', u'ditto', u'facial', u'angl', u'accord', u'camper', u'74', u'occipit', u'80', u'warlik', u'propens', u'thi', u'man', u'larg', u'agre', u'littl', u'know', u'hi', u'histori', u'take', u'gener', u'view', u'head', u'propens', u'organ', u'exercis', u'barbarian', u'larg', u'fuu', u'sentiment', u'small', u'ever', u'call', u'action', u'except', u'cautious', u'firm', u'larg', u'final', u'intellectu', u'organ', u'chiefli', u'use', u'man', u'civil', u'state', u'small', u'teeth', u'perfect', u'usual', u'number', u'incisor', u'flat', u'appar', u'worn', u'instanc', u'seen', u'thi', u'probabl', u'sometim', u'use', u'grinder', u'revers', u'thi', u'ha', u'frequent', u'notic', u'among', u'savag', u'said', u'file', u'teeth', u'render', u'terribl', u'battl', u'pul', u'two', u'centr', u'incisor', u'cuspidati', u'way', u'thi', u'man', u'could', u'forti', u'probabl', u'wa', u'mani', u'year', u'younger', u'r', u'f', u'appendix', u'145', u'ornament', u'teeth', u'gener', u'good', u'regular', u'healthi', u'aris', u'probabl', u'system', u'free', u'ani', u'constitut', u'taint', u'viscera', u'thorax', u'healthi', u'heart', u'particularli', u'valv', u'columna', u'carlo', u'good', u'order', u'lower', u'part', u'thorax', u'whole', u'pariet', u'abdomen', u'unusu', u'expand', u'liver', u'veri', u'larg', u'though', u'healthi', u'occupi', u'right', u'hypochondriac', u'lumbar', u'epigastr', u'left', u'hypochondriac', u'region', u'spleen', u'remark', u'small', u'stomach', u'moder', u'size', u'contain', u'muscl', u'limpet', u'halfdigest', u'state', u'intestin', u'fill', u'flatu', u'probabl', u'took', u'place', u'death', u'larg', u'size', u'abdomen', u'refer', u'squat', u'posit', u'peopl', u'assum', u'knee', u'thigh', u'brought', u'lower', u'part', u'belli', u'forc', u'viscera', u'intestin', u'upward', u'forward', u'therebi', u'distend', u'lower', u'part', u'thorax', u'front', u'abdomen', u'peculiar', u'habit', u'becom', u'inher', u'constitut', u'descend', u'poster', u'children', u'male', u'femal', u'born', u'larg', u'belli', u'like', u'manner', u'chines', u'children', u'parent', u'custom', u'compress', u'feet', u'born', u'ith', u'remark', u'small', u'besid', u'distend', u'abdomen', u'mechan', u'thi', u'bent', u'posit', u'trace', u'enlarg', u'state', u'abdomin', u'viscera', u'passag', u'blood', u'extrem', u'obstruct', u'unusu', u'quantiti', u'therebi', u'determin', u'circul', u'coehac', u'mesenter', u'arteri', u'want', u'support', u'dress', u'also', u'betaken', u'account', u'thi', u'stretch', u'distend', u'state', u'abdomen', u'separ', u'fibr', u'obliqu', u'transvers', u'muscl', u'open', u'state', u'inguin', u'ring', u'peopl', u'must', u'peculiarli', u'liabl', u'ani', u'exert', u'ventral', u'hernia', u'passag', u'found', u'open', u'thi', u'individu', u'appear', u'state', u'men', u'examin', u'cardiac', u'affect', u'mostli', u'prevail', u'among', u'subject', u'violent', u'exercis', u'porter', u'carrier', u'artillerymen', u'healthi', u'state', u'thi', u'heart', u'probabl', u'gener', u'case', u'among', u'fuegian', u'imput', u'moder', u'exert', u'cano', u'employ', u'fish', u'paddl', u'wigwam', u'seldom', u'mani', u'yard', u'beach', u'cook', u'malt', u'small', u'ware', u'bone', u'skin', u'beast', u'cremast', u'muscl', u'wa', u'strong', u'146', u'appendix', u'fleshi', u'lower', u'extrem', u'short', u'illproport', u'thigh', u'moder', u'size', u'small', u'muscl', u'leg', u'gener', u'testat', u'particular', u'look', u'larg', u'calf', u'leg', u'wa', u'veri', u'small', u'diminut', u'size', u'muscl', u'must', u'refer', u'caus', u'alreadi', u'mention', u'want', u'due', u'circul', u'part', u'produc', u'cramp', u'posit', u'want', u'exercis', u'feet', u'broad', u'short', u'common', u'mear', u'shoe', u'bone', u'somewhat', u'separ', u'ligament', u'stretch', u'muscl', u'flatten', u'constantli', u'sustain', u'weight', u'bodi', u'unsupport', u'ani', u'cover', u'feet', u'kidney', u'healthi', u'unusu', u'destitut', u'fat', u'wa', u'tunica', u'adipos', u'adep', u'thi', u'instanc', u'wa', u'chiefli', u'collect', u'surfac', u'littl', u'intern', u'part', u'thi', u'univers', u'case', u'wonder', u'provis', u'natur', u'protect', u'bodi', u'inclem', u'thi', u'inhospit', u'region', u'thi', u'method', u'adopt', u'natur', u'dure', u'first', u'year', u'infanc', u'habitu', u'constitut', u'vicissitud', u'variat', u'atmospher', u'otherwis', u'would', u'incompat', u'exist', u'arm', u'better', u'proport', u'lower', u'extrem', u'thi', u'gener', u'throughout', u'fuegian', u'tribe', u'muscl', u'firmer', u'better', u'form', u'constant', u'use', u'part', u'paddl', u'cano', u'climb', u'make', u'wigwam', u'muscl', u'gener', u'throughout', u'bodi', u'healthi', u'soft', u'flabbi', u'unlik', u'firm', u'sinewi', u'muscl', u'hardi', u'mountain', u'bone', u'less', u'indent', u'usual', u'accustom', u'vigor', u'exert', u'anoth', u'fuegian', u'examin', u'mark', u'phrenolog', u'organ', u'taken', u'skull', u'follow', u'propens', u'small', u'destructiveiiess', u'full', u'philoprogenit', u'veri', u'larg', u'construct', u'snial', u'coiicentr', u'full', u'acquisit', u'full', u'comb', u'veri', u'larg', u'secret', u'larg', u'sentiment', u'selfesteem', u'veri', u'larg', u'vener', u'full', u'love', u'approb', u'full', u'hope', u'small', u'cautiousnesslarg', u'ideal', u'small', u'benevol', u'small', u'firm', u'larg', u'appendix', u'147', u'intellectu', u'organ', u'form', u'small', u'colour', u'small', u'size', u'larg', u'local', u'ditto', u'weight', u'small', u'order', u'ditto', u'time', u'veri', u'small', u'number', u'ditto', u'tune', u'ditto', u'languag', u'ditto', u'comparison', u'small', u'wit', u'ditto', u'causal', u'ditto', u'imit', u'ditto', u'facial', u'angl', u'76', u'occipit', u'sein', u'thi', u'skull', u'also', u'propens', u'larg', u'moral', u'sentiment', u'larger', u'former', u'intellectu', u'organ', u'equal', u'small', u'destruct', u'secret', u'cautious', u'larg', u'faculti', u'remark', u'necessari', u'savag', u'viarrior', u'refin', u'sentiment', u'benevol', u'ideal', u'conscienti', u'small', u'nearli', u'intellectu', u'organ', u'thi', u'man', u'also', u'teeth', u'complet', u'incisor', u'worn', u'former', u'gener', u'regular', u'good', u'arrang', u'greatli', u'owe', u'expand', u'state', u'jaw', u'give', u'good', u'space', u'growth', u'shed', u'person', u'sharp', u'featur', u'side', u'face', u'meet', u'acut', u'angl', u'teeth', u'often', u'small', u'larg', u'want', u'room', u'overlap', u'push', u'one', u'anoth', u'natur', u'posit', u'broad', u'face', u'featur', u'owe', u'breadth', u'base', u'cranium', u'give', u'shape', u'form', u'bone', u'face', u'respect', u'arm', u'leg', u'thi', u'man', u'onli', u'remark', u'agre', u'exactli', u'larg', u'thigh', u'compar', u'leg', u'breadth', u'feet', u'better', u'proport', u'upper', u'extrem', u'john', u'wilson', u'd', u'surgeon', u'148', u'appendix', u'17', u'phrenolog', u'remark', u'three', u'fuegian', u'yokcushlu', u'femal', u'ten', u'year', u'age', u'strong', u'attach', u'offend', u'passion', u'strong', u'littl', u'dispos', u'cun', u'duplic', u'manifest', u'ingenu', u'au', u'dispos', u'covet', u'self', u'win', u'time', u'veri', u'activ', u'fond', u'notic', u'approb', u'vnll', u'show', u'benevol', u'fee', u'abl', u'strong', u'feel', u'suprem', u'dispos', u'honest', u'rather', u'inclin', u'mimicri', u'imit', u'memori', u'good', u'visibl', u'object', u'local', u'strong', u'attach', u'place', u'ha', u'live', u'would', u'difficult', u'make', u'use', u'member', u'societi', u'short', u'time', u'would', u'readili', u'receiv', u'instruct', u'orundellico', u'fuegian', u'age', u'fifteen', u'struggl', u'anger', u'selfviil', u'anim', u'inclin', u'disposit', u'combat', u'destroy', u'rather', u'inclin', u'cun', u'covet', u'veri', u'ingeni', u'fond', u'direct', u'lead', u'veri', u'cautiou', u'hi', u'action', u'fond', u'distinct', u'approb', u'manifest', u'strong', u'feel', u'suprem', u'strongli', u'inclin', u'benevol', u'may', u'safe', u'intrust', u'vidth', u'care', u'properti', u'memori', u'gener', u'good', u'particularli', u'person', u'object', u'sens', u'local', u'accustom', u'place', u'would', u'strong', u'attach', u'like', u'femal', u'receiv', u'instruct', u'readili', u'might', u'made', u'use', u'member', u'societi', u'would', u'requir', u'great', u'care', u'selfvidl', u'would', u'interfer', u'much', u'made', u'london', u'1830', u'appendix', u'149', u'ellepahu', u'twentyeight', u'passion', u'veri', u'strong', u'particularli', u'anim', u'natur', u'selfwil', u'posit', u'determin', u'strong', u'attach', u'children', u'person', u'place', u'dispos', u'cun', u'caution', u'show', u'readi', u'comprehens', u'thing', u'ingenu', u'self', u'overlook', u'attent', u'valu', u'properti', u'veri', u'fond', u'prais', u'approb', u'notic', u'taken', u'hi', u'conduct', u'kind', u'render', u'servic', u'vdll', u'reserv', u'suspici', u'strong', u'feel', u'deiti', u'hi', u'two', u'companion', u'grate', u'kind', u'reserv', u'show', u'hi', u'memori', u'gener', u'good', u'would', u'find', u'natur', u'histori', u'branch', u'scienc', u'difficult', u'impart', u'possess', u'strong', u'selfwil', u'difficult', u'instruct', u'requir', u'great', u'deal', u'humour', u'indulg', u'lead', u'requir', u'17', u'instrument', u'execut', u'mon', u'loui', u'de', u'bougainvil', u'deliv', u'salina', u'monsieur', u'loui', u'de', u'bougainvil', u'colonel', u'hi', u'christian', u'majesti', u'armi', u'receiv', u'six', u'hundr', u'eighteen', u'thousand', u'one', u'hundr', u'eight', u'livr', u'thirteen', u'sol', u'eleven', u'denier', u'amount', u'estim', u'given', u'expens', u'incur', u'st', u'malo', u'compani', u'equip', u'found', u'intrus', u'establish', u'melvin', u'island', u'belong', u'hi', u'cathol', u'majesti', u'follow', u'manner', u'forti', u'thousand', u'livr', u'deliv', u'account', u'pari', u'hi', u'excel', u'count', u'de', u'fenc', u'ambassador', u'hi', u'cathouc', u'majesti', u'court', u'gave', u'proper', u'receipt', u'two', u'hundr', u'thousand', u'livr', u'deliv', u'meat', u'court', u'pari', u'accord', u'bill', u'drawn', u'favour', u'150', u'appendix', u'marquess', u'zambrano', u'treasurergener', u'hi', u'cathol', u'majesti', u'upon', u'francisco', u'ventura', u'lorna', u'treasurerextraordinari', u'sixtyf', u'thousand', u'six', u'hundr', u'twentyf', u'hard', u'dollar', u'threefourth', u'part', u'anoth', u'vihich', u'equival', u'three', u'hundr', u'seventyeight', u'thousand', u'one', u'hundr', u'eight', u'livr', u'three', u'sou', u'eleven', u'denier', u'rate', u'five', u'livr', u'per', u'dollar', u'receiv', u'bueno', u'ayr', u'account', u'bill', u'deliv', u'dravvtj', u'hi', u'excel', u'bayho', u'fray', u'julian', u'marriag', u'secretari', u'state', u'gener', u'depart', u'indi', u'navi', u'hi', u'cathouc', u'majesti', u'consider', u'payment', u'well', u'obedi', u'hi', u'christian', u'majesti', u'order', u'bound', u'deliv', u'indu', u'formal', u'cohort', u'spain', u'establish', u'along', u'famili', u'hous', u'work', u'timber', u'ship', u'built', u'employ', u'expedit', u'final', u'everi', u'thing', u'therein', u'belong', u'st', u'malo', u'compani', u'includ', u'account', u'settl', u'hi', u'christian', u'majesti', u'thi', u'voluntari', u'cession', u'make', u'void', u'ever', u'claim', u'compani', u'ani', u'person', u'interest', u'therein', u'may', u'might', u'produc', u'upon', u'treasuri', u'hi', u'cathouc', u'majesti', u'henceforth', u'demand', u'pecuniari', u'ani', u'compens', u'whatsoev', u'testimoni', u'whereof', u'set', u'name', u'thi', u'present', u'instrument', u'voucher', u'one', u'princip', u'interest', u'well', u'author', u'receiv', u'whole', u'thi', u'sum', u'agreeabl', u'registri', u'depart', u'state', u'st', u'ildefonso', u'4th', u'octob', u'1766', u'sign', u'loui', u'de', u'bougainvil', u'viscount', u'palmerston', u'm', u'de', u'moreno', u'foreign', u'offic', u'januari', u'8', u'1824', u'undersign', u'c', u'ha', u'honour', u'acknowledg', u'receipt', u'note', u'm', u'moreno', u'c', u'date', u'17th', u'june', u'last', u'formal', u'protest', u'name', u'hi', u'govern', u'sovereignti', u'late', u'assum', u'melvin', u'falkland', u'island', u'crovni', u'great', u'britain', u'befor', u'undersign', u'proce', u'repli', u'alleg', u'advanc', u'm', u'moreno', u'note', u'upon', u'hi', u'protest', u'thi', u'act', u'part', u'hi', u'majesti', u'found', u'undersign', u'deem', u'proper', u'draw', u'm', u'moreno', u'attent', u'content', u'protest', u'mr', u'appendix', u'151', u'parish', u'british', u'charg', u'd', u'affair', u'bueno', u'ayr', u'address', u'name', u'hi', u'court', u'minist', u'foreign', u'affair', u'republ', u'19th', u'novemb', u'1829', u'consequ', u'british', u'govern', u'inform', u'presid', u'unit', u'provinc', u'rio', u'de', u'la', u'plata', u'issu', u'decre', u'made', u'grant', u'land', u'natur', u'act', u'sovereignti', u'island', u'question', u'protest', u'made', u'known', u'govern', u'unit', u'provinc', u'rio', u'de', u'la', u'plata', u'1st', u'author', u'govern', u'thu', u'assum', u'wa', u'consid', u'british', u'govern', u'incompat', u'sovereign', u'right', u'great', u'britain', u'falkland', u'island', u'2dli', u'sovereign', u'right', u'found', u'upon', u'origin', u'discoveri', u'subsequ', u'occup', u'island', u'acquir', u'addit', u'sanction', u'fact', u'hi', u'cathol', u'majesti', u'restor', u'british', u'settlement', u'forcibl', u'taken', u'possess', u'spanish', u'forc', u'year', u'1771', u'3dli', u'withdraw', u'hi', u'majesti', u'forc', u'falkland', u'island', u'1774', u'could', u'invalid', u'right', u'great', u'britain', u'becaus', u'withdraw', u'took', u'place', u'onli', u'pursuanc', u'system', u'retrench', u'adopt', u'time', u'hi', u'majesti', u'govern', u'4thli', u'mark', u'signal', u'possess', u'properti', u'left', u'upon', u'island', u'british', u'flag', u'still', u'fli', u'formal', u'observ', u'upon', u'occas', u'departur', u'governor', u'calcul', u'onli', u'assert', u'right', u'ownership', u'indic', u'intent', u'resum', u'occup', u'territori', u'futur', u'period', u'upon', u'ground', u'mr', u'parish', u'protest', u'pretens', u'set', u'part', u'argentin', u'republ', u'act', u'done', u'prejudic', u'right', u'sovereignti', u'heretofor', u'exercis', u'crown', u'great', u'britain', u'minist', u'foreign', u'affair', u'republ', u'acknowledg', u'receipt', u'british', u'protest', u'acquaint', u'mr', u'parish', u'hi', u'govern', u'would', u'give', u'particular', u'consider', u'would', u'commun', u'decis', u'upon', u'subject', u'soon', u'receiv', u'direct', u'effect', u'answer', u'wa', u'howev', u'ani', u'time', u'return', u'wa', u'ani', u'object', u'rais', u'part', u'govern', u'unit', u'provinc', u'152', u'appendix', u'rio', u'de', u'la', u'plata', u'right', u'great', u'britain', u'assert', u'protest', u'bueno', u'ayrean', u'govern', u'persist', u'notwithstand', u'receipt', u'protest', u'exercis', u'act', u'sovereignti', u'protest', u'wa', u'special', u'direct', u'govern', u'unit', u'provinc', u'rio', u'de', u'la', u'plata', u'could', u'expect', u'explicit', u'declar', u'formal', u'made', u'right', u'crown', u'great', u'britain', u'island', u'question', u'hi', u'majesti', u'would', u'silent', u'submit', u'cours', u'proceed', u'could', u'govern', u'surpris', u'step', u'hi', u'majesti', u'thought', u'proper', u'take', u'order', u'resumpt', u'right', u'never', u'abandon', u'onli', u'permit', u'dormant', u'circumst', u'explain', u'bueno', u'ayrean', u'govern', u'claim', u'great', u'britain', u'sovereignti', u'falkland', u'island', u'unequivoc', u'assert', u'maintain', u'dure', u'discuss', u'spain', u'1770', u'1771', u'nearli', u'led', u'war', u'two', u'countri', u'spain', u'deem', u'proper', u'put', u'end', u'discuss', u'restor', u'hi', u'majesti', u'place', u'british', u'subject', u'expel', u'govern', u'unit', u'provinc', u'could', u'reason', u'anticip', u'british', u'govern', u'would', u'permit', u'ani', u'state', u'exercis', u'aright', u'deriv', u'spain', u'great', u'britain', u'deni', u'spain', u'thi', u'consider', u'alon', u'would', u'fulli', u'justifi', u'hi', u'majesti', u'govern', u'lq', u'declin', u'enter', u'ani', u'explan', u'upon', u'question', u'upward', u'half', u'centuri', u'ago', u'wa', u'notori', u'decis', u'adjust', u'anoth', u'govern', u'immedi', u'concern', u'm', u'moreno', u'note', u'ha', u'address', u'undersign', u'ha', u'endeavour', u'shew', u'termin', u'memor', u'discuss', u'refer', u'great', u'britain', u'spain', u'secret', u'understand', u'exist', u'two', u'court', u'virtu', u'great', u'britain', u'wa', u'pledg', u'restor', u'island', u'spain', u'subsequ', u'period', u'evacu', u'1774', u'hi', u'majesti', u'wa', u'fulfil', u'pledg', u'exist', u'secret', u'understand', u'alleg', u'prove', u'first', u'reserv', u'former', u'right', u'sovereignti', u'island', u'wa', u'contain', u'spanish', u'declar', u'deliv', u'time', u'restor', u'port', u'egmont', u'depend', u'hi', u'majesti', u'secondli', u'concurr', u'descript', u'appendix', u'153', u'transact', u'took', u'place', u'parti', u'given', u'certain', u'document', u'histor', u'work', u'although', u'reserv', u'refer', u'deem', u'possess', u'ani', u'substanti', u'weight', u'inasmuch', u'notic', u'whatev', u'taken', u'british', u'counterdeclar', u'wa', u'exchang', u'although', u'evid', u'adduc', u'fiom', u'unauthent', u'histor', u'public', u'regard', u'entitl', u'ani', u'weight', u'whatev', u'view', u'decis', u'upon', u'point', u'intern', u'right', u'yet', u'alleg', u'abovement', u'involv', u'imput', u'good', u'faith', u'great', u'britain', u'hi', u'majesti', u'govern', u'feel', u'sensibl', u'aliv', u'undersign', u'ha', u'honour', u'king', u'command', u'caus', u'offici', u'correspond', u'court', u'madrid', u'period', u'allud', u'care', u'inspect', u'order', u'circumst', u'realli', u'took', u'place', u'upon', u'occas', u'might', u'accur', u'ascertain', u'inspect', u'ha', u'accordingli', u'made', u'undersign', u'ha', u'honour', u'commun', u'm', u'moreno', u'follow', u'extract', u'contain', u'materi', u'inform', u'gather', u'correspond', u'rel', u'transact', u'question', u'earl', u'rochford', u'jame', u'harri', u'esq', u'st', u'jamess', u'25th', u'januari', u'1771', u'enclos', u'copi', u'declar', u'sign', u'tuesday', u'last', u'princ', u'masserano', u'accept', u'hi', u'majesti', u'name', u'spanish', u'declar', u'sa', u'majest', u'britanniqu', u'sextant', u'plaint', u'de', u'la', u'violenc', u'qui', u'avoit', u'ete', u'commi', u'le', u'10', u'juin', u'de', u'ianne', u'1770', u'alil', u'commenc', u'appel', u'la', u'grand', u'maloiiin', u'et', u'par', u'le', u'anglai', u'dite', u'falkland', u'en', u'obhgeant', u'par', u'la', u'forc', u'le', u'command', u'et', u'le', u'sujet', u'de', u'sa', u'majest', u'britanniqu', u'evacu', u'le', u'port', u'par', u'eux', u'appel', u'egmont', u'demarch', u'oifensant', u'honneur', u'de', u'sacouronn', u'le', u'princ', u'de', u'masseranan', u'ambassadeur', u'extraordinair', u'de', u'sa', u'majest', u'catholiqu', u'recu', u'ordr', u'de', u'declar', u'et', u'declar', u'que', u'sa', u'majest', u'catholiqu', u'consid', u'clamour', u'dont', u'ell', u'est', u'anima', u'pour', u'la', u'paix', u'et', u'pour', u'le', u'maintien', u'de', u'la', u'bonn', u'harmoni', u'avec', u'sa', u'majest', u'britanniqu', u'et', u'reflechiss', u'que', u'cet', u'vehement', u'pourroil', u'iinterrompr', u'vu', u'avec', u'plaisir', u'cett', u'expedit', u'capabl', u'de', u'la', u'troubler', u'et', u'dan', u'la', u'persuas', u'ou', u'ell', u'est', u'de', u'la', u'reciproc', u'de', u'se', u'sentir', u'154', u'appendix', u'men', u'et', u'de', u'son', u'elop', u'pour', u'autorls', u'tout', u'ce', u'qui', u'pouitoit', u'troubler', u'la', u'bonn', u'intellig', u'entr', u'le', u'deux', u'cour', u'sa', u'majest', u'catholiqu', u'desavou', u'la', u'susdit', u'entrepris', u'violent', u'et', u'en', u'consequ', u'le', u'princ', u'de', u'masseranan', u'declar', u'que', u'sa', u'majest', u'catholiqu', u'engag', u'donner', u'de', u'ordr', u'immedi', u'pour', u'quon', u'reraett', u'le', u'chose', u'dan', u'la', u'grand', u'maloiiin', u'au', u'port', u'dit', u'egmont', u'precis', u'dan', u'detat', u'ou', u'ell', u'soient', u'avant', u'le', u'10', u'juin', u'1770', u'auquel', u'effet', u'sa', u'majest', u'catholiqu', u'donnera', u'ordr', u'un', u'de', u'se', u'offici', u'de', u'remettr', u'offici', u'autoris', u'par', u'sa', u'majest', u'britanniqu', u'le', u'fort', u'et', u'le', u'port', u'egmont', u'avec', u'tout', u'iartilleri', u'le', u'munit', u'et', u'eifet', u'de', u'sa', u'majest', u'britanniqu', u'et', u'de', u'se', u'sujet', u'qui', u'sey', u'sont', u'trouv', u'le', u'jour', u'cidessu', u'nomm', u'confin', u'iinventair', u'qui', u'en', u'ete', u'dress', u'le', u'princ', u'de', u'masseranan', u'declar', u'en', u'meme', u'ten', u'au', u'nom', u'du', u'roi', u'son', u'maitr', u'que', u'engag', u'de', u'sa', u'dite', u'majest', u'catholiqu', u'de', u'rest', u'sa', u'majest', u'britanniqu', u'la', u'possess', u'du', u'port', u'et', u'fort', u'dit', u'egmont', u'ne', u'pent', u'ni', u'ne', u'doit', u'nullement', u'affect', u'la', u'question', u'du', u'droit', u'anterior', u'de', u'souverainet', u'de', u'lie', u'maloiiin', u'autrement', u'dite', u'falkland', u'en', u'foi', u'de', u'quoi', u'moi', u'le', u'susdit', u'ambassadeur', u'extraordinair', u'ai', u'sign', u'la', u'present', u'declar', u'de', u'ma', u'signatur', u'ordinair', u'et', u'icel', u'fait', u'oppos', u'le', u'cachet', u'de', u'arm', u'londr', u'le', u'22', u'janvier', u'1771', u'le', u'sign', u'le', u'princ', u'de', u'masseranan', u'british', u'counter', u'declar', u'sa', u'majest', u'catholiqu', u'ayant', u'autoris', u'son', u'excel', u'le', u'princ', u'de', u'masserano', u'son', u'ambassadeur', u'extraordinair', u'offrir', u'en', u'son', u'nom', u'royal', u'au', u'roi', u'de', u'la', u'grand', u'bretagn', u'une', u'satisfact', u'pour', u'injur', u'fait', u'sa', u'majest', u'britanniqu', u'en', u'la', u'depossed', u'du', u'port', u'et', u'fort', u'du', u'port', u'egmont', u'et', u'le', u'cut', u'ambassadeur', u'ayant', u'aujourdhui', u'sign', u'une', u'declar', u'quil', u'vient', u'de', u'remettr', u'y', u'exprim', u'que', u'sa', u'majest', u'catholiqu', u'ayant', u'le', u'desir', u'de', u'retail', u'la', u'bonn', u'harmoni', u'et', u'amiti', u'que', u'subsist', u'cidev', u'entr', u'le', u'deux', u'couronn', u'desavou', u'expedit', u'contr', u'le', u'port', u'egmont', u'dan', u'laquel', u'la', u'forc', u'ete', u'employe', u'contr', u'le', u'possess', u'command', u'et', u'sujet', u'de', u'sa', u'majest', u'britanniqu', u'et', u'engag', u'aussi', u'que', u'tout', u'chose', u'seront', u'immediat', u'remis', u'dan', u'la', u'situat', u'precis', u'dan', u'laquel', u'ell', u'soient', u'avant', u'le', u'10', u'juin', u'1770', u'et', u'que', u'sa', u'majest', u'catholiqu', u'donnera', u'de', u'ordr', u'en', u'consequ', u'un', u'de', u'se', u'offici', u'de', u'remettr', u'offici', u'autoris', u'par', u'apperix', u'155', u'sa', u'majest', u'britanniqu', u'le', u'port', u'et', u'fort', u'du', u'port', u'egmont', u'comm', u'aussi', u'tout', u'iartillerl', u'le', u'munit', u'et', u'effet', u'de', u'sa', u'majest', u'britanniqu', u'et', u'de', u'se', u'sujet', u'scion', u'iinventair', u'qui', u'en', u'ete', u'dress', u'et', u'le', u'dit', u'ambassadeur', u'sextant', u'de', u'plu', u'engag', u'au', u'nom', u'de', u'sa', u'majest', u'catholiqu', u'que', u'le', u'contenu', u'de', u'la', u'dite', u'declar', u'sera', u'effect', u'par', u'sa', u'majest', u'catholiqu', u'et', u'que', u'de', u'duplic', u'de', u'ordr', u'de', u'sa', u'dite', u'majest', u'catholiqu', u'se', u'offici', u'seront', u'remi', u'entr', u'le', u'main', u'dun', u'de', u'principaux', u'secretair', u'detat', u'de', u'sa', u'majest', u'britanniqu', u'dan', u'iespac', u'de', u'six', u'semain', u'sa', u'dite', u'majest', u'britanniqu', u'afin', u'de', u'fair', u'voir', u'le', u'mene', u'disposit', u'amic', u'de', u'sa', u'part', u'ma', u'autoris', u'declar', u'queen', u'regardera', u'la', u'dite', u'declar', u'du', u'princ', u'de', u'masserano', u'avec', u'accomplish', u'entier', u'du', u'dit', u'engag', u'de', u'la', u'part', u'de', u'sa', u'majest', u'catholiqu', u'comm', u'une', u'satisfact', u'de', u'injur', u'fait', u'la', u'couronn', u'de', u'la', u'grand', u'bretagn', u'en', u'foi', u'de', u'quoi', u'moi', u'soussign', u'un', u'de', u'principaux', u'secretair', u'detat', u'de', u'sa', u'majest', u'britanniqu', u'ai', u'sign', u'la', u'present', u'de', u'ma', u'signatur', u'ordinair', u'et', u'k', u'icel', u'fait', u'oppos', u'le', u'cachet', u'de', u'np', u'arm', u'londr', u'ce', u'22', u'janvier', u'1771', u'le', u'sign', u'rochford', u'jame', u'harri', u'esq', u'earl', u'rochford', u'madrid', u'14th', u'februari', u'1771', u'keep', u'declar', u'secret', u'possibl', u'find', u'ani', u'shorn', u'except', u'oblig', u'commun', u'also', u'report', u'given', u'verbal', u'assur', u'evacu', u'falkland', u'island', u'space', u'two', u'month', u'earl', u'rochford', u'jame', u'harri', u'esq', u'st', u'jamess', u'8th', u'march', u'1771', u'hi', u'majesti', u'ha', u'pleas', u'order', u'juno', u'frigat', u'thirtytwo', u'gun', u'hound', u'sloop', u'florida', u'storeship', u'prepar', u'go', u'port', u'egmont', u'order', u'receiv', u'possess', u'spanish', u'command', u'spoken', u'fulli', u'princ', u'manner', u'execut', u'needless', u'say', u'ani', u'upon', u'think', u'right', u'acquaint', u'spanish', u'ambassador', u'press', u'hope', u'given', u'agre', u'mutual', u'abandon', u'falldand', u'island', u'repli', u'wa', u'imposs', u'enter', u'subject', u'restitut', u'must', u'preced', u'everi', u'discours', u'relat', u'island', u'r', u'2', u'156', u'appendix', u'endeavour', u'occas', u'inculc', u'absurd', u'spain', u'ani', u'apprehens', u'state', u'port', u'egmont', u'wa', u'befor', u'captur', u'forc', u'sent', u'hi', u'majesti', u'intend', u'make', u'use', u'annoy', u'settlement', u'south', u'sea', u'noth', u'farther', u'king', u'inclin', u'sincer', u'desir', u'preserv', u'peac', u'two', u'nation', u'earl', u'rochford', u'lord', u'admiralti', u'st', u'jamess', u'15th', u'march', u'1771', u'lordship', u'acquaint', u'consequ', u'hi', u'majesti', u'pleasur', u'signifi', u'letter', u'22d', u'last', u'order', u'juno', u'frigat', u'hound', u'sloop', u'florida', u'storeship', u'prepar', u'proceed', u'falkland', u'island', u'command', u'signifi', u'lordship', u'hi', u'majesti', u'pleasur', u'order', u'command', u'said', u'frigat', u'soon', u'ship', u'readi', u'sea', u'repair', u'directli', u'port', u'egmont', u'present', u'fehp', u'ruiz', u'puent', u'ani', u'spanish', u'offic', u'find', u'duplic', u'hi', u'cathol', u'majesti', u'order', u'sent', u'herewith', u'receiv', u'proper', u'form', u'restitut', u'possess', u'artilleri', u'store', u'effect', u'agreeabl', u'said', u'order', u'inventori', u'sign', u'captain', u'farmer', u'maltbi', u'copi', u'annex', u'direct', u'take', u'exact', u'account', u'ani', u'defici', u'may', u'thing', u'mention', u'said', u'inventori', u'order', u'may', u'made', u'good', u'hi', u'cathouc', u'majesti', u'give', u'copi', u'said', u'account', u'sign', u'spanish', u'offic', u'desir', u'acknowledg', u'hi', u'hand', u'true', u'account', u'said', u'restitut', u'shall', u'complet', u'king', u'pleasur', u'captain', u'stott', u'return', u'immedi', u'england', u'juno', u'frigat', u'florida', u'storeship', u'unless', u'find', u'necessari', u'leav', u'latter', u'behind', u'hound', u'sloop', u'remain', u'station', u'harbour', u'till', u'hi', u'majesti', u'order', u'lordship', u'curect', u'captain', u'stott', u'behav', u'greatest', u'prudenc', u'civil', u'toward', u'spanish', u'command', u'subject', u'hi', u'cathol', u'majesti', u'care', u'avoid', u'ani', u'thing', u'might', u'give', u'occas', u'disput', u'animos', u'strictli', u'appendix', u'157', u'restrain', u'crew', u'ship', u'hi', u'command', u'thi', u'respect', u'restitut', u'made', u'spanish', u'command', u'make', u'ani', u'protest', u'hi', u'majesti', u'right', u'port', u'egmont', u'falkland', u'island', u'hi', u'majesti', u'pleasur', u'command', u'hi', u'ship', u'answer', u'counterprotest', u'proper', u'term', u'hi', u'majesti', u'right', u'whole', u'said', u'island', u'right', u'hi', u'cathol', u'majesti', u'ani', u'part', u'case', u'ani', u'accid', u'otherwis', u'captain', u'stott', u'hi', u'arriv', u'port', u'egmont', u'find', u'ani', u'offic', u'part', u'king', u'spain', u'lordship', u'direct', u'suppos', u'find', u'necessari', u'put', u'ani', u'hi', u'men', u'shore', u'avoid', u'set', u'ani', u'mark', u'possess', u'let', u'hi', u'majesti', u'colour', u'fli', u'shore', u'king', u'honour', u'possess', u'formal', u'restor', u'offic', u'hi', u'cathol', u'majesti', u'reason', u'proper', u'king', u'command', u'offic', u'keep', u'good', u'lookout', u'upon', u'perceiv', u'approach', u'ani', u'vessel', u'hi', u'cathol', u'majesti', u'reembark', u'ani', u'hi', u'men', u'may', u'time', u'shore', u'possess', u'may', u'indisput', u'vacant', u'happen', u'king', u'ship', u'shall', u'remain', u'late', u'octob', u'spanish', u'offic', u'yet', u'appear', u'lordship', u'direct', u'captain', u'stott', u'case', u'either', u'proceed', u'send', u'offic', u'soledad', u'deliv', u'hi', u'cathol', u'majesti', u'order', u'spanish', u'command', u'take', u'care', u'salut', u'fort', u'spanish', u'garrison', u'make', u'protest', u'civil', u'term', u'settlement', u'hi', u'cathol', u'majesti', u'subject', u'island', u'belong', u'hi', u'majesti', u'within', u'reason', u'time', u'deliveri', u'said', u'order', u'spanish', u'command', u'soledad', u'still', u'shall', u'aniv', u'port', u'egmont', u'ani', u'offic', u'hi', u'cathol', u'majesti', u'make', u'restitut', u'king', u'pleasur', u'command', u'offic', u'hi', u'ship', u'draw', u'protest', u'execut', u'hi', u'cathol', u'majesti', u'late', u'declar', u'take', u'formal', u'possess', u'hi', u'majesti', u'name', u'hoist', u'hi', u'majesti', u'colour', u'shore', u'leav', u'hound', u'sloop', u'florida', u'storeship', u'latter', u'necessari', u'send', u'duplic', u'hi', u'protest', u'spanish', u'offic', u'soledad', u'proceed', u'england', u'lay', u'befor', u'lordship', u'hi', u'majesti', u'inform', u'hi', u'report', u'manner', u'ha', u'execut', u'hi', u'commiss', u'158', u'appendix', u'lordship', u'take', u'care', u'suffici', u'quantiti', u'provis', u'necessari', u'kind', u'may', u'sent', u'said', u'three', u'vessel', u'conveni', u'distanc', u'time', u'despatch', u'anoth', u'storeship', u'suppli', u'pe', u'also', u'enclos', u'lordship', u'copi', u'hi', u'cathol', u'majesti', u'order', u'felip', u'ruiz', u'puent', u'translat', u'order', u'king', u'spain', u'translat', u'agre', u'king', u'hi', u'britann', u'majesti', u'convent', u'sign', u'london', u'22d', u'januari', u'last', u'past', u'princ', u'masserano', u'earl', u'rochford', u'great', u'malouin', u'call', u'english', u'falkland', u'immedi', u'replac', u'precis', u'situat', u'wa', u'befor', u'wa', u'evacu', u'10th', u'june', u'last', u'year', u'signifi', u'king', u'order', u'soon', u'person', u'commiss', u'court', u'london', u'shall', u'present', u'thi', u'order', u'deliveri', u'port', u'de', u'la', u'crusad', u'egmont', u'fort', u'depend', u'effect', u'also', u'artilleri', u'ammunit', u'effect', u'found', u'belong', u'hi', u'britann', u'majesti', u'hi', u'subject', u'accord', u'inventori', u'sign', u'georg', u'farmer', u'william', u'maltbi', u'esq', u'11th', u'juli', u'said', u'year', u'time', u'quit', u'send', u'enclos', u'copi', u'authent', u'hand', u'soon', u'one', u'shall', u'effect', u'due', u'formal', u'caus', u'retir', u'immedi', u'offic', u'subject', u'king', u'may', u'god', u'preserv', u'mani', u'year', u'pardon', u'7th', u'februari', u'1771', u'alio', u'fray', u'julian', u'de', u'marriag', u'feup', u'ruiz', u'puent', u'captain', u'stott', u'admiralti', u'juno', u'plymouth', u'9th', u'decemb', u'1771', u'must', u'beg', u'leav', u'refer', u'lordship', u'letter', u'honour', u'write', u'rio', u'de', u'janeiro', u'30th', u'juli', u'last', u'occurr', u'voyag', u'time', u'whenc', u'sail', u'hi', u'majesti', u'ship', u'command', u'next', u'day', u'arriv', u'port', u'egmont', u'even', u'13th', u'septemb', u'follow', u'next', u'morn', u'see', u'spanish', u'colour', u'fli', u'appendix', u'159', u'troop', u'shore', u'settlement', u'formerli', u'held', u'english', u'sent', u'lieuten', u'know', u'ani', u'offic', u'wa', u'behalf', u'hi', u'cathol', u'majesti', u'empow', u'make', u'restitut', u'possess', u'tome', u'agreeabl', u'order', u'hi', u'court', u'purpos', u'duplic', u'deliv', u'wa', u'answer', u'command', u'offic', u'francisco', u'de', u'fortuna', u'lieuten', u'royal', u'artilleri', u'spain', u'wa', u'furnish', u'full', u'power', u'readi', u'effect', u'restitut', u'soon', u'came', u'board', u'juno', u'deliv', u'hi', u'cathol', u'majesti', u'order', u'examin', u'situat', u'settlement', u'store', u'adjust', u'form', u'restitut', u'recept', u'possess', u'instrument', u'settl', u'execut', u'reciproc', u'deliv', u'receiv', u'spanish', u'offic', u'copi', u'gave', u'enclos', u'monday', u'16th', u'septemb', u'land', u'follow', u'parti', u'marin', u'wa', u'receiv', u'spanish', u'offic', u'formal', u'restor', u'possess', u'caus', u'hi', u'majesti', u'colour', u'hoist', u'marin', u'fire', u'three', u'volley', u'juno', u'five', u'gun', u'wa', u'congratul', u'offic', u'spanish', u'offic', u'great', u'cordial', u'occas', u'next', u'day', u'francisco', u'troop', u'subject', u'king', u'spain', u'depart', u'schooner', u'onli', u'add', u'thi', u'transact', u'wa', u'effect', u'greatest', u'appear', u'good', u'faith', u'without', u'least', u'claim', u'reserv', u'made', u'spanish', u'offic', u'iji', u'behalf', u'hi', u'court', u'lord', u'grantham', u'earl', u'rochford', u'madrid', u'2d', u'januari', u'1772', u'receiv', u'honour', u'lordship', u'despatch', u'contain', u'agreeabl', u'intellig', u'restitut', u'port', u'egmont', u'depend', u'due', u'formal', u'receiv', u'thi', u'notic', u'wait', u'marqui', u'de', u'grimaldi', u'assur', u'hi', u'majesti', u'satisfact', u'good', u'faith', u'punctual', u'observ', u'thi', u'transact', u'm', u'de', u'grimaldi', u'seem', u'awar', u'intent', u'visit', u'wa', u'almost', u'beforehand', u'commun', u'notic', u'thi', u'event', u'known', u'england', u'seem', u'well', u'pleas', u'conclus', u'thi', u'affair', u'enter', u'convers', u'upon', u'160', u'appendix', u'lord', u'admiralti', u'earl', u'rochford', u'admiralti', u'offic', u'i5th', u'februari', u'1772', u'receiv', u'florida', u'storeship', u'late', u'arriv', u'spithead', u'letter', u'captain', u'burr', u'hi', u'majesti', u'sloop', u'hound', u'date', u'port', u'egmont', u'falkland', u'island', u'10th', u'novemb', u'last', u'give', u'account', u'preced', u'month', u'tvio', u'spanish', u'vessel', u'arriv', u'artilleri', u'provis', u'store', u'taken', u'thenc', u'spaniard', u'receiv', u'commissari', u'appoint', u'philip', u'ruiz', u'puent', u'deliv', u'send', u'lordship', u'herewith', u'copi', u'captain', u'burr', u'said', u'letter', u'togeth', u'copi', u'inventori', u'artilleri', u'provis', u'store', u'receiv', u'aforesaid', u'hi', u'majesti', u'inform', u'earl', u'rochford', u'lord', u'grantham', u'st', u'jamess', u'6th', u'march', u'1772', u'may', u'use', u'inform', u'excel', u'hi', u'majesti', u'ha', u'determin', u'reduc', u'forc', u'employ', u'falkland', u'island', u'small', u'sloop', u'fifti', u'men', u'twentyf', u'marin', u'shore', u'answer', u'end', u'keep', u'possess', u'time', u'ought', u'make', u'court', u'spain', u'veri', u'easi', u'ani', u'intent', u'make', u'settlement', u'annoy', u'earl', u'rochford', u'lord', u'grantham', u'st', u'jamess', u'februari', u'11th', u'1774', u'think', u'proper', u'acquaint', u'excel', u'lord', u'north', u'speech', u'day', u'ago', u'hous', u'common', u'subject', u'naval', u'establish', u'thi', u'year', u'mention', u'intent', u'reduc', u'naval', u'forc', u'east', u'indi', u'materi', u'object', u'diminish', u'number', u'seamen', u'time', u'hint', u'matter', u'small', u'consequ', u'order', u'avoid', u'expens', u'keep', u'ani', u'seamen', u'marin', u'falkland', u'island', u'would', u'brought', u'away', u'leav', u'proper', u'mark', u'signal', u'possess', u'belong', u'crown', u'great', u'britain', u'thi', u'measur', u'wa', u'publicli', u'declar', u'parliament', u'wir', u'natur', u'report', u'court', u'spain', u'though', u'necess', u'excel', u'commun', u'thi', u'notic', u'offi', u'appendix', u'161', u'chilli', u'spanish', u'minist', u'sinc', u'onli', u'privat', u'regul', u'regard', u'owt', u'conveni', u'yet', u'inclin', u'think', u'pass', u'formerli', u'upon', u'thi', u'subject', u'rather', u'pleas', u'thi', u'event', u'excel', u'may', u'mention', u'freeli', u'avow', u'without', u'enter', u'ani', u'reason', u'thereon', u'must', u'strike', u'excel', u'thi', u'like', u'discourag', u'suspect', u'design', u'must', u'plainli', u'see', u'never', u'enter', u'mind', u'hope', u'suspect', u'suffer', u'themselv', u'made', u'believ', u'thi', u'wa', u'done', u'request', u'gratifi', u'distant', u'wish', u'french', u'court', u'truth', u'neither', u'less', u'small', u'part', u'econom', u'naval', u'regul', u'm', u'moreno', u'perceiv', u'abov', u'authent', u'paper', u'faith', u'extract', u'volum', u'correspond', u'spain', u'deposit', u'state', u'paper', u'offic', u'contain', u'allus', u'whatev', u'ani', u'secret', u'understand', u'two', u'govern', u'period', u'restor', u'port', u'egmont', u'depend', u'great', u'britain', u'1771', u'evacu', u'falkland', u'island', u'1774', u'taken', u'place', u'purpos', u'fulfil', u'ani', u'understand', u'contrari', u'evid', u'm', u'moreno', u'content', u'afford', u'conclus', u'infer', u'secret', u'understand', u'could', u'exist', u'undersign', u'need', u'scarc', u'assur', u'm', u'moreno', u'correspond', u'ha', u'refer', u'doe', u'contain', u'least', u'particl', u'evid', u'support', u'contrari', u'supposit', u'entertain', u'govern', u'unit', u'provinc', u'rio', u'de', u'la', u'plata', u'ani', u'confirm', u'sever', u'particular', u'relat', u'm', u'moreno', u'note', u'undersign', u'trust', u'perus', u'detail', u'satisfi', u'm', u'moreno', u'protest', u'ha', u'direct', u'deliv', u'undersign', u'reassumpt', u'sovereignti', u'falkland', u'island', u'hi', u'majesti', u'ha', u'dravra', u'erron', u'impress', u'well', u'understand', u'declar', u'counterdeclar', u'rel', u'restor', u'port', u'egmont', u'depend', u'sign', u'exchang', u'two', u'court', u'motiv', u'led', u'temporari', u'relinquish', u'island', u'british', u'govern', u'162', u'appendix', u'undersign', u'entertain', u'doubt', u'true', u'circumst', u'case', u'shall', u'commun', u'knowledg', u'govern', u'unit', u'provinc', u'rio', u'de', u'la', u'plata', u'govern', u'longer', u'call', u'question', u'right', u'sovereignti', u'ha', u'exercis', u'hi', u'majesti', u'undoubtedli', u'belong', u'crovvti', u'great', u'britain', u'undersign', u'request', u'c', u'sign', u'palmerston', u'foreign', u'offic', u'januari', u'8th', u'1834', u'18', u'robert', u'fitsroy', u'command', u'h', u'm', u'sloop', u'beagl', u'watchman', u'cape', u'coast', u'patagonia', u'22d', u'januari', u'1', u'834', u'herebi', u'requir', u'direct', u'proceed', u'hi', u'majesti', u'schooner', u'adventur', u'command', u'survey', u'falldand', u'island', u'new', u'island', u'appear', u'elig', u'place', u'begin', u'oper', u'proceed', u'round', u'southern', u'coast', u'endeavour', u'meet', u'berkeley', u'sound', u'earli', u'march', u'meet', u'twentyfifth', u'march', u'proceed', u'northern', u'shore', u'falkland', u'island', u'falkland', u'sound', u'go', u'round', u'island', u'time', u'enough', u'make', u'particular', u'plan', u'ani', u'best', u'harbour', u'better', u'anticip', u'think', u'time', u'weather', u'allow', u'accomplish', u'coast', u'survey', u'scale', u'one', u'quarter', u'inch', u'mile', u'latitud', u'time', u'departur', u'falkland', u'meet', u'west', u'end', u'elizabeth', u'island', u'strait', u'magalhaen', u'befor', u'first', u'day', u'next', u'june', u'r', u'f', u'lieut', u'j', u'c', u'wickham', u'command', u'h', u'b', u'm', u'schooner', u'adventur', u'appendix', u'163', u'19', u'wind', u'weather', u'current', u'chilo', u'hono', u'archipelago', u'much', u'ha', u'state', u'captain', u'king', u'vol', u'respect', u'weather', u'chilo', u'also', u'regard', u'gulf', u'peasant', u'neighbour', u'coast', u'need', u'make', u'remark', u'much', u'less', u'differ', u'climat', u'prevail', u'wind', u'order', u'follow', u'tide', u'current', u'outer', u'coast', u'chilo', u'west', u'entranc', u'magal', u'han', u'strait', u'includ', u'intermedi', u'coast', u'person', u'would', u'suppos', u'judg', u'onli', u'geograph', u'posit', u'northwesterli', u'wind', u'prevail', u'bring', u'cloud', u'rain', u'abund', u'southwestern', u'succeed', u'partial', u'clear', u'sky', u'furi', u'wind', u'moder', u'haul', u'southeast', u'quarter', u'short', u'interv', u'fine', u'weather', u'die', u'away', u'light', u'air', u'spring', u'northeast', u'freshen', u'veer', u'round', u'north', u'augment', u'store', u'moistur', u'alway', u'bring', u'north', u'soon', u'shift', u'usual', u'quarter', u'northwest', u'point', u'southwest', u'shift', u'back', u'sometim', u'week', u'befor', u'take', u'anoth', u'round', u'turn', u'wind', u'back', u'southwest', u'westnorthwest', u'c', u'bad', u'weather', u'strong', u'wind', u'sure', u'follow', u'coast', u'wind', u'never', u'back', u'suddenli', u'shift', u'sin', u'respect', u'hemispher', u'veri', u'suddenli', u'sometim', u'fli', u'northwest', u'southwest', u'south', u'violent', u'squall', u'befor', u'shift', u'thi', u'kind', u'almost', u'alway', u'open', u'light', u'appear', u'cloud', u'toward', u'southwest', u'spaniard', u'call', u'eye', u'jo', u'signal', u'seaman', u'ought', u'watch', u'care', u'sudden', u'shift', u'alway', u'sun', u'man', u'ought', u'taken', u'aback', u'unexpectedli', u'long', u'northwest', u'blow', u'ani', u'strength', u'accompani', u'rain', u'long', u'must', u'recollect', u'wind', u'may', u'fli', u'round', u'southwest', u'quarter', u'ani', u'minut', u'never', u'blow', u'hard', u'east', u'rare', u'ani', u'strength', u'northeast', u'occasion', u'sever', u'gale', u'southeast', u'may', u'expect', u'especi', u'middl', u'winter', u'june', u'juli', u'august', u'summer', u'southerli', u'wind', u'last', u'longer', u'blow', u'frequent', u'winter', u'revers', u'wind', u'never', u'go', u'complet', u'164', u'appendix', u'round', u'circl', u'die', u'away', u'approach', u'east', u'interv', u'calm', u'less', u'durat', u'spring', u'giactual', u'northeast', u'east', u'north', u'heavi', u'tempest', u'sometim', u'blow', u'westnorthwest', u'southwest', u'wind', u'blow', u'directli', u'shore', u'guard', u'tide', u'simpl', u'uniform', u'extrem', u'high', u'water', u'fuu', u'chang', u'take', u'place', u'within', u'half', u'hour', u'noon', u'valdivia', u'landfal', u'island', u'rise', u'tide', u'everi', u'outer', u'coast', u'within', u'limit', u'nearli', u'name', u'four', u'eight', u'feet', u'stream', u'tide', u'ani', u'discern', u'even', u'close', u'land', u'doe', u'exceed', u'one', u'knot', u'two', u'knot', u'hour', u'thi', u'extent', u'coast', u'httle', u'current', u'felt', u'set', u'southward', u'except', u'dure', u'befor', u'strong', u'last', u'southerli', u'wind', u'influenc', u'howev', u'trifl', u'upon', u'ship', u'sound', u'heavi', u'swell', u'westward', u'drive', u'upon', u'coast', u'baromet', u'invalu', u'20', u'el', u'presid', u'de', u'la', u'republica', u'de', u'chile', u'c', u'el', u'senor', u'roberto', u'fitsroy', u'command', u'del', u'buqu', u'de', u'su', u'magestad', u'britannica', u'beagl', u'ha', u'recibido', u'de', u'su', u'gobierno', u'el', u'enlarg', u'de', u'reco', u'nicer', u'esta', u'cost', u'y', u'levant', u'map', u'de', u'eua', u'y', u'el', u'gobierno', u'de', u'chile', u'desea', u'franquear', u'una', u'oper', u'de', u'tan', u'conocida', u'utihdad', u'para', u'la', u'navegacion', u'y', u'comercio', u'y', u'para', u'el', u'adelantamiento', u'de', u'la', u'ciencia', u'toda', u'la', u'facilit', u'y', u'auxiho', u'que', u'de', u'el', u'depend', u'en', u'su', u'consequ', u'ordeno', u'todo', u'lo', u'intens', u'de', u'provincia', u'gobemador', u'departamental', u'juic', u'de', u'district', u'y', u'dema', u'empleado', u'y', u'ciudad', u'per', u'cuyo', u'territori', u'transitori', u'el', u'comandant', u'fitsroy', u'que', u'solo', u'se', u'le', u'pongo', u'embarazo', u'para', u'que', u'entr', u'con', u'su', u'buqu', u'en', u'todo', u'lo', u'puerto', u'bahia', u'y', u'raja', u'de', u'la', u'republica', u'que', u'le', u'premier', u'convenient', u'su', u'empress', u'saltando', u'tierra', u'y', u'ejecutando', u'en', u'ella', u'lo', u'reconocimiento', u'y', u'oper', u'que', u'area', u'necessari', u'sino', u'que', u'se', u'le', u'proport', u'todo', u'el', u'favor', u'de', u'que', u'pueda', u'minist', u'hacienda', u'y', u'procur', u'se', u'le', u'hag', u'la', u'ma', u'amistosa', u'acojida', u'por', u'todo', u'lo', u'funci', u'term', u'sound', u'mean', u'deeper', u'water', u'three', u'hundr', u'fathom', u'appendix', u'165', u'ovari', u'y', u'ciudadano', u'con', u'quien', u'enabl', u'relat', u'cual', u'conven', u'la', u'import', u'de', u'lo', u'object', u'scientif', u'de', u'que', u'esta', u'encargado', u'y', u'la', u'amistad', u'y', u'buena', u'harmonia', u'que', u'cultiv', u'con', u'la', u'grand', u'bretagn', u'sala', u'de', u'gobierno', u'en', u'santiago', u'k', u'cuatro', u'de', u'agosto', u'de', u'mil', u'ocho', u'cent', u'trent', u'y', u'cuatro', u'joaquin', u'prieto', u'21', u'robert', u'fitsroy', u'command', u'hi', u'majesti', u'survey', u'sloop', u'beagl', u'herebi', u'requir', u'direct', u'proceed', u'boat', u'parti', u'place', u'order', u'examin', u'survey', u'eastern', u'coast', u'island', u'chilo', u'island', u'channel', u'c', u'near', u'coast', u'endeavour', u'meet', u'wait', u'beagl', u'near', u'island', u'san', u'pedro', u'southeast', u'end', u'chilo', u'10th', u'decemb', u'given', u'board', u'beagl', u'san', u'carlo', u'de', u'chilo', u'thi', u'24th', u'day', u'novemb', u'1834', u'lieut', u'b', u'j', u'sulivan', u'r', u'f', u'h', u'm', u'beagl', u'robert', u'fitsroy', u'command', u'hi', u'majesti', u'survey', u'sloop', u'beagl', u'herebi', u'requir', u'direct', u'proceed', u'boat', u'parti', u'place', u'order', u'continu', u'examin', u'survey', u'eastern', u'coast', u'chilo', u'island', u'channel', u'c', u'lie', u'main', u'land', u'endeavour', u'reach', u'san', u'carlo', u'befor', u'10th', u'januari', u'await', u'arriv', u'beagl', u'given', u'board', u'beagl', u'island', u'chilo', u'thi', u'9th', u'day', u'decemb', u'1834', u'lieut', u'b', u'j', u'sulivan', u'r', u'f', u'h', u'm', u'beagl', u'166', u'appendix', u'22', u'robert', u'fitsrot', u'command', u'hi', u'majesti', u'suney', u'sloop', u'beadl', u'herebi', u'requir', u'direct', u'proceed', u'whaleboat', u'suney', u'part', u'western', u'coast', u'hono', u'archipelago', u'lemu', u'island', u'northernmost', u'island', u'veri', u'limit', u'time', u'mean', u'allow', u'endeavour', u'reach', u'port', u'low', u'meet', u'beagl', u'befor', u'31st', u'thi', u'month', u'given', u'board', u'beagl', u'allenar', u'road', u'hono', u'archipelago', u'thi', u'1', u'eth', u'day', u'decemb', u'1834', u'mr', u'john', u'lord', u'stoke', u'r', u'f', u'mate', u'assist', u'surveyor', u'hm', u'beagl', u'24', u'extract', u'agiiero', u'francisco', u'machado', u'pilot', u'que', u'sue', u'la', u'expedit', u'que', u'se', u'acaba', u'hacer', u'la', u'part', u'del', u'sud', u'gn', u'obedecimiento', u'del', u'secret', u'del', u'senior', u'gobemador', u'y', u'comandant', u'gener', u'de', u'esta', u'provincia', u'su', u'fecha', u'29', u'de', u'mayo', u'de', u'est', u'present', u'also', u'y', u'para', u'su', u'compliment', u'segun', u'instruct', u'dandi', u'principio', u'desd', u'la', u'isla', u'de', u'san', u'fernando', u'situat', u'en', u'la', u'latitud', u'45g', u'47m', u'dice', u'que', u'el', u'puerto', u'que', u'tien', u'esta', u'isla', u'es', u'pequeno', u'mans', u'pero', u'con', u'mal', u'fondo', u'en', u'part', u'la', u'isla', u'de', u'inch', u'que', u'remora', u'al', u'j', u'al', u'e', u'de', u'la', u'aguja', u'tien', u'puerto', u'ni', u'caleta', u'alguna', u'bien', u'que', u'lona', u'embarcacion', u'pued', u'dar', u'fondo', u'su', u'arrigo', u'por', u'la', u'part', u'del', u'e', u'y', u'esto', u'necesidad', u'y', u'por', u'poco', u'tiempo', u'ada', u'la', u'tierra', u'firm', u'se', u'allan', u'puerto', u'muy', u'manso', u'y', u'secur', u'f', u'el', u'que', u'esta', u'ma', u'al', u'es', u'el', u'estero', u'de', u'diego', u'grallego', u'que', u'hace', u'ima', u'ensenada', u'acid', u'el', u'y', u'el', u'estero', u'que', u'sigu', u'al', u'e', u'muy', u'honor', u'en', u'la', u'estrad', u'de', u'est', u'tien', u'ima', u'isla', u'que', u'aunqu', u'estrecha', u'la', u'boca', u'por', u'eso', u'dea', u'de', u'haber', u'obstant', u'fondo', u'para', u'qualquiera', u'embark', u'de', u'la', u'boca', u'de', u'est', u'dicho', u'estero', u'corrient', u'la', u'costa', u'al', u'nd', u'23', u'place', u'thi', u'r', u'f', u'46', u'grade', u'appendix', u'167', u'como', u'tre', u'legua', u'6', u'poco', u'meno', u'se', u'hall', u'el', u'puerto', u'dond', u'anglo', u'el', u'pingueana', u'de', u'la', u'esquadra', u'de', u'anson', u'tien', u'vari', u'islet', u'estrad', u'la', u'mayor', u'es', u'la', u'del', u'dond', u'dea', u'un', u'canal', u'de', u'10', u'brass', u'de', u'agua', u'est', u'puerto', u'se', u'compon', u'de', u'una', u'ensenada', u'acid', u'el', u'o', u'y', u'un', u'estero', u'al', u'e', u'por', u'qualquiera', u'part', u'de', u'la', u'islet', u'que', u'tien', u'en', u'la', u'boca', u'se', u'pued', u'entrar', u'es', u'buen', u'puerto', u'mans', u'y', u'seguro', u'para', u'qualquier', u'embarcacion', u'desd', u'la', u'punta', u'que', u'avanza', u'ma', u'e', u'o', u'como', u'una', u'y', u'media', u'legum', u'del', u'estero', u'de', u'diego', u'gallego', u'que', u'se', u've', u'desd', u'san', u'per', u'nando', u'al', u'core', u'la', u'costa', u'al', u'n', u'd', u'hacienda', u'como', u'ensenada', u'y', u'en', u'ella', u'esta', u'la', u'dicta', u'isla', u'de', u'inch', u'que', u'es', u'el', u'principio', u'del', u'archipelago', u'delo', u'hono', u'entr', u'la', u'qual', u'y', u'la', u'tierrafirm', u'estil', u'otho', u'de', u'carabin', u'grand', u'ypequefio', u'lo', u'vient', u'que', u'se', u'experiment', u'por', u'tiempo', u'de', u'17', u'dia', u'por', u'el', u'de', u'nero', u'fueron', u'o', u'y', u'o', u'que', u'es', u'el', u'que', u'uaman', u'travesia', u'y', u'regular', u'ment', u'vien', u'con', u'zerrazon', u'la', u'tierrafirm', u'es', u'de', u'germania', u'alta', u'y', u'plata', u'de', u'piedra', u'aspera', u'color', u'de', u'ceni', u'y', u'en', u'la', u'falda', u'y', u'quebrada', u'mosqu', u'que', u'parec', u'nada', u'cultiv', u'todo', u'es', u'peninsula', u'que', u'cercan', u'lo', u'mare', u'perla', u'part', u'del', u'n', u'termina', u'en', u'un', u'golfito', u'cash', u'circular', u'que', u'llaman', u'la', u'laguna', u'de', u'san', u'rafael', u'y', u'por', u'el', u'da', u'principio', u'al', u'golfo', u'de', u'san', u'estevan', u'dond', u'desemboca', u'el', u'rio', u'de', u'san', u'tadeo', u'de', u'uno', u'otro', u'mar', u'hara', u'de', u'2', u'3', u'legua', u'aunqu', u'lo', u'navig', u'del', u'rio', u'pass', u'de', u'5', u'por', u'la', u'oielta', u'y', u'revuelta', u'que', u'son', u'mucha', u'de', u'la', u'dicta', u'laguna', u'al', u'embark', u'del', u'mismo', u'rio', u'hara', u'como', u'20', u'quadrant', u'y', u'est', u'es', u'el', u'istmo', u'que', u'llaman', u'de', u'ofqui', u'y', u'vulgar', u'ment', u'por', u'otro', u'nombr', u'el', u'desecho', u'est', u'rio', u'de', u'san', u'tadeo', u'baa', u'de', u'una', u'cordillera', u'cuya', u'abra', u'se', u've', u'muy', u'circa', u'de', u'la', u'laguna', u'y', u'desemboca', u'como', u'dicho', u'en', u'el', u'golfo', u'de', u'san', u'estevan', u'cuya', u'boca', u'es', u'also', u'pehgrosa', u'porqu', u'tien', u'poco', u'fondo', u'y', u'estrecha', u'tanto', u'que', u'solo', u'se', u'pued', u'entrar', u'6', u'salir', u'quando', u'el', u'mar', u'esta', u'tranquil', u'al', u'trent', u'de', u'su', u'boca', u'al', u'como', u'4', u'legua', u'esta', u'la', u'isla', u'de', u'san', u'xavier', u'y', u'al', u'o', u'de', u'2', u'3', u'legua', u'una', u'punta', u'6', u'peninsula', u'dond', u'hay', u'vari', u'ens', u'nada', u'y', u'cale', u'que', u'son', u'bueno', u'puerto', u'y', u'de', u'esto', u'n', u'o', u'un', u'bello', u'estero', u'directo', u'ma', u'de', u'2', u'legua', u'muy', u'seren', u'de', u'suffici', u'fondo', u'y', u'bueno', u'pero', u'con', u'un', u'pequeno', u'saxo', u'que', u'tien', u'en', u'su', u'estrad', u'del', u'medio', u'al', u'se', u'le', u'push', u'el', u'nombr', u'de', u'san', u'quintain', u'de', u'la', u'expedit', u'que', u'lo', u'padr', u'fr', u'benito', u'marin', u'y', u'fr', u'julian', u'real', u'misionero', u'del', u'corregio', u'de', u'ocopa', u'y', u'destin', u'la', u'vision', u'168', u'appendix', u'del', u'archipelago', u'de', u'chilo', u'hicieron', u'ultimo', u'del', u'ano', u'de', u'1778', u'y', u'principi', u'del', u'de', u'1779', u'lo', u'archipelago', u'de', u'guaiteca', u'y', u'guaia', u'neo', u'al', u'sud', u'de', u'aquella', u'provincia', u'en', u'solicit', u'de', u'lo', u'indi', u'gentil', u'el', u'10', u'se', u'hicieron', u'la', u'vela', u'y', u'con', u'viento', u'favor', u'navegaron', u'cash', u'todo', u'el', u'golfo', u'que', u'media', u'entr', u'chayamapu', u'y', u'tagau', u'y', u'uegaron', u'perla', u'tarda', u'al', u'puerto', u'de', u'tualad', u'surgeon', u'de', u'est', u'al', u'amanec', u'11', u'obstant', u'que', u'el', u'n', u'estaba', u'consider', u'ment', u'fresco', u'y', u'que', u'le', u'ionia', u'en', u'cuidado', u'porqu', u'per', u'maneciendo', u'anclado', u'conocian', u'mayor', u'riesgo', u'y', u'lograron', u'en', u'poca', u'horn', u'anchor', u'en', u'charraguel', u'aunqu', u'fabian', u'ant', u'arribado', u'tagau', u'para', u'comer', u'y', u'para', u'seguir', u'desd', u'est', u'el', u'gumbo', u'para', u'el', u'otro', u'deacon', u'el', u'canal', u'que', u'se', u'dirig', u'la', u'laguna', u'de', u'san', u'rafael', u'y', u'tomaron', u'el', u'de', u'aii', u'cuya', u'boca', u'tien', u'como', u'un', u'quarto', u'de', u'legum', u'de', u'anchor', u'por', u'el', u'o', u'e', u'tomaron', u'est', u'gumbo', u'con', u'el', u'fin', u'de', u'reconoc', u'si', u'habia', u'otra', u'salida', u'ma', u'fact', u'para', u'el', u'mar', u'de', u'guaianeco', u'y', u'heron', u'fondo', u'en', u'yepusnec', u'en', u'dond', u'por', u'la', u'noch', u'estuvieron', u'en', u'manifesto', u'religio', u'porqu', u'sextant', u'la', u'piragua', u'grand', u'sobr', u'una', u'piedra', u'luego', u'que', u'la', u'vaciant', u'su', u'curs', u'se', u'bosco', u'por', u'un', u'costa', u'pero', u'mediat', u'el', u'favor', u'de', u'die', u'y', u'patricii', u'de', u'maria', u'santisima', u'cuyo', u'nombr', u'tenia', u'la', u'embarcacion', u'y', u'poniendo', u'por', u'su', u'part', u'la', u'dilig', u'que', u'en', u'tan', u'arriesgado', u'caso', u'ran', u'necessari', u'consiguieron', u'salir', u'libr', u'en', u'todo', u'y', u'sin', u'cano', u'alguno', u'en', u'la', u'piragua', u'enderezada', u'esta', u'y', u'4endola', u'ya', u'voyag', u'salieron', u'de', u'aquel', u'puerto', u'yfueron', u'comer', u'otro', u'uamado', u'el', u'obscur', u'12', u'surgeon', u'luego', u'y', u'continuaron', u'la', u'navegacion', u'por', u'el', u'misrao', u'canal', u'demand', u'al', u'e', u'otro', u'pequeno', u'con', u'gumbo', u'al', u'y', u'uegaron', u'hacer', u'noch', u'en', u'tuciia', u'y', u'porqu', u'entraron', u'en', u'el', u'canal', u'la', u'viscera', u'de', u'san', u'diego', u'y', u'navegaron', u'por', u'el', u'todo', u'el', u'dia', u'de', u'est', u'glorioso', u'santa', u'le', u'titular', u'con', u'su', u'nombr', u'el', u'siguient', u'dia', u'pudieron', u'salir', u'por', u'la', u'manna', u'por', u'lo', u'mucho', u'que', u'llovio', u'pero', u'aprovecharon', u'la', u'tard', u'salient', u'para', u'otro', u'sitio', u'que', u'hallaron', u'muy', u'incommod', u'por', u'la', u'fuerza', u'de', u'la', u'corrient', u'que', u'en', u'el', u'experiment', u'uevaban', u'la', u'agu', u'de', u'est', u'surgeon', u'la', u'manna', u'siguient', u'li', u'con', u'el', u'fin', u'de', u'entrar', u'por', u'la', u'primera', u'boca', u'de', u'lo', u'referido', u'canal', u'y', u'hacienda', u'navegad', u'hora', u'y', u'media', u'con', u'est', u'design', u'pudieron', u'romper', u'contra', u'la', u'fuerza', u'de', u'la', u'corrient', u'que', u'aaron', u'viendos', u'oblig', u'arriv', u'poca', u'horn', u'se', u'volviron', u'lever', u'y', u'navegaron', u'por', u'la', u'primera', u'boca', u'pero', u'encontrandos', u'despu', u'con', u'otra', u'que', u'tampoco', u'le', u'fu', u'possibl', u'appendix', u'169', u'romper', u'contra', u'su', u'corrlent', u'impetu', u'y', u'arribaron', u'una', u'ensenada', u'para', u'emperor', u'proport', u'favor', u'por', u'la', u'tard', u'fueron', u'alguno', u'marin', u'y', u'un', u'practic', u'con', u'el', u'padr', u'fr', u'benito', u'reconoc', u'la', u'boca', u'que', u'esperaban', u'pasar', u'y', u'repress', u'asombrado', u'de', u'haber', u'vista', u'lo', u'encrespado', u'y', u'entumecido', u'de', u'la', u'ala', u'por', u'el', u'encuentro', u'de', u'una', u'con', u'otra', u'todo', u'lo', u'que', u'le', u'caus', u'consider', u'horror', u'y', u'uno', u'su', u'horizon', u'de', u'tenor', u'al', u'consid', u'le', u'era', u'formosa', u'haber', u'el', u'pasar', u'por', u'tan', u'manifesto', u'religio', u'luego', u'que', u'dixon', u'misa', u'15', u'y', u'stand', u'el', u'mar', u'en', u'crecient', u'salieron', u'de', u'la', u'ensenada', u'y', u'obstant', u'el', u'sobresalto', u'que', u'todo', u'llevaban', u'pasar', u'con', u'felicia', u'la', u'boca', u'continuaron', u'navegando', u'y', u'heron', u'fondo', u'ant', u'de', u'medio', u'dia', u'experiment', u'alii', u'el', u'uno', u'de', u'la', u'agu', u'entr', u'ima', u'y', u'de', u'la', u'tard', u'siendo', u'en', u'el', u'mar', u'la', u'neve', u'prosiguieron', u'savag', u'yvieronel', u'find', u'grand', u'estero', u'16', u're', u'gresaron', u'y', u'aunqu', u'al', u'o', u'e', u'encontraron', u'otro', u'canal', u'entraron', u'reconcil', u'por', u'herder', u'tiempo', u'y', u'power', u'legal', u'aton', u'estuviesen', u'asegurado', u'para', u'desembocar', u'por', u'la', u'arriesgada', u'boca', u'referida', u'est', u'dia', u'entr', u'y', u'tre', u'de', u'la', u'tard', u'consiguieron', u'pasarla', u'feliz', u'ment', u'y', u'fueron', u'anchor', u'en', u'un', u'pequeno', u'canal', u'que', u'se', u'dirig', u'al', u'desecho', u'17', u'prosiguieron', u'la', u'navegacion', u'y', u'helicon', u'el', u'canal', u'princip', u'que', u'va', u'al', u'desecho', u'nombrado', u'celtau', u'y', u'uegaron', u'hacer', u'noch', u'en', u'el', u'puerto', u'monaco', u'18', u'cameron', u'de', u'est', u'y', u'ant', u'que', u'principi', u'la', u'vaciant', u'aaron', u'la', u'boca', u'de', u'celtau', u'lo', u'que', u'hubieran', u'conseguido', u'con', u'aorta', u'detent', u'que', u'hubiesen', u'tenido', u'como', u'sucedio', u'una', u'de', u'la', u'piragua', u'pequena', u'que', u'se', u'quedo', u'funera', u'por', u'su', u'remora', u'al', u'siguient', u'dia', u'navegaron', u'un', u'pequeno', u'golfo', u'que', u'se', u'encuentra', u'ant', u'de', u'la', u'boca', u'de', u'la', u'laguna', u'de', u'san', u'rafael', u'y', u'romano', u'puerto', u'anclaron', u'en', u'el', u'y', u'permanecieron', u'toda', u'la', u'mariana', u'del', u'otro', u'dia', u'desperado', u'termin', u'la', u'vaciant', u'obstant', u'haber', u'viento', u'n', u'claro', u'y', u'favor', u'21', u'continu', u'su', u'errata', u'y', u'desembocaron', u'en', u'dicta', u'laguna', u'la', u'que', u'rebalsaron', u'con', u'tiempo', u'apac', u'y', u'tambien', u'lo', u'era', u'su', u'vista', u'por', u'lo', u'mucho', u'farallon', u'de', u'niev', u'que', u'en', u'eua', u'aaron', u'uno', u'grand', u'otro', u'pequeno', u'y', u'median', u'otro', u'esta', u'situat', u'entr', u'lo', u'46', u'gr', u'55', u'min', u'y', u'47', u'gr', u'5', u'min', u'de', u'latitud', u'heron', u'fondo', u'la', u'neve', u'de', u'la', u'manna', u'en', u'el', u'puerto', u'de', u'san', u'rafael', u'el', u'que', u'sola', u'ment', u'estii', u'resguardado', u'por', u'el', u'y', u'o', u'e', u'passion', u'luego', u'lo', u'practic', u'y', u'el', u'pilot', u'ovarium', u'reconoc', u'el', u'desecho', u'y', u'repress', u'con', u'la', u'funesta', u'notic', u'de', u'que', u'170', u'appendix', u'el', u'palo', u'dond', u'se', u'enganchaba', u'y', u'afianzaba', u'el', u'aparejo', u'para', u'su1ir', u'la', u'piragua', u'se', u'habia', u'ya', u'cairo', u'y', u'que', u'el', u'rio', u'san', u'tadeo', u'habia', u'rebentado', u'y', u'tornado', u'vari', u'brazo', u'y', u'divers', u'rumbo', u'est', u'dia', u'fueron', u'lo', u'plot', u'23', u'con', u'lo', u'ma', u'de', u'la', u'tribul', u'esta', u'con', u'herramienta', u'para', u'abrir', u'el', u'camino', u'y', u'aquello', u'para', u'reconoc', u'e', u'inform', u'si', u'era', u'6', u'transfer', u'dicho', u'rio', u'y', u'juzgandos', u'convenient', u'que', u'todo', u'esto', u'lo', u'presencias', u'uno', u'de', u'lo', u'religioso', u'sue', u'el', u'padr', u'fr', u'benito', u'con', u'lo', u'referido', u'al', u'reconocimiento', u'hecho', u'est', u'se', u'resomo', u'continu', u'el', u'viag', u'desir', u'de', u'puesto', u'el', u'sol', u'amenazo', u'el', u'tiempo', u'de', u'borrasca', u'la', u'que', u'se', u'verifi', u'y', u'lego', u'tanto', u'que', u'pasaron', u'la', u'noch', u'con', u'mucha', u'afflict', u'y', u'tenur', u'sin', u'power', u'descansar', u'en', u'toda', u'eua', u'result', u'de', u'esta', u'torment', u'que', u'de', u'la', u'piragua', u'pequena', u'la', u'una', u'tertio', u'el', u'cast', u'y', u'la', u'otra', u'quedo', u'tan', u'maltreat', u'que', u'solo', u'su', u'plan', u'y', u'una', u'falca', u'quedaron', u'servdbl', u'continu', u'el', u'tiempo', u'en', u'esta', u'disposit', u'hasta', u'el', u'dia', u'28', u'en', u'est', u'aunqu', u'ajoido', u'poco', u'pasaron', u'hasta', u'el', u'principio', u'del', u'dese', u'echo', u'y', u'luego', u'heron', u'disposit', u'y', u'probat', u'subir', u'la', u'piragua', u'enter', u'pero', u'hacienda', u'conseguido', u'pleas', u'su', u'proa', u'lo', u'ultimo', u'de', u'la', u'escalera', u'salto', u'el', u'pun', u'de', u'la', u'garita', u'y', u'descend', u'precipit', u'al', u'principio', u'jsero', u'sin', u'cano', u'alguno', u'est', u'dia', u'29', u'aunqu', u'festiv', u'por', u'domingo', u'consider', u'por', u'suffici', u'y', u'justa', u'causa', u'la', u'notabl', u'necesidad', u'en', u'que', u'se', u'hallaban', u'le', u'emplea', u'ron', u'en', u'trabajar', u'y', u'prevent', u'lo', u'necessaria', u'para', u'subir', u'la', u'piragua', u'y', u'al', u'siguient', u'despu', u'de', u'la', u'misa', u'se', u'principio', u'la', u'manitoba', u'pero', u'aun', u'con', u'la', u'mucha', u'y', u'effac', u'dilig', u'que', u'hicieron', u'pudieron', u'conseguir', u'el', u'fin', u'que', u'deseaban', u'y', u'resohderon', u'guitar', u'la', u'falca', u'la', u'piragua', u'con', u'lo', u'que', u'lograron', u'su', u'deseo', u'y', u'la', u'subieron', u'hasta', u'lo', u'ma', u'penoso', u'conseguido', u'esto', u'emplearon', u'esto', u'dia', u'die', u'1', u'en', u'que', u'alguno', u'de', u'la', u'tribul', u'fuesen', u'trabajar', u'para', u'levant', u'neva', u'piragua', u'y', u'otro', u'conduct', u'la', u'carga', u'y', u'el', u'dia', u'2', u'despacharon', u'la', u'piragua', u'santa', u'teresa', u'la', u'ciudad', u'de', u'castro', u'para', u'que', u'die', u'notitia', u'de', u'quanto', u'hasta', u'est', u'dia', u'le', u'habia', u'acaecido', u'el', u'3', u'pasaron', u'pie', u'el', u'desecho', u'y', u'baron', u'al', u'rancho', u'que', u'ya', u'estaba', u'prevent', u'en', u'la', u'playa', u'del', u'rio', u'de', u'san', u'tadeo', u'permanecieron', u'alli', u'hasta', u'que', u'se', u'aprestaron', u'con', u'todo', u'lo', u'necessaria', u'la', u'piragua', u'el', u'dia', u'17', u'continuaron', u'el', u'viag', u'navegando', u'rio', u'abaxo', u'padecieron', u'algu', u'peugto', u'y', u'afflict', u'por', u'haber', u'quebrado', u'la', u'piragua', u'y', u'con', u'especialidad', u'la', u'san', u'joseph', u'pero', u'pudieron', u'legal', u'la', u'boca', u'6', u'deem', u'del', u'rio', u'san', u'tadeo', u'en', u'el', u'golfo', u'de', u'san', u'estevan', u'y', u'tomar', u'puerto', u'en', u'un', u'estero', u'estrecho', u'y', u'largo', u'aplendix', u'la', u'vuelta', u'al', u'siguient', u'dia', u'emprendieron', u'la', u'subito', u'por', u'el', u'rio', u'y', u'logrando', u'la', u'crecient', u'favor', u'hicieron', u'buen', u'viag', u'y', u'el', u'16', u'llegaron', u'comer', u'al', u'desecho', u'en', u'dond', u'dentro', u'de', u'un', u'rancho', u'hallaron', u'una', u'carta', u'del', u'p', u'fr', u'francisco', u'menand', u'por', u'la', u'que', u'heron', u'le', u'esperaba', u'en', u'la', u'laguna', u'de', u'san', u'rafael', u'gozoso', u'con', u'tan', u'plausibl', u'notitia', u'pasaron', u'por', u'la', u'tard', u'el', u'desecho', u'y', u'encontraron', u'dicho', u'religion', u'en', u'la', u'escalera', u'lo', u'siguient', u'dia', u'permanecieron', u'alii', u'empleando', u'la', u'tribul', u'en', u'conduct', u'la', u'laguna', u'lo', u'que', u'vena', u'en', u'la', u'piragua', u'la', u'que', u'deacon', u'en', u'pieta', u'en', u'el', u'rancho', u'del', u'embarcadero', u'del', u'rio', u'y', u'pusieron', u'buoyant', u'la', u'piragua', u'del', u'patricii', u'el', u'dia', u'19', u'salieron', u'despu', u'de', u'comer', u'y', u'navegando', u'nemo', u'toda', u'la', u'dard', u'llegaron', u'al', u'anochec', u'tomar', u'puerto', u'pero', u'ant', u'de', u'dar', u'fondo', u'se', u'asento', u'la', u'piragua', u'y', u'pasaron', u'en', u'ella', u'la', u'noch', u'hasta', u'que', u'con', u'la', u'crecient', u'la', u'mad', u'rug', u'ada', u'pudieron', u'lograr', u'que', u'boyas', u'y', u'obstant', u'que', u'habia', u'n', u'se', u'aprovecharon', u'de', u'la', u'vaciant', u'y', u'pasaron', u'la', u'secunda', u'boca', u'refresh', u'el', u'viento', u'y', u'continuaron', u'navegando', u'el', u'golfo', u'atra', u'cado', u'al', u'e', u'y', u'fueron', u'comer', u'en', u'el', u'puerto', u'uamado', u'chauguaguen', u'y', u'de', u'alii', u'se', u'learn', u'y', u'siguieron', u'por', u'el', u'e', u'hasta', u'circa', u'de', u'la', u'boca', u'de', u'celtau', u'dond', u'pasaron', u'la', u'noch', u'20', u'secunda', u'expedit', u'hecha', u'lo', u'referido', u'archipelago', u'de', u'guaiteca', u'y', u'guaianeco', u'por', u'lo', u'religioso', u'misionero', u'p', u'fr', u'francisco', u'menand', u'y', u'p', u'fr', u'ignacio', u'barg', u'en', u'solicit', u'de', u'la', u'reduct', u'de', u'lo', u'gentil', u'fine', u'del', u'ano', u'de', u'1779', u'y', u'principi', u'del', u'de', u'1780', u'primerament', u'maestro', u'viag', u'hasta', u'la', u'laguna', u'es', u'la', u'de', u'san', u'rafael', u'sue', u'fez', u'sin', u'otra', u'novedad', u'que', u'alguno', u'custo', u'la', u'salida', u'del', u'golfo', u'llegamo', u'el', u'dia', u'de', u'lo', u'difunto', u'despu', u'de', u'haber', u'dicho', u'lo', u'misa', u'envicufiamo', u'al', u'desecho', u'j', u'descart', u'en', u'la', u'escalera', u'el', u'mismo', u'dia', u'y', u'por', u'la', u'tard', u'se', u'sac', u'la', u'piragua', u'el', u'patricii', u'hasta', u'media', u'quia', u'del', u'agua', u'y', u'al', u'otro', u'dia', u'de', u'mariana', u'se', u'aseguro', u'del', u'todo', u'y', u'por', u'la', u'tard', u'la', u'otra', u'intent', u'hacer', u'otra', u'piragua', u'ma', u'y', u'por', u'haber', u'cairo', u'enfermo', u'cinco', u'marin', u'se', u'conclud', u'quedo', u'hecho', u'el', u'plan', u'y', u'el', u'vers', u'siguient', u'3', u'comenzaron', u'lo', u'tempor', u'y', u'continuaron', u'con', u'alia', u'nevada', u'hasta', u'que', u'se', u'halloa', u'el', u'basement', u'en', u'el', u'embarcadero', u'del', u'rio', u'y', u'la', u'piragua', u'ya', u'levantada', u'que', u'sue', u'lo', u'24', u'dia', u'de', u'nostra', u'llegada', u'feb', u'15', u'1779', u'oct', u'11', u'1779', u'nov', u'2', u'2', u'172', u'appendix', u'marcia', u'que', u'el', u'tiempo', u'se', u'oponia', u'todo', u'la', u'expedit', u'para', u'boar', u'la', u'piragua', u'se', u'sect', u'el', u'rio', u'y', u'lorenzo', u'el', u'todo', u'iba', u'en', u'contra', u'pero', u'su', u'divin', u'majesta', u'permit', u'que', u'con', u'buen', u'tiempo', u'precis', u'el', u'rio', u'y', u'lo', u'26', u'dia', u'el', u'de', u'san', u'jacki', u'de', u'la', u'march', u'y', u'primera', u'dominica', u'de', u'advent', u'bahama', u'el', u'rio', u'y', u'fui', u'decir', u'misa', u'la', u'boca', u'del', u'rio', u'san', u'tadeo', u'nov', u'28', u'uno', u'de', u'lo', u'gentil', u'dixon', u'habia', u'vista', u'por', u'aquello', u'parad', u'campu', u'ma', u'grand', u'que', u'andaba', u'la', u'gent', u'por', u'la', u'berga', u'y', u'falca', u'mayoress', u'que', u'la', u'nuestra', u'toda', u'notic', u'deseada', u'pero', u'lo', u'queen', u'averiguar', u'maestro', u'senor', u'guard', u'v', u'r', u'mucho', u'amo', u'castro', u'y', u'marco', u'14', u'de', u'1780', u'f', u'h', u'campu', u'es', u'nombr', u'proprio', u'del', u'idiom', u'vehicl', u'y', u'signifi', u'embarcacion', u'y', u'en', u'est', u'dicho', u'di', u'engend', u'aquel', u'gent', u'lo', u'religioso', u'que', u'en', u'aquella', u'altera', u'habia', u'vista', u'navi', u'como', u'clarament', u'se', u'inher', u'de', u'express', u'que', u'la', u'gent', u'andaba', u'por', u'la', u'berga', u'23', u'extract', u'burney', u'histori', u'discoveri', u'south', u'sea', u'vol', u'iv', u'p', u'118', u'c', u'oct', u'11th', u'1681', u'latitud', u'49', u'54', u'estim', u'distanc', u'american', u'coast', u'120', u'leagu', u'wind', u'blew', u'strong', u'sw', u'stood', u'se', u'morn', u'12th', u'two', u'hour', u'befor', u'day', u'latitud', u'account', u'50', u'50', u'suddenli', u'found', u'themselv', u'close', u'landth', u'ship', u'wa', u'iu', u'prepar', u'event', u'foreyard', u'lower', u'eas', u'account', u'strength', u'wind', u'land', u'wa', u'high', u'tower', u'appear', u'mani', u'island', u'scatter', u'near', u'entangl', u'wa', u'possibl', u'stand', u'sea', u'light', u'steer', u'cautious', u'could', u'island', u'along', u'extens', u'coast', u'whether', u'wa', u'larger', u'island', u'part', u'contin', u'could', u'know', u'day', u'advanc', u'land', u'wa', u'seen', u'mountain', u'craggi', u'top', u'cover', u'snow', u'buccan', u'sharp', u'appendix', u'17g', u'sharp', u'say', u'bore', u'harbour', u'steer', u'northward', u'five', u'leagu', u'north', u'side', u'plenti', u'harbour', u'eleven', u'forenoon', u'came', u'anchor', u'harbour', u'fortyf', u'fathom', u'within', u'stone', u'cast', u'shore', u'ship', u'wa', u'landlock', u'smooth', u'water', u'ship', u'went', u'one', u'crew', u'name', u'henri', u'shergal', u'fell', u'overboard', u'wa', u'go', u'spritsail', u'top', u'wa', u'drown', u'account', u'thi', u'wa', u'name', u'sherman', u'harbour', u'bottom', u'wa', u'rocki', u'ship', u'anchor', u'boat', u'wa', u'therefor', u'sent', u'look', u'better', u'anchorag', u'howev', u'shift', u'berth', u'day', u'dure', u'night', u'strong', u'flurri', u'wind', u'hill', u'join', u'sharp', u'rock', u'bottom', u'cut', u'cabl', u'two', u'oblig', u'set', u'sail', u'ran', u'mue', u'anoth', u'bay', u'let', u'go', u'anoth', u'anchor', u'moor', u'ship', u'fasten', u'tree', u'shore', u'shot', u'gees', u'adldfowl', u'shore', u'found', u'larg', u'muscl', u'cockl', u'like', u'england', u'limpet', u'also', u'penguin', u'shi', u'taken', u'without', u'pursuit', u'paddl', u'water', u'wing', u'veri', u'fast', u'bodi', u'heavi', u'carri', u'said', u'wing', u'first', u'part', u'time', u'lay', u'thi', u'harbour', u'almost', u'continu', u'rain', u'night', u'15th', u'high', u'north', u'wind', u'tree', u'cabl', u'wa', u'fasten', u'gave', u'way', u'came', u'root', u'consequ', u'stern', u'ship', u'took', u'ground', u'damag', u'rudder', u'secur', u'ship', u'afresh', u'fasten', u'cabl', u'tree', u'oblig', u'unhand', u'rudder', u'repair', u'18th', u'wa', u'day', u'clear', u'weather', u'latitud', u'wa', u'observ', u'50', u'40', u'differ', u'rise', u'fall', u'tide', u'wa', u'seven', u'feet', u'perpendicular', u'time', u'high', u'water', u'note', u'arm', u'sea', u'gulf', u'name', u'english', u'gulf', u'land', u'form', u'harbour', u'duke', u'york', u'island', u'guess', u'ani', u'thing', u'els', u'whether', u'island', u'contin', u'wa', u'discov', u'ringros', u'say', u'persuad', u'place', u'great', u'island', u'hydrograph', u'lay', u'rather', u'archipelago', u'smaller', u'island', u'captain', u'gave', u'name', u'duke', u'york', u'island', u'boat', u'went', u'eastward', u'found', u'sever', u'good', u'bay', u'harbour', u'deep', u'water', u'close', u'shore', u'lay', u'sever', u'sunken', u'rock', u'steamer', u'duck', u'penguin', u'swim', u'like', u'fish', u'r', u'f', u'174', u'appendix', u'also', u'harbour', u'ship', u'lay', u'rock', u'less', u'danger', u'ship', u'reason', u'weed', u'lie', u'preced', u'descript', u'appear', u'south', u'part', u'island', u'name', u'madr', u'de', u'dio', u'spanish', u'atla', u'island', u'south', u'channel', u'arm', u'sea', u'name', u'gulf', u'de', u'la', u'trinidad', u'sharp', u'english', u'gulf', u'bravo', u'de', u'la', u'concept', u'sarmiento', u'ringros', u'ha', u'dral', u'sketch', u'dulc', u'york', u'island', u'one', u'english', u'gulf', u'worth', u'copi', u'neither', u'compass', u'meridian', u'line', u'scale', u'sound', u'ha', u'given', u'plan', u'defect', u'manner', u'account', u'littl', u'use', u'necessari', u'howev', u'remark', u'differ', u'plan', u'ha', u'print', u'english', u'gulf', u'plan', u'manuscript', u'print', u'copi', u'shore', u'gulf', u'drawn', u'one', u'continu', u'line', u'admit', u'thoroughfar', u'wherea', u'manuscript', u'plan', u'clear', u'open', u'leav', u'prospect', u'channel', u'toward', u'end', u'octob', u'weather', u'settl', u'fair', u'hitherto', u'seen', u'inhabit', u'27th', u'parti', u'went', u'ship', u'boat', u'excurs', u'search', u'provis', u'unhappili', u'caught', u'sight', u'small', u'boat', u'belong', u'nativ', u'land', u'ship', u'boat', u'row', u'pursuit', u'nativ', u'man', u'woman', u'boy', u'find', u'boat', u'would', u'overtaken', u'leap', u'overboard', u'swam', u'toward', u'shore', u'thi', u'villan', u'crew', u'buccan', u'barbar', u'shoot', u'water', u'shot', u'man', u'dead', u'woman', u'made', u'escap', u'land', u'boy', u'stout', u'lad', u'eighteen', u'year', u'age', u'wa', u'taken', u'indian', u'boat', u'wa', u'carri', u'ship', u'poor', u'lad', u'thu', u'made', u'prison', u'onli', u'small', u'cover', u'sealskin', u'wa', u'squintey', u'hi', u'hair', u'wa', u'cut', u'short', u'done', u'boat', u'indian', u'wa', u'built', u'sharp', u'end', u'flat', u'bottom', u'middl', u'fire', u'burn', u'dress', u'victual', u'use', u'tliey', u'net', u'catch', u'penguin', u'club', u'like', u'bandi', u'wooden', u'dart', u'thi', u'young', u'indian', u'appear', u'hi', u'action', u'veri', u'innoc', u'foolish', u'could', u'open', u'larg', u'muscl', u'hi', u'finger', u'buccan', u'coidd', u'scarc', u'manag', u'knive', u'wa', u'veri', u'wild', u'would', u'eat', u'raw', u'flesh', u'begin', u'novemb', u'rudder', u'wa', u'repair', u'hung', u'ringros', u'say', u'could', u'perceiv', u'stormi', u'weather', u'wa', u'appendix', u'blown', u'much', u'small', u'fri', u'fish', u'ship', u'whereof', u'befor', u'saw', u'none', u'weather', u'began', u'warm', u'rather', u'hot', u'bird', u'thrush', u'blackbird', u'sing', u'sweetli', u'm', u'england', u'5th', u'novemb', u'sail', u'english', u'gulf', u'takingwith', u'young', u'indian', u'prison', u'gave', u'name', u'arson', u'depart', u'nativ', u'land', u'eastward', u'made', u'great', u'fire', u'six', u'even', u'ship', u'wa', u'without', u'mouth', u'gulf', u'wind', u'blew', u'fresh', u'nw', u'stood', u'sw', u'w', u'keep', u'clear', u'breaker', u'lie', u'four', u'leagu', u'without', u'entranc', u'gulf', u'sse', u'mani', u'reef', u'rock', u'seen', u'hereabout', u'account', u'kept', u'close', u'wind', u'till', u'good', u'distanc', u'clear', u'land', u'navig', u'atlant', u'wa', u'could', u'imagin', u'like', u'journey', u'travel', u'night', u'strang', u'countri', u'without', u'guid', u'weather', u'wa', u'stormi', u'would', u'ventur', u'steer', u'strait', u'magalhaen', u'purpos', u'benefit', u'provis', u'shore', u'strait', u'afford', u'fresh', u'water', u'fish', u'veget', u'wood', u'ran', u'go', u'round', u'tierra', u'del', u'fuego', u'wind', u'nw', u'wa', u'favour', u'thi', u'navig', u'frequent', u'lay', u'becaus', u'weather', u'wa', u'thick', u'12th', u'pass', u'tierra', u'del', u'fuego', u'latitud', u'accord', u'observ', u'day', u'wa', u'55', u'25', u'cours', u'steer', u'wa', u'sse', u'14th', u'ringros', u'say', u'latitud', u'wa', u'observ', u'57', u'50', u'thi', u'day', u'could', u'perceiv', u'land', u'noon', u'due', u'w', u'steer', u'e', u'expect', u'daylight', u'next', u'morn', u'close', u'land', u'weather', u'becam', u'cloudi', u'much', u'fall', u'snow', u'noth', u'wa', u'seen', u'longitud', u'meridian', u'distanc', u'notic', u'must', u'remain', u'doubt', u'whether', u'took', u'land', u'wa', u'float', u'ice', u'observ', u'latitud', u'erron', u'saw', u'isl', u'diego', u'ramirez', u'three', u'day', u'afterward', u'latitud', u'58', u'30', u'feu', u'ice', u'island', u'one', u'reckon', u'two', u'leagu', u'circumfer', u'strong', u'current', u'set', u'southward', u'tliey', u'held', u'cours', u'eastward', u'far', u'last', u'sail', u'northward', u'saw', u'neither', u'tierra', u'del', u'fuego', u'staten', u'island', u'end', u'novemb', u'1681', u'appendix', u'24', u'extract', u'voyag', u'lionel', u'wafer', u'1686', u'describ', u'island', u'santa', u'maria', u'mistaken', u'name', u'mocha', u'island', u'afford', u'water', u'fresh', u'provis', u'men', u'land', u'veri', u'low', u'flat', u'upon', u'sea', u'coast', u'sandi', u'middl', u'ground', u'good', u'mould', u'produc', u'maiz', u'wheat', u'barley', u'varieti', u'fruit', u'c', u'sever', u'hous', u'belong', u'spanish', u'indian', u'veri', u'well', u'store', u'dunghil', u'fowl', u'also', u'sever', u'hors', u'worthi', u'note', u'sort', u'sheep', u'inhabit', u'call', u'cameron', u'de', u'tierra', u'thi', u'creatur', u'four', u'feet', u'half', u'high', u'back', u'veri', u'state', u'beast', u'sheep', u'tame', u'frequent', u'use', u'bridl', u'one', u'upon', u'whose', u'back', u'two', u'lustiest', u'men', u'would', u'ride', u'onc', u'round', u'island', u'drive', u'rest', u'fold', u'hi', u'ordinari', u'pace', u'either', u'ambl', u'good', u'handgallop', u'doe', u'care', u'go', u'ani', u'pace', u'dure', u'time', u'hi', u'rider', u'upon', u'hi', u'back', u'hi', u'mouth', u'like', u'hare', u'harelip', u'abov', u'open', u'well', u'malahip', u'bite', u'grass', u'doe', u'verj', u'near', u'hi', u'head', u'much', u'like', u'antelop', u'horn', u'yet', u'found', u'veri', u'larg', u'horn', u'much', u'twist', u'form', u'snailshel', u'suppos', u'shed', u'lay', u'mani', u'scatter', u'upon', u'sandi', u'bay', u'hi', u'ear', u'resembl', u'ass', u'hi', u'neck', u'small', u'resembl', u'camel', u'carri', u'hi', u'head', u'bend', u'veri', u'state', u'hke', u'swan', u'fullchest', u'like', u'hors', u'ha', u'hi', u'loin', u'much', u'like', u'wellshap', u'greyhound', u'hi', u'buttock', u'resembl', u'fullgron', u'deer', u'ha', u'much', u'tail', u'clovenfoot', u'like', u'sheep', u'side', u'foot', u'ha', u'larg', u'claw', u'bigger', u'one', u'finger', u'sharp', u'resembl', u'eagl', u'claw', u'stand', u'two', u'inch', u'abov', u'divis', u'hoof', u'serg', u'm', u'comb', u'rock', u'hold', u'fast', u'whatev', u'bear', u'hi', u'flesh', u'eat', u'like', u'mutton', u'bear', u'wool', u'twelv', u'fourteen', u'inch', u'long', u'upon', u'belli', u'shorter', u'back', u'shaggi', u'littl', u'inchnmg', u'curl', u'innoc', u'veri', u'servic', u'beast', u'fit', u'ani', u'drudgeri', u'kill', u'fortsthre', u'maw', u'one', u'took', u'thirteen', u'bezoar', u'stone', u'rag', u'sever', u'form', u'long', u'resembl', u'coral', u'appendix', u'177', u'round', u'oval', u'green', u'taken', u'maw', u'yet', u'long', u'keep', u'turn', u'ash', u'colour', u'25', u'robert', u'fitzroy', u'captain', u'hm', u'survey', u'sloop', u'beagl', u'herebi', u'requir', u'direct', u'take', u'charg', u'command', u'schooner', u'constitucion', u'parti', u'place', u'order', u'directli', u'vessel', u'readi', u'sea', u'proceed', u'survey', u'part', u'coast', u'chile', u'lie', u'parallel', u'thirtyon', u'thirtyf', u'befor', u'3', u'1st', u'juli', u'avil', u'endeavour', u'meet', u'callao', u'road', u'memoranda', u'thi', u'time', u'year', u'unfavour', u'foggi', u'weather', u'may', u'expect', u'imped', u'progress', u'veri', u'materi', u'success', u'contrari', u'must', u'endeavour', u'punctual', u'rendezv', u'mani', u'place', u'land', u'bad', u'ani', u'account', u'land', u'boat', u'go', u'near', u'onli', u'boat', u'land', u'balsa', u'straight', u'coast', u'subject', u'continu', u'cloudi', u'weather', u'view', u'land', u'may', u'particularli', u'use', u'mr', u'king', u'ad', u'parti', u'becaus', u'draw', u'view', u'veri', u'correctli', u'delay', u'attempt', u'get', u'deepsea', u'sound', u'hoveto', u'purpos', u'veri', u'particular', u'notic', u'characterist', u'appear', u'land', u'anchorag', u'peculiar', u'mark', u'otherwis', u'may', u'help', u'guid', u'stranger', u'notic', u'wood', u'water', u'procur', u'let', u'mr', u'king', u'keep', u'journal', u'given', u'afterward', u'log', u'requir', u'let', u'journal', u'contain', u'everi', u'note', u'consid', u'like', u'use', u'shall', u'anxiou', u'send', u'away', u'trace', u'work', u'soon', u'possibl', u'arriv', u'callao', u'rememb', u'paposo', u'northernmost', u'inhabit', u'place', u'govern', u'chile', u'ha', u'author', u'approach', u'vessel', u'place', u'coast', u'peru', u'particularli', u'guard', u'inquir', u'earthquak', u'wave', u'20th', u'februari', u'place', u'make', u'chief', u'author', u'acquaint', u'busi', u'178', u'appendix', u'ness', u'accompani', u'letter', u'govern', u'chile', u'soon', u'possibl', u'hm', u'sloop', u'beagl', u'port', u'herradura', u'coquimbo', u'6th', u'day', u'june', u'1835', u'lieuten', u'b', u'j', u'sulivan', u'r', u'f', u'hm', u'beagl', u'26', u'robert', u'fitzroy', u'captain', u'hi', u'majesti', u'survey', u'sloop', u'beagl', u'herebi', u'requir', u'direct', u'take', u'charg', u'command', u'hi', u'majesti', u'survey', u'sloop', u'beagl', u'rejoin', u'atcauao', u'vnr', u'conform', u'conduct', u'respect', u'instruct', u'sent', u'guidanc', u'lord', u'commission', u'admiralti', u'sail', u'valparaiso', u'28th', u'thi', u'month', u'soon', u'possibl', u'proceed', u'direct', u'copiapopo', u'thenc', u'proceed', u'callao', u'call', u'iquiqu', u'circumst', u'favour', u'callao', u'await', u'arriv', u'hm', u'sloop', u'beagl', u'valparaiso', u'bay', u'18thof', u'june', u'1835', u'r', u'f', u'lieut', u'j', u'c', u'wickham', u'hm', u'beagl', u'neb', u'rememb', u'peru', u'state', u'anarchi', u'27', u'journal', u'proceed', u'board', u'hire', u'schooner', u'carmen', u'search', u'crew', u'hi', u'majesti', u'late', u'ship', u'challeng', u'june', u'22d', u'1835', u'hm', u'blond', u'boat', u'get', u'schooner', u'carmen', u'readi', u'sea', u'thirti', u'minut', u'past', u'eight', u'pm', u'went', u'onboard', u'schooner', u'vidth', u'beagl', u'whaleboat', u'survey', u'instrument', u'tuesday', u'23d', u'blow', u'strong', u'gale', u'northward', u'day', u'veri', u'heavi', u'rain', u'great', u'deal', u'surf', u'beach', u'made', u'imposs', u'land', u'therefor', u'noth', u'wa', u'done', u'forward', u'schooner', u'sail', u'wednesday', u'24th', u'moder', u'veri', u'unsettl', u'weather', u'blond', u'boat', u'prepar', u'schooner', u'sea', u'four', u'weigh', u'ran', u'appendix', u'179', u'commodor', u'stern', u'ask', u'commodor', u'ballast', u'musket', u'littl', u'powder', u'wa', u'refus', u'thirti', u'minut', u'past', u'four', u'receiv', u'final', u'order', u'made', u'sail', u'wind', u'fresh', u'southward', u'ran', u'small', u'passag', u'board', u'carmen', u'mr', u'wm', u'thayer', u'master', u'vessel', u'georg', u'biddlecomb', u'2d', u'master', u'hm', u'blond', u'alex', u'b', u'usbom', u'2d', u'assist', u'surveyor', u'beagl', u'jame', u'bennett', u'gunner', u'mate', u'beagl', u'john', u'butcher', u'boatswain', u'mate', u'blond', u'john', u'macintosh', u'ab', u'blond', u'john', u'mitchel', u'ab', u'blond', u'ten', u'men', u'hire', u'talcahuano', u'veri', u'littl', u'inde', u'almost', u'use', u'seamen', u'ten', u'pm', u'wind', u'die', u'away', u'nearli', u'calm', u'continu', u'throughout', u'night', u'thursday', u'25th', u'daylight', u'saw', u'pap', u'bio', u'bio', u'ese', u'compass', u'nine', u'mile', u'distant', u'light', u'variabl', u'air', u'northward', u'throughout', u'day', u'sunset', u'north', u'end', u'st', u'mari', u'sbw', u'six', u'mile', u'calm', u'au', u'night', u'friday', u'26th', u'daylight', u'north', u'end', u'st', u'mari', u'se', u'five', u'mile', u'light', u'wind', u'northward', u'four', u'pm', u'thevdnd', u'freshen', u'northnorthwest', u'heavi', u'squall', u'wind', u'rain', u'sunset', u'cameron', u'head', u'e', u'distant', u'five', u'mile', u'thirti', u'minut', u'past', u'six', u'observ', u'fire', u'tucapel', u'head', u'bear', u'southeast', u'burnt', u'blue', u'light', u'suppos', u'might', u'part', u'challeng', u'crew', u'road', u'concepcion', u'find', u'alter', u'size', u'fire', u'correspond', u'vdth', u'signal', u'agre', u'continu', u'cours', u'toward', u'suppos', u'place', u'lebu', u'leiibu', u'satinday', u'27th', u'strong', u'wind', u'northward', u'squalli', u'weather', u'heavi', u'rain', u'stood', u'foresail', u'two', u'pm', u'weather', u'clear', u'littl', u'made', u'possibl', u'sail', u'stood', u'point', u'challeng', u'wa', u'lost', u'three', u'point', u'e', u'two', u'mile', u'half', u'distant', u'saw', u'noth', u'wreck', u'bore', u'stood', u'along', u'land', u'toward', u'southward', u'one', u'two', u'mile', u'oif', u'shore', u'search', u'river', u'lebu', u'five', u'pm', u'run', u'ten', u'mile', u'south', u'point', u'molguilla', u'five', u'mile', u'south', u'suppos', u'place', u'lebu', u'see', u'ani', u'thing', u'wreck', u'crew', u'challeng', u'haul', u'hoveto', u'180', u'appendix', u'thi', u'time', u'ani', u'peopl', u'shore', u'could', u'seen', u'vessel', u'five', u'mile', u'north', u'south', u'mile', u'half', u'beach', u'larg', u'blue', u'ensign', u'six', u'fire', u'rocket', u'signal', u'shore', u'answer', u'ani', u'descript', u'made', u'fill', u'stood', u'keep', u'posit', u'dure', u'night', u'fresh', u'viand', u'squalli', u'visit', u'heavi', u'rain', u'sunday', u'28th', u'strong', u'viand', u'northwest', u'squalli', u'weather', u'heavi', u'rain', u'shorten', u'sal', u'foresail', u'head', u'westward', u'thirti', u'minut', u'past', u'ten', u'saw', u'island', u'mocha', u'south', u'distant', u'eight', u'mile', u'sound', u'fifteen', u'fathom', u'wore', u'northeast', u'carri', u'possibl', u'sail', u'get', u'bight', u'fresh', u'gale', u'squalli', u'heavi', u'cross', u'sea', u'monday', u'29th', u'moder', u'wind', u'still', u'northward', u'nine', u'spoke', u'blond', u'way', u'suppos', u'place', u'lebu', u'kept', u'wind', u'endeavour', u'fetch', u'tucapel', u'head', u'seen', u'fire', u'three', u'day', u'befor', u'noon', u'tucapel', u'point', u'eastnortheast', u'threequart', u'mile', u'distant', u'observ', u'two', u'fire', u'tucapel', u'head', u'tack', u'westward', u'fetch', u'head', u'thirti', u'minut', u'past', u'two', u'tucapel', u'point', u'eastnortheast', u'nine', u'mue', u'four', u'men', u'aloft', u'jame', u'bennett', u'gunner', u'mate', u'beagl', u'john', u'butcher', u'boatswainsm', u'john', u'macintosh', u'ab', u'john', u'mitchel', u'ab', u'blond', u'bend', u'foretopsail', u'split', u'previou', u'night', u'vessel', u'gave', u'veri', u'heavi', u'pitch', u'sprung', u'foremast', u'littl', u'crosstre', u'recov', u'head', u'mast', u'snap', u'short', u'foot', u'foreyard', u'bring', u'au', u'abov', u'also', u'four', u'seamen', u'aloft', u'mainmast', u'support', u'left', u'tragic', u'stay', u'deckstay', u'aft', u'readi', u'tack', u'great', u'weight', u'mainboom', u'ad', u'pressur', u'wind', u'mainsail', u'brought', u'mainmast', u'board', u'foreandaft', u'deck', u'strike', u'affray', u'fall', u'carri', u'away', u'leav', u'head', u'mast', u'hang', u'rig', u'stern', u'strike', u'heavi', u'rudder', u'middlepiec', u'midship', u'deck', u'fortun', u'none', u'seamen', u'serious', u'injur', u'resolut', u'kept', u'hold', u'topsailyard', u'carri', u'sea', u'soon', u'escap', u'mean', u'rig', u'wa', u'hang', u'side', u'everi', u'effort', u'wa', u'immedi', u'use', u'clear', u'wreck', u'get', u'appendix', u'181', u'temporari', u'rig', u'secur', u'stump', u'foremast', u'carri', u'away', u'wedg', u'partner', u'three', u'inch', u'play', u'step', u'heel', u'mast', u'decay', u'nearli', u'whole', u'stand', u'rig', u'wa', u'lost', u'night', u'come', u'necessari', u'get', u'wreck', u'clear', u'vessel', u'soon', u'possibl', u'lest', u'carri', u'away', u'rudder', u'otherwis', u'damag', u'hull', u'vessel', u'hast', u'axe', u'ani', u'thing', u'cooper', u'drawingknif', u'would', u'cut', u'rig', u'eye', u'hide', u'place', u'sever', u'year', u'befor', u'obug', u'haul', u'taut', u'cut', u'rail', u'therebi', u'render', u'useless', u'ani', u'thing', u'junk', u'scarc', u'ani', u'nail', u'board', u'vessel', u'wa', u'greatest', u'difficulti', u'succeed', u'shift', u'two', u'cleat', u'slipperi', u'mast', u'get', u'tackl', u'side', u'shroud', u'hawser', u'stay', u'eight', u'pm', u'observ', u'blond', u'northwest', u'one', u'mile', u'fire', u'rocket', u'burnt', u'three', u'blue', u'light', u'answer', u'return', u'midnight', u'set', u'jib', u'peak', u'foresail', u'beagl', u'boat', u'sail', u'main', u'sail', u'dure', u'whole', u'thi', u'time', u'wa', u'blow', u'fresh', u'northwest', u'heavi', u'rain', u'cross', u'sea', u'caus', u'vessel', u'roll', u'gunwal', u'time', u'everi', u'one', u'wa', u'quit', u'exhaust', u'particularli', u'men', u'hang', u'mast', u'get', u'tackl', u'secur', u'watch', u'therefor', u'wa', u'set', u'daylight', u'tuesday', u'30th', u'employ', u'get', u'foremast', u'better', u'secur', u'rais', u'sheer', u'vdth', u'foreyard', u'jibboom', u'place', u'pair', u'shroud', u'side', u'twenti', u'feet', u'deck', u'extra', u'stay', u'set', u'staysail', u'whole', u'kept', u'spike', u'diawn', u'beam', u'ten', u'strong', u'wind', u'westward', u'heavi', u'rain', u'saw', u'northwest', u'extrem', u'mocha', u'bear', u'southsoutheast', u'three', u'mile', u'distant', u'wore', u'northeast', u'give', u'time', u'get', u'sail', u'vessel', u'intend', u'weather', u'island', u'possibl', u'run', u'leeward', u'stretch', u'southward', u'westward', u'noon', u'wore', u'strong', u'braid', u'squalli', u'heavi', u'head', u'sea', u'two', u'set', u'foresail', u'doublereef', u'observ', u'northwest', u'extrem', u'mocha', u'south', u'east', u'one', u'mile', u'quarter', u'distant', u'three', u'pm', u'northwest', u'extrem', u'bore', u'northeast', u'wind', u'chang', u'suddenli', u'southwest', u'bring', u'rock', u'182', u'appendix', u'southwest', u'extrem', u'island', u'four', u'point', u'leebow', u'wind', u'increas', u'give', u'vessel', u'way', u'enabl', u'pass', u'threequart', u'mile', u'windward', u'outer', u'breaker', u'sea', u'wa', u'break', u'furious', u'island', u'wa', u'onli', u'visibl', u'interv', u'owe', u'thick', u'weather', u'constant', u'heavi', u'rain', u'five', u'weather', u'littl', u'clearer', u'saw', u'island', u'centr', u'bear', u'northeast', u'four', u'mile', u'distant', u'stood', u'southward', u'dure', u'night', u'fresh', u'breez', u'southwest', u'throughout', u'wednesday', u'juli', u'1st', u'daylight', u'employ', u'rig', u'foreyard', u'asa', u'juri', u'mainmast', u'calm', u'drizzl', u'rain', u'heavi', u'swell', u'noon', u'got', u'juri', u'mainmast', u'set', u'fore', u'staysail', u'mainsail', u'secur', u'boat', u'mast', u'taflrail', u'set', u'sail', u'mizen', u'five', u'light', u'air', u'southward', u'stood', u'westward', u'dure', u'night', u'star', u'visibl', u'thursday', u'2d', u'strong', u'wind', u'westnorthwest', u'stood', u'southwest', u'thirti', u'minut', u'past', u'eight', u'observ', u'schooner', u'west', u'stand', u'northward', u'hoist', u'ensign', u'union', u'forerig', u'pass', u'within', u'mile', u'windward', u'took', u'notic', u'us', u'noon', u'weather', u'wore', u'northwest', u'thirti', u'minut', u'past', u'four', u'observ', u'land', u'eastnortheast', u'suppos', u'cockl', u'head', u'wore', u'stood', u'southwest', u'fresh', u'breez', u'squalli', u'rain', u'time', u'star', u'visibl', u'throughout', u'night', u'midnight', u'wore', u'northward', u'friday', u'3d', u'moder', u'westward', u'rain', u'time', u'employ', u'set', u'rig', u'secur', u'mast', u'latitud', u'observ', u'within', u'mile', u'39', u'23', u'repair', u'beagl', u'boat', u'badli', u'stove', u'fall', u'mast', u'well', u'mean', u'would', u'allow', u'moder', u'westward', u'two', u'wind', u'shift', u'northward', u'wore', u'westward', u'saturday', u'4th', u'moder', u'wdth', u'rain', u'time', u'wind', u'northwest', u'employ', u'necessari', u'fit', u'grummet', u'sweep', u'case', u'calm', u'drift', u'near', u'land', u'latitud', u'observ', u'nearli', u'38', u'40', u'pm', u'employ', u'befor', u'eight', u'oclock', u'wore', u'northward', u'moder', u'throughout', u'night', u'sunday', u'5th', u'light', u'wind', u'northwest', u'fine', u'clear', u'weather', u'employ', u'repair', u'sail', u'chafe', u'c', u'latitud', u'observ', u'38', u'35', u'one', u'pm', u'observ', u'island', u'mocha', u'south', u'extrem', u'bear', u'appendix', u'188', u'northeast', u'twenti', u'mile', u'five', u'south', u'extrem', u'bore', u'north', u'fifti', u'six', u'east', u'angl', u'north', u'extrem', u'eighteen', u'mile', u'distant', u'light', u'air', u'northwest', u'fine', u'weather', u'nine', u'wind', u'shift', u'south', u'trim', u'steer', u'north', u'west', u'midnight', u'strong', u'wind', u'fine', u'monday', u'6th', u'strong', u'breez', u'southsoutheast', u'daylight', u'tucapel', u'head', u'northnortheast', u'haul', u'ten', u'observ', u'vessel', u'shore', u'suddenli', u'lost', u'could', u'get', u'sight', u'noon', u'cicero', u'head', u'east', u'true', u'distant', u'ten', u'mile', u'found', u'strong', u'current', u'set', u'along', u'shore', u'southward', u'time', u'heavi', u'rippl', u'one', u'pm', u'chang', u'set', u'northward', u'offshor', u'withal', u'six', u'domino', u'rock', u'southsoutheast', u'distant', u'two', u'mile', u'steer', u'northeast', u'north', u'pap', u'bio', u'bio', u'found', u'necessari', u'haul', u'northeast', u'latterli', u'northeast', u'halfeast', u'owe', u'strong', u'current', u'set', u'northward', u'westward', u'thirti', u'minut', u'past', u'nine', u'pap', u'bio', u'bio', u'southsoutheast', u'distant', u'three', u'mile', u'two', u'tuesday', u'7th', u'north', u'point', u'quiriquina', u'bore', u'south', u'one', u'cabl', u'distant', u'stood', u'bay', u'hope', u'fetch', u'tome', u'anchor', u'unto', u'wind', u'came', u'favour', u'talcahuano', u'wind', u'scant', u'oblig', u'wear', u'vessel', u'would', u'stay', u'therebi', u'lose', u'gain', u'tack', u'eleven', u'saw', u'hm', u'blond', u'come', u'dovsm', u'us', u'one', u'taken', u'tow', u'blond', u'carri', u'talcahuano', u'harbour', u'southwest', u'corner', u'bay', u'concepcion', u'midnight', u'anchor', u'b', u'osborn', u'juli', u'7th', u'1835', u'28', u'wind', u'weather', u'southern', u'coast', u'chile', u'wind', u'southward', u'northward', u'prevail', u'west', u'veri', u'much', u'come', u'east', u'southsoutheast', u'southwest', u'northwest', u'north', u'magnet', u'point', u'whenc', u'wind', u'usual', u'blow', u'less', u'strength', u'accord', u'time', u'year', u'dure', u'summer', u'month', u'septemb', u'march', u'southerli', u'blond', u'shut', u'point', u'land', u'r', u'f', u'184', u'appendix', u'wind', u'preval', u'almost', u'alway', u'frequent', u'strong', u'afternoon', u'sometim', u'dure', u'part', u'night', u'toward', u'morn', u'dure', u'earli', u'part', u'day', u'moder', u'wind', u'light', u'breez', u'calm', u'expect', u'near', u'land', u'gener', u'calm', u'night', u'except', u'onc', u'twice', u'month', u'wind', u'blow', u'strongli', u'southward', u'midnight', u'occasion', u'northerli', u'wind', u'experienc', u'true', u'dure', u'summer', u'usual', u'moder', u'dure', u'season', u'pass', u'almost', u'unheed', u'end', u'march', u'norther', u'call', u'begin', u'remind', u'one', u'fog', u'heavi', u'frequent', u'rain', u'thick', u'gloomi', u'weather', u'strong', u'wind', u'often', u'troubl', u'southern', u'coast', u'chue', u'dure', u'part', u'march', u'throughout', u'april', u'may', u'june', u'foggi', u'weather', u'frequent', u'although', u'often', u'thick', u'fog', u'last', u'longer', u'hour', u'day', u'even', u'two', u'day', u'continu', u'thick', u'fog', u'unknown', u'occurr', u'northerli', u'northwest', u'wind', u'sky', u'overcast', u'weather', u'unsettl', u'damp', u'disagre', u'wind', u'alway', u'accompani', u'cloud', u'usual', u'thick', u'raini', u'weather', u'northwest', u'wind', u'gener', u'shift', u'southwest', u'thenc', u'southward', u'sometim', u'fli', u'round', u'violent', u'squall', u'accompani', u'rain', u'thunder', u'lightn', u'time', u'draw', u'gradual', u'round', u'directli', u'wind', u'southward', u'west', u'cloud', u'begin', u'dispers', u'steadi', u'southerli', u'wind', u'approach', u'sky', u'becom', u'clear', u'weather', u'healthili', u'pleasant', u'turn', u'fresh', u'southerli', u'wind', u'usual', u'follow', u'moder', u'breez', u'southeast', u'veri', u'fine', u'weather', u'light', u'variabl', u'breez', u'follow', u'cloud', u'gradual', u'overspread', u'sky', u'anoth', u'round', u'turn', u'gener', u'begun', u'light', u'moder', u'northeasterli', u'breez', u'cloudi', u'weather', u'often', u'rain', u'thi', u'gener', u'order', u'chang', u'grind', u'shift', u'thi', u'order', u'back', u'round', u'bad', u'weather', u'strong', u'wind', u'may', u'expect', u'lightn', u'alway', u'sign', u'bad', u'weather', u'accompani', u'preced', u'chang', u'wors', u'howev', u'usual', u'prelud', u'clear', u'squall', u'rare', u'except', u'shift', u'northwest', u'southwest', u'alreadi', u'mention', u'westward', u'southwest', u'west', u'northwest', u'west', u'wind', u'doe', u'usual', u'ever', u'appendix', u'185', u'blow', u'nearli', u'strong', u'northwest', u'north', u'southwest', u'south', u'current', u'near', u'island', u'mocha', u'westward', u'cape', u'rumin', u'consent', u'usual', u'run', u'northwest', u'halfamil', u'one', u'mile', u'half', u'hour', u'distant', u'ofrng', u'twenti', u'thirti', u'mile', u'land', u'thi', u'set', u'current', u'diminish', u'hardli', u'sensibl', u'near', u'mocha', u'especi', u'near', u'veri', u'danger', u'outli', u'rock', u'oif', u'south', u'southwest', u'extrem', u'island', u'increas', u'two', u'time', u'even', u'three', u'mile', u'hour', u'great', u'river', u'bio', u'bio', u'river', u'vicin', u'flood', u'escap', u'seaward', u'often', u'caus', u'strong', u'irregular', u'current', u'set', u'southward', u'pass', u'island', u'santa', u'maria', u'sweep', u'round', u'point', u'lavapi', u'cape', u'rumena', u'tucapel', u'point', u'bay', u'hi', u'majesti', u'ship', u'challeng', u'wa', u'wreck', u'southerli', u'current', u'usual', u'found', u'set', u'strongli', u'alongshor', u'seldom', u'reach', u'six', u'mile', u'westward', u'cape', u'rumena', u'veri', u'intellig', u'hanoverian', u'anthoni', u'vogelborg', u'employ', u'dure', u'sever', u'year', u'upon', u'coast', u'wa', u'onc', u'drift', u'small', u'vessel', u'six', u'mile', u'south', u'pap', u'bio', u'bio', u'rock', u'oif', u'north', u'end', u'island', u'santa', u'maria', u'one', u'night', u'dure', u'dead', u'calm', u'great', u'earthquak', u'20th', u'februari', u'affect', u'coast', u'concepcion', u'especi', u'island', u'santa', u'maria', u'current', u'set', u'southeastward', u'strongli', u'boat', u'belong', u'abovement', u'anthoni', u'vogelborg', u'wa', u'steer', u'run', u'near', u'island', u'mocha', u'sail', u'fresh', u'southerli', u'breez', u'could', u'hardli', u'make', u'head', u'strong', u'stream', u'wa', u'pass', u'along', u'shore', u'northwestward', u'therefor', u'apprehend', u'strength', u'direct', u'current', u'neighbour', u'ocean', u'unsettl', u'extrem', u'uncertain', u'time', u'seriou', u'earthquak', u'186', u'appendix', u'29', u'santiago', u'12', u'de', u'agosto', u'de', u'1835', u'senor', u'instruct', u'al', u'presid', u'del', u'contend', u'de', u'la', u'carta', u'de', u'vs', u'de', u'ayer', u'en', u'que', u'includ', u'una', u'copia', u'de', u'lo', u'result', u'del', u'viae', u'de', u'observ', u'del', u'capitan', u'fitzroy', u'de', u'la', u'frigat', u'de', u'smb', u'beagl', u'en', u'cuanto', u'la', u'part', u'de', u'la', u'costa', u'de', u'chile', u'compendium', u'en', u'el', u'su', u'e', u'ha', u'recibido', u'esta', u'prueba', u'de', u'la', u'attent', u'del', u'capitan', u'fitzroy', u'con', u'el', u'mayor', u'interest', u'y', u'reconocimiento', u'y', u'enlarg', u'roger', u'vs', u'se', u'lo', u'manifest', u'de', u'su', u'part', u'retro', u'vs', u'la', u'express', u'de', u'mi', u'mayor', u'consider', u'y', u'estim', u'y', u'tergo', u'la', u'hora', u'de', u'ser', u'su', u'ma', u'atento', u'seguro', u'servitor', u'firmadodo', u'joaquin', u'tocorn', u'senor', u'consul', u'gener', u'de', u'smb', u'30', u'robert', u'fitsroy', u'captain', u'hi', u'britann', u'majesti', u'survey', u'sloop', u'beagl', u'herebi', u'requir', u'direct', u'take', u'upon', u'charg', u'command', u'schooner', u'constitucion', u'tender', u'beagl', u'board', u'belong', u'soon', u'axe', u'readi', u'sea', u'proceed', u'part', u'coast', u'chile', u'near', u'desert', u'atacama', u'survey', u'lieut', u'bj', u'sulivan', u'end', u'part', u'vnu', u'coast', u'along', u'survey', u'shore', u'northward', u'toward', u'callao', u'thenc', u'toward', u'puna', u'near', u'guayaquil', u'puna', u'survey', u'termin', u'win', u'thenc', u'return', u'callao', u'schooner', u'constitucion', u'sell', u'said', u'schooner', u'parti', u'make', u'way', u'callao', u'mean', u'consid', u'best', u'hi', u'majesti', u'servic', u'combin', u'economi', u'effici', u'opportun', u'offer', u'measur', u'puna', u'galapago', u'woiild', u'veri', u'desir', u'appendix', u'187', u'arriv', u'callao', u'fund', u'wait', u'upon', u'hi', u'majesti', u'consulgener', u'request', u'assist', u'procur', u'passag', u'england', u'parti', u'least', u'expens', u'public', u'consist', u'necessari', u'accommod', u'requir', u'order', u'prosecut', u'work', u'dure', u'homeward', u'passag', u'arriv', u'england', u'repairwith', u'parti', u'plymouth', u'report', u'commanderinchief', u'request', u'inform', u'lord', u'commission', u'admiralti', u'also', u'request', u'allow', u'parti', u'born', u'victual', u'onli', u'book', u'one', u'hi', u'majesti', u'ship', u'arriv', u'beagl', u'receipt', u'order', u'admiralti', u'endeavour', u'leav', u'callao', u'final', u'befor', u'month', u'june', u'arriv', u'england', u'befor', u'month', u'octob', u'1836', u'furnish', u'document', u'herein', u'name', u'copi', u'instruct', u'letter', u'presid', u'chile', u'circular', u'letter', u'govern', u'peru', u'copi', u'correspond', u'hi', u'majesti', u'consulgener', u'peru', u'letter', u'bolivian', u'author', u'instrument', u'store', u'provis', u'suffici', u'last', u'eight', u'month', u'money', u'purchas', u'fresh', u'provis', u'suppli', u'keep', u'minut', u'account', u'money', u'pass', u'hand', u'account', u'govern', u'longer', u'want', u'survey', u'schooner', u'sold', u'produc', u'sale', u'carri', u'conting', u'account', u'previou', u'sale', u'hold', u'smtey', u'vessel', u'boat', u'store', u'advantag', u'carri', u'england', u'take', u'assist', u'survey', u'compet', u'person', u'obtain', u'clear', u'report', u'survey', u'account', u'sale', u'requii', u'ani', u'account', u'take', u'part', u'ani', u'way', u'interfer', u'nth', u'ani', u'disturb', u'disagr', u'ani', u'kind', u'may', u'aris', u'pend', u'neighbourhood', u'bear', u'alway', u'mind', u'exclus', u'object', u'mission', u'scientif', u'natur', u'ani', u'account', u'ani', u'reason', u'whatev', u'allow', u'passeng', u'letter', u'effect', u'ani', u'kind', u'gold', u'silver', u'jewel', u't2', u'188', u'appendix', u'receiv', u'carri', u'board', u'schooner', u'constitucion', u'boat', u'except', u'actual', u'belong', u'parti', u'rememb', u'frequent', u'uncertain', u'polit', u'chang', u'veri', u'guard', u'conduct', u'show', u'instruct', u'explain', u'distinctli', u'detach', u'beagl', u'tender', u'purpos', u'continu', u'survey', u'coast', u'peru', u'care', u'avoid', u'everi', u'act', u'might', u'unnecessarili', u'offend', u'commun', u'frequent', u'hi', u'britann', u'majesti', u'consulgener', u'peru', u'whose', u'influenc', u'zealou', u'support', u'utmost', u'consequ', u'wall', u'endeavour', u'upon', u'occas', u'follow', u'hi', u'advic', u'exactli', u'possibl', u'given', u'hand', u'board', u'hi', u'majesti', u'sloop', u'beagl', u'callao', u'bay', u'thi', u'24th', u'day', u'august', u'1835', u'o', u'ref', u'mr', u'alex', u'b', u'usborn', u'master', u'assist', u'hm', u'beagl', u'31', u'ministerioio', u'de', u'relacion', u'esterior', u'del', u'peru', u'palacio', u'del', u'gobierno', u'en', u'lima', u'senor', u'septembr', u'4', u'de', u'1835', u'el', u'infrascrito', u'ministro', u'de', u'relacion', u'esterior', u'tien', u'la', u'hora', u'de', u'acompaiiar', u'al', u'senior', u'consul', u'jener', u'de', u'm', u'britanica', u'lo', u'document', u'que', u'ha', u'credit', u'necessari', u'para', u'que', u'la', u'constitucion', u'pratiqu', u'sin', u'inconveni', u'en', u'la', u'costa', u'del', u'peru', u'el', u'viag', u'y', u'explor', u'scientif', u'que', u'esta', u'destin', u'dicho', u'document', u'son', u'una', u'ordin', u'libra', u'por', u'el', u'ministerioio', u'de', u'la', u'guerra', u'la', u'autoridad', u'de', u'su', u'depend', u'afin', u'de', u'que', u'maiden', u'el', u'ace', u'cualquier', u'pun', u'de', u'la', u'costa', u'del', u'buqu', u'espedi', u'cionario', u'ni', u'el', u'disembark', u'de', u'la', u'persona', u'que', u'conduc', u'y', u'se', u'facil', u'en', u'lo', u'possibl', u'su', u'trabajo', u'ordin', u'del', u'mismo', u'tenor', u'de', u'la', u'prefectur', u'de', u'est', u'depart', u'h', u'lo', u'functionari', u'local', u'subaltern', u'suyo', u'y', u'filament', u'im', u'amphion', u'pasavant', u'para', u'toda', u'la', u'autoridad', u'citi', u'y', u'mitr', u'del', u'liter', u'de', u'la', u'republica', u'appendix', u'189', u'tien', u'el', u'suscrito', u'la', u'complac', u'de', u'dar', u'con', u'esta', u'media', u'un', u'testimonio', u'del', u'interest', u'que', u'su', u'gobiemo', u'tom', u'en', u'el', u'ecsito', u'de', u'la', u'illustr', u'empress', u'del', u'gobierno', u'britann', u'y', u'de', u'subscrib', u'su', u'muy', u'atento', u'servitor', u'firmadodo', u'm', u'ferreyro', u'senor', u'consul', u'jener', u'de', u'sm', u'britanica', u'republica', u'persona', u'ministerioio', u'de', u'estat', u'del', u'despatch', u'de', u'relacion', u'esterior', u'palacio', u'del', u'gobierno', u'en', u'lima', u'22', u'de', u'julio', u'de', u'1835', u'16', u'senor', u'ha', u'sido', u'muy', u'satisfactori', u'para', u'el', u'infrascrito', u'impart', u'lo', u'prefect', u'de', u'est', u'depart', u'y', u'del', u'de', u'la', u'liberta', u'la', u'order', u'que', u'compass', u'en', u'copia', u'esta', u'commun', u'rel', u'al', u'permit', u'y', u'ausilio', u'que', u'el', u'senor', u'consul', u'jener', u'de', u'sm', u'britanica', u'solicit', u'en', u'su', u'appreci', u'nota', u'de', u'20', u'del', u'que', u'exil', u'se', u'fran', u'queen', u'lo', u'olicial', u'del', u'bergantin', u'beagl', u'para', u'el', u'desempenod', u'lacomis', u'scientif', u'que', u'se', u'le', u'ha', u'confid', u'ya', u'que', u'la', u'ciencia', u'practic', u'que', u'ma', u'conspiraci', u'k', u'la', u'prosper', u'y', u'adelantamiento', u'del', u'genera', u'humano', u'deben', u'al', u'gobierno', u'britann', u'una', u'protect', u'tan', u'decid', u'sera', u'conform', u'con', u'lo', u'principi', u'ni', u'con', u'lo', u'interest', u'del', u'gobiemo', u'perugino', u'hears', u'dar', u'la', u'candid', u'que', u'pued', u'franquear', u'4', u'lo', u'marin', u'comisionado', u'para', u'absolv', u'la', u'important', u'commiss', u'de', u'rectifi', u'al', u'papa', u'y', u'k', u'contribu', u'del', u'modo', u'que', u'lee', u'dado', u'dilat', u'lo', u'limit', u'de', u'la', u'cilicia', u'y', u'asegurar', u'el', u'ecsito', u'del', u'coercion', u'univers', u'se', u'han', u'hecho', u'pretens', u'semblanc', u'al', u'minist', u'de', u'guerra', u'y', u'ald', u'hacienda', u'para', u'que', u'la', u'transmit', u'su', u'subordin', u'y', u'espera', u'el', u'infrascrito', u'que', u'el', u'senior', u'consul', u'jener', u'le', u'indiqu', u'si', u'aun', u'sera', u'necessari', u'recov', u'disposit', u'que', u'librari', u'gust', u'para', u'la', u'consecut', u'de', u'tan', u'transcend', u'acept', u'el', u'senor', u'consul', u'jener', u'la', u'distinguish', u'consider', u'conqu', u'es', u'su', u'atento', u'servitor', u'f', u'firmadodo', u'm', u'ferreyro', u'senor', u'consul', u'jener', u'de', u'sm', u'britanica', u'190', u'appendix', u'minist', u'de', u'estat', u'de', u'despatch', u'del', u'relat', u'esterlor', u'palacio', u'del', u'gobierao', u'22', u'de', u'julio', u'de', u'1835', u'16', u'lo', u'senor', u'prefect', u'de', u'lo', u'depart', u'de', u'lima', u'y', u'de', u'la', u'liberta', u'senior', u'se', u'hall', u'sarto', u'en', u'el', u'puerto', u'del', u'callao', u'y', u'pued', u'ser', u'que', u'record', u'al', u'liter', u'de', u'est', u'depart', u'el', u'bergantin', u'de', u'sm', u'britanica', u'beagl', u'que', u'ha', u'venic', u'al', u'pacificoo', u'espresament', u'con', u'el', u'design', u'de', u'determin', u'con', u'exactitud', u'la', u'posit', u'geograph', u'de', u'lo', u'punto', u'principal', u'de', u'la', u'costa', u'para', u'corregio', u'cualquier', u'error', u'que', u'rubi', u'en', u'lo', u'map', u'y', u'perfect', u'por', u'est', u'medio', u'la', u'cilicia', u'de', u'la', u'navegacion', u'de', u'que', u'depend', u'en', u'grand', u'manera', u'la', u'seguridad', u'y', u'ventaja', u'del', u'comercia', u'deseando', u'viva', u'ment', u'se', u'contribut', u'por', u'su', u'part', u'al', u'bien', u'exit', u'de', u'esta', u'expedit', u'scientif', u'en', u'que', u'la', u'humanis', u'y', u'la', u'civil', u'se', u'interest', u'al', u'mismo', u'tiempo', u'y', u'dar', u'al', u'gobiemo', u'de', u'sm', u'britanica', u'una', u'maestro', u'de', u'consider', u'ha', u'ordenado', u'prevent', u'vs', u'bajo', u'de', u'la', u'ma', u'strict', u'respons', u'que', u'permit', u'acercar', u'y', u'desembarcar', u'sin', u'el', u'manor', u'embarazo', u'en', u'cualquier', u'unto', u'de', u'la', u'costa', u'de', u'su', u'mando', u'lo', u'offici', u'del', u'beagl', u'para', u'que', u'puedan', u'hacer', u'con', u'su', u'instrument', u'toda', u'la', u'observ', u'astronom', u'y', u'scientif', u'que', u'quisieran', u'practic', u'y', u'que', u'adema', u'se', u'le', u'proport', u'toda', u'lo', u'auxilio', u'y', u'recur', u'que', u'puedan', u'necesitar', u'y', u'pidieren', u'vs', u'queen', u'desert', u'reco', u'mendarlo', u'su', u'subordin', u'con', u'la', u'eficacia', u'y', u'esmero', u'que', u'mercer', u'por', u'su', u'charact', u'y', u'por', u'la', u'grand', u'import', u'de', u'su', u'commiss', u'digolo', u'vs', u'de', u'order', u'suprem', u'fin', u'de', u'que', u'sin', u'la', u'manor', u'remora', u'espida', u'la', u'necessaria', u'su', u'cabal', u'compliment', u'firmadodo', u'm', u'ferret', u'toda', u'la', u'autoridad', u'civil', u'y', u'milit', u'de', u'la', u'costa', u'de', u'quinqu', u'y', u'provincia', u'de', u'tarapaca', u'hasta', u'puna', u'palacio', u'del', u'gobiemo', u'en', u'lima', u'save', u'que', u'la', u'goleta', u'constitucion', u'constru', u'en', u'maul', u'y', u'del', u'port', u'de', u'trent', u'y', u'cinco', u'tonelada', u'patach', u'del', u'bergantin', u'de', u'smb', u'beagl', u'conduc', u'su', u'bord', u'oficial', u'de', u'la', u'marina', u'real', u'angl', u'encargado', u'por', u'smb', u'de', u'record', u'la', u'cost', u'del', u'pacificoo', u'isl', u'adjac', u'con', u'el', u'fin', u'de', u'rectifi', u'lo', u'map', u'hidrografico', u'el', u'gobiemo', u'de', u'la', u'republica', u'iso', u'solo', u'le', u'ha', u'permit', u'toda', u'liberta', u'en', u'la', u'practic', u'appendix', u'191', u'de', u'su', u'observ', u'sino', u'que', u'quier', u'y', u'manda', u'bajo', u'de', u'la', u'ma', u'strict', u'respons', u'la', u'autoridad', u'litoral', u'de', u'cualesquiera', u'chase', u'y', u'rang', u'que', u'sean', u'que', u'le', u'pongan', u'embarazo', u'alguno', u'para', u'acercars', u'todo', u'lo', u'pant', u'de', u'la', u'costa', u'sin', u'recept', u'perman', u'en', u'ello', u'el', u'tiempo', u'que', u'clean', u'convenient', u'y', u'desembarcar', u'y', u'morar', u'en', u'tierra', u'cualquiera', u'hora', u'y', u'adema', u'que', u'le', u'ministr', u'todo', u'lo', u'ausilio', u'que', u'pudieren', u'est', u'fin', u'ordena', u'expedit', u'est', u'document', u'ligando', u'su', u'obsersancia', u'lo', u'functionari', u'quien', u'se', u'present', u'y', u'recommend', u'muy', u'encarecidament', u'que', u'si', u'en', u'el', u'district', u'de', u'su', u'mando', u'ecsisten', u'alguno', u'piano', u'geografico', u'de', u'la', u'costa', u'trabajado', u'en', u'el', u'peru', u'interest', u'su', u'nombr', u'lo', u'que', u'lo', u'posean', u'para', u'que', u'se', u'servan', u'moscarlo', u'lo', u'referido', u'oficial', u'fin', u'de', u'que', u'puedan', u'llenar', u'md', u'compliment', u'el', u'import', u'simon', u'objet', u'de', u'su', u'commiss', u'dado', u'de', u'order', u'suprem', u'en', u'el', u'palacio', u'del', u'gobierno', u'en', u'lima', u'1', u'de', u'septembr', u'de', u'1835', u'firmadodo', u'm', u'ferheyro', u'33', u'duplic', u'el', u'ciudadano', u'marian', u'de', u'sierra', u'jenertj', u'de', u'brigad', u'de', u'lo', u'exercitu', u'national', u'benevento', u'la', u'patria', u'ministro', u'de', u'estat', u'secretari', u'jener', u'de', u'se', u'el', u'presid', u'de', u'la', u'republica', u'c', u'la', u'autoridad', u'civil', u'y', u'milit', u'de', u'la', u'cost', u'de', u'la', u'republica', u'save', u'que', u'la', u'goleta', u'constitucion', u'patach', u'delbergantin', u'de', u'sm', u'britanica', u'beagl', u'constru', u'en', u'maul', u'del', u'port', u'de', u'veintecinco', u'tonelada', u'conduc', u'su', u'bord', u'oficial', u'de', u'la', u'marina', u'real', u'de', u'su', u'nation', u'con', u'el', u'objet', u'de', u'record', u'la', u'cost', u'del', u'pacificoo', u'e', u'ysla', u'adjac', u'para', u'la', u'rectif', u'de', u'la', u'cart', u'hidrografica', u'que', u'le', u'ha', u'sido', u'encargadopor', u'sm', u'britanica', u'yhabiendo', u'el', u'supremo', u'gobierno', u'de', u'la', u'republica', u'permitidol', u'la', u'necessaria', u'liberta', u'en', u'la', u'practic', u'de', u'su', u'observ', u'quier', u'que', u'lei', u'autoridad', u'litoral', u'le', u'pongan', u'impedi', u'ni', u'embarazo', u'alguno', u'en', u'la', u'aprocsimacion', u'lo', u'puerto', u'desembarqu', u'y', u'perman', u'en', u'ello', u'por', u'el', u'tiempo', u'que', u'creyesen', u'convenient', u'lo', u'referido', u'oficial', u'anglesey', u'y', u'que', u'le', u'proport', u'lo', u'ausilio', u'que', u'pidiesen', u'en', u'el', u'order', u'debita', u'est', u'objet', u'es', u'que', u'se', u'ordena', u'espedir', u'el', u'present', u'document', u'192', u'appendix', u'quando', u'legat', u'su', u'observ', u'bajo', u'respons', u'losiuncionario', u'quien', u'esta', u'letra', u'se', u'present', u'dado', u'en', u'la', u'casa', u'del', u'supremo', u'gabierno', u'en', u'lima', u'18', u'de', u'nero', u'de', u'1836', u'17o', u'de', u'la', u'independ', u'15', u'de', u'la', u'republica', u'el', u'ministro', u'secretari', u'gray', u'marian', u'de', u'sierra', u'34', u'multitud', u'island', u'nativ', u'name', u'paamuto', u'us', u'commonli', u'known', u'danger', u'archipelago', u'low', u'island', u'may', u'said', u'lie', u'strew', u'parallel', u'thirteen', u'twentyf', u'south', u'meridian', u'120', u'150', u'west', u'though', u'stricter', u'limit', u'would', u'13', u'22', u'135', u'150', u'west', u'becaus', u'south', u'22', u'east', u'135', u'high', u'island', u'rare', u'commun', u'group', u'lower', u'latitud', u'easter', u'island', u'though', u'without', u'boundari', u'specifi', u'outpost', u'danger', u'archipelago', u'doubt', u'wa', u'first', u'peopl', u'extens', u'region', u'gener', u'speak', u'low', u'coral', u'island', u'high', u'rather', u'hilli', u'except', u'gambler', u'osnaburgh', u'pitcairn', u'easter', u'c', u'comparison', u'seventi', u'eighti', u'group', u'islet', u'surround', u'lagoon', u'besid', u'mani', u'mere', u'dri', u'reef', u'far', u'larger', u'number', u'lagoon', u'island', u'least', u'one', u'harbour', u'cluster', u'access', u'ship', u'consider', u'trade', u'ha', u'carri', u'nativ', u'pearl', u'oyster', u'shell', u'number', u'inhabit', u'may', u'dispers', u'archipelago', u'exceedingli', u'difficult', u'estim', u'two', u'reason', u'know', u'veri', u'littl', u'migratori', u'littl', u'learn', u'subject', u'think', u'less', u'ten', u'thousand', u'thirti', u'thousand', u'exclus', u'children', u'fish', u'shellfish', u'hog', u'cocoanut', u'princip', u'subsist', u'low', u'island', u'nativ', u'gambler', u'holi', u'island', u'plenti', u'veget', u'food', u'addit', u'paamuto', u'island', u'veri', u'remot', u'otaheit', u'affect', u'receiv', u'law', u'sovereign', u'howev', u'resid', u'author', u'among', u'except', u'head', u'famili', u'appendix', u'193', u'languag', u'island', u'differ', u'ota', u'titan', u'much', u'easili', u'understand', u'yet', u'believ', u'radic', u'taata', u'man', u'otaheit', u'paamuto', u'tanaka', u'almost', u'kanaka', u'word', u'man', u'sandwich', u'island', u'veri', u'differ', u'tanta', u'new', u'zealand', u'low', u'island', u'say', u'ancestor', u'came', u'southeastern', u'island', u'say', u'marquesa', u'assert', u'forefath', u'arriv', u'island', u'westward', u'relianc', u'place', u'upon', u'littl', u'yet', u'known', u'origin', u'howev', u'reason', u'suppos', u'earlier', u'inhabit', u'one', u'famili', u'tribe', u'emigr', u'one', u'quarter', u'entranc', u'harbour', u'lagoon', u'island', u'strong', u'current', u'tide', u'set', u'altern', u'six', u'hour', u'way', u'tide', u'rise', u'nearli', u'two', u'three', u'feet', u'high', u'water', u'one', u'day', u'fuu', u'new', u'moon', u'among', u'western', u'group', u'island', u'half', u'hour', u'hour', u'later', u'among', u'lie', u'toward', u'southeast', u'current', u'appear', u'caus', u'tide', u'irregular', u'yet', u'littl', u'knovra', u'usual', u'direct', u'enabl', u'ani', u'one', u'say', u'dure', u'settl', u'weather', u'steadi', u'trade', u'wind', u'southeasterli', u'surfac', u'water', u'gener', u'move', u'westward', u'five', u'twenti', u'mile', u'day', u'raini', u'season', u'octob', u'march', u'westerli', u'pint', u'squall', u'rain', u'frequent', u'current', u'vari', u'occasion', u'set', u'eastward', u'rate', u'half', u'mile', u'two', u'mile', u'hour', u'numer', u'instanc', u'upon', u'record', u'cano', u'drift', u'cours', u'even', u'sever', u'hundr', u'mile', u'current', u'westerli', u'wind', u'narr', u'voyag', u'pacif', u'without', u'notic', u'materi', u'assist', u'explain', u'remot', u'perhap', u'veri', u'small', u'island', u'may', u'first', u'peopl', u'west', u'direct', u'gener', u'preval', u'wind', u'35', u'british', u'resid', u'new', u'zealand', u'hi', u'britann', u'majesti', u'subject', u'resid', u'trade', u'new', u'zealand', u'british', u'resid', u'announc', u'hi', u'countrymen', u'ha', u'receiv', u'person', u'style', u'charl', u'baron', u'de', u'194', u'appendix', u'theori', u'sovereign', u'chief', u'new', u'zealand', u'king', u'nuhahiva', u'one', u'marquesa', u'island', u'formal', u'declar', u'hi', u'intent', u'establish', u'hi', u'person', u'independ', u'sovereignti', u'thi', u'countri', u'intent', u'state', u'ha', u'declar', u'majesti', u'king', u'great', u'britain', u'franc', u'presid', u'unit', u'state', u'wait', u'otaheit', u'arriv', u'arm', u'ship', u'panama', u'enabl', u'proceed', u'bay', u'island', u'strength', u'maintain', u'hi', u'assum', u'sovereignti', u'hi', u'intent', u'found', u'upon', u'alleg', u'invit', u'given', u'england', u'shanghai', u'chief', u'none', u'individu', u'ani', u'right', u'sovereignti', u'countri', u'consequ', u'possess', u'author', u'convey', u'right', u'sovereignti', u'anoth', u'also', u'upon', u'alleg', u'purchas', u'made', u'1822', u'mr', u'kendal', u'three', u'district', u'hokianga', u'river', u'three', u'chief', u'onli', u'partial', u'properti', u'district', u'part', u'settl', u'british', u'subject', u'virtu', u'purchas', u'right', u'proprietor', u'british', u'resid', u'ha', u'also', u'seen', u'elabor', u'exposit', u'view', u'thi', u'person', u'ha', u'address', u'missionari', u'church', u'missionari', u'societi', u'make', u'ampl', u'promis', u'person', u'whether', u'white', u'nativ', u't11', u'accept', u'hi', u'invit', u'live', u'hi', u'govern', u'offer', u'stipul', u'salari', u'individu', u'missionari', u'order', u'induc', u'act', u'hi', u'magistr', u'also', u'suppos', u'may', u'made', u'similar', u'commun', u'person', u'class', u'hi', u'majesti', u'subject', u'herebi', u'invit', u'make', u'commun', u'ani', u'inform', u'thi', u'subject', u'may', u'possess', u'knovra', u'british', u'resid', u'addit', u'british', u'resid', u'hokianga', u'british', u'resid', u'ha', u'much', u'confid', u'loyalti', u'good', u'sens', u'hi', u'countrymen', u'think', u'necessari', u'caution', u'turn', u'favour', u'ear', u'insidi', u'promis', u'firmli', u'believ', u'patern', u'protect', u'british', u'govern', u'ha', u'never', u'fail', u'ani', u'hi', u'majesti', u'subject', u'howev', u'remot', u'withheld', u'necessari', u'prevent', u'live', u'liberti', u'properti', u'subject', u'capric', u'ani', u'adventur', u'may', u'choos', u'make', u'thi', u'countri', u'british', u'subject', u'law', u'mean', u'acquir', u'larg', u'stake', u'theatr', u'hi', u'ambiti', u'project', u'british', u'resid', u'opinion', u'hi', u'majesti', u'acknow', u'appendix', u'195', u'ledg', u'sovereignti', u'chief', u'new', u'zealand', u'collect', u'capac', u'recognit', u'flag', u'permit', u'hi', u'humbl', u'confid', u'alli', u'depriv', u'independ', u'upon', u'pretens', u'although', u'british', u'resid', u'opinion', u'attempt', u'announc', u'must', u'ultim', u'fail', u'nevertheless', u'conceiv', u'person', u'onc', u'allow', u'obtain', u'foot', u'countri', u'might', u'acquir', u'influenc', u'simplemind', u'nativ', u'would', u'produc', u'effect', u'could', u'much', u'deprec', u'anxious', u'provid', u'ha', u'therefor', u'consid', u'hi', u'duti', u'request', u'british', u'settler', u'class', u'use', u'influenc', u'possess', u'vsdth', u'nativ', u'everi', u'rank', u'order', u'counteract', u'effort', u'ani', u'emissari', u'may', u'arriv', u'may', u'arriv', u'amongst', u'inspir', u'chief', u'peopl', u'spirit', u'determin', u'resist', u'land', u'person', u'shore', u'come', u'avow', u'intent', u'usurp', u'sovereignti', u'british', u'resid', u'take', u'immedi', u'step', u'call', u'togeth', u'nativ', u'chief', u'order', u'inform', u'thi', u'propos', u'attempt', u'upon', u'independ', u'advis', u'due', u'themselv', u'countri', u'protect', u'british', u'subject', u'entitl', u'hand', u'ha', u'doubt', u'manifest', u'exhibit', u'characterist', u'spirit', u'courag', u'independ', u'new', u'zealand', u'stop', u'outset', u'attempt', u'upon', u'liberti', u'demonstr', u'utter', u'hopeless', u'jame', u'busbi', u'british', u'resid', u'new', u'zealand', u'british', u'resid', u'bay', u'island', u'10th', u'oct', u'1835', u'36', u'declar', u'independ', u'new', u'zealand', u'1', u'hereditari', u'chief', u'head', u'tribe', u'northern', u'part', u'new', u'zealand', u'assembl', u'wait', u'bay', u'island', u'thi', u'28th', u'day', u'octob', u'1835', u'declar', u'independ', u'countri', u'herebi', u'constitut', u'declar', u'bean', u'independ', u'state', u'design', u'unit', u'tribe', u'new', u'zealand', u'190', u'appendix', u'2', u'sovereign', u'power', u'author', u'within', u'territori', u'unit', u'tribe', u'new', u'zealand', u'herebi', u'declar', u'resid', u'entir', u'exclus', u'hereditari', u'chief', u'head', u'tribe', u'collect', u'capac', u'also', u'declar', u'allow', u'ani', u'legisl', u'author', u'separ', u'themselv', u'collect', u'capac', u'exist', u'ani', u'function', u'govern', u'exercis', u'within', u'said', u'territori', u'unless', u'person', u'appoint', u'act', u'author', u'law', u'regularli', u'enact', u'congress', u'assembl', u'3', u'hereditari', u'chief', u'head', u'tribe', u'agre', u'meet', u'congress', u'wait', u'autumn', u'year', u'purpos', u'frame', u'law', u'dispens', u'justic', u'preserv', u'peac', u'good', u'order', u'regul', u'trade', u'cordial', u'invit', u'southern', u'tribe', u'lay', u'asid', u'privat', u'animos', u'consult', u'safeti', u'welfar', u'common', u'countri', u'join', u'confeder', u'unit', u'tribe', u'4', u'also', u'agre', u'send', u'copi', u'thi', u'declar', u'hi', u'majesti', u'king', u'england', u'thank', u'hi', u'acknowledg', u'flag', u'return', u'friendship', u'protect', u'shel', u'prepar', u'shew', u'hi', u'subject', u'settl', u'countri', u'resort', u'shore', u'purpos', u'trade', u'entreat', u'continu', u'parent', u'infant', u'state', u'becom', u'protector', u'attempt', u'upon', u'independ', u'agre', u'unanim', u'thi', u'2sth', u'day', u'octob', u'1835', u'presenc', u'hi', u'britann', u'majesti', u'resid', u'follow', u'signatur', u'mark', u'thirtyf', u'hereditari', u'chief', u'head', u'tribe', u'form', u'fair', u'represent', u'tribe', u'new', u'zealand', u'north', u'cape', u'latitud', u'river', u'thame', u'english', u'wit', u'sign', u'henri', u'william', u'missionari', u'c', u'm', u'geo', u'clark', u'c', u'm', u'jame', u'c', u'clinton', u'merchant', u'gilbert', u'main', u'merchant', u'certifi', u'abov', u'correct', u'copi', u'declar', u'chief', u'accord', u'translat', u'missionari', u'resid', u'appendix', u'197', u'tch', u'year', u'upward', u'countri', u'transmit', u'hi', u'graciou', u'majesti', u'king', u'england', u'unanim', u'request', u'chief', u'jame', u'busbi', u'british', u'resid', u'new', u'zealand', u'37', u'coloni', u'secretari', u'offic', u'sydney', u'sir', u'29th', u'june', u'1835', u'direct', u'governor', u'inform', u'ha', u'receiv', u'despatch', u'right', u'honour', u'secretari', u'state', u'coloni', u'commun', u'represent', u'made', u'advantag', u'would', u'result', u'person', u'well', u'european', u'settl', u'district', u'resid', u'invest', u'appoint', u'correspond', u'late', u'confer', u'upon', u'mr', u'jame', u'busbi', u'extrem', u'distanc', u'gentleman', u'quarter', u'european', u'settler', u'resid', u'prevent', u'render', u'assist', u'might', u'otherwis', u'expect', u'afford', u'accordingli', u'command', u'sir', u'richard', u'burk', u'acquaint', u'pursuanc', u'author', u'thu', u'convey', u'hi', u'excel', u'ha', u'pleas', u'nomin', u'jou', u'addit', u'british', u'resid', u'new', u'zealand', u'creation', u'appoint', u'held', u'mr', u'busbi', u'origin', u'desir', u'check', u'atroc', u'irregular', u'commit', u'new', u'zealand', u'european', u'give', u'encourag', u'protect', u'welldispos', u'settler', u'trader', u'great', u'britain', u'thi', u'coloni', u'gener', u'rule', u'wish', u'thi', u'govern', u'british', u'resid', u'regul', u'hi', u'proceed', u'also', u'guid', u'case', u'may', u'feel', u'call', u'upon', u'act', u'direct', u'hi', u'excel', u'transmit', u'enclos', u'extract', u'instruct', u'13th', u'april', u'1833', u'issu', u'mr', u'busbi', u'hi', u'departur', u'assum', u'duti', u'hi', u'offic', u'adher', u'principl', u'laid', u'order', u'discreet', u'applic', u'circumst', u'hope', u'disappoint', u'expect', u'enabl', u'benefit', u'198', u'appendix', u'onli', u'hi', u'excel', u'conceiv', u'unnecessari', u'impress', u'upon', u'import', u'obtain', u'object', u'seek', u'moral', u'influenc', u'chief', u'nativ', u'particular', u'studi', u'onli', u'act', u'concert', u'british', u'resid', u'maintain', u'good', u'understand', u'necessari', u'give', u'effect', u'appoint', u'preserv', u'influenc', u'british', u'resid', u'request', u'make', u'known', u'appoint', u'master', u'vessel', u'resort', u'new', u'zealand', u'arriv', u'destin', u'take', u'measur', u'experi', u'ani', u'missionari', u'may', u'spot', u'may', u'suggest', u'best', u'appris', u'british', u'settler', u'nativ', u'natur', u'offic', u'object', u'upon', u'thi', u'subject', u'mr', u'busbi', u'honour', u'transmit', u'letter', u'introduct', u'doubt', u'abl', u'afford', u'valuabl', u'inform', u'secretari', u'state', u'ha', u'intim', u'disclaim', u'desir', u'emolu', u'solicit', u'appoint', u'confer', u'upon', u'honour', u'sir', u'obedi', u'servant', u'sign', u'alexand', u'm', u'lay', u'thoma', u'm', u'donn', u'esq', u'coloni', u'secretari', u'addit', u'british', u'resid', u'hokianga', u'new', u'zealand', u'38', u'extract', u'instruct', u'hi', u'excel', u'governor', u'new', u'south', u'wale', u'jame', u'busbi', u'esq', u'british', u'resid', u'new', u'zealand', u'date', u'13th', u'april', u'1833', u'check', u'much', u'possibl', u'enorm', u'complain', u'give', u'encourag', u'protect', u'indispos', u'settler', u'trader', u'great', u'britain', u'thi', u'coloni', u'ha', u'thought', u'proper', u'appoint', u'british', u'subject', u'resid', u'new', u'zealand', u'accredit', u'charact', u'whose', u'princip', u'import', u'duti', u'appendix', u'199', u'concili', u'good', u'nativ', u'chief', u'establish', u'upon', u'perman', u'basi', u'good', u'understand', u'confid', u'import', u'interest', u'great', u'britain', u'coloni', u'perpetu', u'may', u'easi', u'lay', u'ani', u'certain', u'rule', u'thi', u'desir', u'object', u'accomplish', u'expect', u'skil', u'use', u'power', u'educ', u'man', u'possess', u'wild', u'halfcivil', u'savag', u'influenc', u'may', u'gain', u'author', u'strength', u'new', u'zealand', u'chief', u'wdl', u'arrang', u'side', u'resid', u'mainten', u'tranquil', u'throughout', u'island', u'fit', u'explain', u'chief', u'object', u'mission', u'anxiou', u'desir', u'hi', u'majesti', u'suppress', u'mean', u'disord', u'complain', u'also', u'announc', u'intent', u'remain', u'among', u'claim', u'protect', u'privileg', u'tell', u'accord', u'europ', u'america', u'british', u'subject', u'hold', u'foreign', u'state', u'situat', u'similar', u'find', u'conveni', u'manag', u'thi', u'confer', u'mean', u'missionari', u'furnish', u'credenti', u'recommend', u'commun', u'freeli', u'upon', u'object', u'appoint', u'measur', u'adopt', u'treat', u'chief', u'knowledg', u'missionari', u'obtain', u'languag', u'manner', u'custom', u'nativ', u'may', u'thu', u'becom', u'servic', u'assum', u'howev', u'recept', u'favour', u'ha', u'anticip', u'endeavour', u'explain', u'manner', u'proceed', u'opinion', u'may', u'best', u'succeed', u'effect', u'object', u'mission', u'time', u'understand', u'inform', u'abl', u'obtain', u'respect', u'new', u'zealand', u'imperfect', u'allow', u'present', u'ani', u'thing', u'gener', u'outlin', u'guidanc', u'leav', u'discret', u'take', u'measur', u'shall', u'seem', u'need', u'arrest', u'british', u'subject', u'offend', u'british', u'coloni', u'law', u'new', u'zealand', u'9th', u'georg', u'iv', u'chap', u'83', u'sec', u'4', u'suprem', u'court', u'new', u'south', u'wale', u'van', u'diemen', u'land', u'power', u'enquir', u'hear', u'determin', u'offenc', u'commit', u'new', u'zealand', u'200', u'appendix', u'master', u'crew', u'ani', u'british', u'ship', u'vessel', u'ani', u'british', u'subject', u'person', u'convict', u'offenc', u'mayb', u'punish', u'offenc', u'commit', u'england', u'law', u'thu', u'given', u'court', u'power', u'hear', u'determin', u'offenc', u'follow', u'necessari', u'incid', u'ha', u'power', u'bring', u'befor', u'ani', u'person', u'ani', u'indict', u'found', u'inform', u'file', u'ani', u'offenc', u'within', u'jurisdict', u'would', u'observ', u'propos', u'mean', u'secur', u'offend', u'procur', u'hi', u'apprehens', u'deliveri', u'board', u'british', u'ship', u'convey', u'thi', u'countri', u'mean', u'nativ', u'chief', u'shall', u'commun', u'well', u'known', u'amongst', u'european', u'lead', u'wander', u'irregular', u'life', u'new', u'zealand', u'found', u'transport', u'felon', u'offend', u'escap', u'thi', u'coloni', u'van', u'diemen', u'land', u'desir', u'opportun', u'apprehens', u'transmiss', u'convict', u'either', u'coloni', u'promptli', u'embrac', u'chief', u'said', u'well', u'acquaint', u'descript', u'differ', u'european', u'resid', u'countri', u'found', u'abl', u'point', u'cut', u'secur', u'conveni', u'time', u'know', u'fugit', u'australian', u'coloni', u'furnish', u'offic', u'princip', u'superintend', u'name', u'descript', u'convict', u'new', u'south', u'wale', u'known', u'suspect', u'conceal', u'island', u'new', u'zealand', u'use', u'discret', u'fittest', u'time', u'caus', u'apprehens', u'remov', u'may', u'within', u'reach', u'guilti', u'ani', u'offenc', u'peac', u'tranquil', u'countri', u'vidll', u'cours', u'take', u'everi', u'precaut', u'avoid', u'apprehens', u'free', u'person', u'mistak', u'convict', u'action', u'damag', u'would', u'probabl', u'follow', u'commiss', u'editor', u'thi', u'govern', u'vsdll', u'inde', u'dispos', u'save', u'harmless', u'case', u'becom', u'circumspect', u'ha', u'use', u'ani', u'hi', u'majesti', u'ship', u'coast', u'request', u'command', u'receiv', u'convict', u'person', u'arrest', u'mean', u'convey', u'thi', u'place', u'would', u'observ', u'mean', u'inform', u'like', u'receiv', u'chief', u'may', u'becom', u'acquaint', u'appendix', u'01', u'crimin', u'project', u'european', u'befor', u'execut', u'time', u'interfer', u'may', u'abl', u'altogeth', u'prevent', u'mischiev', u'design', u'render', u'abort', u'charact', u'hold', u'justifi', u'address', u'ani', u'british', u'subject', u'warn', u'danger', u'may', u'expos', u'embark', u'persev', u'ani', u'undertak', u'crimin', u'doubt', u'natur', u'manner', u'describ', u'proceed', u'similar', u'charact', u'may', u'possibl', u'repress', u'enorm', u'heretofor', u'perpetr', u'british', u'subject', u'new', u'zealand', u'may', u'also', u'happen', u'thi', u'salutari', u'control', u'affect', u'british', u'subject', u'onli', u'knowledg', u'functionari', u'station', u'new', u'zealand', u'offenc', u'commit', u'subject', u'ani', u'state', u'peopl', u'countri', u'made', u'known', u'british', u'govern', u'govern', u'european', u'american', u'power', u'may', u'induc', u'subject', u'power', u'adopt', u'less', u'licenti', u'conduct', u'toward', u'new', u'zealand', u'inhabit', u'south', u'sea', u'island', u'still', u'anoth', u'form', u'influenc', u'hope', u'british', u'resid', u'may', u'obtain', u'mind', u'new', u'zealand', u'chief', u'may', u'benefici', u'exhibit', u'possibl', u'offici', u'moder', u'evil', u'intestin', u'war', u'rival', u'chief', u'hostil', u'tribe', u'may', u'avoid', u'differ', u'peaceabl', u'perman', u'compos', u'also', u'possibl', u'suggest', u'aid', u'council', u'approach', u'may', u'made', u'nativ', u'toward', u'settl', u'form', u'govern', u'establish', u'system', u'jurisprud', u'among', u'court', u'may', u'made', u'claim', u'cogniz', u'crime', u'commit', u'within', u'territori', u'thu', u'offend', u'subject', u'whatev', u'state', u'may', u'brought', u'justic', u'less', u'circuit', u'effici', u'process', u'ani', u'abl', u'point', u'addit', u'benefit', u'british', u'missionari', u'confer', u'island', u'impart', u'inestim', u'bless', u'christian', u'knowledg', u'pure', u'system', u'moral', u'zealand', u'obtain', u'mean', u'british', u'functionari', u'institut', u'court', u'justic', u'establish', u'upon', u'simpl', u'comprehens', u'basi', u'suffici', u'compens', u'would', u'seem', u'render', u'injuri', u'heretofor', u'inflict', u'delinqu', u'countrymen', u'u', u'902', u'appendix', u'thu', u'explain', u'gener', u'cours', u'proceed', u'think', u'resid', u'new', u'zealand', u'may', u'made', u'conduc', u'suppress', u'enorm', u'british', u'subject', u'state', u'habit', u'commit', u'island', u'onli', u'observ', u'duti', u'assist', u'everi', u'mean', u'power', u'commerci', u'relat', u'great', u'britain', u'coloni', u'new', u'zealand', u'would', u'inde', u'desir', u'becom', u'medium', u'commun', u'new', u'zealand', u'chief', u'master', u'british', u'coloni', u'vessel', u'frequent', u'coast', u'merchant', u'settler', u'establish', u'island', u'thi', u'arrang', u'probabl', u'grow', u'resid', u'countri', u'keep', u'view', u'import', u'object', u'pleas', u'forward', u'everi', u'opportun', u'ship', u'report', u'set', u'forth', u'name', u'master', u'number', u'crew', u'tonnag', u'countri', u'vessel', u'arriv', u'bay', u'island', u'part', u'new', u'zealand', u'whenc', u'obtain', u'correct', u'account', u'cargo', u'vessel', u'object', u'touch', u'new', u'zealand', u'far', u'inform', u'ani', u'particular', u'concern', u'may', u'worthi', u'notic', u'beg', u'call', u'attent', u'strang', u'barbar', u'traffic', u'inhuman', u'head', u'certainli', u'exist', u'extent', u'given', u'understand', u'nearli', u'abandon', u'foimd', u'continu', u'reviv', u'legisl', u'act', u'may', u'necessari', u'prohibit', u'thi', u'coloni', u'crime', u'disgrac', u'particip', u'brutal', u'commerc', u'alreadi', u'mention', u'assist', u'anticip', u'win', u'receiv', u'missionari', u'onli', u'impress', u'dut', u'cordial', u'cooper', u'great', u'object', u'solicitud', u'name', u'extens', u'christian', u'knowledg', u'throughout', u'island', u'consequ', u'improv', u'habit', u'moral', u'peopl', u'richard', u'bouek', u'39', u'mode', u'survey', u'coast', u'anchorag', u'water', u'smooth', u'enough', u'admit', u'boat', u'frequent', u'employ', u'often', u'detail', u'without', u'repeat', u'said', u'iq', u'everi', u'treatis', u'subject', u'onli', u'tri', u'describ', u'thi', u'appendix', u'203', u'place', u'method', u'adopt', u'offic', u'beagl', u'examin', u'wild', u'seacoast', u'exampl', u'southwestern', u'part', u'tierra', u'del', u'fuego', u'coast', u'weather', u'wa', u'continu', u'bad', u'wa', u'much', u'swell', u'water', u'near', u'steep', u'precipit', u'shore', u'alway', u'deep', u'anchorag', u'except', u'harbour', u'wa', u'impractic', u'boat', u'seldom', u'abl', u'assist', u'way', u'bear', u'compass', u'though', u'particularli', u'good', u'well', u'place', u'wa', u'veri', u'littl', u'use', u'wa', u'therefor', u'never', u'trust', u'import', u'bear', u'anoth', u'impedi', u'slight', u'one', u'wa', u'current', u'set', u'irregularli', u'one', u'knot', u'three', u'knot', u'hour', u'along', u'shore', u'seldom', u'evil', u'unbalanc', u'remedi', u'stormi', u'desol', u'shore', u'tierra', u'del', u'fuego', u'broken', u'numer', u'island', u'anchorag', u'abund', u'excel', u'onc', u'vessel', u'find', u'enter', u'leav', u'instanc', u'wa', u'troublesom', u'often', u'danger', u'help', u'haven', u'distinct', u'mark', u'afford', u'high', u'rocki', u'shore', u'sharp', u'peak', u'distant', u'height', u'correct', u'survey', u'wa', u'effect', u'begin', u'western', u'extrem', u'near', u'cape', u'pillar', u'becaus', u'prevail', u'wind', u'westerli', u'current', u'set', u'eastward', u'first', u'object', u'wa', u'find', u'safe', u'harbour', u'secur', u'ship', u'made', u'observ', u'latitud', u'time', u'true', u'bear', u'tide', u'magnet', u'also', u'made', u'plan', u'harbour', u'environ', u'translat', u'includ', u'visibl', u'height', u'remark', u'featur', u'coast', u'far', u'could', u'clearli', u'distinguish', u'summit', u'highest', u'hill', u'near', u'harbour', u'upon', u'summit', u'good', u'theodolit', u'wa', u'use', u'wa', u'set', u'invari', u'welldefin', u'mark', u'near', u'observatori', u'mark', u'true', u'bear', u'station', u'summit', u'hill', u'ascertain', u'observ', u'sun', u'made', u'theodolit', u'mani', u'leagu', u'expos', u'difficult', u'coast', u'look', u'upon', u'thi', u'manner', u'least', u'exact', u'bear', u'one', u'fix', u'spot', u'ascertain', u'one', u'height', u'afford', u'round', u'angl', u'theodolit', u'posit', u'height', u'wa', u'accur', u'known', u'triangul', u'depend', u'upon', u'base', u'measur', u'harbour', u'posit', u'variou', u'hill', u'mark', u'ascertain', u'much', u'easier', u'becam', u'204', u'appendix', u'sea', u'work', u'afterward', u'execut', u'ship', u'need', u'hardli', u'allud', u'facil', u'afford', u'height', u'make', u'eye', u'sketch', u'coast', u'line', u'detail', u'rang', u'lull', u'form', u'bank', u'c', u'ascend', u'height', u'near', u'sea', u'advantag', u'anoth', u'point', u'view', u'rock', u'shallow', u'escap', u'notic', u'day', u'toler', u'clear', u'harbour', u'everi', u'place', u'vicin', u'could', u'examin', u'boat', u'overland', u'excurs', u'wa', u'explor', u'far', u'mean', u'time', u'would', u'allow', u'befor', u'speak', u'seawork', u'may', u'use', u'say', u'word', u'base', u'four', u'kind', u'arrang', u'accord', u'rel', u'valu', u'first', u'deriv', u'good', u'astronom', u'chronolog', u'observ', u'made', u'two', u'station', u'sever', u'mue', u'apart', u'second', u'deduc', u'angular', u'measur', u'small', u'space', u'exactli', u'known', u'third', u'obtain', u'actual', u'measur', u'chain', u'rod', u'line', u'fourth', u'rather', u'uncertain', u'base', u'obtain', u'sound', u'thi', u'statement', u'rel', u'valu', u'base', u'onli', u'meant', u'refer', u'employ', u'seasurvey', u'need', u'hardli', u'remind', u'reader', u'note', u'third', u'descript', u'base', u'howev', u'exact', u'nomin', u'requir', u'host', u'minut', u'precaut', u'addit', u'never', u'found', u'valdivia', u'cape', u'horn', u'name', u'nearli', u'level', u'access', u'space', u'consider', u'length', u'measur', u'attain', u'utmost', u'precis', u'laudabl', u'endeavour', u'doubt', u'carri', u'extens', u'trigonometr', u'oper', u'land', u'born', u'mind', u'everi', u'hour', u'employ', u'commonli', u'call', u'hairspit', u'minut', u'detail', u'affect', u'chart', u'plan', u'result', u'seasurvey', u'onli', u'hour', u'lost', u'hour', u'taken', u'away', u'use', u'employ', u'second', u'kind', u'base', u'quickli', u'easili', u'measur', u'either', u'sextant', u'micromet', u'across', u'ani', u'kind', u'land', u'water', u'repeatedli', u'prove', u'everi', u'part', u'beagl', u'survey', u'consid', u'unobjection', u'use', u'limit', u'oper', u'make', u'plan', u'harbour', u'fix', u'posit', u'object', u'onli', u'mile', u'distant', u'multipli', u'base', u'easi', u'method', u'soon', u'effect', u'frequent', u'use', u'sextant', u'artifici', u'horizon', u'chronomet', u'materi', u'error', u'may', u'appendix', u'205', u'kept', u'work', u'practis', u'surveyor', u'sextant', u'horizon', u'chronomet', u'shelter', u'spot', u'micromet', u'board', u'theodolit', u'intellig', u'assist', u'much', u'work', u'may', u'done', u'short', u'time', u'readi', u'proceed', u'chronomet', u'rate', u'ascertain', u'weather', u'glass', u'afford', u'reason', u'hope', u'day', u'two', u'without', u'gale', u'wind', u'start', u'daylight', u'work', u'time', u'offic', u'engag', u'particularli', u'survey', u'take', u'part', u'routin', u'duti', u'vessel', u'one', u'attend', u'bear', u'compass', u'usual', u'wrote', u'variou', u'angl', u'bear', u'taken', u'well', u'bearingbook', u'anoth', u'offic', u'took', u'angl', u'third', u'attend', u'ship', u'cours', u'sound', u'patent', u'log', u'mani', u'angl', u'requir', u'aton', u'time', u'observ', u'time', u'latitud', u'true', u'bear', u'made', u'take', u'round', u'angl', u'offic', u'assist', u'bear', u'compass', u'wa', u'steadi', u'enough', u'wa', u'use', u'even', u'true', u'bear', u'obtain', u'cloudi', u'triangul', u'wa', u'carri', u'point', u'fix', u'last', u'harbour', u'compass', u'wa', u'place', u'uninfluenc', u'local', u'attract', u'bear', u'gave', u'steadi', u'satisfactori', u'yet', u'wa', u'never', u'trust', u'implicitli', u'matter', u'consequ', u'use', u'wa', u'auxiliari', u'princip', u'bear', u'angl', u'highest', u'point', u'mark', u'well', u'defin', u'mistaken', u'consequ', u'chang', u'place', u'observ', u'cours', u'alway', u'select', u'visibl', u'vertic', u'angl', u'notabl', u'height', u'omit', u'sake', u'perspicu', u'consid', u'posit', u'fix', u'point', u'mark', u'separ', u'three', u'class', u'first', u'class', u'obsenatori', u'place', u'latitud', u'longitud', u'true', u'bear', u'accur', u'ascertain', u'besid', u'high', u'peak', u'welldefin', u'object', u'could', u'seen', u'distanc', u'leagu', u'whose', u'exact', u'place', u'known', u'triangul', u'connect', u'observatori', u'highest', u'point', u'island', u'neither', u'low', u'small', u'enough', u'eye', u'overlook', u'first', u'glanc', u'board', u'feet', u'long', u'paint', u'black', u'one', u'side', u'white', u'exactli', u'measur', u'suspend', u'horizont', u'right', u'angl', u'observ', u'206', u'appendix', u'second', u'class', u'consid', u'minor', u'fix', u'point', u'includ', u'triangul', u'except', u'detail', u'coast', u'boundari', u'line', u'belong', u'third', u'class', u'suppos', u'ship', u'sail', u'first', u'harbour', u'f', u'six', u'morn', u'mark', u'6', u'posit', u'vessel', u'wa', u'fix', u'two', u'angl', u'mark', u'alreadi', u'fix', u'upon', u'land', u'630', u'7', u'similar', u'mean', u'use', u'fix', u'ship', u'place', u'sound', u'taken', u'laid', u'proport', u'time', u'sound', u'portion', u'distanc', u'run', u'two', u'station', u'shewn', u'patent', u'log', u'bear', u'mark', u'6', u'figur', u'sail', u'6', u'30', u'7', u'independ', u'doubl', u'angl', u'two', u'angl', u'three', u'mark', u'orliy', u'simpl', u'crossbear', u'transit', u'bear', u'alway', u'sought', u'compass', u'well', u'note', u'mark', u'line', u'one', u'anoth', u'without', u'refer', u'compass', u'endeavour', u'ascertain', u'fix', u'ship', u'posit', u'moment', u'avail', u'numer', u'method', u'readili', u'occur', u'mobil', u'log', u'wa', u'go', u'time', u'note', u'care', u'often', u'angl', u'bear', u'taken', u'sever', u'first', u'class', u'mark', u'sight', u'transit', u'bear', u'use', u'detail', u'coast', u'line', u'may', u'seen', u'line', u'dravn', u'630', u'7', u'8', u'corrobor', u'correct', u'triangul', u'appli', u'first', u'second', u'class', u'mark', u'judici', u'select', u'object', u'clever', u'applic', u'transit', u'bear', u'seen', u'extens', u'correct', u'translat', u'carri', u'data', u'obtain', u'sea', u'appear', u'utterli', u'inadequ', u'impli', u'absolut', u'posit', u'ani', u'one', u'point', u'wa', u'independ', u'correct', u'becaus', u'depend', u'first', u'upon', u'observ', u'sea', u'point', u'triangul', u'correct', u'rel', u'upon', u'examin', u'regular', u'routin', u'harbour', u'work', u'combin', u'data', u'obtain', u'afloat', u'truth', u'ascertain', u'connect', u'previou', u'observatori', u'alter', u'wa', u'found', u'necessari', u'perhap', u'explain', u'plan', u'first', u'harbour', u'depend', u'upon', u'base', u'ab', u'also', u'fix', u'b', u'c', u'summit', u'b', u'c', u'g', u'd', u'e', u'f', u'fix', u'well', u'boundari', u'line', u'mean', u'limit', u'outlin', u'shoal', u'rocki', u'place', u'f', u'see', u'figur', u'mr', u'stoke', u'7', u'ojishratiojr', u'6v', u'siiori', u'oi', u'oisiuiiaiiini', u'ati', u'ojismjuiirojnrr', u'nf', u'ilibliahtdlyheray', u'ccdbumugjeat', u'ilatlboroxi', u'3wat6s9', u'appendix', u'207', u'number', u'inferior', u'mark', u'round', u'angl', u'taken', u'theodolit', u'station', u'b', u'c', u'instrument', u'case', u'set', u'true', u'bear', u'b', u'c', u'ascertain', u'astronom', u'posit', u'l', u'wa', u'exactli', u'determin', u'latitud', u'distanc', u'meridian', u'long', u'accur', u'base', u'al', u'becam', u'known', u'foundat', u'work', u'wa', u'laid', u'base', u'necessari', u'former', u'posit', u'g', u'd', u'e', u'f', u'correct', u'well', u'angular', u'measur', u'answer', u'wa', u'scarc', u'ever', u'requisit', u'make', u'correct', u'ha', u'shewn', u'log', u'serv', u'onli', u'place', u'sound', u'help', u'fill', u'space', u'cloud', u'obscur', u'mark', u'add', u'wa', u'servic', u'ascertain', u'direct', u'strength', u'current', u'current', u'alter', u'strength', u'well', u'direct', u'prevent', u'appli', u'patent', u'log', u'use', u'although', u'everi', u'reason', u'put', u'implicit', u'confid', u'indic', u'often', u'prove', u'valu', u'still', u'water', u'deep', u'sound', u'stream', u'tide', u'current', u'exist', u'well', u'harbour', u'angular', u'base', u'measur', u'special', u'purpos', u'view', u'land', u'plan', u'profil', u'veri', u'frequent', u'taken', u'boat', u'could', u'lower', u'suffici', u'object', u'demand', u'employ', u'11', u'first', u'day', u'10', u'second', u'day', u'hang', u'idli', u'davit', u'exampl', u'given', u'circumst', u'conspir', u'favour', u'rare', u'event', u'tierra', u'del', u'fuego', u'ani', u'similar', u'coast', u'expos', u'prevail', u'westerli', u'wind', u'high', u'latitud', u'fail', u'find', u'anchorag', u'triangul', u'wa', u'carri', u'first', u'class', u'mark', u'ship', u'posit', u'fix', u'good', u'observ', u'sea', u'howev', u'well', u'method', u'may', u'answer', u'fine', u'climat', u'coast', u'wa', u'gener', u'unsatisfactori', u'veri', u'inferior', u'go', u'one', u'harbour', u'anoth', u'among', u'mani', u'kind', u'notat', u'use', u'survey', u'annex', u'sketch', u'shew', u'method', u'use', u'mr', u'stoke', u'seen', u'adopt', u'veri', u'conveni', u'assist', u'memori', u'ani', u'figur', u'2', u'b', u'station', u'angl', u'specifi', u'taken', u'right', u'left', u'mark', u'whose', u'bear', u'wa', u'ascertain', u'angl', u'onli', u'taken', u'triangl', u'afterward', u'calcul', u'protract', u'refer', u'base', u'upon', u'depend', u'ab', u'sketch', u'thi', u'principl', u'ever', u'slightli', u'made', u'bring', u'place', u'mind', u'instant', u'avoid', u'ani', u'necess', u'name', u'letter', u'40', u'nautic', u'remark', u'northern', u'coast', u'chile', u'scarc', u'ani', u'extens', u'coast', u'less', u'requir', u'particular', u'descript', u'chile', u'toler', u'chart', u'lead', u'go', u'stranger', u'may', u'san', u'almost', u'ani', u'civilian', u'port', u'without', u'hesit', u'howev', u'anchorag', u'landingplac', u'hitherto', u'littl', u'known', u'except', u'coaster', u'may', u'use', u'give', u'notic', u'valparaiso', u'port', u'southward', u'describ', u'often', u'occupi', u'ani', u'crowd', u'page', u'remark', u'wellknown', u'place', u'although', u'anoth', u'public', u'strictli', u'nautic', u'appear', u'quintero', u'horton', u'papudo', u'hidden', u'danger', u'two', u'former', u'lie', u'southward', u'northward', u'respect', u'straggl', u'cluster', u'black', u'rock', u'abov', u'water', u'first', u'littl', u'frequent', u'rather', u'shallow', u'way', u'second', u'summer', u'roadstead', u'good', u'landingplac', u'easi', u'commun', u'thenc', u'puchancavi', u'papudo', u'small', u'open', u'bay', u'good', u'landingplac', u'northerli', u'wind', u'throw', u'heavi', u'swell', u'situat', u'point', u'high', u'peak', u'hill', u'call', u'gobernador', u'immedi', u'port', u'pichidanqu', u'sometim', u'call', u'herradura', u'ha', u'rock', u'near', u'middl', u'low', u'tide', u'fifteen', u'feet', u'water', u'line', u'north', u'end', u'littl', u'island', u'front', u'harbour', u'gulli', u'northeast', u'side', u'river', u'run', u'quilimari', u'four', u'cabl', u'length', u'island', u'tide', u'rise', u'five', u'feet', u'syzygi', u'high', u'water', u'nine', u'silla', u'pichidanqu', u'alreadi', u'mention', u'cp', u'426', u'conceal', u'expos', u'roadstead', u'seldom', u'use', u'smuggler', u'land', u'everywher', u'bad', u'except', u'one', u'littl', u'cove', u'north', u'side', u'bay', u'short', u'characterist', u'name', u'prefer', u'letter', u'number', u'becaus', u'help', u'memori', u'much', u'appendix', u'209', u'maytencillo', u'littl', u'cove', u'fit', u'onli', u'boat', u'land', u'particular', u'time', u'next', u'open', u'thi', u'high', u'rug', u'coast', u'river', u'limari', u'look', u'larg', u'seaward', u'inaccess', u'coast', u'near', u'limari', u'steep', u'rocki', u'two', u'mile', u'entranc', u'river', u'low', u'rocki', u'point', u'small', u'beach', u'boat', u'sometim', u'land', u'heavi', u'surf', u'break', u'near', u'mile', u'coast', u'land', u'rise', u'suddenli', u'rang', u'hill', u'one', u'thousand', u'feet', u'high', u'run', u'parallel', u'coast', u'extend', u'two', u'three', u'mile', u'north', u'south', u'river', u'summit', u'hill', u'northward', u'cover', u'wood', u'north', u'entranc', u'point', u'low', u'rocki', u'south', u'steep', u'slope', u'remark', u'white', u'sandi', u'patch', u'side', u'river', u'mouth', u'quarter', u'mile', u'wide', u'surf', u'break', u'heavili', u'right', u'across', u'insid', u'turn', u'littl', u'northeast', u'run', u'eastward', u'deep', u'gulli', u'rang', u'hiu', u'beforement', u'moist', u'tahnay', u'remark', u'hiu', u'2300', u'feet', u'hiugh', u'three', u'mile', u'coast', u'seven', u'mile', u'southward', u'river', u'thickli', u'wood', u'top', u'side', u'quit', u'bare', u'ten', u'mue', u'southward', u'mount', u'talinay', u'lie', u'deep', u'valley', u'remark', u'sandhil', u'north', u'side', u'close', u'coast', u'mouth', u'valley', u'small', u'sandi', u'beach', u'within', u'five', u'mile', u'maytencillo', u'point', u'sever', u'rock', u'mime', u'oif', u'quarter', u'mile', u'maytencillo', u'coast', u'compos', u'blue', u'rocki', u'cliff', u'one', u'hundr', u'fifti', u'feet', u'high', u'land', u'abov', u'cliff', u'rise', u'three', u'four', u'hundr', u'feet', u'three', u'mile', u'shore', u'rang', u'hill', u'run', u'three', u'four', u'thousand', u'feet', u'high', u'fourteen', u'mile', u'northward', u'limari', u'small', u'bay', u'sandi', u'beach', u'north', u'corner', u'heavi', u'surf', u'thi', u'bay', u'northward', u'coast', u'rocki', u'much', u'broken', u'eight', u'mile', u'southward', u'point', u'lengua', u'de', u'vaca', u'small', u'rocki', u'peninsula', u'high', u'sharp', u'rock', u'centr', u'southward', u'le', u'small', u'deep', u'cove', u'vdth', u'sandi', u'beach', u'head', u'entranc', u'nearli', u'block', u'small', u'islet', u'rock', u'abov', u'water', u'entranc', u'bad', u'smallest', u'vessel', u'though', u'fine', u'weather', u'boat', u'land', u'cove', u'outer', u'breaker', u'two', u'cabl', u'shore', u'calm', u'swell', u'set', u'directli', u'thi', u'cove', u'tortor', u'de', u'lengua', u'de', u'vaca', u'210', u'appendix', u'point', u'lengua', u'de', u'vaca', u'veri', u'low', u'rocki', u'point', u'rise', u'gradual', u'shore', u'round', u'hummock', u'mile', u'southward', u'point', u'rock', u'nearli', u'awash', u'cabl', u'length', u'point', u'two', u'cabl', u'length', u'distant', u'five', u'feet', u'round', u'point', u'lengua', u'de', u'vaca', u'coast', u'run', u'southeast', u'rocki', u'steep', u'two', u'mile', u'point', u'fifteen', u'fathom', u'half', u'mile', u'shore', u'three', u'mile', u'point', u'long', u'sandi', u'beach', u'commenc', u'extend', u'whole', u'length', u'larg', u'bay', u'far', u'island', u'peninsula', u'tongoy', u'south', u'part', u'beach', u'call', u'play', u'de', u'tanqu', u'north', u'northeast', u'side', u'bay', u'playa', u'de', u'tongoy', u'southwest', u'extrem', u'beach', u'anchorag', u'half', u'mile', u'shore', u'five', u'seven', u'fathom', u'bottom', u'soft', u'muddi', u'sand', u'place', u'hard', u'southerli', u'wind', u'veri', u'smooth', u'land', u'veri', u'good', u'heavi', u'sea', u'set', u'northerli', u'breez', u'thi', u'anchorag', u'wa', u'onc', u'frequent', u'american', u'whaler', u'villag', u'call', u'rincon', u'de', u'tanqu', u'consist', u'dozen', u'rancho', u'onli', u'water', u'got', u'brackish', u'two', u'mile', u'half', u'ene', u'good', u'water', u'land', u'gener', u'veri', u'bad', u'water', u'distanc', u'beach', u'tanqu', u'peninsula', u'tongoy', u'anchorag', u'ani', u'part', u'bay', u'one', u'two', u'mile', u'shore', u'seven', u'ten', u'fathom', u'sandi', u'bottom', u'good', u'anchorag', u'northerli', u'wind', u'small', u'vessel', u'southward', u'peninsula', u'abreast', u'small', u'villag', u'point', u'outer', u'point', u'bear', u'wnw', u'four', u'fathom', u'sandi', u'bottom', u'clay', u'underneath', u'vessel', u'howev', u'small', u'go', u'less', u'four', u'fathom', u'sea', u'break', u'littl', u'insid', u'depth', u'blow', u'hard', u'northward', u'larg', u'vessel', u'would', u'also', u'find', u'littl', u'shelter', u'wind', u'northward', u'northwest', u'strong', u'southerli', u'breez', u'vessel', u'would', u'abl', u'remain', u'anchor', u'southward', u'peninsula', u'small', u'b', u'j', u'north', u'side', u'complet', u'shelter', u'southerli', u'wind', u'southeast', u'corner', u'thi', u'bay', u'small', u'creek', u'smooth', u'boat', u'go', u'run', u'mile', u'inland', u'near', u'head', u'fresh', u'water', u'whaler', u'sometim', u'send', u'boat', u'bear', u'magnet', u'unless', u'otherwis', u'specifi', u'appendix', u'211', u'villag', u'tongoy', u'consist', u'half', u'dozen', u'small', u'hous', u'built', u'high', u'point', u'south', u'side', u'peninsula', u'coast', u'west', u'side', u'huanaquero', u'hill', u'broken', u'rocki', u'afford', u'shelter', u'ani', u'thing', u'boat', u'northward', u'deep', u'bay', u'well', u'shelter', u'southerli', u'westerli', u'wind', u'open', u'northward', u'thi', u'port', u'herradura', u'place', u'fit', u'vessel', u'herradura', u'coquimbo', u'well', u'known', u'beat', u'bold', u'rug', u'point', u'land', u'behind', u'rise', u'ridg', u'gradual', u'becom', u'higher', u'reced', u'coast', u'copper', u'hill', u'6400', u'feet', u'high', u'point', u'make', u'north', u'extrem', u'bay', u'come', u'northward', u'low', u'rocki', u'point', u'call', u'porto', u'four', u'mile', u'northward', u'point', u'porto', u'port', u'array', u'juan', u'soldan', u'doe', u'deserv', u'name', u'mere', u'small', u'bight', u'behind', u'rocki', u'point', u'scarc', u'afford', u'shelter', u'boat', u'southerli', u'wind', u'entir', u'open', u'northerli', u'littl', u'northward', u'copper', u'hill', u'anoth', u'hiu', u'rang', u'height', u'north', u'side', u'hill', u'steep', u'foot', u'small', u'bay', u'osorno', u'half', u'mile', u'long', u'deep', u'enough', u'afford', u'ani', u'shelter', u'smallest', u'vessel', u'half', u'mile', u'northward', u'bay', u'hamlet', u'consist', u'small', u'hous', u'call', u'yerba', u'buena', u'pajaro', u'island', u'two', u'low', u'rocki', u'island', u'lie', u'twelv', u'mile', u'coast', u'northern', u'much', u'smaller', u'southern', u'far', u'could', u'seen', u'shore', u'danger', u'round', u'littl', u'northward', u'yerba', u'buena', u'small', u'island', u'call', u'trigo', u'separ', u'shore', u'channel', u'cabl', u'length', u'broad', u'onli', u'fit', u'boat', u'island', u'except', u'veri', u'close', u'appear', u'onli', u'project', u'point', u'larg', u'white', u'rock', u'west', u'point', u'three', u'mile', u'northward', u'trigo', u'island', u'port', u'tortoralillo', u'form', u'small', u'bay', u'face', u'north', u'three', u'small', u'island', u'west', u'point', u'come', u'southward', u'best', u'entranc', u'small', u'vessel', u'southernmost', u'island', u'point', u'channel', u'cabl', u'length', u'wide', u'eight', u'twelv', u'fathom', u'water', u'dri', u'rock', u'point', u'main', u'land', u'approach', u'nearer', u'half', u'cabl', u'sunken', u'rock', u'lie', u'nearli', u'distanc', u'212', u'appendix', u'channel', u'northern', u'middl', u'islet', u'block', u'breaker', u'vessel', u'may', u'anchor', u'half', u'mile', u'ani', u'part', u'beach', u'six', u'eight', u'fathom', u'sandi', u'bottom', u'land', u'good', u'best', u'rock', u'near', u'entranc', u'noth', u'could', u'embark', u'east', u'end', u'beach', u'best', u'purpos', u'land', u'northward', u'run', u'far', u'westward', u'hkeli', u'heavi', u'sea', u'would', u'caus', u'northerli', u'gale', u'temblador', u'small', u'cove', u'east', u'side', u'tortoraliuo', u'land', u'wors', u'beach', u'well', u'shelter', u'three', u'mile', u'northward', u'tortorahuo', u'small', u'island', u'chungunga', u'mile', u'shore', u'good', u'mark', u'know', u'port', u'rocki', u'point', u'abreast', u'littl', u'inshor', u'remark', u'saddl', u'hill', u'nippl', u'middl', u'person', u'come', u'southward', u'appear', u'extrem', u'high', u'rang', u'run', u'thenc', u'eastward', u'tortoraliuo', u'two', u'three', u'thousand', u'feet', u'high', u'littl', u'northward', u'point', u'chtmgunga', u'larg', u'white', u'sandpatch', u'seen', u'distinctli', u'westward', u'south', u'end', u'chore', u'beach', u'run', u'seven', u'eight', u'mile', u'northwest', u'point', u'chore', u'heavi', u'surf', u'alway', u'break', u'upon', u'point', u'chord', u'three', u'island', u'inner', u'one', u'low', u'nearli', u'join', u'shore', u'noth', u'boat', u'pass', u'insid', u'mile', u'westward', u'thi', u'island', u'anoth', u'small', u'island', u'channel', u'clear', u'danger', u'southwest', u'thi', u'island', u'mue', u'largest', u'choro', u'island', u'mue', u'long', u'top', u'veri', u'much', u'broken', u'southwest', u'end', u'veri', u'much', u'resembl', u'castl', u'small', u'pyramid', u'south', u'end', u'rock', u'break', u'quarter', u'mile', u'shore', u'channel', u'two', u'outer', u'island', u'clear', u'danger', u'half', u'mue', u'westward', u'small', u'island', u'rock', u'nearli', u'awash', u'five', u'mile', u'southeast', u'southern', u'choro', u'island', u'veri', u'danger', u'reef', u'rock', u'onli', u'littl', u'abov', u'water', u'point', u'carris', u'low', u'rocki', u'point', u'five', u'mile', u'northward', u'point', u'choro', u'remark', u'round', u'hummock', u'appendix', u'213', u'southward', u'small', u'cove', u'polillao', u'shelter', u'small', u'vessel', u'land', u'bad', u'two', u'small', u'rocki', u'islet', u'south', u'point', u'cove', u'northward', u'point', u'carris', u'bay', u'name', u'fit', u'vessel', u'bottom', u'bay', u'heavi', u'surf', u'break', u'half', u'mile', u'shore', u'north', u'side', u'bay', u'form', u'rocki', u'point', u'outli', u'rock', u'breaker', u'quarter', u'mile', u'side', u'landingplac', u'bay', u'near', u'southeast', u'corner', u'rocki', u'coast', u'join', u'beach', u'bad', u'weather', u'surf', u'break', u'outsid', u'nearli', u'one', u'mile', u'northward', u'north', u'point', u'carris', u'bay', u'port', u'chaner', u'well', u'shelter', u'northerli', u'southerli', u'wind', u'swell', u'set', u'heavili', u'southwest', u'make', u'land', u'bad', u'best', u'small', u'cove', u'north', u'side', u'port', u'near', u'beach', u'head', u'also', u'landingplac', u'south', u'side', u'bad', u'ani', u'swell', u'beach', u'head', u'port', u'alway', u'much', u'surf', u'land', u'except', u'veri', u'fine', u'weather', u'four', u'mile', u'half', u'westward', u'island', u'chaner', u'nearli', u'level', u'except', u'south', u'side', u'near', u'remark', u'mound', u'vith', u'nippl', u'centr', u'tlier', u'rock', u'nearli', u'half', u'mile', u'south', u'point', u'island', u'one', u'distanc', u'northwest', u'point', u'north', u'side', u'small', u'cove', u'boat', u'land', u'wind', u'southward', u'anchorag', u'close', u'water', u'deep', u'american', u'seal', u'schooner', u'wa', u'lost', u'year', u'ago', u'norther', u'come', u'wa', u'anchor', u'land', u'round', u'chaner', u'low', u'ridg', u'low', u'hul', u'run', u'point', u'top', u'veri', u'rug', u'rocki', u'land', u'sandi', u'veri', u'barren', u'rang', u'high', u'hiu', u'sever', u'mile', u'shore', u'thi', u'part', u'rang', u'coast', u'sever', u'smaller', u'hiu', u'rise', u'low', u'land', u'villag', u'chaiieral', u'three', u'napl', u'port', u'said', u'consist', u'twenti', u'hous', u'hous', u'near', u'port', u'told', u'peopl', u'came', u'onli', u'vessel', u'ever', u'wa', u'small', u'schooner', u'call', u'constitucion', u'vessel', u'taken', u'cargo', u'copper', u'huasco', u'wa', u'larg', u'quantiti', u'copper', u'said', u'belong', u'mr', u'edward', u'readi', u'embark', u'214', u'appendix', u'northward', u'chaner', u'bay', u'coast', u'low', u'project', u'nw', u'ten', u'mile', u'extrem', u'west', u'point', u'point', u'pajaro', u'ha', u'small', u'rocki', u'islet', u'two', u'cabl', u'shore', u'land', u'inshor', u'rise', u'gradual', u'low', u'ridg', u'half', u'mile', u'coast', u'high', u'rang', u'three', u'mile', u'inshor', u'northward', u'point', u'pajaro', u'coast', u'run', u'east', u'form', u'small', u'bay', u'open', u'northerli', u'well', u'shelter', u'southerli', u'wind', u'anchorag', u'eight', u'twelv', u'fathom', u'onethird', u'mile', u'shore', u'land', u'bad', u'four', u'mile', u'nee', u'point', u'pajaro', u'anoth', u'point', u'high', u'rock', u'northward', u'bay', u'sarco', u'also', u'shelter', u'southerli', u'wind', u'deep', u'gulli', u'run', u'inland', u'se', u'corner', u'bay', u'mouth', u'sandi', u'beach', u'anchorag', u'onethird', u'mile', u'eight', u'twelv', u'fathom', u'land', u'good', u'two', u'three', u'small', u'hut', u'close', u'northward', u'sarco', u'high', u'land', u'run', u'close', u'coast', u'side', u'hill', u'cover', u'yellow', u'sand', u'summit', u'rocki', u'whole', u'coast', u'ha', u'miser', u'barren', u'appear', u'northward', u'deep', u'gulli', u'four', u'mile', u'project', u'rocki', u'point', u'foot', u'high', u'rang', u'hill', u'veri', u'remark', u'black', u'sharp', u'peak', u'near', u'extrem', u'coast', u'northward', u'thi', u'run', u'nearli', u'north', u'south', u'veri', u'rocki', u'eight', u'mile', u'turn', u'westward', u'form', u'deep', u'bay', u'nee', u'comer', u'small', u'beach', u'call', u'tongoy', u'northward', u'bay', u'high', u'rang', u'run', u'toward', u'point', u'alcald', u'extrem', u'point', u'bay', u'nearli', u'seven', u'mile', u'southward', u'huasco', u'point', u'veri', u'rocki', u'small', u'detach', u'rock', u'close', u'inshor', u'rise', u'littl', u'sever', u'small', u'rocki', u'lump', u'run', u'sand', u'one', u'southward', u'show', u'veri', u'distinctli', u'higher', u'rest', u'form', u'sharp', u'peak', u'littl', u'inshor', u'land', u'rise', u'suddenli', u'extrem', u'high', u'rang', u'seven', u'mile', u'northward', u'point', u'alcald', u'point', u'form', u'port', u'huasco', u'low', u'rug', u'point', u'sever', u'island', u'one', u'onli', u'ani', u'size', u'separ', u'main', u'veri', u'narrow', u'channel', u'appear', u'seaward', u'beth', u'point', u'main', u'cover', u'low', u'rug', u'rock', u'one', u'north', u'side', u'much', u'higher', u'rest', u'show', u'distinctli', u'come', u'southward', u'northward', u'appendix', u'215', u'nois', u'rock', u'behind', u'southwest', u'thi', u'island', u'sever', u'small', u'rocki', u'islet', u'appear', u'two', u'small', u'island', u'seen', u'distanc', u'littl', u'inshor', u'extrem', u'point', u'short', u'rang', u'low', u'hul', u'form', u'four', u'rug', u'peak', u'show', u'veri', u'distinctli', u'southward', u'westward', u'land', u'fall', u'insid', u'short', u'distanc', u'rise', u'suddenli', u'high', u'rang', u'run', u'east', u'west', u'directli', u'southward', u'anchorag', u'top', u'rang', u'form', u'three', u'roimd', u'summit', u'easternmost', u'littl', u'higher', u'middl', u'httle', u'lower', u'nearli', u'three', u'mile', u'nee', u'anchorag', u'anoth', u'rang', u'hill', u'1', u'400', u'feet', u'high', u'south', u'slope', u'sharp', u'peak', u'slope', u'valley', u'river', u'run', u'river', u'small', u'heavi', u'surf', u'break', u'outsid', u'water', u'howev', u'excel', u'anoth', u'lagoon', u'small', u'river', u'valley', u'nearer', u'port', u'water', u'veri', u'brackish', u'anchorag', u'veri', u'much', u'expos', u'northerli', u'wind', u'heavi', u'sea', u'roll', u'heavi', u'norther', u'doe', u'occur', u'onc', u'two', u'three', u'year', u'villag', u'consist', u'dozen', u'small', u'hous', u'scatter', u'among', u'rock', u'point', u'divid', u'old', u'new', u'port', u'countri', u'rove', u'present', u'barren', u'miser', u'appear', u'ani', u'part', u'even', u'thi', u'desol', u'coast', u'ground', u'compos', u'mass', u'small', u'stone', u'mixedwith', u'sand', u'project', u'mass', u'rug', u'craggi', u'rock', u'httle', u'inshor', u'stoni', u'ground', u'chang', u'loos', u'yellow', u'sand', u'cover', u'side', u'base', u'nearli', u'hill', u'round', u'summit', u'stoni', u'without', u'ani', u'appear', u'veget', u'low', u'ground', u'stunt', u'bush', u'grow', u'among', u'stone', u'rain', u'rare', u'bless', u'look', u'much', u'fresher', u'might', u'expect', u'sou', u'valley', u'river', u'run', u'also', u'appear', u'green', u'form', u'strike', u'contrast', u'countri', u'around', u'point', u'lobo', u'ten', u'mile', u'northward', u'huasco', u'rug', u'sever', u'small', u'hummock', u'southward', u'thi', u'sever', u'small', u'sandi', u'beach', u'rocki', u'point', u'tremend', u'surf', u'break', u'allow', u'shelter', u'even', u'boat', u'littl', u'inshor', u'point', u'two', u'low', u'hill', u'within', u'land', u'rise', u'suddenli', u'rang', u'1000', u'feet', u'high', u'bay', u'northward', u'point', u'lobo', u'216', u'appendix', u'sever', u'small', u'rock', u'six', u'mile', u'reef', u'run', u'perhap', u'half', u'mile', u'low', u'rocki', u'point', u'outer', u'rock', u'high', u'detach', u'eleven', u'mile', u'northward', u'point', u'lobo', u'veryrug', u'point', u'sever', u'sharp', u'peak', u'half', u'mile', u'northward', u'small', u'port', u'herradura', u'hardli', u'distinguish', u'till', u'quit', u'close', u'rug', u'point', u'entranc', u'herradura', u'outli', u'rock', u'breaker', u'quarter', u'mile', u'shore', u'south', u'entranc', u'point', u'patch', u'low', u'rock', u'incom', u'southward', u'appear', u'extend', u'right', u'across', u'mouth', u'port', u'entranc', u'face', u'nw', u'thi', u'low', u'patch', u'rock', u'small', u'islet', u'nee', u'danger', u'within', u'half', u'cabl', u'either', u'point', u'port', u'run', u'threequart', u'mile', u'eastward', u'islet', u'shelter', u'northerli', u'southerli', u'wind', u'strong', u'northerli', u'breez', u'swell', u'roll', u'round', u'islet', u'rather', u'small', u'larg', u'vessel', u'would', u'abl', u'singl', u'anchor', u'inner', u'part', u'cove', u'quit', u'room', u'enough', u'moor', u'across', u'quarter', u'mile', u'abov', u'islet', u'four', u'fathom', u'fine', u'sand', u'thi', u'place', u'american', u'ship', u'nile', u'420', u'ton', u'wa', u'moor', u'dure', u'northerli', u'gale', u'blew', u'veri', u'heavili', u'wa', u'perfectli', u'shelter', u'land', u'better', u'ani', u'place', u'coquimbo', u'veri', u'seriou', u'inconveni', u'want', u'water', u'small', u'lagoon', u'mile', u'thi', u'place', u'valley', u'head', u'carris', u'cove', u'wors', u'brackish', u'yet', u'pene', u'work', u'ship', u'ore', u'make', u'use', u'deep', u'valley', u'run', u'head', u'cove', u'separ', u'high', u'rang', u'hill', u'good', u'mark', u'know', u'rang', u'southward', u'valley', u'highest', u'near', u'coast', u'distinctli', u'seen', u'northward', u'southward', u'small', u'nippl', u'highest', u'part', u'carris', u'small', u'cove', u'mile', u'nee', u'herradura', u'well', u'shelter', u'southerli', u'wind', u'close', u'herradura', u'much', u'superior', u'like', u'much', u'use', u'northward', u'carris', u'coast', u'bold', u'rug', u'outli', u'rock', u'cabl', u'length', u'point', u'nine', u'mile', u'northward', u'herradura', u'high', u'point', u'appendix', u'217', u'round', u'hummock', u'sever', u'rug', u'hummock', u'littl', u'inshor', u'northward', u'thi', u'cove', u'shelter', u'southward', u'small', u'vessel', u'may', u'anchor', u'fit', u'larg', u'vessel', u'anoth', u'cove', u'similar', u'mile', u'northward', u'httle', u'northward', u'second', u'cove', u'high', u'rocki', u'point', u'termin', u'high', u'part', u'coast', u'northward', u'point', u'small', u'port', u'chart', u'appear', u'tortoralillo', u'well', u'shelter', u'southerli', u'wind', u'land', u'good', u'insid', u'part', u'vessel', u'draw', u'ten', u'twelv', u'feet', u'might', u'moor', u'shelter', u'northerli', u'wind', u'three', u'four', u'fathom', u'northerli', u'wind', u'would', u'heavi', u'swell', u'anchorag', u'farther', u'point', u'eight', u'ten', u'fathom', u'vessel', u'go', u'nearer', u'shore', u'eight', u'fathom', u'bottom', u'insid', u'rocki', u'dure', u'summer', u'month', u'thi', u'would', u'veri', u'good', u'port', u'small', u'merchant', u'vessel', u'appear', u'water', u'near', u'abreast', u'high', u'rang', u'hill', u'reced', u'coast', u'low', u'low', u'rocki', u'hill', u'littl', u'inshor', u'two', u'mile', u'northward', u'matamor', u'low', u'rocki', u'point', u'littl', u'northward', u'small', u'deep', u'bay', u'mouth', u'valley', u'appar', u'anchorag', u'vessel', u'wa', u'heavi', u'surf', u'beach', u'land', u'wa', u'bad', u'wait', u'examin', u'northward', u'thi', u'low', u'hill', u'rocki', u'cover', u'yellow', u'sand', u'except', u'near', u'summit', u'stoni', u'six', u'mile', u'northward', u'thi', u'bay', u'remark', u'rocki', u'point', u'detach', u'white', u'rock', u'lump', u'nippl', u'littl', u'inshor', u'half', u'mile', u'northward', u'thi', u'small', u'port', u'pajon', u'come', u'southward', u'may', u'easili', u'known', u'thi', u'nippl', u'small', u'island', u'squar', u'top', u'lump', u'centr', u'point', u'northward', u'port', u'rang', u'hul', u'higher', u'ani', u'near', u'rise', u'directli', u'north', u'side', u'port', u'valley', u'mue', u'rang', u'small', u'veri', u'rug', u'mil', u'rise', u'low', u'land', u'anchorag', u'better', u'shelter', u'southerli', u'wind', u'ani', u'southward', u'except', u'herradura', u'would', u'much', u'swell', u'point', u'island', u'northward', u'project', u'consider', u'218', u'appendix', u'westward', u'southerli', u'swell', u'roll', u'mouth', u'port', u'south', u'shore', u'smooth', u'land', u'prettygood', u'danger', u'breaker', u'quarter', u'mile', u'southwest', u'south', u'extrem', u'point', u'onli', u'show', u'much', u'swell', u'best', u'anchorag', u'half', u'way', u'cove', u'near', u'south', u'shore', u'five', u'fathom', u'near', u'head', u'veri', u'flat', u'found', u'cargo', u'copper', u'ore', u'readi', u'ship', u'vessel', u'ever', u'port', u'water', u'within', u'two', u'mile', u'veri', u'bad', u'inde', u'name', u'pajon', u'wa', u'told', u'us', u'young', u'man', u'wa', u'get', u'ore', u'appear', u'know', u'scarc', u'anyth', u'coast', u'inhabit', u'near', u'place', u'mue', u'half', u'northward', u'island', u'befor', u'mention', u'anoth', u'point', u'island', u'sever', u'rock', u'island', u'may', u'pass', u'mthin', u'half', u'mile', u'passag', u'side', u'northward', u'northernmost', u'island', u'coast', u'run', u'eastward', u'form', u'larg', u'deep', u'bay', u'distanc', u'look', u'veri', u'invit', u'befor', u'within', u'mile', u'depth', u'three', u'fathom', u'rock', u'round', u'us', u'abov', u'littl', u'water', u'bay', u'well', u'shelter', u'southward', u'show', u'till', u'close', u'except', u'two', u'patch', u'north', u'point', u'alway', u'uncov', u'mile', u'northward', u'rock', u'anoth', u'bay', u'quit', u'clear', u'danger', u'south', u'corner', u'small', u'cove', u'good', u'anchorag', u'seven', u'fathom', u'well', u'shelter', u'southerli', u'wind', u'veri', u'open', u'northerli', u'water', u'perfectli', u'smooth', u'vidth', u'southerli', u'wind', u'swell', u'could', u'ever', u'reach', u'aimless', u'blew', u'northward', u'small', u'bay', u'half', u'mile', u'northward', u'thi', u'vessel', u'may', u'anchor', u'well', u'shelter', u'sign', u'inhabit', u'least', u'appear', u'water', u'valley', u'land', u'back', u'bay', u'low', u'northward', u'north', u'bay', u'rise', u'ridg', u'sand', u'hill', u'mine', u'east', u'west', u'termin', u'steep', u'rocki', u'point', u'cluster', u'steep', u'rocki', u'islet', u'northward', u'thi', u'point', u'coast', u'rocki', u'broken', u'rock', u'short', u'distanc', u'shore', u'four', u'mile', u'rug', u'point', u'veri', u'high', u'sharptop', u'hill', u'littl', u'inshor', u'southward', u'shew', u'doubl', u'peak', u'directli', u'northward', u'thi', u'point', u'deep', u'rocki', u'appendix', u'219', u'bay', u'small', u'cove', u'close', u'point', u'anchor', u'five', u'fathom', u'half', u'cabl', u'shore', u'either', u'side', u'fit', u'vessel', u'bay', u'partli', u'shelter', u'northerli', u'wind', u'northerli', u'swell', u'roll', u'doe', u'appear', u'proper', u'place', u'vessel', u'enter', u'old', u'fisherman', u'wa', u'live', u'hut', u'learn', u'name', u'place', u'barranquilla', u'de', u'copiapopo', u'surpris', u'saw', u'cargo', u'copper', u'prepar', u'ship', u'also', u'told', u'us', u'anoth', u'cargo', u'ship', u'place', u'year', u'befor', u'though', u'cove', u'small', u'ani', u'vessel', u'anchor', u'safeti', u'outsid', u'water', u'deepen', u'veri', u'suddenli', u'tlier', u'anchorag', u'cove', u'head', u'bay', u'land', u'veri', u'bad', u'small', u'cove', u'land', u'good', u'fresh', u'water', u'nearer', u'river', u'copiapopo', u'fifteen', u'mile', u'deep', u'bight', u'southward', u'thi', u'three', u'bay', u'befor', u'mention', u'call', u'salado', u'bay', u'south', u'point', u'island', u'point', u'bueno', u'vessel', u'ever', u'either', u'bay', u'middl', u'one', u'much', u'superior', u'bartranquilli', u'might', u'much', u'better', u'place', u'embark', u'ore', u'barranquiua', u'point', u'dalla', u'coast', u'rocki', u'broken', u'without', u'ani', u'place', u'suffici', u'shelter', u'smallest', u'vessel', u'point', u'dalla', u'black', u'rocki', u'point', u'hummock', u'extrem', u'come', u'southward', u'appear', u'island', u'land', u'rise', u'rang', u'low', u'sandi', u'hiu', u'rocki', u'summit', u'caxa', u'grand', u'small', u'sharptop', u'rock', u'onli', u'one', u'reef', u'show', u'abov', u'water', u'patch', u'near', u'point', u'wa', u'awash', u'pass', u'channel', u'point', u'dalla', u'appear', u'wider', u'given', u'former', u'chart', u'reef', u'point', u'project', u'much', u'farther', u'sea', u'wa', u'high', u'wa', u'occasion', u'breaker', u'abov', u'quarter', u'mue', u'point', u'distanc', u'breaker', u'cm', u'reef', u'least', u'water', u'wa', u'eleven', u'fathom', u'swell', u'high', u'breaker', u'point', u'would', u'show', u'appear', u'detach', u'reef', u'join', u'point', u'copiapopo', u'veri', u'bad', u'port', u'swell', u'rou', u'heavili', u'land', u'wors', u'ani', u'port', u'southward', u'may', u'easili', u'known', u'morro', u'northward', u'veri', u'x', u'2', u'220', u'appendix', u'remark', u'hill', u'nearli', u'level', u'top', u'near', u'east', u'extrem', u'two', u'small', u'hummock', u'east', u'fall', u'veri', u'steep', u'end', u'anoth', u'rang', u'hill', u'shew', u'northward', u'sw', u'appar', u'form', u'part', u'rang', u'anoth', u'hill', u'west', u'side', u'form', u'steep', u'bluff', u'come', u'southward', u'hul', u'seen', u'clear', u'weather', u'befor', u'land', u'port', u'made', u'fisherman', u'knew', u'coast', u'southward', u'learn', u'small', u'port', u'pass', u'night', u'northward', u'port', u'herradura', u'call', u'matamor', u'high', u'point', u'southward', u'point', u'matamor', u'tortor', u'tortor', u'saxo', u'bay', u'pajon', u'describ', u'alway', u'heavi', u'surf', u'land', u'bad', u'south', u'point', u'bay', u'salado', u'vdth', u'islet', u'call', u'point', u'loscacho', u'wa', u'vessel', u'took', u'cargo', u'copper', u'barranquilla', u'wa', u'larg', u'brig', u'300', u'ton', u'wa', u'anchor', u'mouth', u'cove', u'island', u'north', u'copiapopo', u'bay', u'call', u'isla', u'grand', u'veri', u'remark', u'ha', u'small', u'nippl', u'extrem', u'eastern', u'highest', u'westward', u'middl', u'island', u'anoth', u'small', u'round', u'nippl', u'channel', u'isla', u'grand', u'main', u'clear', u'danger', u'middl', u'heavi', u'swell', u'roll', u'scarc', u'fit', u'ani', u'vessel', u'north', u'extrem', u'island', u'reef', u'water', u'project', u'two', u'cabl', u'eastward', u'cabl', u'length', u'distanc', u'reef', u'eight', u'fathom', u'point', u'main', u'appear', u'danger', u'rock', u'southward', u'insid', u'line', u'point', u'swell', u'channel', u'wa', u'far', u'worst', u'experienc', u'thi', u'coast', u'northward', u'island', u'sever', u'small', u'rock', u'one', u'high', u'danger', u'within', u'quarter', u'mile', u'point', u'main', u'northward', u'island', u'veri', u'rocki', u'sw', u'point', u'two', u'rug', u'hummock', u'sever', u'rock', u'islet', u'close', u'shore', u'danger', u'outsid', u'thi', u'point', u'morro', u'shore', u'steep', u'cliffi', u'remark', u'patch', u'white', u'rock', u'cuff', u'south', u'point', u'steep', u'rug', u'lump', u'summit', u'morro', u'rise', u'suddenli', u'uttl', u'inshor', u'round', u'point', u'open', u'deep', u'bay', u'run', u'appendix', u'221', u'se', u'sever', u'small', u'rocki', u'patch', u'north', u'end', u'long', u'sandi', u'beach', u'piec', u'rocki', u'coast', u'north', u'extrem', u'point', u'ha', u'small', u'island', u'entranc', u'port', u'yngle', u'southward', u'thi', u'point', u'round', u'low', u'rocki', u'point', u'southward', u'close', u'inshor', u'small', u'island', u'sandi', u'cove', u'rock', u'wash', u'highwat', u'cabl', u'length', u'nw', u'south', u'extrem', u'point', u'alway', u'show', u'pass', u'thi', u'rock', u'point', u'steepto', u'may', u'approach', u'within', u'cabl', u'length', u'harbour', u'insid', u'form', u'sever', u'cove', u'first', u'starboard', u'hand', u'go', u'anchorag', u'small', u'vessel', u'bottom', u'stoni', u'bad', u'low', u'island', u'se', u'thi', u'cove', u'abov', u'best', u'anchorag', u'southerli', u'wind', u'halfway', u'project', u'rocki', u'point', u'east', u'shore', u'small', u'vessel', u'may', u'go', u'much', u'closer', u'cove', u'southward', u'island', u'land', u'veri', u'good', u'bay', u'nee', u'corner', u'well', u'shelter', u'northerli', u'wind', u'sea', u'could', u'ever', u'get', u'land', u'good', u'best', u'rocki', u'point', u'south', u'end', u'northernmost', u'beach', u'small', u'cove', u'among', u'rock', u'perfectli', u'smooth', u'far', u'best', u'harbour', u'fresh', u'water', u'near', u'cove', u'head', u'harbour', u'veri', u'shoal', u'vessel', u'go', u'higher', u'abreast', u'project', u'rocki', u'point', u'east', u'shore', u'would', u'four', u'five', u'fathom', u'midchannel', u'bottom', u'hard', u'sand', u'may', u'seen', u'twelv', u'fathom', u'water', u'make', u'appear', u'veri', u'shallow', u'entranc', u'eighteen', u'fathom', u'close', u'shore', u'side', u'poet', u'caldera', u'close', u'northward', u'port', u'yngle', u'directli', u'round', u'point', u'small', u'island', u'fine', u'bay', u'well', u'shelter', u'entranc', u'open', u'port', u'yngle', u'land', u'good', u'wa', u'cargo', u'copper', u'ore', u'readi', u'ship', u'south', u'comer', u'bay', u'vessel', u'ever', u'taken', u'cargo', u'away', u'fishermen', u'hole', u'cliflt', u'dure', u'fish', u'season', u'onli', u'vessel', u'ever', u'seen', u'port', u'wa', u'brigantin', u'provis', u'mine', u'vessel', u'ever', u'port', u'yngle', u'water', u'near', u'beach', u'east', u'side', u'veri', u'salt', u'appear', u'wonder', u'make', u'use', u'nearer', u'copiapopo', u'land', u'entir', u'cover', u'loos', u'sand', u'except', u'222', u'appendix', u'rock', u'point', u'bottom', u'bay', u'low', u'bull', u'rise', u'uttl', u'inland', u'rang', u'becom', u'higher', u'reced', u'coast', u'first', u'hill', u'eastward', u'veri', u'remark', u'sharptop', u'hiu', u'side', u'whiuch', u'cover', u'sand', u'two', u'low', u'pap', u'eastward', u'strong', u'norther', u'two', u'day', u'sometim', u'good', u'deal', u'sea', u'south', u'corner', u'bay', u'northeast', u'corner', u'call', u'calderiuo', u'smooth', u'veri', u'seldom', u'heavi', u'norther', u'fish', u'got', u'bay', u'onli', u'net', u'port', u'visit', u'caught', u'none', u'alongsid', u'near', u'outer', u'point', u'port', u'rock', u'fish', u'caught', u'alway', u'heavi', u'swell', u'place', u'point', u'cabeza', u'de', u'vaca', u'remark', u'point', u'twelv', u'mile', u'northward', u'caldera', u'ha', u'two', u'small', u'hummock', u'near', u'extrem', u'insid', u'land', u'nearli', u'level', u'distanc', u'inshor', u'rise', u'sever', u'low', u'hill', u'form', u'extrem', u'rang', u'coast', u'caldera', u'point', u'form', u'sever', u'small', u'bay', u'rocki', u'point', u'rock', u'short', u'distanc', u'danger', u'within', u'quarter', u'mile', u'point', u'cabeza', u'devaca', u'northward', u'point', u'small', u'rocki', u'bay', u'call', u'tortoralillo', u'oif', u'north', u'entranc', u'point', u'reef', u'rock', u'high', u'rock', u'extrem', u'extend', u'abov', u'quarter', u'mile', u'shore', u'half', u'mile', u'northwest', u'thi', u'heavi', u'breaker', u'much', u'swell', u'northward', u'thi', u'coast', u'steep', u'rocki', u'three', u'four', u'mile', u'high', u'rang', u'bill', u'run', u'close', u'shore', u'small', u'cove', u'call', u'obispito', u'white', u'rock', u'south', u'point', u'northward', u'thi', u'land', u'low', u'veri', u'rocki', u'breaker', u'quarter', u'mile', u'shore', u'two', u'mile', u'cove', u'point', u'small', u'white', u'islet', u'northward', u'coast', u'trend', u'eastward', u'form', u'small', u'cove', u'obispo', u'anchor', u'fit', u'ani', u'vessel', u'wa', u'fire', u'shore', u'night', u'saw', u'ore', u'ha', u'land', u'wa', u'bad', u'attempt', u'veri', u'high', u'sandhil', u'summit', u'stoni', u'littl', u'inshor', u'cove', u'northward', u'higher', u'rang', u'stoni', u'hiu', u'run', u'close', u'inton', u'respect', u'vicin', u'copiapopo', u'see', u'page', u'22d', u'230', u'appendix', u'223', u'coast', u'seven', u'mile', u'termin', u'low', u'rug', u'hill', u'littl', u'inshor', u'brown', u'rug', u'point', u'larg', u'white', u'patch', u'extrem', u'islet', u'doe', u'show', u'one', u'sea', u'northward', u'thi', u'point', u'fine', u'bay', u'anchor', u'fisherman', u'came', u'otf', u'learn', u'flamenco', u'veri', u'good', u'port', u'well', u'shelter', u'southerli', u'wind', u'better', u'northerli', u'point', u'project', u'far', u'enough', u'prevent', u'heavi', u'sea', u'get', u'laud', u'good', u'se', u'corner', u'bay', u'either', u'rock', u'beach', u'small', u'cove', u'middl', u'patch', u'rock', u'littl', u'northward', u'hut', u'two', u'brother', u'famili', u'live', u'chief', u'employ', u'wa', u'catch', u'salt', u'fish', u'call', u'cougr', u'dri', u'suppli', u'copiapopo', u'one', u'day', u'caught', u'foi', u'hundr', u'appear', u'live', u'miser', u'way', u'hut', u'made', u'seal', u'guanaco', u'skin', u'much', u'wors', u'patagoniann', u'toldo', u'onli', u'water', u'drink', u'wa', u'half', u'salt', u'distanc', u'shore', u'sometim', u'get', u'guanaco', u'run', u'dog', u'great', u'number', u'onli', u'vessel', u'ever', u'seen', u'wa', u'ship', u'anchor', u'one', u'night', u'way', u'la', u'anima', u'copper', u'ore', u'six', u'year', u'ago', u'describ', u'la', u'anima', u'veri', u'bad', u'place', u'fit', u'ani', u'vessel', u'consequ', u'cargo', u'ever', u'ship', u'taken', u'chaner', u'wa', u'better', u'good', u'flamenco', u'mine', u'near', u'flamenco', u'chaner', u'flamenco', u'may', u'known', u'white', u'patch', u'brown', u'rug', u'point', u'southward', u'inshor', u'low', u'jug', u'bill', u'rise', u'high', u'rang', u'north', u'side', u'bay', u'land', u'veri', u'low', u'north', u'point', u'low', u'rocki', u'point', u'detach', u'hul', u'rise', u'low', u'land', u'littl', u'inshor', u'northward', u'anoth', u'lull', u'veri', u'much', u'uke', u'depth', u'bay', u'land', u'veri', u'low', u'deep', u'valley', u'run', u'back', u'two', u'rang', u'rug', u'hill', u'hiu', u'cover', u'yellow', u'sand', u'near', u'base', u'half', u'way', u'side', u'top', u'sax', u'stoni', u'stunt', u'bush', u'bay', u'northward', u'flamenco', u'la', u'anima', u'wa', u'said', u'could', u'see', u'place', u'fit', u'even', u'boat', u'land', u'whole', u'bay', u'rocki', u'littl', u'patch', u'sand', u'heavi', u'surf', u'wa', u'break', u'shore', u'north', u'point', u'thi', u'bay', u'224', u'appendix', u'low', u'littl', u'inshor', u'high', u'rang', u'hill', u'outsid', u'veri', u'steep', u'northward', u'thi', u'point', u'small', u'rocki', u'bay', u'appear', u'answer', u'better', u'descript', u'la', u'anima', u'appear', u'fit', u'place', u'vessel', u'land', u'wa', u'bad', u'north', u'point', u'thi', u'bay', u'steep', u'rocki', u'point', u'round', u'brown', u'hill', u'rise', u'directli', u'water', u'edg', u'side', u'hiu', u'cross', u'dark', u'vein', u'run', u'differ', u'direct', u'veri', u'remark', u'northward', u'thi', u'point', u'deep', u'bay', u'descript', u'must', u'chaner', u'south', u'side', u'rocki', u'small', u'cove', u'land', u'appear', u'bad', u'east', u'north', u'shore', u'low', u'sandi', u'heavi', u'surf', u'wa', u'break', u'beach', u'could', u'see', u'sign', u'ani', u'peopl', u'pile', u'ore', u'along', u'coast', u'appear', u'good', u'place', u'vessel', u'time', u'wa', u'short', u'wa', u'thought', u'worth', u'particular', u'examin', u'north', u'point', u'bay', u'low', u'rocki', u'high', u'rang', u'littl', u'inshor', u'northward', u'thi', u'point', u'hill', u'coast', u'compos', u'brown', u'red', u'rock', u'bush', u'summit', u'cf', u'hill', u'sandi', u'appear', u'hill', u'southward', u'ceas', u'prospect', u'possibl', u'barren', u'nearli', u'nine', u'mile', u'northward', u'point', u'thi', u'bay', u'sugar', u'loaf', u'island', u'half', u'mile', u'shore', u'incom', u'southward', u'high', u'sugar', u'loaf', u'hill', u'main', u'littl', u'southward', u'island', u'may', u'mistaken', u'island', u'high', u'summit', u'sharper', u'sugar', u'loaf', u'island', u'chaner', u'coast', u'rocki', u'afford', u'shelter', u'small', u'bay', u'southward', u'passag', u'island', u'main', u'would', u'afford', u'shelter', u'northerli', u'wind', u'southerli', u'expos', u'land', u'veri', u'bad', u'middl', u'passag', u'five', u'fathom', u'shallowest', u'part', u'water', u'northern', u'end', u'smooth', u'vessel', u'might', u'anchor', u'point', u'island', u'shelter', u'southerli', u'wind', u'six', u'seven', u'fathom', u'eight', u'fathom', u'deepen', u'suddenli', u'thirteen', u'twenti', u'fathom', u'half', u'mile', u'island', u'small', u'bay', u'main', u'northward', u'channel', u'vessel', u'would', u'shelter', u'southerli', u'wind', u'examin', u'twenti', u'mile', u'northward', u'sugar', u'loaf', u'island', u'appendix', u'225', u'project', u'point', u'small', u'rocki', u'islet', u'suppos', u'point', u'galena', u'descript', u'given', u'port', u'caldera', u'point', u'sugar', u'loaf', u'island', u'coast', u'run', u'hack', u'uttl', u'rocki', u'high', u'rang', u'hill', u'run', u'close', u'shore', u'httle', u'northward', u'point', u'fallen', u'small', u'bay', u'rocki', u'islet', u'half', u'mile', u'south', u'point', u'top', u'islet', u'white', u'answer', u'descript', u'given', u'us', u'port', u'call', u'ballenita', u'worth', u'name', u'port', u'veri', u'rocki', u'two', u'three', u'small', u'patch', u'sandi', u'beach', u'heavi', u'surf', u'wa', u'break', u'hill', u'run', u'close', u'water', u'veri', u'rug', u'appear', u'littl', u'northward', u'thi', u'anoth', u'bay', u'seem', u'lavata', u'south', u'point', u'ha', u'sever', u'low', u'rug', u'point', u'upon', u'inshor', u'hill', u'rise', u'veri', u'steep', u'small', u'cove', u'excel', u'land', u'directli', u'behind', u'thi', u'point', u'anchor', u'wa', u'betterlook', u'port', u'insid', u'wa', u'far', u'outer', u'coast', u'time', u'would', u'allow', u'hasti', u'glanc', u'inner', u'cove', u'bay', u'anchor', u'appear', u'afford', u'good', u'shelter', u'southerli', u'wind', u'water', u'wa', u'veri', u'smooth', u'littl', u'northward', u'thi', u'bay', u'point', u'till', u'close', u'appear', u'island', u'join', u'shore', u'low', u'shingl', u'spit', u'summit', u'rug', u'sever', u'steep', u'peak', u'sever', u'rocki', u'islet', u'lie', u'scatter', u'point', u'near', u'three', u'mile', u'half', u'northward', u'thi', u'anoth', u'point', u'veri', u'rug', u'high', u'round', u'hummock', u'littl', u'inshor', u'southward', u'thi', u'point', u'deep', u'bay', u'expect', u'find', u'paposo', u'distanc', u'northward', u'posit', u'old', u'chart', u'appear', u'ani', u'hous', u'inhabit', u'bay', u'veri', u'rocki', u'doe', u'afford', u'good', u'anchorag', u'sever', u'rock', u'lie', u'south', u'point', u'littl', u'insid', u'reef', u'run', u'halfamil', u'shore', u'bottom', u'bay', u'sever', u'small', u'white', u'islet', u'two', u'three', u'small', u'sandi', u'cove', u'larg', u'enough', u'afford', u'shelter', u'vessel', u'thi', u'bay', u'call', u'isla', u'blancaa', u'three', u'mile', u'north', u'point', u'bay', u'white', u'islet', u'rug', u'hummock', u'upon', u'littl', u'inshor', u'hill', u'much', u'lighter', u'colour', u'ani', u'round', u'northward', u'thi', u'deep', u'bay', u'certain', u'find', u'paposo', u'wc', u'becalm', u'went', u'boat', u'search', u'226', u'appendix', u'land', u'point', u'saw', u'smoke', u'east', u'side', u'bay', u'pull', u'found', u'two', u'fishermen', u'told', u'us', u'place', u'wa', u'hue', u'parado', u'paposo', u'wa', u'round', u'anoth', u'point', u'eight', u'mile', u'northward', u'inquir', u'water', u'brought', u'us', u'wa', u'better', u'wa', u'use', u'place', u'southward', u'wa', u'still', u'scarc', u'fit', u'use', u'said', u'wa', u'similar', u'paposo', u'thought', u'veri', u'good', u'south', u'comer', u'bay', u'appear', u'fit', u'anchorag', u'vessel', u'land', u'good', u'veri', u'open', u'northerli', u'wind', u'vessel', u'ever', u'recollect', u'men', u'spoke', u'neither', u'heard', u'ani', u'describ', u'paposo', u'onli', u'four', u'rancho', u'fishermen', u'port', u'good', u'bay', u'paposo', u'call', u'nostra', u'senora', u'north', u'point', u'bay', u'point', u'rincon', u'south', u'point', u'grand', u'project', u'point', u'answer', u'point', u'nostra', u'senora', u'spanish', u'chart', u'call', u'point', u'plata', u'bay', u'northward', u'point', u'fallen', u'bauenita', u'bay', u'anchor', u'northward', u'call', u'lavata', u'point', u'peninsula', u'isla', u'de', u'la', u'ortolan', u'point', u'northward', u'point', u'san', u'pedro', u'bay', u'afterward', u'isla', u'blancaa', u'point', u'hue', u'parado', u'bay', u'point', u'taltal', u'onli', u'place', u'observ', u'time', u'syzygi', u'highwat', u'quit', u'satisfactorili', u'wa', u'huasco', u'830', u'rise', u'four', u'feet', u'neap', u'tide', u'spring', u'rise', u'two', u'feet', u'swell', u'thi', u'coast', u'veri', u'difficult', u'get', u'time', u'highwat', u'au', u'near', u'truth', u'rise', u'fall', u'appear', u'five', u'six', u'feet', u'au', u'part', u'coast', u'onli', u'percept', u'current', u'experienc', u'wa', u'channel', u'sugar', u'loaf', u'island', u'main', u'wa', u'veri', u'slight', u'one', u'northward', u'quarter', u'mile', u'hour', u'thi', u'wa', u'fresh', u'breez', u'southward', u'sever', u'day', u'said', u'howev', u'boaster', u'usual', u'set', u'toward', u'north', u'half', u'mue', u'hour', u'tide', u'wa', u'veri', u'care', u'observ', u'cove', u'wa', u'swell', u'yet', u'small', u'rise', u'exact', u'time', u'could', u'betaken', u'within', u'minut', u'water', u'remain', u'level', u'half', u'hour', u'appendix227', u'wind', u'coast', u'chile', u'veri', u'word', u'suffic', u'give', u'stranger', u'coast', u'chile', u'clear', u'idea', u'wind', u'weather', u'may', u'expect', u'find', u'one', u'least', u'uncertain', u'climat', u'face', u'globe', u'parallel', u'35', u'thereabout', u'near', u'25', u'wind', u'southerli', u'southeasterli', u'dure', u'nine', u'month', u'twelv', u'part', u'three', u'calm', u'light', u'variabl', u'breez', u'remaind', u'realli', u'bad', u'weather', u'northerli', u'gale', u'heavi', u'rain', u'prevail', u'onli', u'coast', u'far', u'across', u'ocean', u'parallel', u'latitud', u'septemb', u'may', u'fine', u'season', u'dure', u'sky', u'chile', u'gener', u'clear', u'compar', u'speak', u'littl', u'rain', u'fall', u'howev', u'mean', u'occasion', u'except', u'gener', u'case', u'strong', u'norther', u'known', u'though', u'rare', u'summer', u'two', u'three', u'day', u'heavi', u'rain', u'httle', u'intermiss', u'disturb', u'equanim', u'made', u'arrang', u'implicit', u'confid', u'seren', u'summer', u'sky', u'im', u'welcom', u'interrupt', u'rarer', u'less', u'consequ', u'northward', u'31', u'south', u'parallel', u'nearli', u'uniform', u'inde', u'climat', u'coquimbo', u'citi', u'call', u'la', u'serena', u'settl', u'weather', u'fresh', u'southerli', u'wind', u'spring', u'littl', u'befor', u'noon', u'hour', u'sooner', u'later', u'blow', u'till', u'sunset', u'occasion', u'till', u'midnight', u'thi', u'wind', u'sometim', u'quit', u'furiou', u'height', u'summer', u'strong', u'inde', u'ship', u'may', u'prevent', u'work', u'anchorag', u'especi', u'valparaiso', u'bay', u'although', u'may', u'take', u'everi', u'previou', u'precaut', u'send', u'topgal', u'yard', u'strike', u'topgal', u'mast', u'closereef', u'sail', u'usual', u'strength', u'southerli', u'seabreez', u'call', u'though', u'blow', u'along', u'land', u'south', u'good', u'ship', u'would', u'carri', u'doublereef', u'topsail', u'work', u'windward', u'thi', u'also', u'nearli', u'averag', u'strength', u'southerli', u'wind', u'open', u'sea', u'parallel', u'abovement', u'neither', u'strong', u'day', u'doe', u'die', u'away', u'night', u'within', u'sight', u'land', u'ship', u'find', u'wind', u'freshen', u'diminish', u'228', u'appendix', u'nearli', u'much', u'port', u'thi', u'coast', u'night', u'gener', u'calm', u'till', u'land', u'breez', u'eastward', u'spring', u'thi', u'light', u'messag', u'cordillera', u'never', u'troublesom', u'neither', u'doe', u'last', u'mani', u'hour', u'wind', u'sky', u'almost', u'alway', u'clear', u'inde', u'sky', u'becom', u'cloudi', u'sure', u'sign', u'littl', u'sea', u'breez', u'summer', u'probabl', u'fall', u'rain', u'winter', u'foretel', u'approach', u'northerli', u'wind', u'rain', u'summer', u'ship', u'anchor', u'close', u'land', u'avoid', u'driven', u'sea', u'strong', u'southerli', u'wind', u'winter', u'approach', u'roomi', u'berth', u'advis', u'though', u'far', u'becaus', u'near', u'shore', u'alway', u'undertow', u'wind', u'less', u'power', u'seamen', u'bear', u'mind', u'cours', u'wind', u'thi', u'coast', u'southern', u'hemispher', u'north', u'south', u'west', u'hardest', u'northerli', u'blow', u'sea', u'come', u'westward', u'north', u'therefor', u'get', u'much', u'possibl', u'shelter', u'rock', u'land', u'westward', u'rather', u'onli', u'defend', u'north', u'wind', u'northern', u'call', u'give', u'good', u'warn', u'overcast', u'sky', u'littl', u'wind', u'unless', u'easterli', u'swell', u'northward', u'water', u'higher', u'usual', u'distant', u'land', u'remark', u'visibl', u'besid', u'rais', u'refract', u'fall', u'baromet', u'sure', u'indic', u'norther', u'gale', u'year', u'pass', u'without', u'one', u'term', u'though', u'year', u'pass', u'success', u'without', u'ship', u'driven', u'ashor', u'valparaiso', u'beach', u'thunder', u'lightn', u'rare', u'wind', u'ani', u'disagre', u'strength', u'east', u'unknown', u'west', u'wind', u'onli', u'felt', u'norther', u'shift', u'round', u'previou', u'sky', u'clear', u'wind', u'moder', u'violenc', u'southerli', u'wind', u'last', u'hour', u'northerli', u'gale', u'seldom', u'continu', u'beyond', u'day', u'night', u'gener', u'inde', u'long', u'person', u'say', u'strength', u'northerli', u'wind', u'felt', u'northward', u'coquimbo', u'evid', u'gale', u'heavi', u'sea', u'copiapopo', u'captain', u'eden', u'inform', u'veri', u'heavi', u'gale', u'wind', u'h', u'conway', u'latitud', u'25', u'longitud', u'90', u'w', u'interrupt', u'usual', u'southerli', u'wind', u'wa', u'littl', u'expect', u'make', u'passag', u'easi', u'tell', u'two', u'way', u'go', u'northward', u'steer', u'direct', u'place', u'nearli', u'consist', u'make', u'use', u'steadi', u'wind', u'prevail', u'appendix', u'229', u'bound', u'south', u'steer', u'also', u'dusect', u'place', u'fortun', u'enough', u'wind', u'admit', u'stand', u'sea', u'wind', u'keep', u'everi', u'sail', u'clean', u'full', u'object', u'get', u'advers', u'southerli', u'wind', u'soon', u'possibl', u'reach', u'latitud', u'ship', u'sure', u'reach', u'port', u'direct', u'cours', u'everi', u'experienc', u'seaman', u'know', u'method', u'advers', u'make', u'quick', u'passag', u'hug', u'wind', u'call', u'sir', u'thoma', u'hardi', u'wa', u'thi', u'coast', u'use', u'cross', u'southerli', u'wind', u'topmast', u'studdingsail', u'set', u'mani', u'men', u'cross', u'trade', u'hi', u'object', u'get', u'wind', u'current', u'coast', u'chile', u'northerli', u'half', u'mile', u'hour', u'vari', u'littl', u'wind', u'idea', u'person', u'copiapopo', u'difficult', u'place', u'make', u'rather', u'unfound', u'follow', u'manner', u'made', u'beagl', u'stranger', u'part', u'coast', u'juli', u'3', u'dull', u'gloomi', u'day', u'wind', u'moder', u'southward', u'10', u'thirti', u'mile', u'south', u'copiapopo', u'dead', u'reckon', u'noon', u'yesterday', u'awar', u'northerli', u'set', u'near', u'shore', u'half', u'mile', u'hour', u'steer', u'ene', u'cours', u'land', u'noon', u'wa', u'sight', u'form', u'two', u'long', u'roundedtop', u'hill', u'northern', u'one', u'wa', u'highest', u'end', u'ina', u'bluff', u'low', u'point', u'slope', u'thi', u'rightli', u'suppos', u'wa', u'morro', u'copiapopo', u'bore', u'nee', u'wa', u'ahead', u'high', u'land', u'tortor', u'thi', u'gradual', u'slope', u'seaward', u'roimd', u'rather', u'peak', u'black', u'rock', u'ten', u'feet', u'high', u'littl', u'open', u'low', u'level', u'eightyf', u'feet', u'high', u'light', u'brown', u'colour', u'remark', u'white', u'patch', u'wa', u'seen', u'three', u'littl', u'befor', u'point', u'south', u'morro', u'wa', u'low', u'black', u'rocki', u'island', u'latter', u'wa', u'isla', u'grand', u'former', u'caxa', u'grand', u'rock', u'west', u'point', u'anchorag', u'cove', u'flag', u'staff', u'near', u'land', u'wind', u'gradual', u'left', u'us', u'day', u'close', u'four', u'mile', u'caxa', u'grand', u'cloud', u'cover', u'high', u'land', u'inshor', u'copiapopo', u'lift', u'littl', u'even', u'show', u'us', u'two', u'remark', u'hill', u'one', u'notch', u'top', u'like', u'sugar', u'loaf', u'rather', u'flat', u'top', u'thi', u'wa', u'direct', u'littl', u'south', u'caxa', u'grand', u'230', u'appendix', u'nearli', u'isla', u'grand', u'head', u'westward', u'dure', u'night', u'light', u'variabl', u'air', u'juli', u'4', u'perfect', u'calm', u'au', u'day', u'observ', u'drift', u'abreast', u'bluff', u'morro', u'afternoon', u'ha', u'veri', u'curiou', u'white', u'patch', u'seen', u'distanc', u'inde', u'whole', u'land', u'veri', u'remark', u'pli', u'southward', u'dure', u'night', u'wind', u'light', u'juli', u'5', u'wind', u'light', u'nne', u'gloomi', u'weather', u'10', u'pass', u'one', u'mile', u'nee', u'reef', u'north', u'caxa', u'grand', u'rock', u'eighteen', u'fathom', u'isla', u'grandewith', u'fiftyseven', u'outsid', u'sixteen', u'stood', u'could', u'masthead', u'see', u'ani', u'thing', u'breaker', u'said', u'caxa', u'grand', u'rock', u'breaker', u'ran', u'high', u'reef', u'ani', u'thing', u'sort', u'like', u'seen', u'inform', u'abl', u'get', u'subject', u'deni', u'exist', u'detach', u'close', u'nee', u'part', u'anchorag', u'point', u'two', u'black', u'rock', u'ten', u'feet', u'high', u'show', u'well', u'northward', u'twentyf', u'mile', u'nee', u'morro', u'two', u'singular', u'peak', u'higher', u'ani', u'land', u'summit', u'northern', u'one', u'veri', u'point', u'southern', u'rather', u'saddletop', u'would', u'seem', u'muet', u'veri', u'remark', u'seaward', u'anchor', u'seven', u'fathom', u'caxa', u'grand', u'rock', u'bear', u'67', u'w', u'distant', u'three', u'cabl', u'two', u'rock', u'beforement', u'iquiqu', u'situat', u'part', u'coast', u'calm', u'frequent', u'expos', u'constant', u'swell', u'westward', u'may', u'perhap', u'exist', u'difficulti', u'find', u'inde', u'thi', u'veri', u'circumst', u'person', u'go', u'suffici', u'near', u'shore', u'although', u'posit', u'spot', u'nearli', u'correct', u'common', u'chart', u'centr', u'island', u'lat', u'20', u'12', u'30', u'long', u'70', u'15', u'w', u'sight', u'indent', u'bay', u'make', u'thi', u'high', u'precipit', u'coast', u'percept', u'nine', u'ten', u'mile', u'neither', u'collect', u'sand', u'behind', u'south', u'bay', u'like', u'catch', u'eye', u'stranger', u'happen', u'vessel', u'dark', u'mast', u'white', u'sand', u'make', u'excel', u'mark', u'without', u'noth', u'guid', u'stranger', u'get', u'within', u'sight', u'church', u'steepl', u'white', u'patch', u'cliff', u'taappendix', u'gi', u'rapaca', u'mountain', u'latter', u'probabl', u'seen', u'first', u'nine', u'mue', u'southward', u'anchorag', u'hous', u'villag', u'first', u'seen', u'appear', u'mani', u'black', u'rock', u'sandi', u'beach', u'anchorag', u'veri', u'toler', u'shelter', u'sw', u'swell', u'island', u'surround', u'numer', u'small', u'detach', u'rock', u'particularli', u'nee', u'w', u'side', u'therefor', u'approach', u'nearer', u'half', u'mue', u'thi', u'island', u'wa', u'onc', u'much', u'higher', u'mani', u'cargo', u'bird', u'dung', u'ha', u'afford', u'reduc', u'present', u'low', u'state', u'land', u'bad', u'best', u'time', u'thread', u'way', u'among', u'patch', u'sunken', u'rock', u'sea', u'break', u'great', u'violenc', u'fvdl', u'chang', u'moon', u'sever', u'boat', u'knock', u'piec', u'live', u'lost', u'summer', u'calm', u'nearli', u'night', u'sometim', u'light', u'air', u'land', u'sea', u'breez', u'set', u'southward', u'southwest', u'ten', u'eleven', u'forenoon', u'seldom', u'blow', u'fresh', u'last', u'imtil', u'eight', u'ten', u'night', u'winter', u'calm', u'hazi', u'weather', u'light', u'northerli', u'wind', u'common', u'onli', u'trade', u'iquiqu', u'saltpetr', u'rich', u'silver', u'mine', u'formerli', u'work', u'exhaust', u'water', u'inhabit', u'use', u'brought', u'pisagua', u'small', u'bay', u'thirti', u'mile', u'northward', u'pay', u'dearli', u'brackish', u'forti', u'hous', u'old', u'chinch', u'situat', u'bare', u'sandi', u'flat', u'without', u'vestig', u'verdur', u'ani', u'kind', u'near', u'featur', u'iquiqu', u'present', u'vain', u'doe', u'eye', u'wander', u'someth', u'green', u'rest', u'upon', u'extrem', u'desol', u'reign', u'everi', u'shore', u'summit', u'41', u'remark', u'coast', u'peru', u'bear', u'magnet', u'point', u'san', u'pedro', u'south', u'point', u'bay', u'nostra', u'senior', u'distanc', u'twenti', u'mile', u'point', u'grand', u'north', u'point', u'beforenam', u'bay', u'thi', u'point', u'seen', u'sw', u'appear', u'high', u'round', u'termin', u'low', u'rug', u'call', u'guano', u'valuabl', u'manur', u'235i', u'appendix', u'spit', u'sever', u'hummock', u'surround', u'rock', u'breaker', u'distanc', u'quarter', u'mile', u'n', u'21', u'w', u'nine', u'mile', u'quarter', u'point', u'rincon', u'larg', u'white', u'rock', u'oif', u'two', u'point', u'latitud', u'2502', u'lie', u'villag', u'paposo', u'northern', u'villag', u'coast', u'chue', u'thi', u'miser', u'place', u'contain', u'200', u'inhabit', u'alcald', u'hut', u'scatter', u'difficult', u'distinguish', u'colour', u'hill', u'back', u'vessel', u'touch', u'occasion', u'dri', u'fish', u'copper', u'ore', u'former', u'plenti', u'latter', u'scarc', u'mine', u'se', u'direct', u'seven', u'eight', u'leagu', u'distant', u'veri', u'littl', u'work', u'wood', u'water', u'may', u'obtain', u'reason', u'term', u'water', u'brought', u'well', u'two', u'mile', u'difficult', u'embark', u'vessel', u'bound', u'thi', u'place', u'run', u'parallel', u'2505', u'distanc', u'two', u'three', u'leagu', u'white', u'islet', u'point', u'rincon', u'appear', u'shortli', u'low', u'white', u'head', u'paposo', u'cours', u'immedi', u'shape', u'latter', u'head', u'hear', u'se', u'distant', u'half', u'mile', u'anchorag', u'fourteen', u'twenti', u'fathom', u'sand', u'broken', u'shell', u'weather', u'clear', u'whiuch', u'seldom', u'case', u'rornid', u'hiu', u'hiugher', u'surround', u'one', u'immedi', u'villag', u'also', u'good', u'guid', u'north', u'twentythre', u'degre', u'west', u'point', u'grand', u'distanc', u'twentythre', u'mile', u'point', u'plata', u'similar', u'everi', u'respect', u'point', u'grand', u'termin', u'low', u'spit', u'sever', u'small', u'rock', u'form', u'bay', u'northern', u'side', u'seventeen', u'seven', u'fathom', u'water', u'rocki', u'uneven', u'ground', u'thi', u'point', u'point', u'jara', u'north', u'ten', u'degre', u'west', u'fiftytwo', u'mile', u'coast', u'run', u'nearli', u'direct', u'line', u'steep', u'rocki', u'shore', u'surmount', u'hill', u'2000', u'2500', u'feet', u'high', u'without', u'ani', u'visibl', u'shelter', u'even', u'boat', u'point', u'jara', u'steep', u'rocki', u'point', u'round', u'summit', u'ha', u'northern', u'side', u'snug', u'cove', u'small', u'craft', u'visit', u'occasion', u'seal', u'vessel', u'leav', u'boat', u'seal', u'vicin', u'water', u'left', u'fuel', u'use', u'kelp', u'grow', u'great', u'quantiti', u'neither', u'necessari', u'life', u'within', u'twentyf', u'leagu', u'either', u'side', u'often', u'nearli', u'four', u'mile', u'due', u'north', u'thi', u'point', u'south', u'point', u'larg', u'bay', u'moreno', u'playa', u'brava', u'high', u'rocki', u'appendix', u'233', u'black', u'rock', u'lie', u'oifit', u'26', u'w', u'twcntjrtwo', u'mile', u'distant', u'point', u'davi', u'southwest', u'point', u'moreno', u'peninsula', u'slope', u'gradual', u'mount', u'moreno', u'ha', u'two', u'nippl', u'extrem', u'mount', u'moreno', u'formerli', u'call', u'georg', u'hill', u'conspicu', u'object', u'thi', u'part', u'coast', u'summit', u'4060', u'feet', u'abov', u'level', u'sea', u'slope', u'gradual', u'south', u'side', u'point', u'davi', u'termin', u'north', u'abruptli', u'toward', u'barren', u'plain', u'stand', u'light', u'brown', u'colour', u'without', u'slightest', u'sign', u'veget', u'ha', u'deep', u'ravin', u'western', u'side', u'immedi', u'mount', u'moreno', u'constitucion', u'harbour', u'small', u'snug', u'anchorag', u'form', u'main', u'land', u'one', u'side', u'forth', u'island', u'vessel', u'might', u'careen', u'undergo', u'repair', u'without', u'expos', u'heavi', u'roll', u'swell', u'set', u'port', u'thi', u'coast', u'land', u'excel', u'best', u'anchorag', u'oif', u'sandi', u'spit', u'northeast', u'end', u'island', u'six', u'fathom', u'water', u'muddi', u'bottom', u'farther', u'hold', u'ground', u'bad', u'would', u'advis', u'moor', u'ship', u'secur', u'seabreez', u'sometim', u'set', u'strong', u'run', u'island', u'weather', u'side', u'hug', u'close', u'number', u'sunken', u'rock', u'lie', u'oft', u'low', u'cliffi', u'point', u'onli', u'buoy', u'kelp', u'midchannel', u'cours', u'would', u'best', u'provid', u'wind', u'allow', u'reach', u'anchorag', u'beforement', u'neither', u'wood', u'water', u'found', u'thi', u'neighbourhood', u'therefor', u'provis', u'must', u'made', u'accordingli', u'n', u'8', u'w', u'twelv', u'mile', u'thi', u'harbour', u'moreno', u'head', u'steep', u'bluff', u'termin', u'rang', u'tabl', u'land', u'run', u'line', u'mount', u'moreno', u'northern', u'side', u'thi', u'head', u'herradura', u'cove', u'narrow', u'inlet', u'run', u'eastward', u'without', u'afford', u'ani', u'shelter', u'n', u'4', u'w', u'nine', u'mile', u'thi', u'head', u'lie', u'low', u'point', u'sunken', u'rock', u'lie', u'five', u'mile', u'farther', u'lead', u'bluff', u'thi', u'veri', u'remark', u'headland', u'hill', u'mexillon', u'lie', u'mile', u'south', u'excel', u'guid', u'port', u'cobija', u'one', u'thousand', u'feet', u'high', u'face', u'north', u'entir', u'cover', u'wth', u'guano', u'give', u'appear', u'chalki', u'cliff', u'islet', u'half', u'mile', u'northwest', u'attach', u'main', u'reef', u'y', u'234', u'appendix', u'rock', u'danger', u'ani', u'descript', u'outsid', u'hill', u'mexillon', u'2650', u'feet', u'high', u'ha', u'appear', u'cone', u'top', u'cut', u'oflf', u'stand', u'conspicu', u'abov', u'surround', u'height', u'thi', u'clear', u'weather', u'undoubtedli', u'best', u'two', u'mark', u'top', u'hill', u'coast', u'peru', u'frequent', u'cover', u'heavi', u'cloud', u'bluff', u'surer', u'mark', u'mistaken', u'besid', u'chalki', u'appear', u'northern', u'extrem', u'peninsula', u'land', u'fall', u'back', u'sever', u'mile', u'eastward', u'round', u'thi', u'head', u'spaciou', u'bay', u'mexillon', u'eight', u'mile', u'across', u'littl', u'use', u'neither', u'wood', u'water', u'obtainedth', u'shore', u'steepto', u'anchorag', u'west', u'side', u'two', u'mile', u'insid', u'bluff', u'cabl', u'length', u'sandi', u'spit', u'seven', u'fathom', u'sandi', u'bottom', u'distanc', u'three', u'cabl', u'thirti', u'fathom', u'thi', u'bay', u'coast', u'run', u'nearli', u'north', u'south', u'without', u'anyth', u'worthi', u'remark', u'reach', u'bay', u'cobija', u'la', u'mar', u'thi', u'lie', u'n', u'13', u'e', u'thirtyon', u'mue', u'lead', u'bluff', u'onli', u'port', u'bolivian', u'republ', u'contain', u'fourteen', u'hundr', u'inhabit', u'vessel', u'call', u'occasion', u'take', u'copper', u'ore', u'cotton', u'trade', u'small', u'particularli', u'1835', u'revolut', u'peru', u'destroy', u'littl', u'water', u'scarc', u'least', u'good', u'well', u'water', u'veri', u'brackish', u'keep', u'cask', u'fresh', u'meat', u'may', u'procur', u'high', u'price', u'fruit', u'veget', u'even', u'owt', u'consumpt', u'brought', u'valparaiso', u'distanc', u'seven', u'hundr', u'mile', u'mudbuilt', u'fort', u'five', u'six', u'gun', u'summit', u'point', u'onli', u'fortif', u'place', u'come', u'southward', u'toward', u'thi', u'bay', u'pass', u'lead', u'bluff', u'alway', u'made', u'would', u'advis', u'shape', u'cours', u'close', u'land', u'two', u'three', u'leagu', u'windward', u'port', u'coast', u'along', u'two', u'whitetop', u'islet', u'fals', u'cobija', u'point', u'seen', u'mile', u'quarter', u'northward', u'port', u'cobija', u'point', u'white', u'stone', u'shew', u'veri', u'plainli', u'relief', u'black', u'rock', u'back', u'white', u'flag', u'usual', u'hoist', u'fort', u'vessel', u'appear', u'also', u'good', u'guid', u'go', u'danger', u'point', u'steepto', u'may', u'round', u'appendix', u'035', u'cabl', u'length', u'distant', u'anchorag', u'good', u'eight', u'nine', u'fathom', u'sand', u'broken', u'shell', u'bay', u'number', u'straggl', u'rock', u'well', u'point', u'kelp', u'high', u'water', u'full', u'chang', u'9', u'h', u'54m', u'tide', u'rise', u'four', u'feet', u'land', u'time', u'indiffer', u'full', u'chang', u'owe', u'heavi', u'swell', u'requir', u'skill', u'wind', u'narrow', u'channel', u'form', u'rock', u'side', u'two', u'mile', u'north', u'east', u'copper', u'cove', u'conveni', u'place', u'take', u'ore', u'anchorag', u'twelv', u'fathom', u'short', u'distanc', u'shore', u'leav', u'north', u'point', u'cobija', u'bay', u'ha', u'number', u'straggl', u'rock', u'short', u'distanc', u'oif', u'coast', u'take', u'rather', u'easterli', u'direct', u'gener', u'shallow', u'sand', u'bay', u'yviih', u'rocki', u'point', u'hill', u'two', u'three', u'thousand', u'feet', u'high', u'close', u'coast', u'anchorag', u'place', u'fit', u'ship', u'reach', u'algodon', u'bay', u'twentyeight', u'mile', u'cobija', u'thi', u'bay', u'small', u'water', u'deep', u'anchor', u'quarter', u'mile', u'shore', u'eleven', u'fathom', u'sand', u'broken', u'shell', u'rocki', u'bottom', u'onli', u'use', u'stoppingplac', u'water', u'requir', u'may', u'obtain', u'gulli', u'mamilla', u'seven', u'mile', u'northward', u'spring', u'mile', u'half', u'beach', u'usual', u'method', u'bring', u'bladder', u'made', u'sealskin', u'hold', u'seven', u'eight', u'gallon', u'coaster', u'provid', u'onli', u'vessel', u'profit', u'knowledg', u'place', u'algodon', u'bay', u'may', u'distinguish', u'guy', u'lead', u'mamilla', u'northward', u'ha', u'two', u'pap', u'height', u'north', u'side', u'also', u'white', u'islet', u'algo', u'point', u'n', u'2', u'w', u'ten', u'mile', u'thi', u'bay', u'project', u'point', u'call', u'spanish', u'chart', u'san', u'francisco', u'known', u'gener', u'name', u'paquiqui', u'north', u'side', u'near', u'extrem', u'larg', u'bed', u'guano', u'much', u'use', u'thi', u'coast', u'manur', u'may', u'said', u'quit', u'trade', u'brig', u'one', u'hundr', u'seventi', u'ton', u'wa', u'load', u'islay', u'time', u'pass', u'wa', u'moor', u'head', u'stern', u'within', u'cabl', u'length', u'rock', u'consider', u'surf', u'wa', u'break', u'guano', u'wa', u'brought', u'balsa', u'launch', u'outsid', u'surf', u'better', u'anchorag', u'farther', u'bay', u'thi', u'chosen', u'conveni', u'y2', u'236', u'appendix', u'n', u'2w', u'sixteen', u'mile', u'paquiqui', u'point', u'arena', u'low', u'sandi', u'point', u'rocki', u'outlin', u'two', u'small', u'fish', u'villag', u'near', u'remark', u'hummock', u'anchorag', u'may', u'obtain', u'point', u'arena', u'ten', u'fathom', u'fine', u'sandi', u'bottom', u'n', u'6', u'e', u'twelv', u'mile', u'point', u'arena', u'gulli', u'river', u'loa', u'form', u'boundari', u'hne', u'bolivia', u'peru', u'princip', u'river', u'thi', u'part', u'coast', u'water', u'extrem', u'bad', u'consequ', u'run', u'bed', u'saltpetr', u'hiu', u'surround', u'contain', u'quantiti', u'copper', u'ore', u'send', u'ash', u'volcano', u'fau', u'add', u'greatli', u'unwholesom', u'bad', u'peopl', u'resid', u'bank', u'chacansi', u'interior', u'dilat', u'toler', u'good', u'summer', u'season', u'fifteen', u'feet', u'broad', u'foot', u'deep', u'run', u'consider', u'strength', u'within', u'quarter', u'mile', u'sea', u'spread', u'flow', u'filter', u'beach', u'doe', u'make', u'even', u'hatchway', u'throw', u'ani', u'bank', u'ever', u'small', u'chapel', u'north', u'bank', u'half', u'mile', u'sea', u'onli', u'remain', u'onc', u'popul', u'villag', u'peopl', u'interior', u'visit', u'occasion', u'guano', u'abund', u'good', u'anchorag', u'rather', u'expos', u'seabreez', u'chapel', u'bear', u'north', u'half', u'mile', u'shore', u'eight', u'twelv', u'fathom', u'muddi', u'bottom', u'land', u'may', u'effect', u'point', u'chile', u'best', u'anchorag', u'near', u'bay', u'chipana', u'six', u'mile', u'n', u'39', u'w', u'river', u'snug', u'cove', u'land', u'near', u'extrem', u'point', u'full', u'changea', u'heavi', u'swell', u'set', u'doubt', u'boat', u'abl', u'land', u'good', u'time', u'best', u'distinguish', u'mark', u'loa', u'gulli', u'run', u'may', u'easili', u'known', u'deepest', u'part', u'bay', u'form', u'point', u'arena', u'south', u'point', u'lobo', u'north', u'liiu', u'south', u'side', u'nearli', u'leve', u'north', u'much', u'higher', u'irregular', u'bay', u'chipana', u'make', u'land', u'latitud', u'loa', u'larg', u'white', u'doubl', u'patch', u'seen', u'side', u'hill', u'near', u'beach', u'anoth', u'similar', u'one', u'littl', u'northward', u'discov', u'mark', u'may', u'seen', u'three', u'four', u'leagu', u'cours', u'shape', u'directli', u'southern', u'end', u'lie', u'anchorag', u'seven', u'fathom', u'sand', u'broken', u'shell', u'low', u'appendix', u'237', u'level', u'point', u'danger', u'need', u'fear', u'enter', u'although', u'land', u'low', u'may', u'approach', u'within', u'half', u'mile', u'six', u'ten', u'fathom', u'anchorag', u'insid', u'long', u'kelpcov', u'reef', u'mioht', u'perhap', u'prefer', u'land', u'good', u'n', u'27', u'w', u'thi', u'bay', u'distanc', u'eighteen', u'mile', u'point', u'lobo', u'blancaa', u'high', u'bold', u'extrem', u'sever', u'hillock', u'two', u'small', u'fish', u'villag', u'call', u'chomach', u'point', u'ha', u'long', u'reef', u'outer', u'part', u'cluster', u'rock', u'shew', u'themselv', u'feet', u'abov', u'water', u'peopl', u'thi', u'villag', u'get', u'water', u'loa', u'passag', u'requir', u'balsa', u'four', u'day', u'n', u'21', u'w', u'fourteen', u'mile', u'point', u'lobo', u'point', u'palac', u'low', u'rug', u'project', u'point', u'islet', u'quarter', u'mile', u'quit', u'clear', u'outsid', u'thi', u'islet', u'half', u'way', u'two', u'point', u'cone', u'pabeuon', u'pica', u'remark', u'hillock', u'guano', u'appear', u'cover', u'snow', u'thaw', u'top', u'leav', u'lower', u'half', u'frozen', u'contrast', u'strongli', u'vnth', u'surround', u'hill', u'barren', u'sunburnt', u'brown', u'thi', u'also', u'place', u'resort', u'guano', u'vessel', u'find', u'pretti', u'good', u'anchorag', u'close', u'northward', u'pabellon', u'east', u'littl', u'southerli', u'noe', u'inshor', u'thi', u'beushap', u'mountain', u'name', u'carrasco', u'5500', u'feet', u'high', u'clear', u'weather', u'good', u'mark', u'neighbourhood', u'iquiqu', u'point', u'palac', u'point', u'grand', u'n', u'sew', u'twentyeight', u'mile', u'coast', u'low', u'rocki', u'termin', u'long', u'rang', u'tableland', u'cede', u'height', u'oyarvid', u'barrack', u'cliffi', u'appear', u'ha', u'innumer', u'rock', u'shoal', u'approach', u'ani', u'account', u'nearer', u'leagu', u'frequent', u'calm', u'heavi', u'swell', u'peculiar', u'thi', u'coast', u'render', u'unsaf', u'nearer', u'approach', u'point', u'grand', u'north', u'end', u'barrack', u'low', u'cliffi', u'point', u'three', u'white', u'patch', u'northern', u'side', u'round', u'thi', u'point', u'bay', u'cheuranatta', u'n', u'3w', u'eleven', u'mile', u'point', u'grand', u'anchorag', u'town', u'iquiqu', u'miser', u'place', u'afford', u'scarc', u'suffici', u'provis', u'consumpt', u'inhabit', u'five', u'hundr', u'soul', u'water', u'nearer', u'pisagua', u'distanc', u'nearli', u'forti', u'mile', u'place', u'brought', u'boat', u'built', u'purpos', u'veri', u'dear', u'yet', u'disadvantag', u'place', u'const', u'appendix', u'miser', u'trade', u'quantiti', u'saltpetr', u'silver', u'mine', u'huantacayhua', u'neighbourhood', u'latter', u'uttl', u'work', u'saltpetr', u'surer', u'profit', u'larg', u'cargo', u'annual', u'taken', u'english', u'vessel', u'import', u'properti', u'belong', u'merchant', u'lima', u'vessel', u'charter', u'onli', u'call', u'take', u'cargo', u'vessel', u'bound', u'thi', u'place', u'run', u'parallel', u'point', u'grand', u'white', u'patch', u'point', u'discern', u'cours', u'shape', u'northern', u'three', u'larg', u'sand', u'hiu', u'stand', u'boldli', u'thi', u'cours', u'til', u'church', u'steepl', u'appear', u'shortli', u'tovra', u'low', u'island', u'seen', u'anchorag', u'care', u'must', u'taken', u'round', u'thi', u'island', u'give', u'ita', u'good', u'berth', u'reef', u'extend', u'westward', u'distanc', u'two', u'cabl', u'length', u'anchorag', u'good', u'eleven', u'fathom', u'point', u'piedra', u'bear', u'n', u'9', u'w', u'w', u'extrem', u'island', u'w', u'32', u'church', u'steepl', u'15', u'e', u'vessel', u'attempt', u'passag', u'island', u'main', u'mistak', u'therebi', u'got', u'danger', u'extric', u'difficulti', u'onli', u'lit', u'boat', u'veri', u'small', u'vessel', u'find', u'bad', u'way', u'hazard', u'owe', u'number', u'blind', u'breaker', u'abound', u'boat', u'lost', u'full', u'chang', u'moon', u'heavi', u'swell', u'set', u'balsa', u'employ', u'bring', u'cargo', u'launch', u'anchor', u'outsid', u'danger', u'case', u'port', u'thi', u'coast', u'n', u'12', u'w', u'eighteen', u'mile', u'point', u'piedra', u'north', u'point', u'iquiqu', u'bay', u'ha', u'cluster', u'rock', u'round', u'small', u'bay', u'mexiuon', u'appear', u'low', u'black', u'island', u'vdth', u'white', u'rock', u'lie', u'may', u'known', u'guy', u'aurora', u'littl', u'southward', u'road', u'appar', u'well', u'trodden', u'side', u'hul', u'lead', u'mine', u'n', u'20', u'w', u'thirtythre', u'mile', u'point', u'piedra', u'point', u'pichalo', u'project', u'ridg', u'right', u'angl', u'gener', u'trend', u'coast', u'number', u'hummock', u'round', u'northward', u'thi', u'point', u'villag', u'roadstead', u'guano', u'pisagua', u'thi', u'well', u'mexiuon', u'connect', u'iquiqu', u'saltpetr', u'trade', u'resort', u'vessel', u'articl', u'round', u'point', u'sunken', u'rock', u'lie', u'half', u'cabl', u'length', u'look', u'necessari', u'appendix', u'239', u'hug', u'land', u'close', u'ensur', u'fetch', u'anchorag', u'villag', u'begin', u'ridg', u'baffl', u'nd', u'frequent', u'may', u'throw', u'near', u'shore', u'signifi', u'water', u'smooth', u'shore', u'steepto', u'best', u'anchorag', u'extrem', u'pisagua', u'point', u'n', u'7', u'30', u'w', u'pichalo', u'point', u'w', u'1s', u'two', u'cabl', u'length', u'villag', u'eight', u'fathom', u'avoid', u'rock', u'four', u'feet', u'water', u'lie', u'sandi', u'cove', u'distanc', u'two', u'cabl', u'north', u'thi', u'distanc', u'two', u'mile', u'half', u'gulli', u'river', u'pisagua', u'water', u'suppli', u'neighbour', u'inhabit', u'greatest', u'strength', u'ten', u'feet', u'across', u'doe', u'overflow', u'mere', u'filter', u'beach', u'sea', u'gener', u'speak', u'dri', u'nine', u'month', u'year', u'web', u'dug', u'near', u'water', u'may', u'alway', u'found', u'vessel', u'trust', u'water', u'thi', u'place', u'besid', u'unwholesom', u'difficulti', u'expens', u'attend', u'would', u'veri', u'great', u'thi', u'point', u'gordo', u'coast', u'low', u'broken', u'cliff', u'scatter', u'rock', u'oif', u'rang', u'high', u'hill', u'near', u'point', u'gordo', u'low', u'jut', u'point', u'long', u'line', u'cliff', u'sever', u'hundr', u'feet', u'high', u'commenc', u'continu', u'onli', u'two', u'break', u'arica', u'break', u'gulli', u'call', u'veri', u'remark', u'use', u'make', u'arica', u'southward', u'first', u'gulli', u'camaron', u'seven', u'mile', u'north', u'point', u'gordo', u'mile', u'width', u'run', u'right', u'angl', u'coast', u'toward', u'mountain', u'stream', u'water', u'run', u'quantiti', u'brushwood', u'bank', u'form', u'slight', u'sandi', u'bay', u'scarc', u'suffici', u'shelter', u'vessel', u'heavi', u'swell', u'gulli', u'victor', u'lie', u'n', u'17', u'w', u'twentynin', u'mile', u'camaron', u'fifteen', u'mile', u'arica', u'three', u'quarter', u'mile', u'width', u'high', u'bold', u'point', u'call', u'point', u'lobo', u'jut', u'southward', u'form', u'toler', u'good', u'anchorag', u'small', u'vessel', u'also', u'run', u'toward', u'mountain', u'similar', u'manner', u'camaron', u'uke', u'ha', u'small', u'stream', u'run', u'verdur', u'bank', u'vessel', u'boimd', u'arica', u'endeavour', u'make', u'thi', u'gulli', u'ravin', u'within', u'three', u'four', u'leagu', u'see', u'arica', u'head', u'appear', u'steep', u'bluff', u'round', u'hill', u'shore', u'call', u'mont', u'gordo', u'upon', u'nearer', u'approach', u'island', u'guano', u'observ', u'join', u'appendix', u'head', u'reef', u'rock', u'northward', u'thi', u'island', u'round', u'head', u'port', u'town', u'arica', u'seaport', u'tanna', u'late', u'thi', u'place', u'ha', u'seat', u'civil', u'war', u'ha', u'sever', u'suffer', u'wa', u'contempl', u'latter', u'end', u'1836', u'make', u'port', u'foliaian', u'territori', u'take', u'place', u'would', u'perhap', u'becom', u'next', u'import', u'harbour', u'callao', u'princip', u'port', u'peru', u'present', u'export', u'bark', u'cotton', u'wool', u'receiv', u'return', u'merchand', u'chiefli', u'british', u'fresh', u'provis', u'veget', u'kind', u'tropic', u'fruit', u'mayb', u'abund', u'upon', u'reason', u'term', u'water', u'also', u'excel', u'may', u'obtain', u'math', u'littl', u'difficulti', u'mole', u'run', u'sea', u'enabl', u'boat', u'lie', u'quietli', u'load', u'discharg', u'onli', u'inconveni', u'carri', u'roll', u'town', u'fever', u'agu', u'said', u'preval', u'thi', u'probabl', u'aris', u'bad', u'situat', u'ha', u'chosen', u'town', u'high', u'head', u'southward', u'exclud', u'benefit', u'refresh', u'seabreez', u'gener', u'set', u'noon', u'enter', u'thi', u'place', u'danger', u'whatev', u'low', u'island', u'mayb', u'round', u'cabl', u'distanc', u'seven', u'eight', u'fathom', u'anchorag', u'chosen', u'conveni', u'henc', u'coast', u'take', u'sudden', u'turn', u'westward', u'far', u'river', u'juan', u'de', u'dio', u'low', u'sandi', u'beach', u'regular', u'sound', u'thi', u'river', u'gradual', u'becom', u'rocki', u'increas', u'height', u'tiu', u'reach', u'point', u'moro', u'sma', u'knol', u'devil', u'headland', u'thi', u'highest', u'conspicu', u'land', u'near', u'sea', u'thi', u'part', u'coast', u'appear', u'bold', u'project', u'beyond', u'neighbour', u'coast', u'hne', u'western', u'side', u'cove', u'form', u'point', u'call', u'sama', u'coast', u'vessel', u'occasion', u'anchor', u'guano', u'three', u'four', u'miser', u'look', u'hut', u'resid', u'collect', u'guano', u'would', u'quit', u'imposs', u'land', u'except', u'balsa', u'even', u'difficulti', u'vessel', u'drift', u'baffl', u'wind', u'heavi', u'swell', u'ha', u'case', u'endeavour', u'pass', u'head', u'number', u'rock', u'surround', u'mile', u'westward', u'anchorag', u'may', u'obtain', u'fifteen', u'fathom', u'n', u'4', u'w', u'nine', u'mile', u'point', u'sama', u'low', u'rocki', u'point', u'call', u'tyke', u'tend', u'two', u'small', u'river', u'lucumbu', u'low', u'cliff', u'side', u'thi', u'like', u'river', u'coast', u'ka', u'strength', u'make', u'outlet', u'lost', u'alpexdix', u'941', u'shingl', u'beach', u'foot', u'beforement', u'cuff', u'regular', u'sound', u'continu', u'gradual', u'increas', u'youreach', u'point', u'cole', u'may', u'obtain', u'distanc', u'two', u'mue', u'fifteen', u'twenti', u'fathom', u'w', u'21', u'n', u'distanc', u'thirtyon', u'mile', u'point', u'sama', u'point', u'cole', u'coast', u'altern', u'sandi', u'beach', u'low', u'cliff', u'moder', u'high', u'tabl', u'land', u'short', u'distanc', u'coast', u'doubt', u'land', u'could', u'effect', u'ani', u'arica', u'port', u'cole', u'high', u'swell', u'set', u'directli', u'thi', u'part', u'appear', u'break', u'redoubl', u'violenc', u'point', u'cole', u'veri', u'remark', u'low', u'sandi', u'spit', u'rain', u'abrupt', u'termin', u'line', u'tabl', u'land', u'near', u'extrem', u'cluster', u'small', u'hummock', u'whole', u'distanc', u'appear', u'island', u'point', u'southwest', u'cluster', u'rock', u'islet', u'hidden', u'dcuiger', u'exist', u'although', u'gener', u'quantiti', u'froth', u'reef', u'may', u'suspect', u'n', u'13', u'e', u'five', u'mile', u'half', u'thi', u'point', u'villag', u'roadstead', u'ylo', u'thi', u'poor', u'place', u'contain', u'three', u'hundr', u'inhabit', u'local', u'governor', u'captain', u'port', u'littl', u'trade', u'carri', u'chiefli', u'guano', u'mine', u'copper', u'ha', u'late', u'discov', u'may', u'add', u'import', u'inhabit', u'suppli', u'necessari', u'life', u'cultiv', u'care', u'troubl', u'themselv', u'luxuri', u'water', u'scarc', u'wood', u'brought', u'interior', u'ani', u'account', u'suitabl', u'place', u'ship', u'best', u'anchorag', u'villag', u'pioch', u'mile', u'quarter', u'south', u'town', u'twelv', u'thirteen', u'fathom', u'best', u'land', u'guano', u'creek', u'bad', u'inde', u'best', u'great', u'care', u'must', u'taken', u'lest', u'boat', u'swamp', u'hurl', u'violenc', u'rock', u'go', u'ylo', u'shore', u'approach', u'nearer', u'half', u'mile', u'mani', u'sharp', u'rock', u'blind', u'breaker', u'exist', u'three', u'small', u'rock', u'call', u'brother', u'alway', u'visibl', u'insid', u'tabl', u'end', u'bear', u'east', u'villag', u'pioch', u'may', u'steer', u'anchorag', u'taken', u'abreast', u'conveni', u'english', u'creek', u'afford', u'best', u'land', u'boat', u'forbidden', u'cove', u'prevent', u'contraband', u'trade', u'carri', u'ylo', u'coast', u'trend', u'westward', u'cliffi', u'outlin', u'two', u'four', u'hundr', u'feet', u'height', u'one', u'two', u'242', u'appendixcov', u'use', u'onli', u'small', u'coaster', u'reach', u'valley', u'tambo', u'consider', u'extent', u'may', u'easili', u'distinguish', u'fertil', u'appear', u'contrast', u'strongli', u'barren', u'desol', u'cliff', u'either', u'side', u'east', u'maintain', u'theirregu', u'laiti', u'sever', u'mile', u'west', u'regular', u'broken', u'near', u'approach', u'hill', u'aspect', u'bolder', u'next', u'point', u'thi', u'valley', u'call', u'mexico', u'e', u'18', u'twentyon', u'mile', u'islay', u'point', u'exceedingli', u'low', u'project', u'consider', u'beyond', u'gener', u'trend', u'coast', u'cover', u'brushwood', u'water', u'edg', u'distanc', u'two', u'mile', u'southerli', u'direct', u'sound', u'may', u'obtain', u'ten', u'fathom', u'muddi', u'bottom', u'depth', u'direct', u'increas', u'twenti', u'fathom', u'side', u'bank', u'fifti', u'fathom', u'w', u'18', u'n', u'twentyon', u'mile', u'point', u'mexico', u'point', u'islay', u'two', u'five', u'mile', u'latter', u'cove', u'mollend', u'onc', u'port', u'arequipa', u'late', u'year', u'bottom', u'ha', u'much', u'alter', u'onli', u'capabl', u'afford', u'shelter', u'boat', u'veri', u'small', u'vessel', u'consequ', u'ha', u'thrown', u'disus', u'bay', u'islay', u'receiv', u'vessel', u'bring', u'good', u'arequipa', u'market', u'islay', u'port', u'arequipa', u'form', u'straggl', u'islet', u'point', u'extend', u'northwest', u'capabl', u'contain', u'twenti', u'five', u'twenti', u'sail', u'town', u'built', u'west', u'side', u'gradual', u'declin', u'hill', u'slope', u'toward', u'anchorag', u'said', u'contain', u'fifteen', u'hundr', u'inhabit', u'chiefli', u'employ', u'merchant', u'arequipa', u'seaport', u'peru', u'local', u'governor', u'captain', u'port', u'author', u'thi', u'also', u'resid', u'british', u'viceconsul', u'trade', u'wa', u'flourish', u'condit', u'even', u'dure', u'civil', u'war', u'ani', u'place', u'visit', u'gener', u'four', u'five', u'often', u'doubl', u'number', u'vessel', u'discharg', u'take', u'cargo', u'j', u'princip', u'export', u'wool', u'bark', u'speci', u'exchang', u'british', u'merchand', u'wa', u'chiefli', u'covet', u'islay', u'much', u'frequent', u'british', u'merchant', u'vessel', u'differ', u'opinion', u'arisen', u'best', u'method', u'make', u'detail', u'clear', u'direct', u'given', u'vessel', u'frequent', u'sight', u'westward', u'port', u'yet', u'strength', u'current', u'half', u'knot', u'full', u'chang', u'often', u'appendix', u'243', u'much', u'one', u'knot', u'per', u'hour', u'set', u'westward', u'prevent', u'anchor', u'sever', u'day', u'thi', u'doubt', u'ha', u'partli', u'owe', u'hitherto', u'inaccur', u'posit', u'assign', u'proper', u'reluct', u'expos', u'vessel', u'imperfectli', u'known', u'coast', u'baffl', u'drift', u'light', u'variabl', u'air', u'addit', u'heavi', u'swell', u'continu', u'roll', u'directli', u'toward', u'shore', u'follow', u'direct', u'hope', u'confid', u'acquir', u'consequ', u'less', u'delay', u'occas', u'sail', u'seaport', u'second', u'citi', u'peru', u'come', u'southward', u'land', u'abreast', u'tambo', u'made', u'certainti', u'place', u'ascertain', u'accord', u'state', u'weather', u'may', u'seen', u'three', u'six', u'leagu', u'cours', u'shape', u'toward', u'gap', u'mountain', u'westward', u'defin', u'sharptop', u'hill', u'near', u'rang', u'short', u'distanc', u'thi', u'gap', u'road', u'lead', u'arequipa', u'wind', u'along', u'foot', u'beforenam', u'hill', u'islay', u'coast', u'approach', u'foot', u'hill', u'seen', u'cover', u'white', u'ash', u'said', u'thrown', u'volcano', u'arequipa', u'found', u'ani', u'part', u'coast', u'thi', u'peculiar', u'commenc', u'littl', u'westward', u'tambo', u'continu', u'far', u'point', u'homili', u'within', u'three', u'leagu', u'point', u'islay', u'white', u'islet', u'form', u'bay', u'plainli', u'observ', u'steer', u'care', u'must', u'taken', u'close', u'point', u'rock', u'bare', u'cover', u'lie', u'quarter', u'mile', u'southward', u'custom', u'go', u'w', u'steward', u'island', u'command', u'breez', u'would', u'unquestion', u'better', u'run', u'third', u'outer', u'next', u'island', u'enabl', u'choos', u'berth', u'onc', u'thi', u'seldom', u'done', u'rout', u'wind', u'head', u'enter', u'oblig', u'anchor', u'use', u'warp', u'best', u'anchorag', u'within', u'flat', u'rock', u'point', u'landingplac', u'ten', u'twelv', u'fathom', u'hawser', u'necessari', u'keep', u'bow', u'swell', u'prevent', u'roll', u'heavili', u'even', u'shelter', u'part', u'vessel', u'eastward', u'close', u'land', u'tambo', u'observ', u'direct', u'eastward', u'parallel', u'seventeen', u'degre', u'five', u'minut', u'hi', u'majesti', u'ship', u'menai', u'challeng', u'pass', u'island', u'appendix', u'made', u'run', u'thi', u'leagu', u'southward', u'point', u'longitud', u'trust', u'point', u'corneliu', u'remark', u'land', u'easili', u'seen', u'parallel', u'search', u'pass', u'lie', u'w', u'28', u'n', u'fourteen', u'mile', u'point', u'islay', u'two', u'hundr', u'feet', u'high', u'ha', u'appear', u'fort', u'two', u'tier', u'gun', u'perfectli', u'white', u'adjac', u'coast', u'west', u'dark', u'form', u'bay', u'east', u'low', u'black', u'cliff', u'ash', u'top', u'extend', u'halfway', u'hill', u'weather', u'clear', u'valley', u'quilca', u'may', u'seen', u'first', u'green', u'spot', u'west', u'tambo', u'corneliu', u'howev', u'must', u'search', u'abreast', u'point', u'islay', u'vdu', u'seen', u'top', u'eastward', u'two', u'island', u'gradual', u'declin', u'point', u'sharp', u'hill', u'beforenam', u'near', u'rang', u'also', u'seen', u'favour', u'weather', u'shortli', u'town', u'appear', u'like', u'black', u'spot', u'strong', u'relief', u'white', u'ground', u'cours', u'may', u'shape', u'anchorag', u'white', u'islet', u'befor', u'land', u'islay', u'far', u'good', u'sort', u'mole', u'compos', u'plank', u'swing', u'ladder', u'attach', u'enabl', u'gener', u'littl', u'manag', u'get', u'shore', u'safeti', u'often', u'full', u'moon', u'vessel', u'detain', u'three', u'day', u'without', u'abl', u'land', u'take', u'cargo', u'fresh', u'provis', u'may', u'reason', u'term', u'neither', u'wood', u'water', u'depend', u'fortif', u'ani', u'descript', u'coast', u'islay', u'point', u'corner', u'irregular', u'black', u'cliff', u'fifti', u'two', u'hundr', u'feet', u'high', u'bound', u'scatter', u'rock', u'distanc', u'cabl', u'length', u'two', u'leagu', u'islay', u'cove', u'call', u'mouendito', u'resid', u'fishermen', u'similar', u'cove', u'littl', u'eastward', u'point', u'corner', u'westward', u'point', u'coast', u'retir', u'form', u'shallow', u'bay', u'three', u'small', u'cove', u'aranta', u'la', u'gutta', u'orat', u'w', u'36', u'n', u'thirteen', u'mile', u'distant', u'valley', u'river', u'quilca', u'vessel', u'occasion', u'anchor', u'seal', u'rock', u'lie', u'southeast', u'quilca', u'point', u'thi', u'anchorag', u'much', u'expos', u'land', u'good', u'cove', u'westward', u'valley', u'water', u'js', u'sometim', u'attempt', u'fill', u'river', u'raft', u'must', u'alway', u'attend', u'much', u'difficulti', u'danger', u'valley', u'threequart', u'mile', u'width', u'differ', u'level', u'rim', u'side', u'hill', u'regu', u'appendix', u'245', u'laiti', u'cliff', u'bound', u'ha', u'appear', u'work', u'art', u'w', u'6', u'n', u'distanc', u'six', u'leagu', u'valley', u'canada', u'coast', u'nearli', u'straight', u'th', u'altern', u'sandi', u'beach', u'low', u'broken', u'cliff', u'termin', u'barren', u'hill', u'immedi', u'abov', u'canada', u'two', u'three', u'mile', u'broad', u'near', u'sea', u'appar', u'well', u'cultiv', u'villag', u'situat', u'mile', u'sea', u'scarc', u'percept', u'small', u'surround', u'thick', u'brushwood', u'approach', u'eastward', u'remark', u'cliff', u'resembl', u'fort', u'seen', u'near', u'sea', u'thi', u'excel', u'guid', u'till', u'valley', u'becom', u'open', u'anchorag', u'ten', u'twelv', u'fathom', u'muddi', u'bottom', u'due', u'south', u'mile', u'land', u'would', u'danger', u'w', u'18', u'n', u'twentythre', u'mile', u'valley', u'cosa', u'next', u'remark', u'place', u'smaller', u'less', u'conspicu', u'former', u'similar', u'respect', u'islet', u'lie', u'southern', u'extrem', u'sever', u'rock', u'near', u'extrem', u'cliff', u'eastern', u'side', u'w', u'11', u'n', u'fourteen', u'mile', u'project', u'bluff', u'point', u'call', u'pescador', u'ha', u'cove', u'itseat', u'side', u'surround', u'islet', u'point', u'distanc', u'three', u'quarter', u'mile', u'southerli', u'direct', u'lie', u'rock', u'bare', u'cover', u'westward', u'point', u'bay', u'anchorag', u'coast', u'run', u'nearli', u'direct', u'line', u'reach', u'point', u'atico', u'rug', u'point', u'number', u'irregular', u'broken', u'hillock', u'bare', u'connect', u'vrith', u'coast', u'sandi', u'isthmu', u'distanc', u'appear', u'like', u'island', u'isthmu', u'visibl', u'far', u'toler', u'anchorag', u'nineteen', u'twenti', u'fathom', u'west', u'side', u'excel', u'land', u'snug', u'cove', u'inner', u'extrem', u'point', u'keep', u'cabl', u'length', u'shore', u'danger', u'need', u'fear', u'run', u'thi', u'roadstead', u'valley', u'name', u'le', u'leagu', u'half', u'eastward', u'thirti', u'hous', u'scatter', u'among', u'tree', u'grow', u'height', u'twenti', u'feet', u'thi', u'point', u'coast', u'continu', u'westerli', u'direct', u'low', u'broken', u'cuff', u'hill', u'immedi', u'abov', u'reach', u'point', u'cape', u'bay', u'commenc', u'run', u'far', u'point', u'chala', u'sever', u'cove', u'none', u'could', u'servic', u'ship', u'point', u'chala', u'bear', u'point', u'atico', u'w', u'20', u'n', u'distant', u'sixteen', u'246', u'appendix', u'leagu', u'half', u'high', u'rocki', u'point', u'termin', u'mono', u'hill', u'name', u'thi', u'mount', u'show', u'veri', u'promin', u'ha', u'sever', u'summit', u'east', u'side', u'valley', u'separ', u'anoth', u'lover', u'hiu', u'two', u'remark', u'pap', u'west', u'slope', u'suddenli', u'sandi', u'plain', u'nearest', u'rang', u'hill', u'westward', u'thrown', u'inshor', u'consider', u'make', u'morro', u'chala', u'still', u'conspicu', u'w', u'26', u'n', u'eighteen', u'mile', u'point', u'chala', u'point', u'appear', u'like', u'rock', u'beach', u'two', u'sandi', u'beach', u'uttl', u'green', u'hillock', u'sandhil', u'also', u'two', u'rivulet', u'run', u'valley', u'atequipa', u'loma', u'seen', u'distanc', u'half', u'mile', u'westward', u'small', u'white', u'islet', u'cluster', u'rock', u'level', u'water', u'edg', u'henc', u'roadstead', u'loma', u'sandi', u'beach', u'continu', u'regular', u'sound', u'oif', u'two', u'mile', u'shore', u'point', u'loma', u'project', u'right', u'angl', u'gener', u'trend', u'coast', u'similar', u'atico', u'island', u'may', u'easili', u'distinguish', u'although', u'low', u'mark', u'differ', u'black', u'rock', u'adjac', u'coast', u'thi', u'road', u'port', u'acari', u'afford', u'good', u'anchorag', u'five', u'fifteen', u'fathom', u'toler', u'land', u'resid', u'fishermen', u'use', u'bath', u'place', u'inhabit', u'acari', u'inform', u'obtain', u'popul', u'town', u'sever', u'leagu', u'inland', u'ah', u'suppli', u'even', u'water', u'brought', u'thostf', u'visit', u'fishermen', u'well', u'brackish', u'water', u'scarc', u'fit', u'use', u'boat', u'occasion', u'call', u'otter', u'plentifidat', u'particular', u'season', u'w', u'21', u'n', u'twentythre', u'mile', u'loma', u'road', u'harbour', u'san', u'juan', u'eight', u'mile', u'san', u'nichola', u'former', u'exceedingli', u'good', u'fit', u'vessel', u'undergo', u'ani', u'repair', u'heav', u'dora', u'case', u'necess', u'without', u'inconvenienc', u'swell', u'materi', u'must', u'brought', u'well', u'water', u'fuel', u'none', u'found', u'shore', u'compos', u'irregular', u'broken', u'cliff', u'head', u'bay', u'sandi', u'plain', u'still', u'harbour', u'good', u'inde', u'much', u'better', u'ani', u'southwest', u'coast', u'peru', u'might', u'bean', u'excel', u'place', u'run', u'distress', u'may', u'distinguish', u'mount', u'acari', u'remark', u'sugarloaf', u'hiu', u'almost', u'perpendicular', u'247', u'earli', u'cliff', u'north', u'side', u'bay', u'three', u'leagu', u'eastward', u'short', u'distanc', u'coast', u'high', u'bluff', u'head', u'termin', u'rang', u'tabl', u'land', u'thi', u'bluff', u'harbour', u'land', u'low', u'level', u'except', u'ha', u'number', u'rock', u'lie', u'distanc', u'half', u'mile', u'sw', u'threequart', u'mile', u'steep', u'point', u'southern', u'point', u'harbour', u'lie', u'small', u'black', u'rock', u'alway', u'visibl', u'reef', u'rock', u'extend', u'quarter', u'mile', u'northward', u'nearli', u'two', u'mile', u'se', u'islet', u'show', u'distinctli', u'passag', u'may', u'exist', u'thi', u'reef', u'point', u'prudenc', u'would', u'forbid', u'attempt', u'safest', u'plan', u'pass', u'northward', u'give', u'berth', u'cabl', u'length', u'close', u'shore', u'well', u'within', u'next', u'point', u'sunken', u'rock', u'may', u'haul', u'wind', u'work', u'anchorag', u'head', u'bay', u'come', u'ani', u'depth', u'five', u'fifteen', u'fathom', u'muddi', u'bottom', u'work', u'northern', u'shore', u'may', u'approach', u'boldli', u'steepto', u'ha', u'outli', u'danger', u'harbour', u'san', u'nichola', u'lie', u'n', u'41', u'w', u'eight', u'mile', u'san', u'juan', u'quit', u'commodi', u'free', u'danger', u'latter', u'land', u'good', u'harmless', u'point', u'may', u'round', u'within', u'cabl', u'number', u'scatter', u'rock', u'southward', u'appear', u'danger', u'fear', u'inhabit', u'either', u'port', u'vessel', u'want', u'ani', u'repair', u'may', u'sure', u'interrupt', u'employ', u'n', u'59', u'w', u'eight', u'half', u'mile', u'harmless', u'point', u'point', u'bewar', u'high', u'clifiy', u'number', u'small', u'rock', u'blind', u'breaker', u'round', u'height', u'close', u'abov', u'thi', u'point', u'coast', u'altern', u'cliff', u'small', u'sandi', u'bay', u'till', u'reach', u'point', u'nasca', u'round', u'ha', u'term', u'port', u'cabal', u'point', u'nasca', u'may', u'readili', u'distinguish', u'bluff', u'head', u'dark', u'brown', u'colour', u'1020', u'feet', u'height', u'two', u'sharp', u'top', u'hummock', u'moder', u'height', u'foot', u'coast', u'westward', u'fall', u'back', u'distanc', u'two', u'mile', u'compos', u'white', u'sand', u'hill', u'depth', u'thi', u'bight', u'cabal', u'rocki', u'shallow', u'hole', u'onli', u'known', u'avoid', u'lay', u'anchor', u'seven', u'fathom', u'far', u'wa', u'thought', u'prudent', u'go', u'twenti', u'four', u'hour', u'without', u'abl', u'effect', u'land', u'wind', u'came', u'round', u'head', u'heavi', u'gust', u'combin', u'248', u'appendix', u'long', u'ground', u'swell', u'made', u'doubt', u'two', u'anchor', u'would', u'hold', u'us', u'till', u'observ', u'conclud', u'onli', u'trace', u'saw', u'ever', u'ani', u'inhabit', u'thi', u'dreari', u'place', u'wa', u'pole', u'stick', u'top', u'mound', u'near', u'head', u'bay', u'n', u'64', u'w', u'thirteen', u'leagu', u'point', u'rascal', u'point', u'santamaria', u'rock', u'call', u'ynfiemillo', u'thi', u'point', u'low', u'rug', u'surround', u'rock', u'breaker', u'distanc', u'leagu', u'half', u'inland', u'eastward', u'remark', u'tabl', u'top', u'hill', u'call', u'tabl', u'dona', u'maria', u'thi', u'hill', u'may', u'seen', u'clear', u'weather', u'consider', u'distanc', u'seaward', u'height', u'peculiar', u'shape', u'good', u'mark', u'thi', u'part', u'coast', u'ynfiernillo', u'rock', u'lie', u'due', u'west', u'northern', u'extrem', u'point', u'distanc', u'mue', u'fifti', u'feet', u'high', u'quit', u'black', u'form', u'sugar', u'loaf', u'danger', u'exist', u'near', u'fiftyfour', u'fathom', u'two', u'mue', u'distanc', u'thi', u'rock', u'point', u'cabal', u'coast', u'short', u'distanc', u'west', u'small', u'river', u'yea', u'sandi', u'beach', u'rang', u'moder', u'high', u'sand', u'hill', u'thenc', u'ynfierniuo', u'rocki', u'grassi', u'cliff', u'immedi', u'small', u'white', u'rock', u'l5tng', u'n', u'31', u'w', u'ten', u'half', u'mile', u'santa', u'maria', u'point', u'aqua', u'high', u'bluff', u'low', u'rocki', u'point', u'sandi', u'beach', u'interrupt', u'rocki', u'project', u'small', u'stream', u'run', u'hill', u'n', u'3', u'w', u'point', u'aqua', u'distanc', u'twentyon', u'mile', u'southern', u'entranc', u'bay', u'yndependencia', u'thi', u'extens', u'bay', u'fifteen', u'mue', u'length', u'nw', u'se', u'direct', u'three', u'mile', u'half', u'broad', u'ha', u'till', u'late', u'year', u'complet', u'unknown', u'overlook', u'mention', u'made', u'spanish', u'chart', u'wa', u'till', u'year', u'1825', u'hydrograph', u'lima', u'becam', u'awar', u'exist', u'onli', u'accident', u'discoveri', u'ha', u'two', u'entranc', u'southern', u'call', u'serrat', u'take', u'name', u'master', u'vessel', u'wa', u'discov', u'form', u'island', u'santa', u'rosa', u'north', u'point', u'quemada', u'south', u'three', u'quarter', u'mile', u'wide', u'free', u'danger', u'northern', u'entranc', u'name', u'dardo', u'truxiuano', u'two', u'vessel', u'cover', u'troop', u'pisco', u'ran', u'mistak', u'place', u'wreck', u'mani', u'peopl', u'board', u'perish', u'form', u'point', u'carreta', u'north', u'island', u'vieja', u'south', u'appendix', u'249', u'five', u'mile', u'width', u'clear', u'part', u'bound', u'west', u'island', u'vieja', u'santa', u'rosa', u'east', u'mainland', u'moder', u'high', u'cliffi', u'broken', u'sandi', u'beach', u'south', u'end', u'small', u'fish', u'villag', u'call', u'mungo', u'peopl', u'thi', u'villag', u'resid', u'yea', u'princip', u'town', u'provinc', u'twelv', u'leagu', u'distant', u'come', u'occasion', u'fish', u'remain', u'day', u'bring', u'au', u'suppli', u'even', u'water', u'necessari', u'life', u'obtain', u'neighbourhood', u'anchorag', u'ani', u'part', u'thi', u'spaciou', u'bay', u'bottom', u'quit', u'regular', u'twenti', u'fathom', u'except', u'shingl', u'spit', u'northeast', u'side', u'vieja', u'island', u'bank', u'run', u'spit', u'northward', u'five', u'six', u'fathom', u'thi', u'decidedli', u'best', u'place', u'anchor', u'weather', u'shore', u'near', u'quemado', u'point', u'blow', u'strong', u'sudden', u'gust', u'high', u'land', u'great', u'difficulti', u'would', u'found', u'land', u'wherea', u'spit', u'annoy', u'wind', u'snug', u'cove', u'basin', u'within', u'boat', u'may', u'landor', u'lie', u'ui', u'safeti', u'ani', u'time', u'approach', u'thi', u'part', u'coast', u'seaward', u'may', u'distinguish', u'three', u'cluster', u'hiu', u'quemado', u'vieja', u'island', u'carreta', u'nearli', u'height', u'equal', u'distanc', u'one', u'anoth', u'sw', u'side', u'morro', u'carreta', u'island', u'vieja', u'steep', u'dark', u'cliff', u'morro', u'quemado', u'slope', u'gradual', u'water', u'edg', u'much', u'lighter', u'colour', u'southern', u'extrem', u'vieja', u'island', u'remark', u'black', u'lump', u'land', u'shape', u'sugar', u'loaf', u'lie', u'white', u'level', u'island', u'santa', u'rosa', u'sw', u'side', u'stud', u'rock', u'breaker', u'danger', u'mue', u'shore', u'n', u'35', u'w', u'six', u'leagu', u'half', u'north', u'head', u'point', u'carreta', u'theboqueron', u'southern', u'entranc', u'bay', u'pisco', u'two', u'deep', u'angular', u'bay', u'island', u'rate', u'near', u'centr', u'boqueron', u'form', u'main', u'land', u'east', u'island', u'san', u'gallan', u'west', u'thi', u'island', u'two', u'mile', u'onethird', u'long', u'north', u'south', u'direct', u'one', u'mile', u'breadth', u'high', u'bold', u'chffi', u'outhn', u'deep', u'valley', u'divid', u'hul', u'seen', u'southwest', u'give', u'appear', u'saddl', u'south', u'extrem', u'termin', u'abruptli', u'northern', u'end', u'slope', u'gradual', u'ha', u'250', u'appendix', u'sever', u'peak', u'thi', u'end', u'detach', u'rock', u'northern', u'ha', u'appear', u'ninepin', u'shew', u'distinctli', u'j', u'e', u'distanc', u'mile', u'south', u'extrem', u'lie', u'piero', u'rock', u'much', u'way', u'vessel', u'bound', u'pisco', u'southward', u'level', u'water', u'edg', u'fine', u'weather', u'alway', u'seen', u'blow', u'hard', u'sometim', u'doe', u'thi', u'channel', u'weather', u'tide', u'run', u'confus', u'cross', u'sea', u'whole', u'space', u'cover', u'foam', u'render', u'difficult', u'distinguish', u'rock', u'time', u'shore', u'kept', u'well', u'aboard', u'either', u'side', u'line', u'outer', u'extrem', u'island', u'white', u'rock', u'point', u'huaca', u'vdu', u'within', u'rock', u'may', u'steer', u'point', u'paracca', u'round', u'open', u'bay', u'pisco', u'thi', u'extens', u'bay', u'form', u'peninsula', u'paracca', u'south', u'ballista', u'chincha', u'island', u'west', u'princip', u'port', u'provinc', u'yea', u'tovn', u'pisco', u'built', u'east', u'side', u'mile', u'sea', u'said', u'contain', u'three', u'thousand', u'inhabit', u'deriv', u'consider', u'profit', u'spirit', u'distil', u'known', u'name', u'pisco', u'italia', u'great', u'quantiti', u'annual', u'export', u'differ', u'part', u'coast', u'sugar', u'also', u'articl', u'trade', u'pico', u'stapl', u'commod', u'refresh', u'may', u'obtain', u'reason', u'term', u'wood', u'scarc', u'excel', u'water', u'may', u'head', u'caraca', u'bay', u'south', u'cluster', u'tree', u'two', u'mile', u'fish', u'villag', u'paracca', u'land', u'veri', u'good', u'well', u'near', u'beach', u'best', u'anchorag', u'town', u'vnth', u'church', u'open', u'road', u'bear', u'e', u'14', u'n', u'four', u'fathom', u'muddi', u'bottom', u'threequart', u'mile', u'shore', u'heavi', u'surf', u'beat', u'beach', u'roller', u'distanc', u'quarter', u'mue', u'render', u'danger', u'land', u'ship', u'boat', u'launch', u'built', u'purpos', u'use', u'load', u'discharg', u'vessel', u'time', u'even', u'stand', u'commun', u'cut', u'two', u'three', u'day', u'togeth', u'four', u'entranc', u'thi', u'capaci', u'bay', u'southward', u'alreadi', u'name', u'san', u'gallan', u'ballista', u'island', u'chincha', u'island', u'great', u'northern', u'entranc', u'au', u'appear', u'may', u'safe', u'use', u'appendix', u'251', u'island', u'time', u'would', u'allow', u'ml', u'examin', u'therefor', u'may', u'danger', u'unseen', u'us', u'come', u'southward', u'pass', u'point', u'paracca', u'cours', u'may', u'shape', u'midway', u'blancaa', u'island', u'church', u'pisco', u'seen', u'distinctli', u'thi', u'lead', u'directli', u'anchorag', u'mile', u'half', u'round', u'point', u'paracca', u'bay', u'shoal', u'patch', u'extend', u'four', u'fathom', u'tail', u'thi', u'bank', u'pass', u'stand', u'toward', u'anchorag', u'water', u'deepen', u'suddenli', u'abreast', u'blancaa', u'island', u'twelv', u'fathom', u'muddi', u'bottom', u'thi', u'depth', u'decreas', u'gradual', u'anchorag', u'come', u'northward', u'plain', u'sail', u'pass', u'chincha', u'island', u'stand', u'boldli', u'anchorag', u'water', u'shoal', u'quicker', u'thi', u'side', u'blancaa', u'island', u'danger', u'whatev', u'vessel', u'ballast', u'work', u'anchor', u'shingl', u'point', u'lie', u'close', u'shore', u'boat', u'may', u'load', u'expedit', u'come', u'seaward', u'thi', u'part', u'coast', u'may', u'easili', u'knovm', u'island', u'san', u'gallan', u'high', u'peninsula', u'paracca', u'back', u'make', u'like', u'larg', u'island', u'land', u'side', u'consider', u'lower', u'fail', u'back', u'eastward', u'visibl', u'moder', u'distanc', u'shore', u'approach', u'chincha', u'ballista', u'island', u'seen', u'confirm', u'posit', u'island', u'lie', u'coast', u'thi', u'parallel', u'pisco', u'coast', u'run', u'northerli', u'direct', u'low', u'sandi', u'beach', u'regular', u'sound', u'oif', u'till', u'reach', u'river', u'chincha', u'thenc', u'commenc', u'clay', u'cliffi', u'coast', u'continu', u'far', u'river', u'canut', u'thi', u'river', u'point', u'frayl', u'beauti', u'fertil', u'valley', u'middl', u'situat', u'town', u'certo', u'azul', u'thi', u'valley', u'produc', u'rum', u'sugar', u'chancaca', u'sort', u'treacl', u'resort', u'coaster', u'anchorag', u'wnw', u'bluff', u'form', u'cove', u'threequart', u'mile', u'distant', u'seven', u'fathom', u'nearer', u'shore', u'water', u'shoal', u'caus', u'long', u'swell', u'land', u'place', u'northern', u'side', u'point', u'stoni', u'beach', u'heavi', u'surf', u'constantli', u'break', u'n', u'39', u'w', u'fifteen', u'mile', u'cerro', u'azul', u'lie', u'island', u'asia', u'round', u'white', u'islcuid', u'mile', u'circumfer', u'rock', u'z', u'2', u'appendix', u'extend', u'shore', u'two', u'bay', u'hut', u'scarc', u'afford', u'anchorag', u'coast', u'line', u'partli', u'rocki', u'partli', u'sandi', u'beach', u'inshor', u'hol', u'fourteen', u'hundr', u'feet', u'height', u'inclin', u'gradual', u'toward', u'coast', u'n', u'41', u'w', u'twenti', u'mile', u'asia', u'island', u'chilca', u'point', u'three', u'hundr', u'feet', u'highest', u'part', u'ha', u'sever', u'rise', u'termin', u'steep', u'cuff', u'small', u'flat', u'rock', u'close', u'valley', u'chilca', u'leagu', u'southward', u'point', u'harbour', u'name', u'half', u'leagu', u'northward', u'thi', u'snug', u'cove', u'veri', u'confin', u'anchorag', u'good', u'ani', u'part', u'land', u'toler', u'small', u'villag', u'head', u'bay', u'inform', u'could', u'obtain', u'inhabit', u'chilca', u'desert', u'hut', u'arriv', u'chilca', u'coast', u'form', u'bend', u'valley', u'lierin', u'pachacamac', u'island', u'northern', u'largest', u'half', u'mile', u'length', u'cabl', u'length', u'broad', u'next', u'one', u'remark', u'quit', u'hke', u'sugarloaf', u'perfectli', u'round', u'top', u'mere', u'rock', u'visibl', u'ani', u'distanc', u'northern', u'end', u'island', u'lie', u'small', u'reef', u'even', u'water', u'edg', u'group', u'run', u'nearli', u'parallel', u'coast', u'nw', u'se', u'direct', u'leagu', u'extent', u'danger', u'outer', u'side', u'toward', u'shore', u'water', u'shoal', u'caus', u'long', u'swell', u'time', u'must', u'break', u'island', u'morro', u'solar', u'sandi', u'beach', u'moder', u'high', u'land', u'short', u'distanc', u'sea', u'morro', u'solar', u'remark', u'cluster', u'hol', u'situat', u'sandi', u'plain', u'seen', u'southward', u'ha', u'appear', u'island', u'shape', u'quoin', u'slope', u'westward', u'fall', u'abruptli', u'inshor', u'side', u'face', u'sea', u'termin', u'steep', u'cliff', u'ha', u'sandi', u'bay', u'side', u'point', u'southern', u'sand', u'bay', u'islet', u'rock', u'lie', u'point', u'northern', u'sand', u'bay', u'reef', u'rock', u'cabl', u'length', u'round', u'thi', u'reef', u'north', u'side', u'morro', u'town', u'road', u'choriuo', u'town', u'choriuo', u'built', u'cliff', u'foot', u'one', u'slope', u'morro', u'solar', u'use', u'chiefli', u'bathingplac', u'inhabit', u'lima', u'dure', u'revolut', u'road', u'fill', u'ship', u'callao', u'though', u'exceedingli', u'bad', u'place', u'bottom', u'hard', u'sand', u'patch', u'hard', u'stoni', u'clay', u'appendix', u'253', u'mix', u'togeth', u'call', u'tosca', u'heavi', u'swell', u'set', u'round', u'point', u'caus', u'almost', u'roller', u'bring', u'vessel', u'anchor', u'throw', u'back', u'sudden', u'jerk', u'make', u'drag', u'endang', u'snap', u'cabl', u'vessel', u'anchor', u'ought', u'shut', u'southern', u'point', u'morro', u'next', u'point', u'northward', u'keep', u'thi', u'mark', u'open', u'eight', u'nine', u'fathom', u'much', u'swell', u'land', u'veri', u'bad', u'cano', u'built', u'purpos', u'dexter', u'manag', u'usual', u'mean', u'commun', u'doubt', u'time', u'ship', u'boat', u'may', u'land', u'without', u'danger', u'veri', u'seldom', u'probabl', u'without', u'crew', u'thoroughli', u'drench', u'choriuo', u'coast', u'run', u'steadi', u'sweep', u'cliff', u'less', u'height', u'tiu', u'reach', u'point', u'callao', u'shingl', u'spit', u'stretch', u'toward', u'island', u'san', u'lorenzo', u'form', u'extens', u'commodi', u'bay', u'callao', u'island', u'san', u'lorenzo', u'1050', u'feet', u'highest', u'part', u'four', u'mile', u'half', u'long', u'nw', u'se', u'direct', u'one', u'mile', u'broad', u'oif', u'se', u'end', u'lie', u'small', u'boldlook', u'island', u'call', u'front', u'sw', u'palomina', u'rock', u'northern', u'end', u'cape', u'san', u'lorenzo', u'clear', u'round', u'usual', u'passag', u'anchorag', u'callao', u'round', u'thi', u'cape', u'close', u'land', u'nearer', u'half', u'mile', u'within', u'distanc', u'hight', u'baffl', u'air', u'caus', u'eddi', u'wind', u'round', u'island', u'get', u'among', u'would', u'delay', u'gave', u'island', u'good', u'berth', u'make', u'addit', u'tack', u'fetch', u'anchorag', u'thi', u'usual', u'rout', u'anoth', u'common', u'precaut', u'may', u'use', u'great', u'advantag', u'vessel', u'come', u'southward', u'thi', u'boqueron', u'form', u'island', u'san', u'lorenzo', u'cauao', u'point', u'make', u'san', u'lorenzo', u'front', u'steer', u'keep', u'south', u'extrem', u'latter', u'point', u'open', u'bow', u'port', u'keep', u'thi', u'cours', u'callao', u'castl', u'seen', u'ha', u'two', u'martel', u'tower', u'situat', u'inner', u'part', u'shingl', u'spit', u'form', u'point', u'steer', u'till', u'horadada', u'island', u'hole', u'come', u'middl', u'southern', u'sandi', u'bay', u'morro', u'solar', u'inner', u'decliv', u'hill', u'solar', u'point', u'bear', u'66', u'e', u'mark', u'steer', u'n', u'66', u'w', u'furthest', u'point', u'appendix', u'lorenzo', u'see', u'clear', u'danger', u'west', u'martel', u'tower', u'castl', u'come', u'northern', u'part', u'cauao', u'spit', u'bear', u'n', u'49', u'e', u'may', u'haul', u'gradual', u'round', u'till', u'tower', u'seen', u'northward', u'breaker', u'shoal', u'lie', u'oif', u'spit', u'direct', u'cours', u'may', u'shape', u'anchorag', u'regular', u'tide', u'thi', u'passag', u'gener', u'littl', u'set', u'directli', u'sometim', u'nw', u'contrari', u'shove', u'stream', u'advers', u'fall', u'calm', u'channel', u'good', u'anchorag', u'eight', u'nine', u'fathom', u'lead', u'mark', u'callao', u'well', u'known', u'seaport', u'lima', u'seven', u'mile', u'inland', u'situat', u'five', u'hundr', u'feet', u'abov', u'level', u'sea', u'foot', u'rang', u'mountain', u'seen', u'anchorag', u'fine', u'day', u'ha', u'impos', u'appear', u'trade', u'wa', u'flourish', u'condit', u'1', u'836', u'govern', u'becom', u'settl', u'thi', u'may', u'first', u'commerci', u'port', u'west', u'coast', u'south', u'america', u'suppli', u'sort', u'may', u'obtain', u'ship', u'fresh', u'provis', u'well', u'veget', u'abund', u'fruit', u'water', u'also', u'extrem', u'conveni', u'wellconstruct', u'mole', u'run', u'sea', u'boat', u'lie', u'fill', u'pipe', u'project', u'side', u'wood', u'scarcest', u'articl', u'veri', u'dear', u'9o', u'vessel', u'like', u'remain', u'thi', u'port', u'husband', u'fuel', u'accordingli', u'callao', u'coast', u'sandi', u'beach', u'run', u'northerli', u'direct', u'reach', u'point', u'vernal', u'becom', u'higher', u'clifiy', u'charact', u'continu', u'far', u'point', u'mutati', u'roimd', u'littl', u'bay', u'ancon', u'west', u'southwest', u'ancon', u'lie', u'pescador', u'island', u'outer', u'largest', u'bear', u'n', u'31', u'w', u'callao', u'castl', u'distanc', u'eighteen', u'mue', u'danger', u'among', u'island', u'steepto', u'twenti', u'thirti', u'fathom', u'near', u'n', u'33', u'w', u'point', u'mutati', u'twelv', u'mile', u'distant', u'bay', u'chancay', u'river', u'name', u'thi', u'bay', u'may', u'known', u'bluff', u'head', u'form', u'point', u'ha', u'three', u'hill', u'easterli', u'direct', u'confin', u'place', u'fit', u'onli', u'small', u'coaster', u'chancay', u'coast', u'run', u'westerli', u'direct', u'far', u'point', u'salina', u'shingl', u'beach', u'broken', u'clifiy', u'point', u'appendix', u'255', u'hill', u'near', u'coast', u'four', u'hundr', u'five', u'hundr', u'feet', u'high', u'point', u'head', u'salina', u'five', u'mile', u'length', u'north', u'south', u'direct', u'southern', u'extrem', u'reef', u'rock', u'quarter', u'mile', u'shore', u'northern', u'part', u'call', u'la', u'raja', u'islet', u'cabl', u'distanc', u'point', u'two', u'cove', u'fit', u'onli', u'boat', u'remark', u'round', u'hill', u'call', u'salina', u'short', u'distanc', u'coast', u'shore', u'level', u'sandi', u'plain', u'south', u'side', u'thi', u'plain', u'number', u'salina', u'saltpond', u'headland', u'take', u'name', u'pond', u'visit', u'occasion', u'peopl', u'huacho', u'south', u'part', u'salina', u'southwest', u'direct', u'lie', u'hara', u'island', u'largest', u'call', u'mazorqu', u'two', u'hundr', u'feet', u'height', u'threequart', u'mile', u'long', u'quit', u'white', u'sealer', u'occasion', u'frequent', u'thi', u'island', u'land', u'north', u'side', u'next', u'size', u'call', u'place', u'lie', u'49', u'w', u'six', u'mile', u'half', u'mazorqu', u'one', u'hundr', u'fifti', u'feet', u'high', u'appar', u'quit', u'round', u'two', u'island', u'safe', u'passag', u'exist', u'may', u'use', u'without', u'fear', u'work', u'callao', u'mazorqu', u'salina', u'sever', u'smaller', u'island', u'appear', u'may', u'approach', u'without', u'danger', u'advantag', u'could', u'gain', u'would', u'prudent', u'risk', u'go', u'vessel', u'work', u'sometim', u'go', u'inner', u'one', u'point', u'gain', u'doe', u'appear', u'current', u'set', u'southward', u'run', u'equal', u'strong', u'mazorqu', u'place', u'doe', u'nearer', u'shore', u'round', u'northern', u'point', u'salina', u'head', u'bay', u'name', u'larg', u'dimens', u'afford', u'anchorag', u'thi', u'bay', u'coast', u'moder', u'high', u'cliffi', u'without', u'ani', u'break', u'reach', u'bay', u'huacho', u'thi', u'bay', u'lie', u'round', u'bluff', u'head', u'small', u'anchorag', u'good', u'five', u'fathom', u'within', u'two', u'rock', u'run', u'northern', u'part', u'head', u'town', u'built', u'mile', u'coast', u'midst', u'fertil', u'plain', u'come', u'seaward', u'ha', u'pleasant', u'appear', u'place', u'much', u'trade', u'whaleship', u'find', u'use', u'water', u'refresh', u'crew', u'fresh', u'provis', u'veget', u'fruit', u'abund', u'reason', u'term', u'wood', u'also', u'plenti', u'stream', u'fresh', u'water', u'256', u'appendix', u'run', u'side', u'cliff', u'sea', u'land', u'toler', u'good', u'raft', u'seem', u'best', u'method', u'water', u'come', u'seaward', u'best', u'distinguish', u'mark', u'thi', u'place', u'beagl', u'mountain', u'three', u'number', u'near', u'rang', u'ha', u'two', u'separ', u'peak', u'lie', u'directli', u'bay', u'close', u'land', u'rornid', u'hiu', u'salina', u'point', u'island', u'san', u'martin', u'northward', u'seen', u'midway', u'bay', u'huacho', u'light', u'brown', u'cliff', u'top', u'cover', u'brushwood', u'southward', u'coast', u'dark', u'rocki', u'cmff', u'n', u'29', u'w', u'three', u'mile', u'twothird', u'huacho', u'head', u'bat', u'tarquin', u'scarc', u'larg', u'huacho', u'appar', u'shoal', u'useless', u'ship', u'head', u'steep', u'cliff', u'sharptop', u'hiu', u'rock', u'abov', u'water', u'islet', u'threequart', u'mile', u'distant', u'n', u'31', u'w', u'three', u'mile', u'thi', u'islet', u'island', u'san', u'martin', u'round', u'northward', u'point', u'abreast', u'bay', u'bequest', u'thi', u'place', u'vessel', u'full', u'rock', u'breaker', u'noth', u'induc', u'one', u'go', u'thi', u'bay', u'coast', u'moder', u'high', u'sandi', u'outlin', u'reach', u'point', u'atahuan', u'qui', u'thi', u'steep', u'point', u'two', u'mound', u'partli', u'white', u'south', u'side', u'small', u'bay', u'north', u'side', u'fit', u'onli', u'boat', u'thi', u'point', u'south', u'part', u'point', u'thoma', u'coast', u'form', u'sandi', u'bay', u'low', u'shrubbi', u'town', u'supe', u'mile', u'sea', u'point', u'thoma', u'similar', u'appear', u'atahuanqui', u'without', u'white', u'south', u'side', u'northward', u'thi', u'point', u'snug', u'littl', u'bay', u'capabl', u'contain', u'four', u'five', u'sal', u'call', u'bay', u'supe', u'port', u'place', u'barranca', u'fish', u'villag', u'south', u'part', u'use', u'inhabit', u'barranca', u'dure', u'bath', u'season', u'hitherto', u'forbidden', u'port', u'govern', u'consequ', u'littl', u'known', u'ha', u'opportun', u'exchang', u'produc', u'good', u'countri', u'littl', u'inform', u'could', u'gain', u'size', u'neighbour', u'town', u'number', u'inhabit', u'contain', u'appear', u'thought', u'might', u'consider', u'extent', u'place', u'produc', u'chiefli', u'sugar', u'com', u'cargo', u'taken', u'variou', u'littl', u'vessel', u'trade', u'along', u'coast', u'refresh', u'may', u'appendix', u'257', u'obtain', u'water', u'scarc', u'ala', u'greater', u'part', u'brought', u'supe', u'use', u'inhabit', u'villag', u'best', u'anchorag', u'four', u'fathom', u'point', u'thoma', u'shut', u'inner', u'point', u'cabl', u'length', u'rock', u'run', u'point', u'rather', u'quarter', u'mile', u'villag', u'good', u'anchorag', u'six', u'seven', u'fathom', u'littl', u'shelter', u'swell', u'enter', u'danger', u'point', u'thoma', u'bold', u'regular', u'sound', u'ten', u'fifteen', u'fathom', u'threequart', u'mile', u'inner', u'point', u'rock', u'short', u'distanc', u'necess', u'hug', u'shore', u'close', u'alway', u'fetch', u'anchorag', u'keep', u'moder', u'distanc', u'stand', u'distinguish', u'thi', u'port', u'best', u'guid', u'distanc', u'bell', u'mountain', u'highest', u'remark', u'mountain', u'second', u'rang', u'bear', u'anchorag', u'e', u'39', u'n', u'may', u'distinguish', u'shape', u'like', u'bell', u'ha', u'three', u'distinct', u'rise', u'summit', u'highest', u'north', u'end', u'side', u'shew', u'veri', u'distinctli', u'hiu', u'near', u'consider', u'distanc', u'approach', u'coast', u'island', u'san', u'martin', u'southward', u'mount', u'darwin', u'cerro', u'horsa', u'small', u'round', u'hill', u'beach', u'steep', u'chffi', u'side', u'face', u'sea', u'appar', u'islet', u'seen', u'nearli', u'four', u'leagu', u'northward', u'harbour', u'ha', u'white', u'rock', u'north', u'extrem', u'mistaken', u'like', u'near', u'thi', u'part', u'coast', u'supe', u'coast', u'clay', u'cuff', u'hundr', u'feet', u'ln', u'height', u'distanc', u'leagu', u'half', u'becom', u'low', u'cover', u'brushwood', u'reach', u'cerro', u'horsa', u'alreadi', u'mention', u'becom', u'holi', u'near', u'sea', u'altern', u'rocki', u'point', u'small', u'sandi', u'bay', u'continu', u'distanc', u'six', u'leagu', u'bay', u'call', u'gramadel', u'thi', u'vnldlook', u'place', u'heavi', u'swell', u'roll', u'visit', u'occasion', u'hair', u'seal', u'abound', u'anchorag', u'six', u'seven', u'fathom', u'sandi', u'bottom', u'bluff', u'form', u'bay', u'bear', u'sse', u'half', u'mue', u'shore', u'land', u'scarc', u'practic', u'coast', u'maintain', u'rocki', u'charact', u'vdth', u'deep', u'water', u'far', u'buffadero', u'high', u'steep', u'cliff', u'vidth', u'hill', u'two', u'pap', u'littl', u'inshor', u'thi', u'bluff', u'rocki', u'cliff', u'two', u'hundr', u'three', u'hundr', u'feet', u'high', u'level', u'countri', u'far', u'point', u'lepanto', u'round', u'port', u'gurney', u'268', u'appendix', u'thi', u'toler', u'harbour', u'good', u'anchorag', u'ani', u'three', u'half', u'ten', u'fathom', u'fine', u'sandi', u'bottom', u'firewood', u'princip', u'commod', u'best', u'cheapest', u'place', u'whole', u'coast', u'vessel', u'consider', u'burthen', u'touch', u'articl', u'carri', u'cauao', u'deriv', u'great', u'profit', u'sale', u'also', u'saltpetr', u'work', u'establish', u'frenchman', u'littl', u'busi', u'done', u'line', u'town', u'northeasterli', u'direct', u'two', u'mile', u'anchorag', u'hid', u'surround', u'tree', u'grow', u'height', u'thirti', u'feet', u'ha', u'onli', u'one', u'street', u'contain', u'five', u'six', u'hundr', u'inhabit', u'anchorag', u'small', u'hous', u'use', u'transact', u'busi', u'build', u'unusu', u'place', u'small', u'villag', u'near', u'sea', u'larg', u'stack', u'wood', u'pile', u'beach', u'readi', u'embark', u'fresh', u'provis', u'veget', u'fruit', u'plenti', u'moder', u'water', u'depend', u'true', u'river', u'sever', u'month', u'march', u'plenti', u'suppli', u'summer', u'season', u'sometim', u'great', u'drought', u'time', u'whaleship', u'put', u'suppli', u'want', u'remain', u'sever', u'day', u'wait', u'water', u'come', u'mountain', u'legarto', u'head', u'steep', u'cliff', u'land', u'fall', u'immedi', u'insid', u'rise', u'height', u'say', u'pass', u'head', u'small', u'white', u'islet', u'seen', u'middl', u'bay', u'steer', u'may', u'border', u'southern', u'shore', u'mani', u'straggl', u'rock', u'run', u'point', u'suffici', u'far', u'northward', u'shape', u'midchannel', u'cours', u'white', u'islet', u'point', u'opposit', u'southward', u'lead', u'anchorag', u'stand', u'thi', u'direct', u'water', u'shoal', u'gradual', u'beach', u'southern', u'shore', u'must', u'account', u'approach', u'nearer', u'quarter', u'mue', u'best', u'anchorag', u'four', u'fathom', u'harbour', u'islet', u'bear', u'n', u'26', u'w', u'ruin', u'fort', u'hul', u'inshor', u'e', u'5', u'n', u'quarter', u'mile', u'landingplac', u'beach', u'thi', u'doe', u'seem', u'good', u'one', u'steep', u'rock', u'outer', u'side', u'bluff', u'sand', u'beach', u'commenc', u'probabl', u'conveni', u'load', u'boat', u'rise', u'fau', u'tide', u'irregular', u'time', u'high', u'water', u'appendix', u'259', u'uncertain', u'gener', u'speak', u'three', u'feet', u'may', u'consid', u'extent', u'rang', u'sea', u'breez', u'set', u'strongli', u'occasion', u'difficult', u'boat', u'pull', u'thi', u'particularli', u'case', u'high', u'land', u'whenc', u'come', u'sudden', u'gust', u'squall', u'come', u'seaward', u'best', u'way', u'make', u'thi', u'port', u'stand', u'parallel', u'10', u'06', u'within', u'leagu', u'coast', u'sharppeak', u'hill', u'larg', u'white', u'mark', u'seen', u'stand', u'alon', u'littl', u'north', u'port', u'break', u'hill', u'river', u'run', u'high', u'clifiy', u'side', u'land', u'also', u'much', u'lower', u'northward', u'legarto', u'head', u'larg', u'white', u'islet', u'north', u'end', u'gurney', u'bay', u'n', u'34', u'w', u'seven', u'mile', u'half', u'white', u'islet', u'north', u'extrem', u'gurney', u'bay', u'point', u'culebra', u'level', u'project', u'point', u'similar', u'appear', u'legarto', u'head', u'seen', u'northward', u'coast', u'mass', u'broken', u'cliff', u'innumer', u'detach', u'rock', u'moder', u'high', u'land', u'near', u'coast', u'north', u'side', u'point', u'culebra', u'anchorag', u'valley', u'name', u'thi', u'point', u'coast', u'rocki', u'small', u'sandi', u'bay', u'rock', u'lie', u'three', u'quarter', u'mile', u'also', u'white', u'clifiy', u'islet', u'five', u'mile', u'northward', u'culebra', u'whenc', u'coast', u'take', u'bend', u'inward', u'form', u'bay', u'run', u'toward', u'colin', u'deronda', u'point', u'two', u'hummock', u'seen', u'southward', u'appear', u'hke', u'island', u'north', u'side', u'thi', u'point', u'caleta', u'onli', u'fit', u'boat', u'immedi', u'cerro', u'mongon', u'cerro', u'mongon', u'highest', u'conspicu', u'object', u'thi', u'part', u'coast', u'seen', u'westward', u'ha', u'appear', u'round', u'rather', u'sharp', u'summit', u'southward', u'show', u'long', u'hul', u'peak', u'end', u'said', u'lake', u'fresh', u'water', u'summit', u'valley', u'abound', u'deer', u'truth', u'thi', u'vouch', u'examin', u'extend', u'far', u'mongon', u'rang', u'hill', u'run', u'parallel', u'coast', u'high', u'rocki', u'white', u'islet', u'lie', u'far', u'casma', u'termin', u'steep', u'rocki', u'bluff', u'form', u'southern', u'head', u'port', u'name', u'bay', u'casma', u'snug', u'anchorag', u'someth', u'form', u'horsesho', u'entranc', u'mile', u'three', u'quarter', u'appendix', u'nw', u'se', u'direct', u'mile', u'half', u'deep', u'outer', u'part', u'cheek', u'regular', u'sound', u'fifteen', u'ten', u'three', u'fathom', u'near', u'beach', u'best', u'anchorag', u'inner', u'part', u'south', u'cheek', u'bear', u'sse', u'quarter', u'mile', u'shore', u'seven', u'fathom', u'water', u'go', u'farther', u'escap', u'great', u'measur', u'sudden', u'gust', u'wind', u'time', u'come', u'dom', u'valley', u'great', u'violenc', u'captain', u'ferguson', u'hm', u'mersey', u'mention', u'rock', u'nine', u'feet', u'water', u'south', u'side', u'half', u'mue', u'shore', u'sometim', u'break', u'saw', u'noth', u'doubtless', u'exist', u'thi', u'place', u'seem', u'quit', u'desert', u'onli', u'thing', u'indic', u'ever', u'visit', u'stack', u'wood', u'pile', u'beach', u'best', u'distinguish', u'mark', u'casma', u'sandi', u'beach', u'bay', u'sand', u'hill', u'inshor', u'contrast', u'strongli', u'hard', u'dark', u'rock', u'head', u'entranc', u'form', u'also', u'small', u'black', u'islet', u'lie', u'httle', u'westward', u'casma', u'coast', u'take', u'rather', u'westerli', u'direct', u'continu', u'bold', u'rocki', u'n', u'44', u'w', u'five', u'leagu', u'casma', u'harbour', u'samanco', u'humbacho', u'midway', u'bay', u'almost', u'hidden', u'two', u'island', u'lie', u'across', u'entranc', u'thi', u'bay', u'four', u'mile', u'long', u'two', u'mile', u'deep', u'bay', u'samanco', u'near', u'hand', u'wa', u'examin', u'us', u'capabl', u'bay', u'samanco', u'extens', u'coast', u'northward', u'callao', u'two', u'leagu', u'length', u'nw', u'se', u'direct', u'leagu', u'half', u'wide', u'entranc', u'two', u'mile', u'wide', u'form', u'point', u'samanco', u'south', u'seal', u'island', u'north', u'ha', u'regular', u'sound', u'se', u'comer', u'sandi', u'bay', u'small', u'villag', u'resid', u'fishermen', u'situat', u'termin', u'river', u'nepena', u'thi', u'river', u'like', u'coast', u'ha', u'suffici', u'strength', u'forc', u'passag', u'beach', u'termin', u'lagoon', u'within', u'yard', u'sea', u'tovra', u'huambacho', u'nearest', u'place', u'thi', u'bay', u'lie', u'leagu', u'distant', u'east', u'extrem', u'valley', u'pena', u'princip', u'town', u'lie', u'northeast', u'five', u'leagu', u'tlier', u'veri', u'littl', u'trade', u'thi', u'place', u'small', u'coast', u'vessel', u'appendix', u'261', u'payta', u'sometim', u'call', u'mix', u'cargo', u'get', u'exchang', u'sugar', u'httle', u'grain', u'refresh', u'may', u'obtain', u'neighbour', u'town', u'wood', u'scarc', u'water', u'river', u'brackish', u'unfit', u'use', u'well', u'left', u'bank', u'short', u'distanc', u'hut', u'taken', u'board', u'thi', u'water', u'good', u'contrari', u'gener', u'ride', u'ha', u'time', u'confin', u'board', u'becom', u'wholesom', u'pleasant', u'tast', u'distanc', u'best', u'mark', u'distinguish', u'thi', u'bay', u'mount', u'divis', u'hill', u'three', u'sharp', u'peak', u'situat', u'peninsula', u'samanco', u'bay', u'ferrol', u'also', u'bell', u'shape', u'hiu', u'south', u'side', u'bay', u'show', u'veri', u'distinctli', u'mount', u'tortuga', u'short', u'distanc', u'inland', u'nne', u'also', u'seen', u'higher', u'similar', u'appear', u'bell', u'mount', u'south', u'entranc', u'point', u'steep', u'bluff', u'rock', u'lie', u'cabl', u'length', u'open', u'bay', u'lead', u'bluff', u'seen', u'larg', u'lump', u'rock', u'sandi', u'beach', u'nee', u'side', u'look', u'like', u'island', u'go', u'give', u'samanco', u'head', u'berth', u'pass', u'may', u'stand', u'close', u'conveni', u'weather', u'shore', u'anchor', u'villag', u'four', u'five', u'six', u'fathom', u'sandi', u'bottom', u'round', u'inner', u'point', u'take', u'care', u'small', u'spar', u'wind', u'come', u'beu', u'mount', u'sudden', u'variabl', u'puff', u'n', u'43', u'w', u'three', u'leagu', u'samanco', u'entranc', u'bay', u'ferrol', u'nearli', u'equal', u'size', u'samanco', u'separ', u'low', u'sandi', u'isthmu', u'excel', u'place', u'vessel', u'careen', u'entir', u'free', u'swell', u'set', u'port', u'nee', u'side', u'indian', u'villag', u'chimbot', u'told', u'refresh', u'ani', u'kind', u'might', u'water', u'entranc', u'clear', u'reef', u'rock', u'blancaa', u'island', u'half', u'mile', u'northward', u'must', u'avoid', u'n', u'40', u'w', u'two', u'leagu', u'entranc', u'ferrol', u'santa', u'island', u'mile', u'half', u'length', u'lie', u'nne', u'ssw', u'veri', u'white', u'colour', u'without', u'two', u'sharppoint', u'rock', u'twenti', u'feet', u'abov', u'sea', u'two', u'mile', u'nne', u'island', u'santa', u'head', u'north', u'side', u'harbour', u'name', u'thi', u'although', u'small', u'toler', u'harbour', u'best', u'anchorag', u'four', u'five', u'fathom', u'extrem', u'head', u'bear', u'sw', u'fresh', u'provis', u'veget', u'may', u'obtain', u'moder', u'term', u'also', u'toler', u'place', u'water', u'262', u'appendix', u'town', u'lie', u'west', u'anchorag', u'two', u'mile', u'distant', u'mouth', u'river', u'mue', u'half', u'along', u'beach', u'thi', u'largest', u'rapid', u'river', u'coast', u'peru', u'santa', u'head', u'seen', u'wind', u'way', u'valley', u'sever', u'islet', u'interrupt', u'cours', u'termin', u'branch', u'becom', u'shallow', u'onli', u'suffici', u'strength', u'make', u'narrow', u'outlet', u'sandi', u'beach', u'form', u'coast', u'line', u'heavi', u'danger', u'surf', u'lie', u'boat', u'could', u'approach', u'vdth', u'ani', u'degre', u'safeti', u'thi', u'part', u'coast', u'may', u'known', u'wide', u'spread', u'valley', u'river', u'run', u'bound', u'side', u'rang', u'sharptop', u'hiu', u'approach', u'santa', u'island', u'plainli', u'seen', u'head', u'name', u'also', u'small', u'remark', u'white', u'island', u'call', u'corcovado', u'nw', u'harbour', u'danger', u'enter', u'sound', u'regular', u'distanc', u'outsid', u'may', u'anchor', u'ani', u'island', u'moder', u'depth', u'water', u'cours', u'expos', u'swell', u'n', u'39', u'w', u'five', u'leagu', u'santa', u'lie', u'chao', u'island', u'one', u'mile', u'three', u'quarter', u'point', u'hill', u'name', u'largest', u'mue', u'circumfer', u'one', u'hundr', u'twenti', u'feet', u'high', u'like', u'island', u'quit', u'white', u'regular', u'sound', u'ten', u'twenti', u'fathom', u'distanc', u'mile', u'shore', u'santa', u'chao', u'coast', u'low', u'sandi', u'beach', u'continu', u'form', u'shallow', u'bay', u'far', u'hill', u'guanap', u'moder', u'high', u'land', u'mile', u'inshor', u'hill', u'guanap', u'three', u'hundr', u'feet', u'high', u'rather', u'sharp', u'summit', u'seen', u'southward', u'appear', u'like', u'island', u'north', u'side', u'small', u'cove', u'toler', u'land', u'insid', u'rock', u'point', u'8', u'w', u'thi', u'point', u'six', u'seven', u'mile', u'coast', u'lie', u'guanap', u'island', u'safe', u'passag', u'shore', u'may', u'said', u'two', u'islet', u'rock', u'lie', u'southern', u'highest', u'conspicu', u'hiu', u'guanap', u'coast', u'continu', u'sandi', u'beach', u'regular', u'sound', u'rang', u'high', u'sharptop', u'hill', u'two', u'leagu', u'sea', u'near', u'littl', u'hiu', u'carreta', u'beach', u'ha', u'morro', u'garita', u'de', u'mocha', u'overlook', u'commenc', u'valley', u'chime', u'middl', u'appendix', u'263', u'situat', u'citi', u'truxillo', u'northern', u'extrem', u'villag', u'road', u'huanchaco', u'thi', u'bad', u'place', u'ship', u'seem', u'badli', u'chosen', u'north', u'side', u'hul', u'carreta', u'much', u'better', u'place', u'land', u'embark', u'good', u'might', u'farther', u'improv', u'sink', u'small', u'craft', u'laden', u'stone', u'plenti', u'hill', u'would', u'afford', u'road', u'huanchaco', u'north', u'side', u'rock', u'run', u'chffi', u'project', u'shelter', u'land', u'slight', u'degre', u'afford', u'protect', u'ship', u'villag', u'cliff', u'distinguish', u'till', u'northward', u'point', u'church', u'rise', u'ground', u'show', u'veri', u'distinctli', u'good', u'guid', u'near', u'coast', u'usual', u'anchorag', u'church', u'tree', u'stand', u'villag', u'one', u'bear', u'east', u'mile', u'quarter', u'shore', u'seven', u'fathom', u'dark', u'sand', u'mud', u'vessel', u'often', u'weigh', u'slip', u'stand', u'owe', u'heavi', u'swell', u'set', u'also', u'customari', u'sight', u'anchor', u'onc', u'twentyfour', u'hour', u'prevent', u'imbed', u'firmli', u'requir', u'much', u'time', u'weigh', u'requir', u'land', u'effect', u'ship', u'boat', u'launch', u'construct', u'purpos', u'man', u'indian', u'villag', u'skil', u'manag', u'come', u'arriv', u'land', u'safe', u'charg', u'six', u'dollar', u'equal', u'one', u'pound', u'four', u'shill', u'sterl', u'rememb', u'charg', u'cargo', u'good', u'risk', u'surf', u'pay', u'fresh', u'provis', u'may', u'truxillo', u'water', u'question', u'citi', u'said', u'contain', u'4000', u'inhabit', u'rice', u'princip', u'product', u'valley', u'articl', u'speci', u'vessel', u'call', u'bound', u'thi', u'road', u'stand', u'parallel', u'8', u'mile', u'windward', u'drill', u'see', u'mount', u'campania', u'bellshap', u'mount', u'stand', u'alon', u'two', u'leagu', u'northward', u'huanchaco', u'peak', u'veri', u'sharp', u'first', u'hul', u'rang', u'north', u'side', u'valley', u'shortli', u'church', u'vtdu', u'come', u'sight', u'ship', u'road', u'coast', u'cliffi', u'mile', u'northward', u'huanchaco', u'low', u'sandi', u'soil', u'bush', u'commenc', u'regular', u'sound', u'continu', u'far', u'malabrigo', u'road', u'thi', u'bay', u'264', u'appendix', u'although', u'bad', u'consider', u'prefer', u'huanchaco', u'form', u'cluster', u'hiu', u'project', u'beyond', u'gener', u'trend', u'coast', u'distanc', u'appear', u'like', u'island', u'fish', u'villag', u'se', u'side', u'trade', u'carri', u'town', u'paysan', u'lie', u'leagu', u'se', u'account', u'gave', u'malabrigo', u'must', u'consider', u'extent', u'best', u'anchorag', u'vidth', u'villag', u'bear', u'ese', u'threequart', u'mile', u'shore', u'four', u'fathom', u'sandi', u'bottom', u'land', u'bad', u'fishermen', u'call', u'bunch', u'reed', u'fasten', u'togeth', u'turn', u'bow', u'like', u'balsa', u'chue', u'much', u'higher', u'light', u'throwth', u'top', u'surf', u'beach', u'jump', u'carri', u'shoulder', u'hut', u'seem', u'differ', u'bay', u'road', u'ha', u'peculiarlyconstruct', u'vessel', u'adapt', u'surf', u'ha', u'go', u'small', u'island', u'mirabili', u'e', u'two', u'leagu', u'malabrigo', u'safe', u'channel', u'ten', u'fathom', u'main', u'land', u'n', u'35', u'w', u'six', u'leagu', u'half', u'malabrigo', u'road', u'pacasmayo', u'two', u'coast', u'low', u'cliffi', u'sandi', u'beach', u'foot', u'cuff', u'sound', u'nine', u'ten', u'fathom', u'two', u'mile', u'shore', u'pacasmayo', u'suffici', u'good', u'roadstead', u'project', u'sandi', u'point', u'flat', u'run', u'distanc', u'quarter', u'mile', u'best', u'anchorag', u'point', u'bear', u'e', u'villag', u'east', u'five', u'fathom', u'sand', u'mud', u'danger', u'stand', u'sound', u'regular', u'shoal', u'gradual', u'toward', u'shore', u'land', u'difficult', u'launch', u'use', u'huanchaco', u'princip', u'export', u'rice', u'brought', u'town', u'san', u'pedro', u'de', u'loco', u'two', u'leagu', u'inland', u'fresh', u'provis', u'may', u'also', u'obtain', u'place', u'wood', u'water', u'may', u'villag', u'beach', u'princip', u'inhabit', u'indian', u'employ', u'merchant', u'san', u'pedro', u'distinguish', u'thi', u'road', u'seaward', u'best', u'guid', u'stand', u'parallel', u'7', u'25', u'30', u'thin', u'six', u'leagu', u'hill', u'malabrigo', u'seen', u'appear', u'like', u'island', u'slope', u'gradual', u'side', u'littl', u'northward', u'arcana', u'hi', u'rug', u'sharp', u'peak', u'approach', u'low', u'yellow', u'cliff', u'win', u'appear', u'north', u'road', u'highest', u'summit', u'north', u'side', u'point', u'dark', u'squar', u'bud', u'appendix', u'265', u'shew', u'veri', u'distinctli', u'best', u'mark', u'anchorag', u'ship', u'ani', u'thi', u'road', u'coast', u'continu', u'low', u'broken', u'cliff', u'reach', u'point', u'eten', u'whiuch', u'doubl', u'hiu', u'southern', u'one', u'highest', u'steep', u'cliff', u'face', u'sea', u'north', u'side', u'thi', u'cliff', u'white', u'shew', u'conspicu', u'n', u'43', u'w', u'httle', u'four', u'leagu', u'road', u'lambayeux', u'worst', u'anchorag', u'coast', u'peru', u'small', u'villag', u'rise', u'ground', u'church', u'shew', u'white', u'toward', u'sea', u'vessel', u'anchor', u'five', u'fathom', u'mile', u'quarter', u'shore', u'bottom', u'hard', u'sand', u'bad', u'hold', u'ground', u'alway', u'necessari', u'two', u'anchor', u'readi', u'heavi', u'swell', u'set', u'thi', u'beach', u'render', u'almost', u'imposs', u'bring', u'one', u'particularli', u'sea', u'breez', u'set', u'rice', u'chief', u'commod', u'vessel', u'touch', u'onli', u'method', u'discharg', u'take', u'cargo', u'fact', u'land', u'mean', u'balsa', u'thi', u'raft', u'nine', u'log', u'cabbag', u'palm', u'secur', u'togeth', u'lash', u'platform', u'rais', u'two', u'feet', u'good', u'place', u'tliey', u'larg', u'lug', u'sail', u'use', u'land', u'wind', u'along', u'shore', u'enabl', u'run', u'surf', u'beach', u'eas', u'safeti', u'seldom', u'happen', u'ani', u'damag', u'sustain', u'thi', u'peculiar', u'mode', u'proceed', u'suppli', u'fresh', u'provis', u'fruit', u'veget', u'may', u'obtain', u'neither', u'wood', u'water', u'coast', u'continu', u'low', u'sandi', u'similar', u'appear', u'lambayequ', u'distanc', u'twentyf', u'leagu', u'extens', u'rang', u'tableland', u'consider', u'height', u'broken', u'rocki', u'point', u'commenc', u'continu', u'point', u'aguja', u'needl', u'fifteen', u'leagu', u'lambayequ', u'ese', u'direct', u'lie', u'small', u'group', u'island', u'call', u'lobo', u'de', u'afuera', u'island', u'leagu', u'length', u'north', u'south', u'mile', u'half', u'broad', u'hundr', u'feet', u'high', u'mix', u'brown', u'white', u'colour', u'may', u'seen', u'sever', u'leagu', u'quit', u'barren', u'afford', u'neither', u'wood', u'water', u'cove', u'north', u'side', u'form', u'two', u'princip', u'island', u'deep', u'water', u'rocki', u'bottom', u'within', u'thi', u'cove', u'sever', u'nook', u'small', u'vessel', u'might', u'careen', u'without', u'interrupt', u'swell', u'island', u'resort', u'fishermen', u'lambayequ', u'balsa', u'carri', u'necessari', u'remain', u'sgj', u'appendix', u'month', u'salt', u'fish', u'mhich', u'fetch', u'high', u'price', u'lambayequ', u'danger', u'round', u'island', u'distanc', u'mile', u'regular', u'sound', u'found', u'shore', u'fifti', u'fathom', u'abreast', u'island', u'n', u'26', u'w', u'ten', u'leagu', u'lobo', u'de', u'afuera', u'lie', u'island', u'lobo', u'de', u'tieeea', u'nearli', u'two', u'leagu', u'length', u'north', u'south', u'littl', u'two', u'mile', u'wide', u'seen', u'seaward', u'hasa', u'similar', u'appear', u'former', u'island', u'mani', u'rock', u'blind', u'breaker', u'lie', u'round', u'particularli', u'west', u'side', u'toler', u'anchorag', u'nee', u'side', u'eleven', u'twelv', u'fathom', u'sand', u'broken', u'shell', u'safe', u'passag', u'said', u'exist', u'thi', u'island', u'main', u'distant', u'ten', u'mile', u'advantag', u'could', u'gain', u'go', u'wa', u'thoroughli', u'examin', u'us', u'point', u'aguja', u'long', u'level', u'termin', u'steep', u'bluff', u'150', u'feet', u'high', u'ha', u'finger', u'rock', u'short', u'distanc', u'sever', u'detach', u'rock', u'round', u'point', u'three', u'mile', u'half', u'nne', u'thi', u'point', u'noniira', u'five', u'mile', u'farther', u'direct', u'point', u'pisura', u'south', u'point', u'ba', u'sechura', u'aguja', u'point', u'pisura', u'two', u'small', u'bay', u'anchorag', u'may', u'obtain', u'requir', u'land', u'thi', u'part', u'much', u'higher', u'ha', u'deeper', u'water', u'either', u'side', u'may', u'readili', u'known', u'regular', u'tabletop', u'bay', u'sechura', u'twelv', u'leagu', u'length', u'form', u'littl', u'lobo', u'island', u'payta', u'point', u'pisura', u'six', u'leagu', u'deep', u'se', u'side', u'coast', u'show', u'low', u'sand', u'hill', u'go', u'northward', u'becom', u'chffi', u'consider', u'higher', u'near', u'centr', u'bay', u'entranc', u'river', u'piura', u'tovra', u'sechura', u'situat', u'bank', u'thi', u'town', u'inhabit', u'chiefli', u'indian', u'carri', u'consider', u'trade', u'salt', u'take', u'payta', u'balsa', u'sell', u'ship', u'river', u'small', u'suffici', u'size', u'admit', u'balsa', u'laden', u'anchorag', u'ani', u'town', u'twelv', u'five', u'fathom', u'coars', u'sand', u'latter', u'depth', u'better', u'mile', u'shore', u'thi', u'place', u'may', u'easili', u'distinguish', u'church', u'ha', u'two', u'high', u'steepl', u'show', u'conspicu', u'abov', u'surround', u'sand', u'hill', u'one', u'steepl', u'ha', u'consider', u'inclin', u'northward', u'distanc', u'rive', u'appear', u'cocoanut', u'tree', u'stone', u'build', u'appendix', u'267', u'lobo', u'island', u'point', u'coast', u'cliffi', u'120', u'feet', u'high', u'continu', u'far', u'payta', u'point', u'three', u'leagu', u'distant', u'two', u'mile', u'half', u'coast', u'cluster', u'hill', u'call', u'saddl', u'payta', u'accur', u'describ', u'captain', u'basil', u'hall', u'silla', u'saddl', u'payta', u'suffici', u'remark', u'high', u'peak', u'form', u'three', u'cluster', u'peak', u'join', u'togeth', u'base', u'middl', u'highest', u'two', u'northern', u'one', u'dark', u'brown', u'colour', u'southern', u'lowest', u'lighter', u'browti', u'peak', u'rise', u'level', u'plain', u'excel', u'guid', u'vessel', u'boimd', u'port', u'payta', u'southward', u'leagu', u'northward', u'alreadi', u'mention', u'payta', u'point', u'round', u'port', u'name', u'thi', u'without', u'except', u'best', u'harbour', u'coast', u'consider', u'trade', u'carri', u'vessel', u'nation', u'touch', u'cargo', u'princip', u'cotton', u'bark', u'hide', u'drug', u'return', u'bring', u'manufactur', u'sever', u'countri', u'year', u'1835', u'upward', u'forti', u'thousand', u'ton', u'ship', u'anchor', u'thi', u'port', u'commun', u'europ', u'via', u'panama', u'expediti', u'ani', u'port', u'town', u'built', u'slope', u'foot', u'hill', u'southeast', u'side', u'bay', u'distanc', u'scarc', u'visibl', u'hous', u'colour', u'surround', u'cliff', u'said', u'contain', u'5000', u'inhabit', u'sea', u'port', u'provinc', u'piura', u'popul', u'estim', u'75000', u'soul', u'citi', u'san', u'miguel', u'de', u'piura', u'situat', u'bank', u'river', u'piura', u'easterli', u'direct', u'payta', u'nie', u'ten', u'leagu', u'distant', u'fresh', u'provis', u'may', u'payta', u'reason', u'term', u'neither', u'wood', u'water', u'except', u'high', u'price', u'latter', u'brought', u'colin', u'distanc', u'four', u'mile', u'inhabit', u'place', u'hope', u'entertain', u'suppli', u'water', u'west', u'side', u'bay', u'american', u'commenc', u'bore', u'apparatu', u'proper', u'purpos', u'danger', u'enter', u'thi', u'excel', u'harbour', u'round', u'point', u'ha', u'signal', u'station', u'open', u'fals', u'bay', u'thi', u'must', u'pass', u'true', u'bay', u'romid', u'inner', u'point', u'point', u'ought', u'hug', u'close', u'rock', u'distanc', u'cabl', u'length', u'wind', u'baffl', u'ita', u'2', u'qg8', u'apikxdix', u'round', u'inner', u'point', u'may', u'anchor', u'conveni', u'quiet', u'still', u'water', u'four', u'seven', u'fathom', u'muddi', u'bottom', u'land', u'place', u'mole', u'centr', u'town', u'n', u'41', u'w', u'nine', u'leagu', u'half', u'town', u'payta', u'point', u'paeina', u'bluff', u'eighti', u'feet', u'high', u'reef', u'distanc', u'half', u'mile', u'west', u'side', u'thi', u'point', u'payta', u'coast', u'low', u'sandi', u'tabl', u'land', u'moder', u'height', u'short', u'distanc', u'beach', u'mountain', u'amatap', u'five', u'leagu', u'interior', u'round', u'point', u'farina', u'western', u'extrem', u'south', u'america', u'coast', u'trend', u'abruptli', u'northward', u'becom', u'higher', u'chiij', u'reach', u'point', u'sahara', u'thi', u'doubl', u'point', u'southern', u'part', u'cliffi', u'eighti', u'feet', u'high', u'small', u'black', u'rock', u'lie', u'northern', u'part', u'much', u'lower', u'ha', u'breaker', u'near', u'north', u'side', u'thi', u'point', u'shallow', u'bay', u'depth', u'high', u'cliffi', u'coast', u'commenc', u'run', u'line', u'toward', u'cape', u'blanc', u'cape', u'blanc', u'high', u'bold', u'appar', u'corner', u'long', u'rang', u'tableland', u'slope', u'gradual', u'toward', u'sea', u'near', u'extrem', u'cape', u'aie', u'two', u'shaq', u'top', u'hillock', u'midway', u'commenc', u'tabl', u'land', u'anoth', u'rise', u'sharp', u'top', u'rock', u'shew', u'themselv', u'quarter', u'mile', u'danger', u'exist', u'without', u'distanc', u'cape', u'blanc', u'gener', u'trend', u'coast', u'easterli', u'nearli', u'direct', u'hne', u'point', u'malpelo', u'twentyon', u'leagu', u'distant', u'n', u'34', u'e', u'seven', u'leagu', u'half', u'former', u'point', u'sal', u'brown', u'cliff', u'one', u'hundr', u'twenti', u'feet', u'high', u'along', u'coast', u'sandi', u'beach', u'high', u'cliff', u'far', u'valley', u'manor', u'low', u'brush', u'wood', u'near', u'sea', u'hill', u'distanc', u'inland', u'northward', u'point', u'sal', u'coast', u'cliffi', u'midway', u'point', u'pico', u'becom', u'lower', u'similar', u'manor', u'point', u'pico', u'slope', u'bluff', u'sandi', u'beach', u'outsid', u'anoth', u'point', u'exactli', u'similar', u'littl', u'northward', u'back', u'cluster', u'hill', u'sharp', u'peak', u'henc', u'aris', u'probabl', u'name', u'given', u'spaniard', u'thi', u'point', u'point', u'pico', u'coast', u'sandi', u'beach', u'mixtur', u'hill', u'cliff', u'appendix', u'269', u'light', u'brown', u'colour', u'well', u'wood', u'sever', u'small', u'bay', u'point', u'malpelo', u'bear', u'n', u'41', u'e', u'seven', u'half', u'leagu', u'distant', u'point', u'malpelo', u'southern', u'point', u'entranc', u'guayaquil', u'river', u'may', u'readili', u'known', u'mark', u'differ', u'coast', u'southward', u'veri', u'low', u'cover', u'bush', u'extrem', u'short', u'distanc', u'inshor', u'clump', u'bush', u'higher', u'conspicu', u'rest', u'shew', u'plainli', u'approach', u'extrem', u'point', u'river', u'tumb', u'reef', u'extend', u'distanc', u'quarter', u'offa', u'mile', u'thi', u'place', u'much', u'frequent', u'whaler', u'fresh', u'water', u'found', u'mile', u'entranc', u'fill', u'boat', u'alongsid', u'great', u'care', u'necessari', u'cross', u'bar', u'heavi', u'danger', u'surf', u'beat', u'render', u'time', u'difficult', u'cross', u'1', u'entranc', u'river', u'may', u'distinguish', u'hut', u'port', u'hand', u'go', u'perceiv', u'immedi', u'round', u'point', u'two', u'leagu', u'river', u'stood', u'old', u'town', u'tumb', u'scarc', u'thai', u'hut', u'bare', u'suffici', u'suppli', u'whaler', u'fruit', u'veget', u'thi', u'boundari', u'line', u'peru', u'state', u'equat', u'may', u'anchor', u'ani', u'point', u'six', u'seven', u'fathom', u'wind', u'prevail', u'wind', u'coast', u'peru', u'blow', u'sse', u'sw', u'seldom', u'stronger', u'fresh', u'breez', u'often', u'particular', u'part', u'scarc', u'suffici', u'enabl', u'ship', u'make', u'passag', u'one', u'port', u'anoth', u'thi', u'especi', u'case', u'south', u'southwestern', u'coast', u'cobija', u'callao', u'sometim', u'dure', u'summer', u'three', u'four', u'success', u'day', u'breath', u'vend', u'sky', u'beauti', u'clear', u'nearli', u'vertic', u'sun', u'day', u'seabreez', u'set', u'gener', u'commenc', u'ten', u'morn', u'light', u'variabl', u'gradual', u'increas', u'till', u'one', u'two', u'afternoon', u'time', u'steadi', u'breez', u'prevail', u'till', u'near', u'sunset', u'begin', u'die', u'away', u'soon', u'sun', u'calm', u'eight', u'nine', u'270', u'appendix', u'even', u'light', u'wind', u'come', u'land', u'continu', u'till', u'sunris', u'becom', u'calm', u'seabreez', u'set', u'befor', u'dure', u'winter', u'april', u'august', u'light', u'northerli', u'wind', u'mayb', u'frequent', u'expect', u'accompani', u'thick', u'fog', u'dark', u'lower', u'weather', u'thi', u'seldom', u'occur', u'summer', u'month', u'although', u'even', u'top', u'hiu', u'frequent', u'envelop', u'mist', u'northward', u'callao', u'wind', u'depend', u'seabreez', u'set', u'greater', u'regular', u'fresher', u'southern', u'part', u'near', u'limit', u'peruvian', u'territori', u'payta', u'cape', u'blanc', u'doublereef', u'topsail', u'breez', u'uncommon', u'remark', u'may', u'laid', u'doria', u'gener', u'rule', u'although', u'moder', u'wind', u'blow', u'coast', u'peru', u'yet', u'sudden', u'heavi', u'gust', u'come', u'high', u'land', u'seabreez', u'set', u'small', u'port', u'may', u'attend', u'inconveni', u'precaut', u'taken', u'shorten', u'sail', u'previou', u'enter', u'onli', u'differ', u'winter', u'summer', u'far', u'regard', u'wind', u'frequenc', u'light', u'northerli', u'air', u'dure', u'former', u'month', u'state', u'weather', u'differ', u'far', u'greater', u'one', u'would', u'imagin', u'low', u'latitud', u'summer', u'weather', u'delight', u'line', u'thermomet', u'fahrenheit', u'seldom', u'70', u'often', u'high', u'80', u'vessel', u'cabin', u'dure', u'winter', u'air', u'raw', u'damp', u'thick', u'fog', u'cloudi', u'overcast', u'sky', u'cloth', u'cloth', u'necessari', u'secur', u'health', u'wherea', u'summer', u'lighter', u'clad', u'conduc', u'comfort', u'health', u'gener', u'set', u'current', u'coast', u'peru', u'along', u'shore', u'northward', u'half', u'knot', u'one', u'knot', u'hour', u'occasion', u'set', u'southward', u'equal', u'even', u'greater', u'strength', u'period', u'southerli', u'set', u'take', u'place', u'ascertain', u'ani', u'degre', u'certainti', u'neither', u'season', u'state', u'moon', u'caus', u'common', u'almost', u'everi', u'coast', u'seem', u'influenc', u'oldest', u'navig', u'men', u'accustom', u'coast', u'trade', u'assign', u'reason', u'chang', u'onli', u'know', u'take', u'place', u'endeavour', u'profit', u'accordingli', u'appendix', u'271', u'dure', u'stay', u'coast', u'frequent', u'experienc', u'southerli', u'set', u'immedi', u'preced', u'dure', u'northerli', u'wind', u'thi', u'wa', u'alway', u'case', u'gener', u'rule', u'laid', u'douti', u'although', u'certainli', u'appear', u'natur', u'infer', u'draw', u'also', u'remark', u'time', u'current', u'wa', u'set', u'southward', u'fresh', u'wind', u'wa', u'day', u'previou', u'blow', u'quarter', u'inequ', u'irregular', u'coast', u'hne', u'could', u'occas', u'thi', u'onli', u'serv', u'heighten', u'curios', u'without', u'afford', u'ani', u'clue', u'discov', u'peculiar', u'wa', u'caus', u'passag', u'regard', u'make', u'passag', u'thi', u'coast', u'littl', u'difficulti', u'found', u'go', u'northward', u'fair', u'requisit', u'ensur', u'make', u'certain', u'port', u'given', u'number', u'day', u'work', u'windward', u'degre', u'skill', u'constant', u'attent', u'necessari', u'much', u'differ', u'opinion', u'exist', u'whether', u'inshor', u'offshor', u'rout', u'prefer', u'experi', u'ourselv', u'inform', u'gain', u'said', u'understand', u'coast', u'led', u'suppos', u'follow', u'best', u'line', u'follow', u'leav', u'guayaquil', u'payta', u'bound', u'cauao', u'work', u'close', u'inshor', u'island', u'lobo', u'de', u'afuera', u'agre', u'thi', u'endeavour', u'alway', u'land', u'soon', u'sun', u'ha', u'set', u'advantag', u'may', u'taken', u'land', u'wind', u'begin', u'time', u'thi', u'frequent', u'enabl', u'ship', u'make', u'way', u'nearli', u'along', u'shore', u'throughout', u'night', u'place', u'good', u'situat', u'first', u'seabreez', u'pass', u'beforenam', u'island', u'would', u'advis', u'work', u'meridian', u'approach', u'latitud', u'callao', u'stand', u'fetch', u'work', u'along', u'shore', u'abov', u'direct', u'peopl', u'attempt', u'make', u'thi', u'passag', u'stand', u'sever', u'day', u'hope', u'fetch', u'tack', u'invari', u'found', u'fruitless', u'effort', u'owe', u'northerli', u'set', u'experienc', u'approach', u'equat', u'callao', u'bound', u'valparaiso', u'question', u'272', u'appendix', u'run', u'full', u'sail', u'passag', u'made', u'much', u'less', u'time', u'work', u'inshor', u'run', u'quit', u'tradewind', u'fall', u'westerli', u'wind', u'alway', u'found', u'beyond', u'trade', u'intermedi', u'port', u'except', u'coquimbo', u'case', u'differ', u'lie', u'consider', u'within', u'tradewind', u'must', u'work', u'alon', u'may', u'howev', u'recommend', u'work', u'along', u'shore', u'befor', u'state', u'island', u'san', u'gallan', u'whenc', u'coast', u'trend', u'eastward', u'long', u'leg', u'short', u'one', u'may', u'made', u'land', u'sight', u'far', u'arica', u'ani', u'port', u'pisco', u'place', u'arica', u'coast', u'nearli', u'north', u'south', u'vessel', u'bound', u'southward', u'make', u'fifteen', u'twenti', u'leagu', u'ensur', u'keep', u'seabreez', u'work', u'meridian', u'till', u'parallel', u'place', u'bound', u'account', u'advis', u'make', u'long', u'stretch', u'approach', u'limit', u'tradewind', u'gradual', u'haul', u'eastward', u'great', u'difficulti', u'found', u'even', u'fetch', u'port', u'start', u'averag', u'passag', u'wellcondit', u'merchantvessel', u'guayaquil', u'callao', u'fifteen', u'twenti', u'day', u'callao', u'valparaiso', u'three', u'week', u'fastsail', u'schooner', u'made', u'passag', u'much', u'less', u'time', u'instanc', u'two', u'menofwar', u'compani', u'gone', u'callao', u'valparaiso', u'remain', u'two', u'day', u'reanchor', u'callao', u'twentyfirst', u'day', u'rare', u'occurr', u'onli', u'done', u'undermost', u'favour', u'circumst', u'take', u'norther', u'soon', u'leav', u'callao', u'neb', u'remark', u'notic', u'relat', u'peru', u'work', u'mr', u'usborn', u'refer', u'northern', u'chile', u'lieut', u'sulivan', u'mr', u'stoke', u'ad', u'word', u'dull', u'sailer', u'might', u'better', u'run', u'trade', u'make', u'east', u'westerli', u'wind', u'steer', u'northward', u'along', u'coast', u'attempt', u'work', u'windward', u'tradewirtfi', u'vari', u'point', u'appendix', u'273', u'42', u'al', u'snr', u'comandant', u'de', u'la', u'barca', u'de', u'smb', u'beagl', u'd', u'r', u'fitzroy', u'bueno', u'ayr', u'nov', u'8', u'de', u'1832', u'ano', u'22', u'de', u'la', u'liberta', u'y', u'17', u'de', u'la', u'yndependencia', u'el', u'ministro', u'de', u'relacion', u'esterior', u'que', u'subscrib', u'ha', u'recibido', u'eon', u'la', u'mayor', u'satisfact', u'la', u'carta', u'del', u'puerto', u'de', u'bahia', u'blancaa', u'que', u'se', u'ha', u'servic', u'remitul', u'fel', u'snr', u'fitz', u'roy', u'comandant', u'de', u'la', u'barca', u'beagl', u'de', u'smb', u'el', u'ministro', u'agradec', u'al', u'snr', u'fitz', u'roy', u'est', u'present', u'que', u'consid', u'de', u'mucha', u'import', u'y', u'en', u'su', u'consequ', u'tien', u'el', u'placer', u'de', u'incluirl', u'la', u'ordin', u'que', u'por', u'el', u'ministerioio', u'de', u'la', u'guerra', u'se', u'libra', u'lo', u'command', u'polit', u'y', u'milit', u'de', u'lo', u'puerto', u'de', u'la', u'republica', u'para', u'que', u'le', u'pongan', u'impedi', u'en', u'su', u'oper', u'facultativa', u'sobr', u'la', u'costa', u'y', u'si', u'le', u'facil', u'lo', u'auxilio', u'que', u'puedan', u'serv', u'preciou', u'para', u'est', u'deem', u'dio', u'guard', u'mucho', u'amo', u'al', u'snr', u'com', u'd', u'roberto', u'fitz', u'roy', u'manuel', u'v', u'e', u'maze', u'nc', u'43', u'sir', u'lima', u'21st', u'june', u'1836', u'undersign', u'british', u'merchant', u'resid', u'thi', u'capit', u'learn', u'much', u'satisfact', u'hi', u'majesti', u'consulgener', u'mr', u'wilson', u'survey', u'seacoast', u'cape', u'horn', u'guayaquil', u'ha', u'complet', u'thi', u'import', u'work', u'execut', u'order', u'doubtless', u'prove', u'great', u'valu', u'british', u'commerc', u'pacif', u'want', u'gratitud', u'avail', u'ourselv', u'earliest', u'opportun', u'return', u'sincer', u'thank', u'onli', u'skill', u'zeal', u'display', u'thi', u'arduou', u'undertak', u'pecuniari', u'sacrific', u'made', u'insur', u'complet', u'speedi', u'accomplish', u'mr', u'usborn', u'also', u'feel', u'much', u'indebt', u'energi', u'persever', u'manifest', u'fulfil', u'hi', u'duti', u'circumst', u'littl', u'embarrass', u'difficult', u'hope', u'hi', u'conduct', u'made', u'known', u'proper', u'quarter', u'meet', u'reward', u'deserv', u'may', u'long', u'live', u'serv', u'274', u'appendix', u'countri', u'establish', u'fresh', u'claim', u'gratitud', u'countrymen', u'sincer', u'wish', u'sir', u'obug', u'faith', u'servant', u'dickson', u'price', u'co', u'w', u'hodgson', u'natlor', u'kendal', u'co', u'laymen', u'read', u'arid', u'co', u'valentin', u'smith', u'swain', u'reid', u'co', u'lang', u'pearc', u'co', u'fred', u'hath', u'prune', u'co', u'gibb', u'crawley', u'co', u'h', u'witt', u'j', u'w', u'leader', u'began', u'hall', u'co', u'j', u'farmer', u'john', u'jacki', u'j', u'sutherland', u'christoph', u'brigg', u'h', u'n', u'brigg', u'templeman', u'bergman', u'frederick', u'pfeiffer', u'44', u'descript', u'quadrant', u'power', u'increas', u'mean', u'addit', u'horizon', u'glass', u'let', u'cab', u'figur', u'repres', u'common', u'quadrant', u'angl', u'c', u'b', u'equal', u'fortyf', u'degre', u'let', u'c', u'indexglass', u'c', u'zero', u'hne', u'plane', u'glass', u'produc', u'd', u'hori', u'songlass', u'e', u'sightvan', u'suppos', u'c', u'd', u'parallel', u'ray', u'come', u'object', u'h', u'reflect', u'c', u'along', u'line', u'c', u'd', u'd', u'along', u'line', u'd', u'e', u'eye', u'ray', u'light', u'h', u'may', u'suppos', u'come', u'h', u'two', u'h', u'h', u'half', u'mile', u'instrument', u'object', u'h', u'vnh', u'seen', u'directli', u'well', u'reflect', u'une', u'd', u'e', u'angl', u'd', u'c', u'e', u'equal', u'angl', u'dec', u'd', u'c', u'equal', u'd', u'e', u'centr', u'd', u'describ', u'circl', u'c', u'e', u'f', u'place', u'glass', u'f', u'similar', u'd', u'make', u'angl', u'c', u'b', u'reflect', u'ray', u'pass', u'along', u'c', u'f', u'line', u'f', u'e', u'e', u'cttlkiatit', u'stjraonu', u'fhlmlbllt', u'tfzjic', u'ctumlujltdso', u'ulisl', u'henri', u'colldlimjagreat', u'liaribarougli5lreci', u'l839', u'appendix', u'275', u'c', u'f', u'e', u'angl', u'circumfer', u'circl', u'therefor', u'half', u'c', u'd', u'e', u'centr', u'equal', u'd', u'e', u'f', u'fortyf', u'degre', u'object', u'h', u'reflect', u'f', u'along', u'line', u'fe', u'appear', u'contact', u'object', u'k', u'may', u'suppos', u'horizon', u'sea', u'look', u'glass', u'f', u'bring', u'object', u'contact', u'horizon', u'realli', u'fortyf', u'degre', u'abov', u'index', u'quadrant', u'zero', u'look', u'f', u'bring', u'object', u'contact', u'k', u'horizon', u'realli', u'one', u'hundr', u'thirtyf', u'degre', u'index', u'quadrant', u'nineti', u'degre', u'principl', u'thu', u'shown', u'unnecessari', u'go', u'farther', u'thi', u'place', u'either', u'explain', u'appli', u'equal', u'well', u'quintant', u'sextant', u'describ', u'mr', u'worthington', u'ingeni', u'method', u'take', u'advantag', u'sextant', u'ha', u'late', u'made', u'power', u'measur', u'160', u'adjust', u'verifi', u'adjust', u'addit', u'glass', u'found', u'measur', u'angular', u'distanc', u'two', u'fix', u'star', u'forti', u'degre', u'apart', u'first', u'care', u'ordinari', u'method', u'use', u'extra', u'addit', u'glass', u'wa', u'practic', u'ascertain', u'exact', u'error', u'onli', u'difficulti', u'foreseen', u'effici', u'use', u'thi', u'auxiliari', u'may', u'add', u'telescop', u'move', u'parallel', u'plane', u'instrument', u'two', u'set', u'number', u'refer', u'one', u'giadul', u'45', u'cloud', u'cloud', u'may', u'divid', u'four', u'class', u'call', u'cieru', u'stratu', u'nimbu', u'cumulu', u'cirru', u'first', u'light', u'cloud', u'form', u'sky', u'fine', u'clear', u'weather', u'veri', u'light', u'delic', u'appear', u'gener', u'curl', u'wave', u'like', u'feather', u'hair', u'hors', u'tail', u'may', u'also', u'call', u'curl', u'cloud', u'stratu', u'shapeless', u'smokeik', u'cloud', u'common', u'size', u'sometim', u'small', u'distanc', u'like', u'spot', u'inki', u'dirti', u'water', u'edg', u'appear', u'faint', u'illdefin', u'sometim', u'rise', u'fogbank', u'water', u'land', u'sometim', u'overspread', u'hide', u'sky', u'rain', u'doe', u'fall', u'exact', u'276', u'appendix', u'resembl', u'trace', u'upon', u'paper', u'becaus', u'edg', u'illdefin', u'may', u'also', u'call', u'flat', u'cloud', u'nimbu', u'heavylook', u'soft', u'shapeless', u'cloud', u'rain', u'fall', u'whatev', u'shape', u'cloud', u'may', u'retain', u'previou', u'rain', u'fall', u'moment', u'chang', u'vapour', u'water', u'soften', u'appear', u'becom', u'nimbu', u'rain', u'cloud', u'cumulu', u'hardedg', u'cloud', u'cloud', u'welldefin', u'edg', u'whose', u'resembl', u'accur', u'trace', u'paper', u'thi', u'cloud', u'gener', u'speak', u'larg', u'stratu', u'nimbu', u'aud', u'appear', u'compact', u'mass', u'either', u'former', u'latter', u'may', u'also', u'call', u'heap', u'cloud', u'four', u'classif', u'cloud', u'howev', u'suffic', u'describ', u'exactli', u'appear', u'sky', u'time', u'minut', u'distinct', u'requir', u'follow', u'may', u'use', u'cirrostratu', u'signifi', u'mixtur', u'cirru', u'stratu', u'cirrocumulu', u'cirru', u'cumulu', u'cumulostratu', u'signifi', u'mixtur', u'cumulu', u'stratu', u'term', u'may', u'render', u'explanatori', u'precis', u'kind', u'cloud', u'use', u'augment', u'termin', u'onu', u'diminut', u'thu', u'citron', u'cirritu', u'c', u'irrono', u'stratu', u'cirritostratu', u'carroncumulu', u'cirrito', u'cumulu', u'stratonu', u'strait', u'cumulonu', u'cumulitu', u'cumulonostratu', u'cumulitostratu', u'found', u'insuffici', u'convey', u'distinct', u'idea', u'everi', u'varieti', u'cloud', u'second', u'word', u'may', u'augment', u'diminish', u'thu', u'cirronostratitu', u'c', u'term', u'may', u'abbrevi', u'common', u'use', u'write', u'onli', u'first', u'letter', u'word', u'allow', u'one', u'letter', u'repres', u'diminut', u'two', u'letter', u'ordinari', u'middl', u'degre', u'three', u'letter', u'augment', u'cirru', u'cumulu', u'begin', u'letter', u'necessari', u'make', u'distinct', u'take', u'two', u'three', u'four', u'letter', u'respect', u'cumulu', u'thu', u'c', u'ci', u'cir', u'st', u'str', u'n', u'ni', u'nim', u'cu', u'cum', u'cum', u'suppos', u'desir', u'express', u'cumulitostratoni', u'cstr', u'would', u'suffici', u'c', u'c', u'sua', u'ik', u'o', u'zmra', u'cmamjitid', u'c', u'hh', u'r', u'o', u'ly', u'd', u'jaiir', u'tit', u'ttfuzkci', u'cimtiancosirmaanrt', u'putlisheilyhanri', u'callum', u'13', u'great', u'marlborough', u'saretlb9', u'ciriffiirio', u'ciumtuiltn', u'cimirc1', u'staor', u'oimr', u'st3rffirttd', u'riiblishedljyhem', u'cotbitm', u'iz', u'gtreai', u'marlborough', u'atreclr9', u'ctjmtuiowo', u'stmatin', u'ctcmid', u'li', u'osijeuilttj', u'idhhsbeiti', u'henri', u'calbumja', u'catailurlbaroustrctj8a9', u'appendix', u'277', u'46', u'wlxd', u'much', u'notic', u'ha', u'late', u'taken', u'theori', u'respect', u'storm', u'suggest', u'colonel', u'capper', u'1801', u'discuss', u'mr', u'redfield', u'1831', u'carri', u'much', u'detail', u'colonel', u'reid', u'neither', u'abil', u'present', u'space', u'make', u'brief', u'remark', u'thi', u'subject', u'storm', u'except', u'gener', u'wind', u'atmospher', u'current', u'caus', u'variabl', u'wind', u'almost', u'continu', u'except', u'dure', u'short', u'interv', u'calm', u'hurrican', u'even', u'ordinari', u'storm', u'rare', u'may', u'oppos', u'pass', u'current', u'caus', u'eddi', u'whirl', u'immens', u'scale', u'air', u'onli', u'horizont', u'inclin', u'horizon', u'vertic', u'lay', u'ship', u'dure', u'storm', u'point', u'consid', u'besid', u'veer', u'wind', u'direct', u'sea', u'current', u'c', u'agre', u'colonel', u'reid', u'hi', u'remark', u'page', u'425', u'problem', u'solv', u'hi', u'rule', u'lay', u'ship', u'hurrican', u'never', u'wit', u'storm', u'blew', u'fifteen', u'point', u'compass', u'either', u'success', u'sudden', u'chang', u'storm', u'1', u'bear', u'ani', u'testimoni', u'current', u'air', u'arriv', u'differ', u'direct', u'appear', u'succeed', u'combin', u'togeth', u'one', u'usual', u'brought', u'dirt', u'use', u'sailor', u'phrase', u'anoth', u'clear', u'away', u'drive', u'much', u'back', u'often', u'math', u'redoubl', u'furi', u'one', u'current', u'wa', u'warm', u'moist', u'anoth', u'cold', u'dri', u'compar', u'speak', u'one', u'last', u'baromet', u'feu', u'wa', u'stationari', u'anoth', u'rose', u'place', u'visit', u'obtain', u'notic', u'subject', u'baromet', u'stand', u'high', u'easterli', u'compar', u'low', u'westerli', u'wind', u'averag', u'northerli', u'wind', u'northern', u'hemispher', u'affect', u'baromet', u'like', u'southerli', u'wind', u'southern', u'hemispher', u'47', u'tide', u'end', u'year', u'1833', u'receiv', u'mr', u'whewel', u'copi', u'work', u'seamen', u'gener', u'deepli', u'indebt', u'reid', u'law', u'storm', u'p', u'120', u'c', u'278', u'appendix', u'bore', u'unpretend', u'titl', u'essay', u'toward', u'first', u'approxim', u'map', u'comic', u'line', u'howev', u'lightli', u'author', u'might', u'esteem', u'doubt', u'tend', u'remov', u'cloud', u'hung', u'numer', u'difficulti', u'enabl', u'us', u'onli', u'take', u'gener', u'view', u'see', u'direct', u'cours', u'order', u'attain', u'knowledg', u'intricaci', u'1831', u'mr', u'lubbock', u'call', u'attent', u'mathematician', u'well', u'practic', u'seamen', u'subject', u'tide', u'wa', u'mr', u'wheel', u'arous', u'gener', u'interest', u'assist', u'admiralti', u'engag', u'cooper', u'observ', u'quarter', u'globe', u'first', u'perus', u'mr', u'whewel', u'essay', u'wa', u'particularli', u'struck', u'follow', u'passag', u'meantim', u'one', u'appear', u'attempt', u'trace', u'natur', u'connexion', u'among', u'tide', u'differ', u'part', u'world', u'perhap', u'even', u'yet', u'abl', u'answer', u'decis', u'inquiri', u'bacon', u'suggest', u'philosoph', u'hi', u'time', u'whether', u'high', u'water', u'extend', u'across', u'atlant', u'affect', u'contemporan', u'shore', u'america', u'africa', u'whether', u'high', u'one', u'side', u'thi', u'ocean', u'low', u'ani', u'rate', u'observ', u'extend', u'gener', u'also', u'f', u'time', u'high', u'water', u'plymouth', u'five', u'eddyston', u'eight', u'formerli', u'state', u'water', u'must', u'fall', u'three', u'hour', u'shore', u'rise', u'time', u'ten', u'twelv', u'mile', u'distanc', u'thi', u'height', u'sever', u'feet', u'hardli', u'imagin', u'ani', u'elev', u'one', u'situat', u'transfer', u'much', u'shorter', u'time', u'thi', u'fact', u'doubt', u'statement', u'discrep', u'found', u'mistak', u'aris', u'comparison', u'two', u'differ', u'phenomena', u'name', u'time', u'high', u'water', u'time', u'chang', u'flow', u'ebb', u'current', u'case', u'one', u'time', u'ha', u'observ', u'time', u'hide', u'thi', u'manner', u'arisen', u'anomali', u'mention', u'persuas', u'water', u'affect', u'tide', u'water', u'rise', u'run', u'one', u'way', u'fall', u'run', u'opposit', u'way', u'though', u'wholli', u'erron', u'veri', u'gener', u'valuabl', u'remark', u'show', u'indistinct', u'erron', u'idea', u'entertain', u'mani', u'seamen', u'philosoph', u'transact', u'1833', u'p', u'148', u'ibid', u'157', u'ibid', u'appendix', u'279', u'siinilarl', u'perplex', u'could', u'littl', u'doubt', u'often', u'talk', u'experienc', u'practic', u'men', u'subject', u'probabl', u'express', u'tide', u'halftid', u'tide', u'quartertid', u'c', u'convey', u'distinct', u'idea', u'mind', u'mine', u'unsatisfactori', u'although', u'quit', u'awar', u'mean', u'never', u'like', u'1833', u'companion', u'board', u'beagl', u'paid', u'attent', u'subject', u'made', u'observ', u'manner', u'suggest', u'mr', u'whewel', u'often', u'avoc', u'allow', u'wa', u'howev', u'imposs', u'take', u'interest', u'subject', u'discov', u'difficulti', u'fact', u'irreconcil', u'theori', u'without', u'tri', u'think', u'account', u'unqualifi', u'even', u'knew', u'task', u'perhap', u'wa', u'encourag', u'medit', u'mr', u'whewel', u'conclud', u'paragraph', u'f', u'separ', u'assist', u'tri', u'reason', u'way', u'dilemma', u'help', u'data', u'could', u'dwell', u'upon', u'pith', u'certainti', u'among', u'point', u'could', u'establish', u'mind', u'appeal', u'fact', u'tide', u'atlant', u'least', u'main', u'featur', u'deriv', u'kind', u'propag', u'south', u'north', u'p', u'164', u'tide', u'wave', u'travel', u'cape', u'good', u'hope', u'bottom', u'gulf', u'guinea', u'someth', u'less', u'four', u'hour', u'p', u'167', u'tidewav', u'travel', u'along', u'thi', u'coast', u'american', u'north', u'south', u'employ', u'twelv', u'hour', u'motion', u'acapulco', u'strait', u'magalhaen', u'p', u'194', u'compar', u'narrow', u'passag', u'north', u'australia', u'almost', u'certain', u'tide', u'must', u'come', u'southern', u'side', u'contin', u'p', u'200', u'deriv', u'tide', u'enter', u'ocean', u'north', u'south', u'pacif', u'southeast', u'diffus', u'wide', u'space', u'amount', u'also', u'greatli', u'reduc', u'p', u'217', u'c', u'conclud', u'thi', u'memoir', u'without', u'express', u'entir', u'convict', u'veri', u'imperfect', u'charact', u'regret', u'public', u'suppos', u'like', u'ani', u'intellig', u'person', u'could', u'consid', u'otherwis', u'attempt', u'combin', u'inform', u'point', u'want', u'use', u'shall', u'neither', u'surpris', u'mortifi', u'line', u'drawn', u'shall', u'turn', u'mani', u'instanc', u'wide', u'erron', u'offer', u'onli', u'simplest', u'mode', u'discov', u'group', u'fact', u'possess', u'line', u'occupi', u'atlant', u'near', u'coast', u'europ', u'appear', u'greatest', u'degre', u'probabl', u'tide', u'coast', u'new', u'zealand', u'new', u'holland', u'also', u'consist', u'make', u'veri', u'probabl', u'indian', u'ocean', u'less', u'certain', u'though', u'easi', u'see', u'cours', u'line', u'veri', u'wide', u'differ', u'280', u'appendix', u'fact', u'seem', u'stand', u'opposit', u'theori', u'deduc', u'tide', u'northern', u'atlant', u'movement', u'tidewav', u'origin', u'great', u'southern', u'ocean', u'compar', u'narrow', u'space', u'africa', u'america', u'certainti', u'sea', u'neither', u'uniformli', u'excess', u'deep', u'space', u'trifl', u'rise', u'tide', u'onli', u'upon', u'either', u'nearest', u'shore', u'doe', u'exceed', u'four', u'five', u'feet', u'utmost', u'ascens', u'island', u'highest', u'rise', u'two', u'feetf', u'secondli', u'absenc', u'ani', u'regular', u'tide', u'wide', u'estuari', u'river', u'plata', u'situat', u'shape', u'seem', u'well', u'dispos', u'receiv', u'immens', u'tide', u'thirdli', u'floodtid', u'move', u'toward', u'west', u'south', u'along', u'coast', u'brazil', u'rent', u'taken', u'cours', u'line', u'pacif', u'appear', u'altogeth', u'problemat', u'though', u'drawn', u'neighbourhood', u'west', u'coast', u'america', u'connect', u'best', u'observ', u'hardli', u'consid', u'conjectur', u'middl', u'pacif', u'even', u'ventur', u'conjectur', u'tt', u'onli', u'remain', u'add', u'1', u'shall', u'glad', u'profit', u'everi', u'opportun', u'improv', u'thi', u'map', u'endeavour', u'employ', u'thi', u'puipos', u'ani', u'inform', u'may', u'suppli', u'pp', u'2345', u'besid', u'rocca', u'fernando', u'de', u'noronha', u'st', u'paul', u'rock', u'variou', u'account', u'receiv', u'time', u'time', u'shoal', u'near', u'equat', u'meridian', u'fifteen', u'twenti', u'four', u'degre', u'west', u'doubt', u'descript', u'mani', u'alarm', u'caus', u'neighbourhood', u'earthquak', u'apprehens', u'indic', u'veri', u'great', u'depth', u'water', u'1761', u'small', u'sandi', u'island', u'wa', u'said', u'seen', u'captain', u'bouvet', u'le', u'vaillant', u'thi', u'seen', u'ha', u'probabl', u'sunk', u'sinc', u'krusenstern', u'saw', u'volcan', u'erupt', u'thereabout', u'1806', u'1816', u'captain', u'proudfoot', u'ship', u'triton', u'calcutta', u'gibraltar', u'pass', u'bank', u'latitud', u'0', u'32', u'longitud', u'17', u'46', u'v', u'appear', u'extend', u'east', u'west', u'direct', u'three', u'mile', u'north', u'south', u'direct', u'one', u'mile', u'sound', u'twentythre', u'fathom', u'brown', u'sand', u'saw', u'appear', u'breaker', u'st', u'helena', u'three', u'feet', u'tristan', u'dacunha', u'rise', u'eight', u'nine', u'feet', u'ordinari', u'circumst', u'pass', u'month', u'river', u'without', u'abl', u'detect', u'ani', u'period', u'rise', u'water', u'could', u'attribut', u'tide', u'though', u'said', u'weather', u'veri', u'settl', u'indic', u'tide', u'may', u'perceiv', u'appendix', u'281', u'near', u'pernambuco', u'vicin', u'river', u'plata', u'lastli', u'almost', u'uniform', u'time', u'high', u'aater', u'along', u'extent', u'coast', u'africa', u'reach', u'near', u'cape', u'good', u'hope', u'neighbourhood', u'congo', u'supposit', u'tidewav', u'travel', u'along', u'west', u'coast', u'america', u'north', u'south', u'fact', u'floodtid', u'imping', u'upon', u'chilo', u'adjac', u'outer', u'coast', u'southward', u'west', u'high', u'water', u'cape', u'pillar', u'chilo', u'includ', u'intermedi', u'coast', u'almost', u'one', u'time', u'valdivia', u'bay', u'mexillon', u'differ', u'eighteen', u'degre', u'latitud', u'hour', u'differ', u'time', u'high', u'water', u'arica', u'payta', u'time', u'vari', u'gradual', u'coast', u'trend', u'westward', u'panama', u'california', u'time', u'also', u'chang', u'gradual', u'coast', u'trend', u'westward', u'forti', u'sixti', u'north', u'high', u'water', u'take', u'place', u'one', u'time', u'thu', u'state', u'difficulti', u'encount', u'theori', u'suppos', u'import', u'tidewav', u'move', u'direct', u'meridian', u'rather', u'parallel', u'ventur', u'bring', u'forward', u'result', u'much', u'anxiou', u'medit', u'subject', u'trust', u'receiv', u'reader', u'assert', u'conclus', u'assent', u'ask', u'without', u'reason', u'acquiesc', u'given', u'veiy', u'fallibl', u'opinion', u'one', u'individu', u'anxiou', u'contribut', u'mite', u'howev', u'small', u'toward', u'inform', u'thi', u'work', u'particularli', u'bitten', u'name', u'seafar', u'men', u'hi', u'idea', u'fallaci', u'rejoic', u'refut', u'voic', u'truth', u'rest', u'confid', u'upon', u'newtonian', u'theori', u'assign', u'primari', u'caus', u'tide', u'attract', u'moon', u'sun', u'win', u'make', u'remark', u'state', u'fact', u'reason', u'person', u'seem', u'view', u'tidal', u'phenomena', u'connect', u'would', u'happen', u'globe', u'cover', u'water', u'refer', u'actual', u'happen', u'ocean', u'nearli', u'separ', u'tract', u'land', u'appear', u'consid', u'effect', u'moon', u'attract', u'leav', u'sun', u'question', u'present', u'similar', u'though', u'smaller', u'felt', u'onli', u'vertic', u'hue', u'allow', u'later', u'action', u'within', u'half', u'hour', u'irregular', u'easili', u'account', u'ani', u'one', u'place', u'subject', u'bb', u'282', u'appendix', u'moon', u'upon', u'bodi', u'water', u'ani', u'portion', u'attract', u'toward', u'befor', u'vertic', u'well', u'ha', u'pass', u'westward', u'meridian', u'portion', u'littl', u'attent', u'appear', u'paid', u'consider', u'momentum', u'acquir', u'ani', u'great', u'bodi', u'water', u'move', u'posit', u'mould', u'occupi', u'undisturb', u'consequ', u'momentum', u'water', u'return', u'temporari', u'displac', u'seem', u'difficulti', u'altogeth', u'reconcil', u'statement', u'tide', u'diminish', u'diffus', u'manner', u'great', u'tide', u'northern', u'atlant', u'suppos', u'caus', u'supposit', u'mainli', u'depend', u'upon', u'theprincipl', u'forc', u'vibrat', u'oscil', u'f', u'consequ', u'similar', u'idea', u'excit', u'fact', u'previous', u'mention', u'follow', u'question', u'insert', u'geograph', u'journal', u'1836', u'may', u'appear', u'presumpt', u'plain', u'sailor', u'attempt', u'offer', u'idea', u'two', u'difficult', u'subject', u'tide', u'yet', u'utmost', u'defer', u'compet', u'reason', u'upon', u'subject', u'ventur', u'ask', u'whether', u'supposit', u'atlant', u'tide', u'princip', u'caus', u'great', u'tidewav', u'come', u'southern', u'ocean', u'littl', u'difficult', u'reconcil', u'fact', u'veri', u'littl', u'tide', u'upon', u'coast', u'brazil', u'ascens', u'guinea', u'mouth', u'great', u'river', u'plata', u'littl', u'tide', u'ocean', u'tide', u'though', u'affect', u'affect', u'neighbour', u'water', u'mass', u'ocean', u'tendenc', u'move', u'westward', u'well', u'upward', u'toward', u'moon', u'pass', u'moon', u'ha', u'pass', u'mass', u'ocean', u'easterli', u'inclin', u'regain', u'equilibrium', u'respect', u'earth', u'alon', u'moon', u'disturb', u'sun', u'action', u'consid', u'regain', u'equilibrium', u'would', u'owa', u'momentum', u'carri', u'far', u'eastward', u'would', u'moon', u'action', u'approach', u'one', u'part', u'ocean', u'westward', u'tendenc', u'anoth', u'part', u'wider', u'narrow', u'east', u'west', u'ha', u'eastward', u'whewel', u'essay', u'p', u'217', u'herschel', u'astronomi', u'cab', u'cyo', u'p', u'334', u'appendix', u'283', u'movement', u'mani', u'difficulti', u'would', u'vanish', u'among', u'first', u'mention', u'perplex', u'anomali', u'south', u'coast', u'new', u'holland', u'jour', u'r', u'geog', u'soc', u'vol', u'vi', u'part', u'ii', u'p', u'336', u'might', u'conclud', u'question', u'scarcelybeen', u'notic', u'heard', u'noth', u'subject', u'late', u'read', u'follow', u'remark', u'work', u'publish', u'1837', u'whether', u'author', u'ever', u'saw', u'question', u'know', u'hi', u'observ', u'bear', u'strongli', u'upon', u'subject', u'emin', u'mathematician', u'quot', u'verbatim', u'suppos', u'sever', u'high', u'narrow', u'strip', u'land', u'encircl', u'globe', u'pass', u'opposit', u'pole', u'divid', u'earth', u'surfac', u'sever', u'great', u'unequ', u'ocean', u'separ', u'tide', u'would', u'rais', u'tidal', u'wave', u'reach', u'farthest', u'shore', u'one', u'conceiv', u'caus', u'produc', u'ceas', u'wave', u'thu', u'rais', u'would', u'reced', u'opposit', u'shore', u'continu', u'oscil', u'destroy', u'friction', u'bed', u'instead', u'ceas', u'act', u'caus', u'produc', u'tide', u'reappear', u'opposit', u'shore', u'ocean', u'veri', u'moment', u'reflect', u'tide', u'return', u'place', u'origin', u'second', u'tide', u'would', u'act', u'augment', u'first', u'thi', u'continu', u'tide', u'great', u'height', u'might', u'produc', u'forag', u'result', u'might', u'narrow', u'ridg', u'divid', u'adjac', u'ocean', u'would', u'broken', u'tidal', u'wave', u'travers', u'broader', u'tract', u'former', u'ocean', u'let', u'us', u'imagin', u'new', u'ocean', u'much', u'broader', u'old', u'reflect', u'tide', u'would', u'return', u'origin', u'tidal', u'movement', u'half', u'tide', u'later', u'befor', u'instead', u'two', u'superimpos', u'tide', u'tide', u'aris', u'subtract', u'one', u'alter', u'height', u'tide', u'shore', u'circumstanc', u'might', u'veri', u'small', u'thi', u'might', u'continu', u'age', u'thu', u'caus', u'beach', u'rais', u'veri', u'differ', u'elev', u'without', u'ani', u'real', u'alter', u'level', u'either', u'sea', u'land', u'babbag', u'ninth', u'bridgewat', u'treatis', u'pp', u'248', u'249', u'addit', u'data', u'leisur', u'reflect', u'upon', u'tend', u'confirm', u'view', u'taken', u'previous', u'ask', u'question', u'geograph', u'journal', u'befor', u'state', u'thi', u'view', u'explicitli', u'necessari', u'lay', u'fact', u'befor', u'reader', u'may', u'judg', u'themselv', u'bb2', u'appendix', u'greatest', u'expans', u'ocean', u'meet', u'onli', u'partial', u'interrupt', u'free', u'tidal', u'movement', u'zone', u'maj', u'call', u'near', u'fiftyf', u'degre', u'south', u'latitud', u'high', u'water', u'opposit', u'side', u'low', u'water', u'opposit', u'side', u'globe', u'nearli', u'time', u'eastern', u'part', u'falkland', u'island', u'expos', u'tide', u'thi', u'zone', u'high', u'water', u'full', u'sea', u'nine', u'oclock', u'day', u'new', u'full', u'moon', u'greenwich', u'time', u'southern', u'shore', u'van', u'diemen', u'land', u'highwat', u'ten', u'thi', u'point', u'exactli', u'opposit', u'true', u'nearest', u'yet', u'observ', u'place', u'tide', u'rise', u'six', u'hour', u'fall', u'six', u'hour', u'altern', u'therefor', u'low', u'water', u'one', u'also', u'low', u'water', u'intermedi', u'place', u'thi', u'zone', u'rather', u'distant', u'point', u'know', u'tide', u'observ', u'deserv', u'confid', u'abovement', u'certain', u'corrobor', u'newtonian', u'theori', u'satisfactori', u'manner', u'thi', u'howev', u'onli', u'zone', u'ocean', u'abl', u'follow', u'law', u'would', u'govern', u'undul', u'globe', u'cover', u'water', u'zone', u'take', u'ten', u'degre', u'latitud', u'zone', u'high', u'water', u'gener', u'speak', u'one', u'side', u'ocean', u'near', u'time', u'low', u'ocean', u'nineti', u'degre', u'wide', u'thi', u'happen', u'veri', u'nearli', u'width', u'diminish', u'time', u'high', u'water', u'side', u'approach', u'viidth', u'increas', u'beyond', u'nineti', u'degre', u'case', u'zone', u'pacif', u'time', u'high', u'water', u'still', u'approach', u'consequ', u'tendenc', u'high', u'mater', u'opposit', u'point', u'farther', u'confirm', u'newtonian', u'theori', u'exampl', u'day', u'full', u'moon', u'pacif', u'port', u'henri', u'50', u'high', u'water', u'5h', u'mhich', u'time', u'near', u'low', u'water', u'auckland', u'island', u'time', u'high', u'tide', u'12h', u'30m', u'thi', u'case', u'interv', u'one', u'high', u'water', u'opposit', u'side', u'ocean', u'7h', u'30m', u'430', u'vidth', u'ocean', u'nearli', u'eight', u'hour', u'measur', u'time', u'valdivia', u'lat', u'4c', u'high', u'water', u'3h', u'30m', u'new', u'zealand', u'parallel', u'9h', u'50m', u'space', u'ocean', u'seven', u'hour', u'nearli', u'differ', u'620', u'540', u'towhicli', u'tinip', u'reduc', u'easi', u'comparison', u'appendix', u'285', u'30', u'coquimbo', u'high', u'water', u'2h', u'norfolk', u'island', u'high', u'9h', u'intermedi', u'space', u'ocean', u'nearli', u'eight', u'hour', u'wide', u'20', u'iquiqu', u'high', u'water', u'ih', u'30m', u'new', u'caledonia', u'parallel', u'high', u'water', u'sh', u'hom', u'space', u'eight', u'hour', u'wide', u'least', u'differ', u'415', u'near', u'10', u'12', u'callao', u'high', u'water', u'ten', u'thi', u'parallel', u'multitud', u'island', u'spread', u'across', u'half', u'pacif', u'comparison', u'time', u'trust', u'equat', u'galapago', u'island', u'high', u'water', u'8h', u'20m', u'new', u'ireland', u'high', u'water', u'3h', u'00m', u'differ', u'seven', u'hour', u'nearli', u'ocean', u'eight', u'hour', u'de', u'new', u'ireland', u'onli', u'one', u'tide', u'm', u'tmentfour', u'hour', u'anomali', u'consid', u'present', u'parallel', u'10', u'n', u'similar', u'equat', u'howev', u'may', u'well', u'examin', u'littl', u'isl', u'coco', u'nicolson', u'main', u'high', u'water', u'aljout', u'si', u'philippin', u'island', u'latitud', u'4h', u'differ', u'eight', u'hour', u'ia', u'far', u'meridian', u'distanc', u'ten', u'hour', u'philippin', u'also', u'feel', u'effect', u'case', u'influenc', u'tide', u'new', u'ireland', u'gener', u'indian', u'archipelago', u'20', u'n', u'san', u'bia', u'high', u'water', u'3h', u'loochop', u'nearest', u'know', u'point', u'comparison', u'sic', u'o', u'ocean', u'loh', u'differ', u'7', u'hour', u'hour', u'less', u'meridian', u'distanc', u'30', u'n', u'coast', u'california', u'high', u'water', u'4h', u'nangasaki', u'japan', u'lat', u'32', u'44', u'1112', u'differ', u'712', u'nearli', u'half', u'hour', u'less', u'meridian', u'distanc', u'40', u'n', u'high', u'water', u'8h', u'american', u'coast', u'opposit', u'shore', u'data', u'50', u'n', u'high', u'water', u'vancouv', u'island', u'9h', u'south', u'extrem', u'kama', u'said', u'high', u'water', u'6h', u'differ', u'9', u'3', u'hour', u'anomal', u'made', u'probabl', u'deriv', u'tide', u'examin', u'pacif', u'let', u'us', u'proceed', u'similar', u'manner', u'atlant', u'indian', u'ocean', u'40', u'blanc', u'bay', u'time', u'high', u'water', u'9h', u'falkland', u'amsterdam', u'island', u'one', u'author', u'say', u'6h', u'anoth', u'i2h', u'deriv', u'tide', u'p', u'28j', u'may', u'act', u'appendix', u'time', u'high', u'water', u'right', u'think', u'latter', u'correct', u'prefer', u'bass', u'strait', u'high', u'water', u'ten', u'two', u'extrem', u'thirteen', u'hour', u'time', u'tide', u'eleven', u'thirteen', u'hour', u'amsterdam', u'island', u'high', u'water', u'taken', u'two', u'hour', u'bass', u'strait', u'differ', u'meridian', u'four', u'hour', u'differ', u'high', u'water', u'amsterdam', u'blanc', u'bay', u'nine', u'hour', u'differ', u'meridian', u'nine', u'hour', u'30', u'high', u'water', u'african', u'coast', u'two', u'american', u'coast', u'six', u'four', u'hour', u'differ', u'meridian', u'parallel', u'20', u'high', u'water', u'3h', u'african', u'shore', u'6h', u'brazilian', u'meridian', u'distanc', u'three', u'hour', u'three', u'quarter', u'10', u'3h', u'15m', u'east', u'side', u'7h', u'west', u'distanc', u'three', u'hour', u'quarter', u'equat', u'4h', u'30m', u'eastern', u'limit', u'nearli', u'8h', u'western', u'distanc', u'three', u'hour', u'half', u'10', u'n', u'7h', u'loh', u'distanc', u'three', u'hour', u'20', u'n', u'cape', u'blanc', u'ih', u'north', u'coast', u'san', u'domingo', u'nearli', u'11', u'h', u'interv', u'340', u'interf', u'deriv', u'tide', u'probabl', u'well', u'local', u'peculiar', u'among', u'westindia', u'island', u'30', u'n', u'4h', u'east', u'ih', u'30m', u'west', u'distanc', u'nearli', u'five', u'hour', u'thi', u'seem', u'anomal', u'40', u'n', u'3h', u'coast', u'spain', u'ih', u'coast', u'america', u'thi', u'anoth', u'anomali', u'easi', u'explan', u'50', u'n', u'high', u'water', u'4h', u'36m', u'mouth', u'channel', u'loh', u'45m', u'coast', u'newfoundland', u'meridian', u'distanc', u'320', u'west', u'coast', u'ireland', u'scotland', u'5h', u'6h', u'hour', u'high', u'water', u'coast', u'labrador', u'loh', u'llh', u'parallel', u'meridian', u'distanc', u'three', u'four', u'hour', u'approach', u'parallel', u'60', u'n', u'north', u'sea', u'davi', u'strait', u'open', u'probabl', u'affect', u'tide', u'ireland', u'labrador', u'indian', u'ocean', u'appear', u'high', u'water', u'side', u'onc', u'though', u'central', u'part', u'time', u'thu', u'high', u'water', u'northwest', u'extrem', u'australia', u'coast', u'o', u'diiahfid', u'oy', u'hezay', u'ccuijuro', u'great', u'maxtbororu', u'sore', u'1339', u'appendix', u'287', u'java', u'sumatra', u'ceylon', u'laccadiva', u'island', u'seychel', u'coast', u'madagascar', u'amsterdam', u'island', u'twelv', u'chao', u'island', u'mauritiu', u'high', u'water', u'nine', u'keel', u'isl', u'eleven', u'would', u'seem', u'caus', u'much', u'perplex', u'state', u'princip', u'fact', u'occur', u'mind', u'mention', u'conclus', u'drawn', u'attempt', u'explain', u'anomali', u'let', u'e', u'g', u'fig', u'1', u'repres', u'section', u'globe', u'b', u'c', u'd', u'suppos', u'land', u'e', u'f', u'g', u'h', u'water', u'let', u'h', u'm', u'show', u'direct', u'moon', u'attract', u'would', u'oper', u'effect', u'attract', u'accord', u'newton', u'demonstr', u'would', u'rais', u'water', u'f', u'posit', u'attract', u'water', u'h', u'attract', u'earth', u'water', u'let', u'dot', u'line', u'repres', u'consequ', u'figur', u'ocean', u'fig', u'2', u'let', u'ocean', u'suppos', u'90', u'six', u'hour', u'wide', u'let', u'moon', u'act', u'direct', u'm', u'f', u'let', u'dot', u'line', u'repres', u'alter', u'posit', u'water', u'move', u'natur', u'posit', u'respect', u'earth', u'moon', u'attract', u'fig', u'3', u'suppos', u'moon', u'act', u'line', u'm', u'k', u'dot', u'line', u'repres', u'figur', u'taken', u'case', u'ocean', u'occur', u'reader', u'littl', u'water', u'rise', u'f', u'h', u'fig', u'1', u'f', u'fig', u'2', u'k', u'fig', u'3', u'unless', u'water', u'fall', u'sink', u'e', u'g', u'fig', u'1', u'g', u'fig', u'2', u'f', u'g', u'fig', u'3', u'becaus', u'water', u'slightli', u'compress', u'except', u'extraordinari', u'pressur', u'becaus', u'incap', u'stretch', u'therefor', u'ani', u'place', u'sea', u'rais', u'abov', u'natur', u'level', u'excess', u'must', u'suppli', u'sink', u'take', u'place', u'elsewher', u'void', u'space', u'left', u'sea', u'water', u'bed', u'later', u'movement', u'particl', u'surfac', u'onli', u'ocean', u'suffici', u'caus', u'high', u'tide', u'either', u'shore', u'therefor', u'conclus', u'may', u'drawti', u'whole', u'mass', u'librat', u'oscil', u'liber', u'mean', u'movement', u'larg', u'jelli', u'would', u'upper', u'part', u'push', u'one', u'side', u'allw', u'vibrat', u'base', u'remain', u'fix', u'oscil', u'mean', u'movement', u'like', u'water', u'basin', u'basin', u'gentli', u'tilt', u'let', u'motion', u'would', u'288', u'aplendix', u'impercept', u'except', u'effect', u'littl', u'doubt', u'reflect', u'small', u'later', u'movement', u'ocean', u'would', u'caus', u'immens', u'commot', u'boundari', u'consequ', u'slight', u'elast', u'water', u'free', u'move', u'let', u'moon', u'suppos', u'move', u'm', u'fig', u'2', u'm', u'fig', u'3', u'highest', u'point', u'water', u'would', u'transfer', u'f', u'k', u'dure', u'transfer', u'water', u'must', u'fall', u'f', u'rise', u'g', u'point', u'thi', u'manner', u'moon', u'caus', u'tide', u'direct', u'attract', u'wave', u'swell', u'whose', u'crest', u'abov', u'natur', u'level', u'sea', u'move', u'westward', u'stop', u'barrier', u'land', u'reced', u'barrier', u'excess', u'wave', u'abov', u'height', u'sea', u'uninfluenc', u'moon', u'transfer', u'side', u'ocean', u'return', u'wave', u'island', u'intermedi', u'would', u'ebb', u'flood', u'tide', u'everi', u'six', u'hour', u'four', u'flood', u'twentyfour', u'hour', u'contrari', u'six', u'hour', u'tide', u'altern', u'ebb', u'flow', u'twice', u'twentyfour', u'hour', u'like', u'shore', u'contin', u'though', u'gener', u'smaller', u'amount', u'water', u'rise', u'one', u'place', u'unless', u'fall', u'anoth', u'doe', u'fall', u'one', u'side', u'ocean', u'rise', u'fluid', u'transfer', u'onli', u'one', u'way', u'mass', u'oscil', u'former', u'case', u'moon', u'pass', u'wa', u'vibratori', u'movement', u'thi', u'latter', u'oscil', u'shove', u'believ', u'ocean', u'oscil', u'see', u'two', u'princip', u'caus', u'tide', u'one', u'direct', u'rais', u'water', u'moon', u'oscil', u'excit', u'temporari', u'derang', u'natur', u'level', u'sea', u'preced', u'fact', u'deduct', u'combin', u'commonli', u'receiv', u'law', u'fluid', u'gravit', u'follow', u'conclus', u'may', u'drawn', u'1', u'everi', u'larg', u'bodi', u'water', u'affect', u'attract', u'moon', u'sun', u'ha', u'tide', u'caus', u'action', u'2', u'bodi', u'water', u'onli', u'rais', u'accumul', u'vertic', u'attract', u'moon', u'sun', u'also', u'drawn', u'later', u'3', u'larg', u'bodi', u'water', u'prevent', u'continu', u'horizont', u'movement', u'rise', u'whatev', u'momentum', u'acquir', u'ceas', u'sink', u'gradual', u'appendix', u'289', u'4', u'momentum', u'acquir', u'bodi', u'water', u'thu', u'sink', u'back', u'posit', u'occupi', u'refer', u'earth', u'attract', u'onli', u'carri', u'beyond', u'posit', u'one', u'ha', u'tendenc', u'recoil', u'keep', u'oscil', u'brought', u'rest', u'friction', u'bed', u'attract', u'moon', u'sun', u'consid', u'5', u'recur', u'influenc', u'moon', u'sun', u'check', u'oscil', u'prevent', u'take', u'place', u'onc', u'separ', u'rais', u'water', u'consequ', u'attract', u'6', u'differ', u'zone', u'width', u'measur', u'latitud', u'ocean', u'may', u'move', u'differ', u'wave', u'oscil', u'time', u'differ', u'adjoin', u'zone', u'consequ', u'one', u'less', u'longitud', u'depth', u'freedom', u'obstacl', u'anoth', u'7', u'origin', u'wave', u'oscil', u'combin', u'modifi', u'one', u'anoth', u'accord', u'rel', u'magnitud', u'momentum', u'direct', u'8', u'natur', u'tendenc', u'tidewav', u'ocean', u'vibrat', u'east', u'west', u'oscil', u'west', u'east', u'east', u'west', u'also', u'deriv', u'wave', u'oscil', u'move', u'variou', u'direct', u'accord', u'primari', u'impuls', u'local', u'configur', u'bed', u'rn', u'ocean', u'conform', u'conclus', u'tri', u'explain', u'remark', u'anomali', u'tide', u'variou', u'part', u'world', u'take', u'grant', u'reader', u'acquaint', u'vfith', u'exist', u'work', u'subject', u'especi', u'mr', u'whewel', u'brief', u'comprehens', u'explanatori', u'view', u'taken', u'sir', u'j', u'herschel', u'hi', u'treatis', u'astronomi', u'mention', u'callao', u'western', u'shore', u'pacif', u'parallel', u'12', u'south', u'comparison', u'time', u'trust', u'whi', u'may', u'ask', u'four', u'five', u'hour', u'west', u'callao', u'multitud', u'island', u'check', u'liber', u'ocean', u'anoth', u'tide', u'wave', u'form', u'westward', u'small', u'scale', u'thi', u'second', u'tide', u'alter', u'deriv', u'tide', u'publish', u'philosoph', u'transact', u'cabinet', u'encyclopaedia', u'treatis', u'astronomi', u'chap', u'xi', u'pp', u'334', u'5', u'6', u'7', u'8', u'9', u'290', u'appendix', u'side', u'western', u'portion', u'thi', u'zone', u'affect', u'otaheit', u'thu', u'edg', u'unit', u'four', u'tide', u'one', u'east', u'anoth', u'west', u'third', u'north', u'fourth', u'south', u'tide', u'move', u'differ', u'impuls', u'differ', u'time', u'surpris', u'almost', u'neutral', u'otaheit', u'go', u'west', u'east', u'island', u'find', u'tide', u'augment', u'gradual', u'height', u'friendli', u'island', u'rise', u'five', u'feet', u'gambier', u'island', u'three', u'feet', u'respect', u'twelv', u'hour', u'tide', u'new', u'ireland', u'place', u'indian', u'archipelago', u'appeal', u'fact', u'far', u'trace', u'tide', u'present', u'tend', u'confirm', u'explan', u'sir', u'isaac', u'newton', u'consist', u'suppos', u'tide', u'compound', u'two', u'tide', u'arriv', u'differ', u'path', u'one', u'six', u'hour', u'later', u'moon', u'equat', u'morn', u'even', u'tide', u'compon', u'tide', u'arc', u'equal', u'tide', u'obliter', u'interfer', u'take', u'place', u'equinox', u'period', u'higher', u'tide', u'compon', u'daili', u'pair', u'compound', u'tide', u'take', u'place', u'intermedi', u'time', u'onc', u'day', u'thi', u'time', u'noon', u'befor', u'accord', u'time', u'year', u'whewel', u'phil', u'tran', u'1833', u'p', u'224', u'new', u'ireland', u'time', u'high', u'water', u'3', u'new', u'caledonia', u'9', u'northwest', u'coast', u'australia', u'12', u'eastern', u'approach', u'torr', u'strait', u'10', u'philippin', u'island', u'4', u'loo', u'chop', u'10', u'variou', u'time', u'tide', u'differ', u'impuls', u'crowd', u'togeth', u'compar', u'small', u'space', u'suffici', u'perplex', u'ani', u'theorist', u'present', u'day', u'owe', u'local', u'configur', u'varieti', u'incident', u'circumst', u'find', u'everi', u'kind', u'tide', u'thi', u'region', u'ina', u'space', u'sixti', u'degre', u'squar', u'although', u'tidal', u'impuls', u'wave', u'result', u'current', u'check', u'alter', u'broken', u'land', u'indian', u'archipelago', u'suddenli', u'destroy', u'prevent', u'influenc', u'commun', u'less', u'open', u'exist', u'mani', u'direct', u'sandwich', u'island', u'said', u'veri', u'littl', u'tide', u'high', u'water', u'40', u'n', u'american', u'coast', u'8', u'time', u'also', u'high', u'water', u'galapago', u'appear', u'two', u'zone', u'ocean', u'one', u'equat', u'near', u'40', u'n', u'high', u'water', u'meridian', u'sandwich', u'island', u'two', u'appendix', u'291', u'veri', u'differ', u'time', u'high', u'water', u'northern', u'zone', u'pass', u'meridian', u'three', u'hour', u'befor', u'equatori', u'wave', u'impuls', u'deriv', u'might', u'succeed', u'one', u'anoth', u'intermedi', u'point', u'sandwich', u'island', u'besid', u'tide', u'zone', u'consid', u'consequ', u'alon', u'might', u'high', u'water', u'6', u'thu', u'island', u'situat', u'receiv', u'least', u'three', u'tide', u'one', u'primari', u'two', u'deriv', u'whose', u'respect', u'time', u'high', u'water', u'1', u'6', u'10', u'success', u'may', u'well', u'suppos', u'neutralis', u'ani', u'ebb', u'maintain', u'water', u'thereabout', u'abov', u'natur', u'level', u'independ', u'tide', u'strait', u'magalhaen', u'along', u'eastern', u'coast', u'patagonia', u'veri', u'high', u'tide', u'appar', u'complic', u'perhap', u'less', u'usual', u'believ', u'power', u'tide', u'arriv', u'falkland', u'east', u'end', u'staten', u'land', u'9', u'oppos', u'anoth', u'power', u'tide', u'arriv', u'west', u'union', u'two', u'accumul', u'water', u'tierra', u'del', u'fuego', u'gallant', u'east', u'coast', u'patagonia', u'within', u'strait', u'magalhaen', u'westward', u'second', u'narrow', u'high', u'water', u'440', u'tide', u'rise', u'six', u'feet', u'eastward', u'first', u'narrow', u'high', u'130', u'tide', u'rise', u'forti', u'feet', u'one', u'case', u'sea', u'onli', u'rise', u'three', u'feet', u'twenti', u'abov', u'mean', u'level', u'everi', u'one', u'would', u'expect', u'find', u'rush', u'water', u'narrow', u'high', u'sea', u'low', u'fact', u'ten', u'four', u'water', u'run', u'westward', u'great', u'veloc', u'four', u'till', u'ten', u'rush', u'eastward', u'dure', u'first', u'interv', u'ten', u'four', u'eastern', u'bodi', u'water', u'tierra', u'del', u'fuego', u'gallant', u'abov', u'mean', u'level', u'dure', u'latter', u'interv', u'four', u'till', u'ten', u'mean', u'level', u'would', u'tide', u'50', u'near', u'blanc', u'bay', u'40', u'tidewav', u'certainli', u'travel', u'along', u'coast', u'north', u'thi', u'deriv', u'meet', u'tide', u'abovement', u'combin', u'primari', u'tide', u'coast', u'travers', u'thi', u'way', u'princip', u'may', u'account', u'high', u'tide', u'one', u'place', u'thi', u'coast', u'low', u'one', u'anoth', u'similarli', u'situat', u'though', u'differ', u'latitud', u'high', u'tide', u'anoth', u'place', u'dure', u'twentyfour', u'hour', u'deri', u'alpkndix', u'nativ', u'wave', u'occupi', u'move', u'cape', u'virgin', u'colorado', u'altern', u'augment', u'diminish', u'two', u'flood', u'two', u'ebb', u'great', u'ocean', u'perhap', u'inde', u'reach', u'farther', u'affect', u'water', u'plata', u'extraordinari', u'race', u'peninsula', u'san', u'jose', u'appar', u'absenc', u'current', u'straight', u'coast', u'extend', u'eastward', u'blanc', u'bay', u'may', u'attribut', u'conflict', u'tidal', u'impuls', u'whi', u'tide', u'river', u'plata', u'situat', u'shape', u'seem', u'extraordinari', u'high', u'water', u'6h', u'coast', u'brazil', u'sh', u'blanc', u'bay', u'deriv', u'wave', u'thi', u'neighbourhood', u'must', u'move', u'eastward', u'northward', u'fill', u'southward', u'eb', u'take', u'place', u'inconsequ', u'regular', u'sixhour', u'tide', u'vice', u'versa', u'tristan', u'dacunha', u'ha', u'consider', u'rise', u'tide', u'eight', u'feet', u'though', u'ascens', u'st', u'helena', u'onli', u'two', u'feet', u'former', u'place', u'affect', u'great', u'southern', u'tide', u'two', u'latter', u'influenc', u'compar', u'small', u'tide', u'travers', u'space', u'africa', u'brazil', u'west', u'indi', u'varieti', u'tide', u'caus', u'primari', u'deriv', u'impuls', u'exceedingli', u'modifi', u'local', u'circumst', u'none', u'howev', u'larg', u'small', u'ota', u'lieit', u'scarc', u'foot', u'utmost', u'place', u'also', u'archipelago', u'onli', u'one', u'tide', u'twentyfour', u'hour', u'consid', u'westindia', u'tide', u'east', u'coast', u'north', u'america', u'exceedingli', u'high', u'one', u'fundi', u'bay', u'gulf', u'stream', u'ought', u'overlook', u'may', u'affect', u'tide', u'coast', u'travers', u'even', u'patagoniann', u'coast', u'alter', u'current', u'driven', u'along', u'near', u'tierra', u'del', u'fuego', u'may', u'remark', u'mr', u'wheel', u'wa', u'misl', u'inaccur', u'data', u'respect', u'sever', u'time', u'high', u'water', u'materi', u'consequ', u'hi', u'comic', u'line', u'western', u'island', u'1', u'2j', u'ought', u'4', u'accord', u'mendoza', u'ro', u'tabl', u'confirm', u'beagl', u'observ', u'madeira', u'use', u'l', u'time', u'stream', u'chang', u'instead', u'4', u'time', u'high', u'water', u'cape', u'verd', u'island', u'took', u'time', u'low', u'tide', u'instead', u'high', u'water', u'hi', u'5h', u'line', u'near', u'ascens', u'wheie', u'time', u'high', u'water', u'620', u'hi', u'2h', u'line', u'close', u'st', u'helena', u'time', u'five', u'defici', u'data', u'great', u'owe', u'mistak', u'appendix', u'298', u'turn', u'stream', u'time', u'high', u'water', u'regist', u'calcul', u'observ', u'erron', u'littl', u'depend', u'place', u'least', u'onethird', u'hitherto', u'record', u'thi', u'account', u'chiefli', u'though', u'partli', u'simplifi', u'question', u'hope', u'much', u'nearer', u'mark', u'half', u'hour', u'thi', u'discuss', u'discard', u'fraction', u'much', u'possibl', u'attempt', u'onli', u'avoid', u'error', u'materi', u'consequ', u'look', u'atlant', u'repres', u'globe', u'see', u'newfoundland', u'adjac', u'coast', u'place', u'receiv', u'tidal', u'impuls', u'arctic', u'sea', u'north', u'atlant', u'ocean', u'tropic', u'part', u'north', u'atlant', u'gulf', u'stream', u'besid', u'doubt', u'deriv', u'equatori', u'zone', u'felt', u'high', u'water', u'east', u'side', u'atlant', u'canari', u'island', u'scotland', u'within', u'hour', u'two', u'time', u'salient', u'point', u'coast', u'name', u'4h', u'opposit', u'coast', u'straight', u'like', u'chile', u'uninfluenc', u'deriv', u'tide', u'current', u'might', u'expect', u'would', u'high', u'water', u'7h', u'allow', u'tidewav', u'move', u'found', u'gener', u'high', u'water', u'ih', u'30', u'40', u'time', u'increas', u'northward', u'40', u'n', u'bay', u'fundi', u'also', u'increas', u'southward', u'50', u'n', u'bay', u'everi', u'sailor', u'know', u'tide', u'rise', u'higher', u'ani', u'part', u'world', u'thi', u'sequenc', u'time', u'end', u'43', u'n', u'adjac', u'gulf', u'stream', u'immens', u'river', u'ocean', u'accumul', u'water', u'corner', u'higher', u'known', u'ani', u'els', u'show', u'expect', u'find', u'data', u'tidal', u'mile', u'quarter', u'evid', u'mark', u'except', u'caus', u'conflux', u'least', u'two', u'primari', u'tide', u'two', u'deriv', u'power', u'current', u'aid', u'peculiar', u'configur', u'land', u'mediterranean', u'suppos', u'mani', u'person', u'ebb', u'flow', u'captain', u'smith', u'survey', u'much', u'shore', u'inform', u'found', u'tide', u'small', u'certainli', u'appar', u'govern', u'moon', u'regular', u'notic', u'small', u'rise', u'fall', u'consent', u'caus', u'tide', u'faro', u'messina', u'well', u'known', u'moon', u'pass', u'indian', u'ocean', u'natur', u'effect', u'attract', u'must', u'accumul', u'water', u'draw', u'wave', u'caus', u'place', u'ocean', u'obey', u'afplixdix', u'ing', u'power', u'wave', u'travel', u'toward', u'west', u'anoth', u'wave', u'approach', u'pacif', u'wave', u'ha', u'retard', u'passag', u'crest', u'pass', u'indian', u'archipelago', u'water', u'would', u'otherwis', u'fall', u'western', u'part', u'torr', u'strait', u'time', u'deriv', u'wave', u'move', u'northward', u'along', u'west', u'australian', u'coast', u'combin', u'vdth', u'pacif', u'wave', u'rais', u'high', u'tide', u'northwest', u'coast', u'australia', u'auxiliari', u'would', u'low', u'water', u'time', u'six', u'hour', u'afterward', u'one', u'bodi', u'ha', u'eb', u'toward', u'pacif', u'southward', u'toward', u'compar', u'low', u'ocean', u'south', u'australia', u'torr', u'strait', u'block', u'water', u'prevent', u'fall', u'away', u'toward', u'south', u'would', u'high', u'tide', u'fact', u'low', u'water', u'tide', u'two', u'northern', u'bay', u'deriv', u'move', u'northward', u'high', u'water', u'take', u'place', u'one', u'time', u'within', u'hour', u'along', u'east', u'coast', u'africa', u'show', u'rise', u'sea', u'tidewav', u'move', u'westward', u'eastward', u'time', u'high', u'water', u'island', u'farther', u'confirm', u'wave', u'chao', u'mauritiu', u'three', u'four', u'hour', u'befor', u'high', u'water', u'african', u'coast', u'keeung', u'time', u'show', u'water', u'rise', u'longer', u'consequ', u'part', u'ocean', u'affect', u'advanc', u'swell', u'pacif', u'onli', u'remain', u'particular', u'case', u'recollect', u'south', u'coast', u'australia', u'king', u'georg', u'sound', u'spencer', u'gulf', u'larg', u'space', u'sea', u'veri', u'littl', u'rise', u'tide', u'even', u'littl', u'veri', u'irregular', u'high', u'water', u'move', u'westward', u'meridian', u'great', u'bay', u'tide', u'move', u'southward', u'indian', u'archipelago', u'high', u'water', u'low', u'bay', u'mention', u'henc', u'fill', u'flow', u'one', u'wave', u'anoth', u'retreat', u'thi', u'wide', u'expans', u'affect', u'deriv', u'tide', u'three', u'adjoin', u'ocean', u'expect', u'irregular', u'either', u'veri', u'high', u'tide', u'caus', u'combin', u'littl', u'tide', u'consequ', u'mutual', u'destruct', u'one', u'tide', u'eb', u'whue', u'anoth', u'flow', u'toward', u'place', u'throughout', u'remark', u'intent', u'omit', u'say', u'much', u'sun', u'action', u'becaus', u'though', u'veri', u'inferior', u'simia', u'deriv', u'great', u'southern', u'wave', u'pass', u'westward', u'appendix', u'295', u'lar', u'moon', u'perhap', u'otaheit', u'tide', u'may', u'purelysolar', u'thi', u'howev', u'certain', u'appear', u'probabl', u'mani', u'import', u'current', u'caus', u'tidal', u'librat', u'oscil', u'sea', u'earth', u'turn', u'onli', u'one', u'way', u'moon', u'continu', u'pull', u'one', u'direct', u'thi', u'caus', u'think', u'greater', u'current', u'may', u'trace', u'wind', u'evapor', u'variabl', u'weight', u'atmospher', u'may', u'share', u'move', u'water', u'horizont', u'mani', u'fact', u'lead', u'conclus', u'moon', u'sun', u'princip', u'agent', u'caus', u'current', u'allud', u'effect', u'atmospher', u'pressur', u'ocean', u'take', u'thi', u'opportun', u'mention', u'chief', u'caus', u'water', u'rise', u'shore', u'befor', u'hurrican', u'gale', u'wind', u'mayb', u'lighten', u'pressur', u'surfac', u'sea', u'indic', u'mercuri', u'low', u'baromet', u'thi', u'veri', u'remark', u'mauritiu', u'river', u'plata', u'place', u'water', u'rise', u'unusu', u'befor', u'storm', u'time', u'mercuri', u'fall', u'column', u'rise', u'water', u'fall', u'instanc', u'place', u'well', u'known', u'affect', u'veri', u'littl', u'tide', u'fact', u'ha', u'observ', u'mani', u'place', u'dure', u'beagl', u'voyag', u'besid', u'collect', u'testimoni', u'respect', u'caus', u'may', u'materi', u'affect', u'height', u'tide', u'strength', u'current', u'wide', u'shallow', u'plata', u'depth', u'water', u'natur', u'current', u'vari', u'extraordinari', u'accord', u'baromet', u'anoth', u'caus', u'water', u'rise', u'befor', u'high', u'wind', u'storm', u'well', u'ground', u'swell', u'roller', u'disturb', u'tumultu', u'heav', u'sea', u'sometim', u'observ', u'littl', u'wind', u'place', u'may', u'action', u'wind', u'remot', u'part', u'sea', u'action', u'pressur', u'rapidli', u'transmit', u'fluid', u'slightli', u'elast', u'region', u'distanc', u'collect', u'mani', u'instanc', u'roller', u'heavi', u'swell', u'confus', u'ground', u'swell', u'felt', u'place', u'onli', u'wa', u'wind', u'time', u'wind', u'caus', u'move', u'continu', u'stream', u'may', u'produc', u'success', u'impuls', u'rotatori', u'system', u'wave', u'may', u'kept', u'constant', u'circul', u'impuls', u'receiv', u'adjac', u'tide', u'see', u'whewel', u'phil', u'tran', u'1836', u'p', u'299', u'296', u'appendix', u'ment', u'water', u'never', u'reach', u'lliat', u'caus', u'nnd', u'prove', u'log', u'ship', u'respect', u'gale', u'time', u'effect', u'sea', u'thu', u'felt', u'great', u'distanc', u'tie', u'place', u'particularli', u'allud', u'cape', u'verd', u'island', u'ascens', u'st', u'helena', u'tristan', u'dacunha', u'cape', u'frio', u'tierra', u'del', u'fuego', u'chilo', u'coast', u'chile', u'galapago', u'island', u'otaheit', u'see', u'island', u'mauritiu', u'cape', u'good', u'hope', u'wave', u'roller', u'caus', u'earthquak', u'volcan', u'erupt', u'cours', u'unconnect', u'wind', u'atmospher', u'pressur', u'account', u'current', u'occas', u'mani', u'instanc', u'tidal', u'pressur', u'success', u'tidal', u'impuls', u'must', u'overlook', u'well', u'known', u'power', u'wind', u'give', u'horizont', u'motion', u'water', u'well', u'elev', u'depress', u'wind', u'blow', u'almost', u'alway', u'one', u'direct', u'knowti', u'commun', u'movement', u'water', u'remark', u'gener', u'movement', u'north', u'pacif', u'well', u'north', u'atlant', u'west', u'north', u'east', u'sailor', u'would', u'say', u'sun', u'southern', u'ocean', u'pacif', u'atlant', u'indian', u'gener', u'sun', u'west', u'east', u'south', u'correspond', u'gener', u'turn', u'wind', u'respect', u'hemispher', u'chile', u'current', u'coast', u'peru', u'presenc', u'temperatur', u'60', u'galapago', u'meet', u'warm', u'stream', u'gulf', u'panama', u'temperatur', u'80', u'two', u'unit', u'togeth', u'turn', u'westward', u'along', u'equatori', u'zone', u'remark', u'except', u'east', u'coast', u'patagonia', u'current', u'set', u'northward', u'owe', u'probabl', u'tide', u'end', u'thi', u'imperfect', u'attempt', u'sketch', u'movement', u'ocean', u'without', u'remind', u'young', u'reader', u'subject', u'may', u'familiar', u'mayb', u'irrit', u'water', u'vertic', u'direct', u'plane', u'inclin', u'horizon', u'well', u'horizont', u'bodi', u'water', u'differ', u'temperatur', u'well', u'chemic', u'composit', u'hastili', u'blend', u'togeth', u'reluct', u'mix', u'observ', u'sea', u'sail', u'one', u'current', u'bodi', u'water', u'anoth', u'differ', u'perhap', u'temperatur', u'chemic', u'composit', u'colour', u'meet', u'edg', u'bodi', u'usual', u'well', u'defin', u'line', u'often', u'consider', u'rippl', u'indic', u'degre', u'mutual', u'horizont', u'pressur', u'separ', u'mass', u'appendix', u'207', u'mouth', u'hvrge', u'river', u'sometim', u'happen', u'salt', u'water', u'actual', u'run', u'river', u'underneath', u'stream', u'fresh', u'water', u'still', u'continu', u'run', u'thi', u'wit', u'river', u'santa', u'cruz', u'cours', u'intermixtur', u'take', u'place', u'gradual', u'though', u'slow', u'degre', u'height', u'wave', u'may', u'mention', u'refer', u'roller', u'undul', u'water', u'howev', u'caus', u'larg', u'wave', u'seldom', u'seen', u'except', u'sea', u'deep', u'extens', u'highest', u'everwit', u'less', u'sixti', u'feet', u'height', u'reckon', u'hollow', u'perpendicularli', u'level', u'two', u'adjac', u'wave', u'twenti', u'thirti', u'feet', u'common', u'height', u'open', u'ocean', u'dure', u'storm', u'quit', u'awar', u'long', u'amus', u'assert', u'person', u'whose', u'good', u'fortun', u'ha', u'wit', u'realli', u'larg', u'wave', u'sea', u'never', u'rise', u'abov', u'twelv', u'fifteen', u'feet', u'wave', u'exce', u'thirti', u'feet', u'height', u'reckon', u'ina', u'vertic', u'line', u'level', u'hollow', u'crest', u'h', u'm', u'theti', u'dure', u'unusu', u'heavi', u'gale', u'wind', u'atlant', u'far', u'bay', u'biscay', u'two', u'wave', u'storm', u'trysail', u'total', u'becalm', u'crest', u'wave', u'abov', u'level', u'centr', u'mainyard', u'wa', u'upright', u'two', u'sea', u'mainyard', u'wa', u'sixti', u'feet', u'waterlin', u'wa', u'stand', u'near', u'taffrail', u'hold', u'rope', u'never', u'saw', u'sea', u'befor', u'never', u'seen', u'ani', u'equal', u'sinc', u'either', u'cape', u'horn', u'cape', u'good', u'hope', u'calcul', u'tide', u'applic', u'method', u'follow', u'newton', u'gener', u'principl', u'adopt', u'mr', u'whewel', u'person', u'whose', u'opinion', u'thi', u'subject', u'men', u'respect', u'equal', u'applic', u'view', u'taken', u'either', u'case', u'time', u'high', u'water', u'rise', u'tide', u'certain', u'day', u'ascertain', u'given', u'place', u'experiment', u'caus', u'tide', u'moon', u'sun', u'chang', u'posit', u'respect', u'earth', u'oper', u'chang', u'tide', u'time', u'quantiti', u'depend', u'upon', u'abov', u'data', u'posit', u'earth', u'moon', u'sun', u'variat', u'tide', u'deal', u'ordinari', u'calcul', u'origin', u'movement', u'c', u'c', u'98', u'aprenbix', u'48', u'previou', u'sail', u'england', u'1831', u'beagl', u'wa', u'fit', u'perman', u'lightn', u'conductor', u'invent', u'mr', u'wm', u'snow', u'harri', u'fr', u'dure', u'five', u'year', u'occupi', u'voyag', u'wa', u'frequent', u'expos', u'lightn', u'never', u'receiv', u'slightest', u'damag', u'although', u'suppos', u'struck', u'least', u'two', u'occas', u'instant', u'vivid', u'flash', u'lightn', u'accompani', u'crash', u'peal', u'thunder', u'hiss', u'sound', u'wa', u'heard', u'mast', u'strang', u'though', u'veri', u'slightli', u'tremul', u'motion', u'ship', u'indic', u'someth', u'unusu', u'happen', u'beagl', u'mast', u'fit', u'answer', u'well', u'dure', u'five', u'year', u'voyag', u'abovement', u'still', u'use', u'board', u'vessel', u'foreign', u'servic', u'even', u'small', u'spar', u'royal', u'mast', u'fli', u'jibboom', u'plate', u'copper', u'held', u'place', u'firmli', u'increas', u'rather', u'diminish', u'strength', u'object', u'appear', u'valid', u'ha', u'yet', u'rais', u'allow', u'choos', u'mast', u'fit', u'contrari', u'slightest', u'hesit', u'decid', u'mr', u'harriss', u'conductor', u'whether', u'might', u'farther', u'improv', u'posit', u'detail', u'ingeni', u'inventor', u'consid', u'determin', u'ha', u'alreadi', u'devot', u'mani', u'year', u'valuabl', u'time', u'attent', u'veri', u'import', u'subject', u'defend', u'ship', u'stroke', u'electr', u'ha', u'succeed', u'well', u'benefit', u'great', u'inconveni', u'expens', u'earnestli', u'hope', u'govern', u'behalf', u'thi', u'great', u'maritim', u'countri', u'least', u'indemnifi', u'time', u'employ', u'privat', u'fund', u'expend', u'n', u'public', u'servic', u'use', u'necessari', u'charact', u'49', u'memorandum', u'fresh', u'provis', u'procur', u'beagl', u'crew', u'1831', u'1835', u'mani', u'anim', u'bird', u'shot', u'variou', u'place', u'besid', u'enumer', u'thi', u'list', u'everi', u'one', u'board', u'appendix', u'profit', u'turn', u'fish', u'caught', u'frequent', u'either', u'net', u'line', u'sometim', u'except', u'long', u'passag', u'crew', u'beagl', u'seldom', u'mani', u'week', u'without', u'suppli', u'fresh', u'wholesom', u'food', u'provis', u'carri', u'hoard', u'alway', u'best', u'qualiti', u'could', u'procur', u'number', u'weight', u'anim', u'kill', u'two', u'rifl', u'onli', u'date', u'anim', u'shot', u'weight', u'1832', u'blanc', u'bay', u'e', u'astern', u'patagonia', u'sept', u'1', u'1', u'one', u'cavia', u'h', u'fuller', u'22', u'lb', u'12', u'three', u'deer', u'ditto', u'15', u'one', u'cavia', u'abbut', u'19', u'17', u'two', u'doer', u'mr', u'stoke', u'81', u'oct', u'16', u'four', u'deer', u'h', u'fuller', u'1833', u'august', u'25', u'two', u'deer', u'h', u'fuller', u'one', u'deer', u'mr', u'stoke', u'62', u'30', u'two', u'deer', u'h', u'fuller', u'two', u'cavil', u'ditto', u'one', u'deer', u'abbut', u'31', u'ditto', u'mr', u'byno', u'sept', u'1', u'ditto', u'mr', u'stoke', u'ditto', u'h', u'fuller', u'one', u'fawn', u'ditto', u'four', u'cavil', u'ditto', u'3', u'one', u'cavia', u'capt', u'fitzroy', u'one', u'deer', u'f', u'r', u'stoke', u'4', u'three', u'cavil', u'h', u'fuller', u'port', u'desir', u'eastern', u'patagonia', u'dec', u'28', u'oneguanaco', u'h', u'fuller', u'j', u'834', u'santa', u'cruz', u'eastern', u'patagonia', u'april', u'24', u'one', u'guanaco', u'h', u'fuller', u'30', u'two', u'guauaco', u'ditto', u'may', u'8', u'one', u'guanaco', u'mr', u'byno', u'j', u'ditto', u'h', u'fuller', u'9', u'ditto', u'mr', u'byno', u'11', u'ditto', u'ditto', u'2174', u'lb', u'weight', u'whole', u'anim', u'rest', u'serv', u'ship', u'compani', u'c', u'c', u'2', u'appendix', u'fresh', u'provis', u'purchas', u'pacif', u'indian', u'ocean', u'use', u'crew', u'hm', u'beagl', u'charl', u'island', u'galapago', u'date', u'articl', u'dlr', u'art', u'1835', u'sept', u'25', u'26', u'1', u'pi', u'r', u'269', u'lb', u'1', u'pig', u'f', u'3', u'pig', u'j', u'1', u'13', u'barrel', u'potato', u'8', u'pumpkin', u'total', u'otaheit', u'16th', u'28tli', u'novemb', u'1', u'835', u'dlr', u'rl', u'mil', u'706', u'ii', u'fresh', u'beef', u'35', u'1', u'4', u'barrel', u'potato', u'3', u'dlr', u'12', u'3', u'pig', u'5', u'dlr', u'16', u'25', u'head', u'taro', u'root', u'2', u'4', u'dlr', u'64', u'4', u'1', u'25th', u'novemb', u'1835', u'fresh', u'beef', u'20', u'lb', u'1', u'dlr', u'ditto', u'pork', u'15', u'1b', u'1', u'dlr', u'sweet', u'potato', u'3', u'dollar', u'per', u'barrel', u'new', u'zealand', u'22d', u'dec', u'1835', u'1st', u'jan', u'1836', u'10', u'pig', u'weigh', u'840', u'lb', u'2jrf', u'per', u'lb', u'8', u'15', u'8', u'cwt', u'potato', u'3s', u'per', u'cwt', u'14', u'9', u'19', u'9', u'195', u'equal', u'49', u'dlr', u'6', u'rl', u'22d', u'decemb', u'1835', u'bay', u'island', u'current', u'price', u'pork', u'2rf', u'per', u'lb', u'potato', u'os', u'per', u'cwt', u'comet', u'pork', u'4irf', u'per', u'lb', u'beef', u'procur', u'2irf', u'per', u'lb', u'keel', u'land', u'12th', u'april', u'1836', u'26', u'turtl', u'4i', u'4rf', u'i5', u'12', u'8', u'2', u'larg', u'pig', u'200', u'7', u'12', u'8', u'payment', u'500', u'lb', u'bread', u'27', u'5', u'4', u'2', u'cash', u'2', u'8', u'g', u'7', u'12', u'8', u'afeenuix', u'50', u'observ', u'temperatur', u'sea', u'latitud', u'27', u'30', u'longitud', u'41', u'e', u'loth', u'may', u'183g', u'six', u'selfregist', u'thermomet', u'fahrenheit', u'scale', u'use', u'surfac', u'756', u'200', u'fathom', u'585', u'5', u'fathom', u'745', u'555', u'742', u'525', u'740', u'520', u'740', u'730', u'repeat', u'725', u'5', u'fathom', u'744', u'710', u'740', u'700', u'710', u'680', u'700', u'645', u'645', u'april', u'1836', u'keel', u'island', u'indian', u'ocean', u'lat', u'12', u'temperatur', u'bottom', u'363', u'fathom', u'wa', u'45', u'veri', u'care', u'observ', u'51', u'tabl', u'remark', u'height', u'visibl', u'ship', u'height', u'given', u'thi', u'tabl', u'ascertain', u'angular', u'measur', u'coast', u'south', u'america', u'falldand', u'island', u'galapago', u'summit', u'feet', u'abingdon', u'island', u'1950', u'acari', u'mount', u'1', u'650', u'aconcagua', u'23200', u'ahuja', u'point', u'height', u'near', u'1000', u'albemarl', u'island', u'sw', u'summit', u'4700', u'albemarl', u'island', u'se', u'ditto', u'3720', u'albemarl', u'island', u'middl', u'ditto', u'3780', u'albemarl', u'island', u'north', u'ditto', u'3500', u'albemarl', u'island', u'cape', u'berkeley', u'2360', u'alexand', u'mount', u'1960', u'amatap', u'mountain', u'3270', u'summit', u'feet', u'anima', u'la', u'height', u'south', u'1800', u'raymond', u'mount', u'1000', u'bank', u'hill', u'good', u'success', u'bay', u'1', u'400', u'bell', u'mount', u'tierra', u'del', u'fuego', u'2600', u'benson', u'mount', u'1780', u'bofjueron', u'mount', u'3000', u'bufaderohil', u'1620', u'burney', u'mount', u'5800', u'callao', u'height', u'near', u'3000', u'campania', u'mount', u'3450', u'appendix', u'summit', u'feet', u'ciirrcta', u'mount', u'1430', u'hill', u'2500', u'carrasco', u'mount', u'5520', u'carrasco', u'height', u'3000', u'carris', u'herradura', u'de', u'height', u'near', u'3050', u'castro', u'hill', u'peru', u'1160', u'chala', u'mount', u'37', u'10', u'chimera', u'height', u'north', u'1100', u'charl', u'island', u'saddl', u'hill', u'1780', u'chatham', u'island', u'west', u'summit', u'1550', u'chathamlsland', u'middl', u'summit', u'1210', u'chatham', u'island', u'south', u'summit', u'1550', u'chilca', u'port', u'height', u'1320', u'chile', u'point', u'1640', u'cliffcovehil', u'1550', u'cobija', u'rang', u'3330', u'coconut', u'head', u'1500', u'cole', u'point', u'height', u'near', u'2970', u'cone', u'port', u'san', u'andr', u'1600', u'corcovado', u'rio', u'de', u'janeiro', u'2340', u'corcovado', u'chilo', u'7510', u'cruz', u'mount', u'2260', u'cacao', u'height', u'1', u'800', u'libra', u'cove', u'height', u'near', u'2390', u'curauma', u'head', u'1830', u'dark', u'hill', u'2150', u'darwin', u'mount', u'tierra', u'del', u'fuego', u'6800', u'darwin', u'iniount', u'peru', u'5800', u'davi', u'mount', u'j', u'420', u'divis', u'mount', u'1', u'830', u'brimston', u'galajjago', u'1500', u'duend', u'summit', u'2580', u'eten', u'height', u'inshor', u'near', u'2450', u'galena', u'rang', u'point', u'fals', u'1550', u'gallan', u'san', u'island', u'1130', u'garita', u'hill', u'3', u'yoo', u'gobernador', u'hill', u'1020', u'summit', u'feet', u'corda', u'point', u'2520', u'grand', u'point', u'1570', u'grave', u'mount', u'1', u'438', u'haddington', u'mount', u'3130', u'herradura', u'hill', u'coquimbo', u'1000', u'herradura', u'south', u'distant', u'hill', u'2450', u'huacho', u'peak', u'4220', u'huanaquero', u'hill', u'1850', u'iluanchaco', u'mount', u'3450', u'iluayteea', u'grand', u'1000', u'islay', u'mount', u'3340', u'isquiliac', u'mount', u'3000', u'jame', u'island', u'galapago', u'summit', u'1700', u'baron', u'mountain', u'3990', u'juan', u'fernando', u'yungu', u'3000', u'juan', u'soldan', u'3900', u'katerpeak', u'1750', u'leehuza', u'mount', u'1300', u'limari', u'rang', u'2150', u'lobo', u'height', u'south', u'victor', u'3380', u'lobo', u'point', u'height', u'3090', u'loma', u'rang', u'san', u'antonio', u'2960', u'lorenzo', u'san', u'1050', u'lui', u'san', u'rang', u'near', u'cape', u'quedal', u'2400', u'main', u'mount', u'2060', u'malacuen', u'3000', u'mamilla', u'height', u'4020', u'manzano', u'hill', u'1550', u'maria', u'dona', u'tabl', u'2160', u'matalqui', u'height', u'1500', u'matamor', u'height', u'near', u'2450', u'ivfaul', u'height', u'near', u'1300', u'maytencillo', u'rang', u'3900', u'meilersh', u'height', u'3560', u'mexillon', u'height', u'2650', u'midhurst', u'island', u'1', u'760', u'appendix', u'summit', u'feet', u'rlilagro', u'east', u'lielit', u'2400', u'jmilagro', u'south', u'height', u'3150', u'imincliinmadom', u'8000', u'milford', u'head', u'1220', u'mocha', u'island', u'1240', u'mollendo', u'peak', u'3090', u'mongon', u'mount', u'3900', u'monument', u'peak', u'2850', u'moor', u'monument', u'3400', u'moreno', u'amount', u'4160', u'marlborough', u'island', u'galapago', u'3720', u'nasca', u'point', u'1020', u'neukemount', u'1800', u'obispo', u'height', u'near', u'2850', u'oyarvid', u'mount', u'5800', u'osorno', u'mountain', u'7550', u'pabellon', u'pico', u'1040', u'payta', u'silla', u'de', u'1300', u'paul', u'st', u'dome', u'2280', u'paz', u'islet', u'1180', u'pedro', u'san', u'3200', u'pere', u'peurao', u'point', u'1900', u'philip', u'mount', u'hono', u'2760', u'philip', u'st', u'mount', u'131', u'pisagua', u'height', u'north', u'3220', u'plata', u'point', u'1670', u'pond', u'mount', u'2500', u'pyramid', u'hill', u'2500', u'quilan', u'ridg', u'1180', u'quillota', u'bell', u'6200', u'quemado', u'mount', u'2070', u'summit', u'feet', u'refug', u'peak', u'hono', u'3460', u'rug', u'peak', u'2840', u'sandhil', u'3890', u'sarmiento', u'mount', u'6910', u'serenahil', u'1660', u'silla', u'hill', u'pichidanqu', u'2000', u'simon', u'mount', u'1600', u'skyre', u'mount', u'2200', u'skyre', u'peak', u'hono', u'2620', u'solar', u'height', u'near', u'3420', u'sulivan', u'mount', u'peru', u'5000', u'sulivan', u'peak', u'hono', u'4350', u'stoke', u'mount', u'peru', u'4000', u'sugar', u'loaf', u'rio', u'de', u'janeiro', u'1270', u'sugar', u'loaf', u'galapago', u'1200', u'sugar', u'loaf', u'hono', u'1840', u'talinay', u'mount', u'2300', u'tarn', u'mount', u'2850', u'tarapaca', u'mount', u'5780', u'tre', u'moni', u'cape', u'2000', u'tre', u'punta', u'cape', u'2000', u'twentysix', u'degre', u'rang', u'2200', u'raper', u'cape', u'ree', u'point', u'rang', u'near', u'2000', u'3500', u'usborn', u'mountain', u'peru', u'4000', u'usborn', u'mount', u'falkland', u'1630', u'valparaiso', u'height', u'1480', u'valparaiso', u'signal', u'post', u'hill', u'1070', u'montana', u'mountain', u'3350', u'villarica', u'mountain', u'16000', u'weddel', u'mount', u'1160', u'wickham', u'height', u'falkland', u'1700', u'wickham', u'amount', u'peru', u'4010', u'william', u'island', u'2530', u'wilson', u'mount', u'8060', u'mantl', u'mount', u'8030', u'note', u'height', u'given', u'onli', u'nearest', u'ten', u'feet', u'abov', u'mean', u'level', u'sea', u'calcul', u'utmost', u'degre', u'accuraci', u'wa', u'attain', u'304', u'appendix', u'52', u'pp', u'2289', u'vol', u'ii', u'state', u'15012', u'americu', u'vcspuciu', u'employ', u'king', u'portug', u'sail', u'six', u'hundr', u'leagu', u'south', u'one', u'hundr', u'fifti', u'leagu', u'west', u'cape', u'san', u'ago', u'tinto', u'lat', u'8', u'20', u'along', u'coast', u'countri', u'name', u'terra', u'sancti', u'cruci', u'hi', u'account', u'longitud', u'may', u'veri', u'erron', u'could', u'hi', u'latitud', u'er', u'thirteen', u'degre', u'thi', u'hi', u'southernmost', u'voyag', u'sinc', u'page', u'print', u'obtain', u'perfect', u'copi', u'four', u'voyag', u'americu', u'vespuciu', u'written', u'latin', u'nov', u'hasten', u'correct', u'ani', u'erron', u'impress', u'might', u'aris', u'assert', u'vespuciu', u'could', u'explor', u'farther', u'south', u'right', u'bank', u'la', u'plata', u'subjoin', u'extract', u'third', u'voyag', u'vespuciu', u'appear', u'sail', u'fiftjtwo', u'degre', u'south', u'latitud', u'near', u'latitud', u'discov', u'land', u'doubt', u'whatev', u'wa', u'georgia', u'extract', u'onli', u'verbal', u'liter', u'copi', u'origin', u'everi', u'passag', u'throw', u'even', u'slightest', u'light', u'upon', u'date', u'time', u'cours', u'distanc', u'posit', u'given', u'portion', u'narr', u'omit', u'relat', u'sole', u'vespuciu', u'saw', u'land', u'accord', u'hi', u'narr', u'went', u'canari', u'thenc', u'coast', u'africa', u'near', u'cape', u'verd', u'place', u'sail', u'coast', u'brazil', u'near', u'westward', u'cape', u'st', u'roqu', u'thenc', u'work', u'windward', u'current', u'till', u'reach', u'cape', u'san', u'agostinho', u'point', u'coast', u'river', u'grand', u'thirtytwo', u'south', u'thi', u'port', u'whether', u'river', u'grand', u'place', u'near', u'vespuciu', u'steer', u'southeast', u'per', u'seroccum', u'five', u'hundr', u'leagu', u'found', u'south', u'pole', u'elev', u'fiftytwo', u'degre', u'night', u'fifteen', u'hour', u'long', u'cold', u'excess', u'high', u'sea', u'success', u'tempestu', u'weather', u'land', u'precis', u'like', u'georgia', u'resembl', u'ani', u'part', u'falkland', u'georgia', u'lie', u'somewhat', u'farther', u'south', u'latitud', u'mention', u'54', u'55', u'take', u'consider', u'instrument', u'use', u'sea', u'1502', u'utter', u'ignor', u'southern', u'star', u'success', u'bad', u'weather', u'encount', u'vespuciu', u'time', u'hi', u'see', u'land', u'near', u'52', u'appendix', u'305', u'thi', u'latitud', u'sail', u'thirteen', u'hundr', u'leagu', u'toward', u'north', u'northeast', u'arriv', u'sierra', u'leon', u'whenc', u'went', u'azor', u'lisbon', u'intern', u'evid', u'contain', u'narr', u'thi', u'voyag', u'afford', u'satisfactori', u'proof', u'authent', u'whether', u'design', u'vespuciu', u'wa', u'seek', u'southern', u'land', u'endeavour', u'sail', u'cathay', u'shortest', u'line', u'arc', u'great', u'circl', u'doe', u'appear', u'know', u'wa', u'skill', u'mathemat', u'enterpris', u'charact', u'conjectur', u'latter', u'may', u'total', u'improb', u'navig', u'tertian', u'america', u'vesputii', u'loiter', u'ab', u'hoc', u'lisbon', u'port', u'cum', u'tribu', u'conserv', u'navi', u'die', u'mali', u'decimo', u'mdi', u'abeunt', u'cursu', u'nostrum', u'versu', u'mans', u'canarif', u'insult', u'arripuimu', u'secundum', u'qua', u'et', u'ad', u'sarum', u'prospectu', u'instant', u'navig', u'idem', u'navigium', u'nostrum', u'couateraht', u'secundi', u'aphricam', u'occident', u'versu', u'sequuti', u'fuimu', u'h', u'evinc', u'autem', u'ad', u'partem', u'illam', u'thiopis', u'use', u'basilica', u'decatur', u'even', u'quae', u'quidem', u'sub', u'torrid', u'zona', u'posita', u'est', u'et', u'superhuman', u'quatuordecim', u'gradibu', u'se', u'septentrionali', u'right', u'pole', u'climat', u'primo', u'ubi', u'diebu', u'duodecim', u'nobi', u'de', u'igni', u'et', u'aqua', u'provis', u'parent', u'restitimu', u'propter', u'id', u'quod', u'austria', u'versu', u'per', u'atlant', u'pelagiu', u'navig', u'mihi', u'finess', u'affect', u'itaqu', u'portum', u'jthiopis', u'ilium', u'post', u'haec', u'delinqu', u'tunc', u'per', u'lebeccium', u'ventum', u'tantum', u'navig', u'ut', u'sexaginta', u'et', u'septem', u'infra', u'die', u'insula', u'quidam', u'ajiplicuerimu', u'use', u'insula', u'septingenti', u'port', u'eodem', u'leuci', u'ad', u'lebeccii', u'partem', u'distant', u'quibu', u'quidem', u'diebu', u'eju', u'perpessi', u'tempu', u'fuimu', u'quem', u'unquam', u'mari', u'quisquam', u'antea', u'pertulerit', u'propter', u'veterum', u'nimbo', u'rumv', u'impetu', u'qui', u'quamplurimum', u'nobi', u'intuler', u'gravamina', u'ex', u'eo', u'quod', u'navigium', u'nostrum', u'irnea', u'praesertim', u'equinocti', u'continu', u'punctum', u'fuit', u'inibiqu', u'mens', u'juno', u'hem', u'extant', u'ac', u'die', u'noctibu', u'squar', u'sunt', u'atqu', u'ips', u'umbra', u'nostra', u'continu', u'versu', u'meridian', u'grant', u'tandem', u'vero', u'omnipot', u'placet', u'nova', u'una', u'nobi', u'ostend', u'pagan', u'decimo', u'septic', u'scilicet', u'august', u'juxta', u'quam', u'leuca', u'deposit', u'ab', u'eadem', u'cum', u'media', u'restitimu', u'et', u'postea', u'assumpt', u'cymbi', u'nonnulli', u'ipsa', u'visuri', u'si', u'inhabit', u'ess', u'protect', u'fuimu', u'h', u'h', u'appendix', u'de', u'qua', u'quidem', u'ora', u'pro', u'ipso', u'serenissimo', u'castil', u'rage', u'possessodium', u'copiou', u'invenlmusqu', u'illam', u'multum', u'ameenam', u'ac', u'ibidem', u'ess', u'et', u'apprentic', u'bone', u'est', u'autem', u'extra', u'linea', u'eequinoctialem', u'austria', u'versu', u'quinqu', u'gradibu', u'et', u'ita', u'eadem', u'die', u'ad', u'nave', u'nostra', u'repedadmu', u'jj', u'postquam', u'autem', u'terrain', u'imam', u'reliquia', u'mox', u'inter', u'levant', u'et', u'seroccum', u'ventum', u'secundum', u'quo', u'se', u'contin', u'terra', u'navig', u'occupi', u'plurima', u'ambiti', u'plurimosqu', u'gyro', u'interdum', u'sectari', u'quibu', u'durantibu', u'gent', u'non', u'vidimu', u'qua', u'noricum', u'practic', u'aut', u'ad', u'aipropinquar', u'voluerint', u'tantum', u'vero', u'navig', u'ut', u'tellurem', u'una', u'nova', u'quae', u'secundum', u'lebeccium', u'se', u'porring', u'inv', u'seriou', u'qua', u'quum', u'campu', u'unum', u'circuivissemu', u'cui', u'sancti', u'vincent', u'campo', u'nomen', u'insidi', u'secundum', u'lebeccium', u'ventum', u'post', u'haec', u'navig', u'occcepimu', u'dist', u'atqu', u'idem', u'sancti', u'vincent', u'campu', u'prior', u'terra', u'ulla', u'centum', u'quinquaginta', u'leuoi', u'ad', u'partem', u'levant', u'qui', u'et', u'quidem', u'campu', u'octo', u'gradibu', u'extra', u'linea', u'sequinoctialem', u'versu', u'austria', u'est', u'h', u'l', u'portum', u'ilium', u'delinqu', u'per', u'lebeccium', u'ventum', u'et', u'vise', u'teits', u'semper', u'transcurrimu', u'plume', u'continu', u'hacienda', u'scale', u'plurescu', u'ambiti', u'ac', u'interdum', u'cum', u'multi', u'populu', u'loquendo', u'done', u'tant', u'versu', u'austria', u'extra', u'capricorn', u'tropic', u'fuimu', u'ubi', u'super', u'horizont', u'ilium', u'meridion', u'pole', u'triginta', u'duobu', u'sese', u'extol', u'gradibu', u'atqu', u'minor', u'jam', u'perdideramu', u'ursam', u'opaqu', u'major', u'ursa', u'multum', u'fia', u'videbatur', u'fere', u'fine', u'horizont', u'se', u'ostentan', u'et', u'tunc', u'per', u'stella', u'alteriu', u'meridion', u'poll', u'nosmetipso', u'dirigebamu', u'que', u'multo', u'silur', u'multoqu', u'major', u'ac', u'lucidior', u'quam', u'nostri', u'jdoh', u'steuae', u'exist', u'propter', u'quod', u'jlurimarum', u'harum', u'figura', u'confin', u'et', u'praesertim', u'earura', u'quae', u'priori', u'ac', u'majori', u'magnitudiiii', u'grant', u'ima', u'cum', u'declin', u'diametrorum', u'qua', u'circa', u'solum', u'austria', u'effici', u'et', u'una', u'cum', u'desol', u'eundem', u'diametrorum', u'et', u'semidiametrorum', u'earn', u'prout', u'men', u'quatuor', u'diabet', u'sive', u'navigationibu', u'aspic', u'facil', u'potent', u'hoch', u'vero', u'navigio', u'nostri', u'campo', u'sancti', u'augustin', u'inceito', u'septingenta', u'percurrimu', u'luca', u'leuca', u'videlicet', u'versu', u'ponen', u'ten', u'centum', u'et', u'versu', u'lebeccium', u'sexingenta', u'qua', u'quidem', u'dum', u'per', u'agra', u'remu', u'si', u'qui', u'quae', u'vidimu', u'enumer', u'velvet', u'non', u'totidem', u'ei', u'pappea', u'charta', u'suffici', u'appendix', u'307', u'et', u'hac', u'quidem', u'peror', u'decern', u'fere', u'raensilju', u'entiti', u'ik', u'edixi', u'mandarin', u'ubiqu', u'ut', u'de', u'igni', u'et', u'aqua', u'pro', u'sex', u'mensi', u'munit', u'omn', u'sibi', u'parent', u'nam', u'per', u'avium', u'magistrat', u'cum', u'navi', u'nostril', u'adhuc', u'tan', u'tun', u'dem', u'navig', u'poss', u'judicatur', u'est', u'qua', u'quidem', u'quam', u'edixeram', u'facta', u'provis', u'cram', u'illam', u'linqueri', u'et', u'ind', u'navig', u'nostra', u'per', u'seroccum', u'ventum', u'initi', u'februari', u'decimo', u'tertian', u'videlicet', u'quum', u'sol', u'sequlnoctio', u'jam', u'approjinquaret', u'et', u'ad', u'hoc', u'septentrioni', u'liemisphserium', u'nostrum', u'vergenet', u'tanta', u'pervagati', u'fuimu', u'ut', u'meridian', u'polura', u'super', u'horizont', u'ilium', u'quinquaginta', u'duobu', u'gradibu', u'sublim', u'inveneri', u'mu', u'ita', u'ut', u'nee', u'minori', u'urss', u'nee', u'majori', u'tell', u'modo', u'inspect', u'valent', u'nam', u'tunc', u'port', u'illo', u'h', u'quo', u'per', u'seroccum', u'abieramu', u'quin', u'genti', u'leuci', u'long', u'jam', u'facti', u'erasmu', u'tertian', u'videlicet', u'april', u'qua', u'die', u'tempest', u'ac', u'prunella', u'mari', u'tarn', u'vehement', u'exorta', u'est', u'ut', u'vela', u'nostra', u'omnia', u'collier', u'et', u'cum', u'solo', u'nude', u'que', u'malo', u'remigar', u'compelleremur', u'perchanc', u'vehementissim', u'lebeccio', u'ac', u'mari', u'intum', u'scene', u'et', u'turbulentissimo', u'extant', u'propter', u'quem', u'turbin', u'violentissimum', u'irapetum', u'nitrat', u'omn', u'non', u'medico', u'affect', u'furent', u'stupor', u'note', u'quoqu', u'tunc', u'inibi', u'quammaxim', u'grant', u'etenim', u'april', u'septic', u'sole', u'circa', u'varieti', u'fine', u'extant', u'ips', u'esedem', u'note', u'harum', u'quindecim', u'reparte', u'sunt', u'hyemsqu', u'etiam', u'tunc', u'inibi', u'erat', u'tit', u'vestra', u'sati', u'persever', u'protest', u'majesta', u'nobi', u'autem', u'sub', u'hac', u'navig', u'turbul', u'terram', u'una', u'april', u'secunda', u'vidimu', u'pene', u'quam', u'viginti', u'firmit', u'leuca', u'navig', u'appropri', u'verum', u'ilium', u'omnimodo', u'brutal', u'et', u'extraneam', u'ess', u'imperi', u'qua', u'quidem', u'nee', u'portum', u'quempiam', u'nee', u'gent', u'aliqua', u'fore', u'conspeximu', u'ob', u'id', u'ut', u'arbit', u'quod', u'tarn', u'aspers', u'ea', u'frigu', u'alter', u'ut', u'tam', u'certum', u'vix', u'quisquam', u'perpetua', u'posset', u'porro', u'tanto', u'periculo', u'antiqu', u'tenqestati', u'importun', u'nosmet', u'turn', u'reveri', u'ut', u'vix', u'alter', u'alter', u'prsegrandi', u'turbin', u'vitreou', u'quamobrem', u'demum', u'cum', u'avium', u'praetor', u'parit', u'concordavimu', u'ut', u'concav', u'nostril', u'omnibu', u'terram', u'illam', u'linquendi', u'nequ', u'ab', u'ea', u'elong', u'et', u'portu', u'remand', u'signa', u'face', u'remu', u'quod', u'consilium', u'sarum', u'quidem', u'et', u'util', u'fuit', u'quum', u'si', u'inibi', u'note', u'solum', u'adhuc', u'ilia', u'perstitissemu', u'dispermit', u'omn', u'erasmu', u'nemp', u'quum', u'hinc', u'abiissemu', u'tam', u'grandi', u'die', u'sequent', u'tempest', u'mari', u'excitata', u'est', u'ut', u'penitu', u'obrui', u'petit', u'metueremu', u'propter', u'quod', u'plurima', u'peregrin', u'vota', u'necnon', u'alia', u'quamplur', u'ceremoni', u'prout', u'nauti', u'ess', u'sole', u'tiuic', u'appendix', u'mu', u'sub', u'quo', u'tempestu', u'infortunio', u'quinqu', u'navig', u'diebu', u'missi', u'omnino', u'veri', u'quibu', u'quidem', u'quinqu', u'diebu', u'ducenta', u'et', u'quinquaginta', u'man', u'penetravlmu', u'leuca', u'linee', u'interdum', u'equinocti', u'necnon', u'mari', u'et', u'nurs', u'temperatur', u'semper', u'appropinquando', u'per', u'quod', u'premiss', u'riper', u'pericl', u'altissimo', u'neo', u'placet', u'atqu', u'hujuscemodi', u'nostra', u'navig', u'ad', u'transmontanum', u'ventum', u'et', u'secum', u'ob', u'id', u'quod', u'ad', u'thiopis', u'latu', u'pertin', u'cupiebamu', u'quo', u'per', u'mari', u'atlant', u'fauc', u'undo', u'mill', u'tarentum', u'distabamu', u'leuci', u'ad', u'illam', u'autem', u'per', u'summit', u'tenant', u'gratian', u'mai', u'bi', u'quanta', u'pernici', u'die', u'ubi', u'plata', u'una', u'ad', u'latu', u'austria', u'quae', u'serraliona', u'decatur', u'quindecim', u'diebu', u'ipso', u'refriger', u'fuimu', u'et', u'post', u'haec', u'cursu', u'nostrum', u'versu', u'insult', u'lyazori', u'dicta', u'arripuimu', u'que', u'quidem', u'insula', u'serrat', u'ipsa', u'septingenti', u'et', u'quinquaginta', u'leuci', u'distant', u'ad', u'qua', u'sub', u'julia', u'fine', u'perviou', u'et', u'parit', u'quindecim', u'inibi', u'defici', u'superstiti', u'diebu', u'post', u'quo', u'ind', u'exivimu', u'et', u'ad', u'lisbon', u'nostra', u'recur', u'accinximu', u'qua', u'ad', u'accid', u'partem', u'tarentum', u'deposit', u'leuci', u'erasmu', u'et', u'cuju', u'tandem', u'deind', u'portum', u'dii', u'cum', u'prosper', u'salvat', u'et', u'cunctipotenti', u'nut', u'rursu', u'subiimu', u'cum', u'duabu', u'duntaxa', u'navi', u'ob', u'id', u'quod', u'tertian', u'serraliona', u'quoniam', u'ampliu', u'langag', u'non', u'posset', u'ignicombusseramu', u'hac', u'autem', u'nostra', u'tertio', u'curs', u'navig', u'sexdecim', u'firmit', u'mens', u'germanicu', u'e', u'quibu', u'duodecim', u'absqu', u'transmontanes', u'stella', u'necnon', u'et', u'majori', u'urss', u'minoris', u'aspect', u'naiganmu', u'quo', u'tempor', u'nosmetipso', u'per', u'alia', u'meridion', u'poli', u'stella', u'regebamu', u'quae', u'superior', u'commemor', u'sunt', u'sure', u'eadem', u'nostra', u'tertio', u'facta', u'navig', u'relat', u'magi', u'digna', u'conspexi', u'abov', u'liter', u'extract', u'pp', u'116', u'126', u'nou', u'orbi', u'id', u'est', u'navig', u'prima', u'american', u'rotterdam', u'apud', u'johann', u'leonard', u'berewout', u'anno', u'1616', u'exceedingli', u'scarc', u'work', u'53', u'barometr', u'observ', u'river', u'santa', u'cruz', u'befor', u'leav', u'beagl', u'explor', u'part', u'river', u'taro', u'mountain', u'baromet', u'afterward', u'carri', u'boat', u'suspend', u'shore', u'close', u'sea', u'compar', u'baromet', u'board', u'ship', u'cistern', u'instrument', u'wa', u'level', u'sea', u'appendix', u'309', u'return', u'explor', u'part', u'river', u'mountain', u'baromet', u'similarli', u'compar', u'differ', u'best', u'instrument', u'fix', u'board', u'wa', u'found', u'befor', u'name', u'019', u'inch', u'sunris', u'5th', u'may', u'westernmost', u'station', u'reach', u'boat', u'mountain', u'baromet', u'wa', u'prefer', u'show', u'2981', u'3', u'thermomet', u'attach', u'detach', u'44', u'fahrenheit', u'cistern', u'instrument', u'wa', u'one', u'foot', u'abov', u'level', u'river', u'time', u'allow', u'differ', u'longitud', u'baromet', u'board', u'beagl', u'show', u'3007', u'3', u'attach', u'thermomet', u'show', u'44', u'detach', u'43', u'rise', u'tide', u'morn', u'ship', u'wa', u'twentyon', u'feet', u'wa', u'high', u'water', u'thirti', u'minut', u'past', u'seven', u'daili', u'rule', u'b', u'000000', u'subtract', u'019', u'2981', u'log', u'h', u'147159', u'147159', u'log', u'h', u'147813', u'd', u'000654', u'log', u'781558', u'c', u'9y9980', u'halftid', u'105', u'feet', u'479207', u'25', u'405', u'260745', u'47', u'1', u'412', u'feet', u'henc', u'western', u'station', u'appear', u'four', u'hundr', u'twelv', u'feet', u'abov', u'level', u'eastern', u'beagl', u'pair', u'observ', u'made', u'dure', u'previou', u'follow', u'day', u'may', u'4th', u'6th', u'result', u'similarli', u'deduc', u'464', u'501', u'527', u'487', u'497', u'434', u'436', u'consider', u'abov', u'400', u'feet', u'part', u'river', u'western', u'station', u'two', u'hundr', u'mile', u'sea', u'fall', u'averag', u'less', u'two', u'feet', u'mile', u'pp', u'183', u'263', u'astronom', u'tabl', u'formula', u'franci', u'daili', u'esq', u'fr', u'pre', u'c', u'c', u'310', u'appendix', u'54', u'nautic', u'remark', u'without', u'extend', u'thi', u'work', u'unwieldi', u'size', u'would', u'imposs', u'give', u'particular', u'descript', u'sail', u'direct', u'half', u'anchorag', u'survey', u'beagl', u'consort', u'onli', u'allud', u'least', u'easi', u'access', u'detail', u'concern', u'rest', u'must', u'ask', u'reader', u'refer', u'captain', u'king', u'sail', u'direct', u'publish', u'admiralti', u'1832', u'hereaft', u'similar', u'work', u'compil', u'approach', u'enter', u'ani', u'port', u'southern', u'coast', u'brazil', u'tierra', u'del', u'fuego', u'lead', u'chart', u'must', u'close', u'attend', u'tide', u'current', u'must', u'well', u'consid', u'colour', u'well', u'rippl', u'water', u'narrowli', u'watch', u'gener', u'speak', u'much', u'thi', u'extent', u'coast', u'compar', u'shallow', u'beset', u'insidi', u'danger', u'shape', u'bank', u'current', u'rock', u'occur', u'less', u'fear', u'becaus', u'posit', u'case', u'point', u'kelpj', u'bank', u'particularli', u'danger', u'exceedingli', u'steepsid', u'hard', u'strong', u'stream', u'great', u'rise', u'tide', u'found', u'iisk', u'approach', u'bank', u'proportion', u'increas', u'river', u'plata', u'spoken', u'briefli', u'chapter', u'iv', u'blanc', u'bay', u'slight', u'descript', u'chapter', u'v', u'second', u'volum', u'befor', u'enter', u'portbelgrano', u'within', u'blanc', u'bay', u'ani', u'similar', u'port', u'fals', u'bay', u'green', u'bay', u'brighten', u'inlet', u'union', u'bay', u'c', u'advis', u'anchor', u'ascertain', u'ship', u'posit', u'exactli', u'send', u'boat', u'find', u'middl', u'princip', u'entranc', u'drop', u'buoy', u'good', u'anchor', u'weather', u'au', u'hazi', u'mark', u'distant', u'low', u'land', u'made', u'stranger', u'ha', u'time', u'take', u'angl', u'look', u'round', u'masthead', u'examin', u'chart', u'leisur', u'thing', u'well', u'done', u'ship', u'sail', u'fast', u'may', u'howev', u'brought', u'time', u'except', u'falkland', u'entranc', u'port', u'desir', u'notabl', u'except', u'gener', u'rule', u'j', u'seawe', u'grow', u'rocki', u'place', u'appendix', u'311', u'falkland', u'island', u'tierra', u'del', u'fuego', u'west', u'part', u'patagonia', u'shore', u'hono', u'archipelago', u'chil6et', u'chile', u'peru', u'galapago', u'island', u'bold', u'coast', u'deep', u'water', u'near', u'place', u'lead', u'less', u'import', u'lurk', u'danger', u'buoy', u'kelp', u'distinguish', u'lead', u'would', u'hardli', u'warn', u'seaman', u'becaus', u'rock', u'usual', u'rise', u'abruptli', u'care', u'experienc', u'eye', u'masthead', u'anoth', u'perhap', u'foreyard', u'jibboom', u'end', u'manag', u'quantiti', u'sail', u'vessel', u'may', u'instantli', u'brought', u'wmd', u'hove', u'stay', u'good', u'estim', u'distanc', u'command', u'offic', u'consequ', u'frequent', u'coast', u'either', u'lead', u'direct', u'san', u'carlo', u'narrow', u'cacao', u'remark', u'except', u'bank', u'rock', u'theie', u'guard', u'chart', u'eye', u'lead', u'howev', u'rather', u'lengthi', u'direct', u'sometim', u'perplex', u'assist', u'particular', u'plan', u'given', u'iu', u'map', u'accompani', u'first', u'volum', u'thi', u'work', u'remark', u'upon', u'wind', u'weather', u'climat', u'southern', u'portion', u'south', u'american', u'coast', u'alreadi', u'given', u'variou', u'page', u'thi', u'work', u'add', u'refer', u'particularli', u'outer', u'coast', u'tierra', u'del', u'fuego', u'previou', u'say', u'word', u'passag', u'round', u'cape', u'horn', u'observ', u'upon', u'appear', u'charact', u'sea', u'coast', u'tierra', u'del', u'fuego', u'brief', u'descript', u'anchorag', u'remark', u'upon', u'season', u'wmd', u'weather', u'cape', u'pillar', u'cape', u'horn', u'coast', u'tierra', u'del', u'fuego', u'veri', u'irregular', u'much', u'broken', u'fact', u'compos', u'immens', u'number', u'island', u'gener', u'high', u'bold', u'free', u'shoal', u'bank', u'mani', u'rock', u'nearli', u'level', u'surfac', u'water', u'distant', u'two', u'aid', u'even', u'three', u'mile', u'nearest', u'shore', u'make', u'veri', u'unsaf', u'vessel', u'approach', u'nearer', u'five', u'mile', u'except', u'daylight', u'clear', u'weather', u'coast', u'vari', u'height', u'eight', u'fifteen', u'hundr', u'feet', u'abov', u'sea', u'except', u'northernmost', u'eastern', u'shore', u'except', u'san', u'carlo', u'de', u'chide', u'312', u'appendix', u'farther', u'inshor', u'rang', u'mountain', u'alway', u'cover', u'snow', u'whose', u'height', u'two', u'four', u'thousand', u'feet', u'instanc', u'six', u'seven', u'thousand', u'daylight', u'clear', u'weather', u'vessel', u'may', u'close', u'shore', u'without', u'risk', u'becaus', u'water', u'invari', u'deep', u'rock', u'found', u'mark', u'sea', u'weed', u'kelp', u'gener', u'call', u'good', u'lookout', u'masthead', u'situat', u'clearli', u'seen', u'buoy', u'avoid', u'kelp', u'sure', u'suffici', u'water', u'largest', u'ship', u'ani', u'part', u'thi', u'coast', u'time', u'must', u'rememb', u'kelp', u'grow', u'place', u'depth', u'thirti', u'fathom', u'mani', u'part', u'thi', u'coast', u'may', u'pass', u'thick', u'bed', u'seawe', u'without', u'less', u'six', u'fathom', u'water', u'still', u'alway', u'sign', u'danger', u'spot', u'grow', u'ha', u'care', u'sound', u'safe', u'pass', u'ship', u'instanc', u'sound', u'larg', u'bed', u'thi', u'weed', u'one', u'beagl', u'boat', u'think', u'might', u'pass', u'safe', u'rock', u'va', u'found', u'four', u'feet', u'diamet', u'onli', u'one', u'fathom', u'water', u'view', u'coast', u'distanc', u'appear', u'high', u'rug', u'cover', u'snow', u'continu', u'island', u'near', u'see', u'mani', u'inlet', u'intersect', u'land', u'everi', u'direct', u'open', u'larg', u'gulf', u'sound', u'behind', u'seaward', u'island', u'lose', u'sight', u'higher', u'land', u'cover', u'snow', u'throughout', u'year', u'find', u'height', u'close', u'sea', u'thinli', u'wood', u'toward', u'east', u'though', u'barren', u'western', u'side', u'owe', u'prevail', u'wind', u'height', u'seldom', u'cover', u'snow', u'becaus', u'sea', u'wind', u'rain', u'melt', u'soon', u'fall', u'opposit', u'eastern', u'valley', u'land', u'cover', u'wood', u'water', u'seen', u'fall', u'ravin', u'good', u'anchorag', u'gener', u'found', u'valley', u'expos', u'tremend', u'squall', u'come', u'height', u'best', u'anchorag', u'thi', u'coast', u'find', u'good', u'ground', u'western', u'side', u'high', u'land', u'protect', u'sea', u'low', u'island', u'never', u'blow', u'near', u'hard', u'high', u'land', u'sea', u'weather', u'side', u'cours', u'veri', u'formid', u'unless', u'stop', u'mention', u'islet', u'land', u'chiefli', u'compos', u'sandston', u'slate', u'anchorag', u'abound', u'granit', u'difficult', u'strike', u'sound', u'differ', u'granit', u'slate', u'sandston', u'hill', u'distinguish', u'former', u'veri', u'barren', u'rug', u'appendix', u'313', u'grey', u'white', u'appear', u'wherea', u'latter', u'gener', u'cover', u'veget', u'darkcolour', u'smoother', u'outlin', u'slate', u'hill', u'shew', u'sharp', u'peak', u'except', u'onlybar', u'place', u'expos', u'wind', u'sea', u'sound', u'extend', u'thirti', u'mile', u'coast', u'ten', u'twenti', u'mile', u'land', u'depth', u'water', u'vari', u'sixti', u'two', u'hundr', u'fathom', u'bottom', u'almost', u'everi', u'white', u'speckl', u'sand', u'ten', u'five', u'mile', u'distant', u'averag', u'depth', u'fifti', u'fathom', u'vari', u'gener', u'thirti', u'one', u'hundr', u'butin', u'place', u'ground', u'two', u'hundr', u'fathom', u'line', u'less', u'five', u'mile', u'shore', u'sound', u'veri', u'irregular', u'inde', u'gener', u'less', u'forti', u'fathom', u'though', u'place', u'deepen', u'suddenli', u'one', u'hundr', u'rock', u'rise', u'nearli', u'abov', u'surfac', u'water', u'carri', u'fifti', u'forti', u'thirti', u'twenti', u'fathom', u'toward', u'inlet', u'desir', u'enter', u'perhap', u'find', u'water', u'deepen', u'sixti', u'one', u'hundr', u'fathom', u'soon', u'enter', u'open', u'larg', u'sound', u'behind', u'seaward', u'island', u'water', u'often', u'consider', u'deeper', u'outsid', u'bank', u'sound', u'along', u'whole', u'coast', u'extend', u'twenti', u'thirti', u'mile', u'appear', u'form', u'continu', u'action', u'sea', u'upon', u'shore', u'wear', u'away', u'form', u'bank', u'remain', u'island', u'swell', u'surf', u'worth', u'notic', u'water', u'deep', u'bottom', u'veri', u'irregular', u'small', u'ship', u'may', u'run', u'among', u'island', u'mani', u'place', u'find', u'good', u'anchorag', u'enter', u'labyrinth', u'retreat', u'may', u'difficult', u'thick', u'weather', u'veri', u'danger', u'fog', u'extrem', u'rare', u'thi', u'coast', u'thick', u'raini', u'weather', u'strong', u'wind', u'prevail', u'sun', u'shew', u'littl', u'sky', u'even', u'fine', u'weather', u'gener', u'overcast', u'cloudi', u'clear', u'day', u'rare', u'occurr', u'gale', u'wind', u'succeed', u'short', u'interv', u'last', u'sever', u'day', u'time', u'weather', u'compar', u'fine', u'settl', u'perhap', u'fortnight', u'period', u'quiet', u'westerli', u'wind', u'prevail', u'dure', u'greater', u'part', u'year', u'easterli', u'wind', u'blow', u'occasion', u'winter', u'month', u'time', u'veri', u'hard', u'seldom', u'blow', u'summer', u'wind', u'eastern', u'quarter', u'invari', u'rise', u'light', u'fine', u'dd', u'314', u'appendix', u'weather', u'increas', u'gradual', u'weather', u'chang', u'time', u'end', u'determin', u'heavi', u'gale', u'frequent', u'rise', u'strength', u'treblereef', u'topsail', u'breez', u'die', u'away', u'gradual', u'shift', u'anoth', u'quarter', u'north', u'wind', u'alway', u'begin', u'blow', u'moder', u'thicker', u'weather', u'cloud', u'eastward', u'gener', u'accompani', u'small', u'rain', u'increas', u'strength', u'draw', u'westward', u'gradual', u'blow', u'hard', u'north', u'northwest', u'heavi', u'cloud', u'thick', u'weather', u'much', u'rain', u'furi', u'northwest', u'expend', u'vari', u'twelv', u'fifti', u'hour', u'even', u'blow', u'hard', u'wind', u'sometim', u'shift', u'suddenli', u'southwest', u'quarter', u'blow', u'harder', u'befor', u'thi', u'wind', u'soon', u'drive', u'away', u'cloud', u'hour', u'caus', u'clear', u'weather', u'though', u'perhap', u'heavi', u'squall', u'pass', u'occasion', u'southwest', u'quarter', u'wind', u'gener', u'speak', u'hang', u'sever', u'day', u'blow', u'strong', u'moder', u'toward', u'end', u'admit', u'two', u'three', u'day', u'fine', u'weather', u'northerli', u'wind', u'usual', u'begin', u'dure', u'summer', u'month', u'manner', u'shift', u'chang', u'experienc', u'north', u'south', u'west', u'dure', u'season', u'would', u'hardli', u'deserv', u'name', u'summer', u'day', u'much', u'longer', u'weather', u'httle', u'warmer', u'rain', u'wind', u'prevail', u'dure', u'long', u'much', u'short', u'day', u'rememb', u'bad', u'weather', u'never', u'come', u'suddenli', u'eastward', u'neither', u'doe', u'southwest', u'southerli', u'gale', u'shift', u'suddenli', u'northward', u'southwest', u'southerli', u'wind', u'rise', u'suddenli', u'well', u'violent', u'must', u'well', u'consid', u'choos', u'anchorag', u'prepar', u'shift', u'wind', u'sea', u'usual', u'weather', u'region', u'fresh', u'wind', u'northwest', u'southwest', u'cloudi', u'overcast', u'sky', u'much', u'differ', u'opinion', u'ha', u'prevail', u'uthiti', u'baromet', u'latitud', u'may', u'remark', u'dure', u'year', u'care', u'trial', u'baromet', u'sympiesomet', u'die', u'found', u'indic', u'utmost', u'valu', u'variat', u'cours', u'correspond', u'middl', u'latitud', u'correspond', u'high', u'northern', u'latitud', u'remark', u'manner', u'chang', u'south', u'north', u'east', u'west', u'remain', u'gale', u'wind', u'southward', u'squall', u'southappendix', u'315', u'west', u'preced', u'therefor', u'foretold', u'heay', u'bank', u'larg', u'white', u'cloud', u'rise', u'quarter', u'hard', u'edg', u'appear', u'veri', u'round', u'solid', u'wind', u'northward', u'northwestward', u'preced', u'accompani', u'low', u'scud', u'cloud', u'thickli', u'overcast', u'sky', u'cloud', u'appear', u'great', u'height', u'sun', u'shew', u'dimli', u'ha', u'reddish', u'appear', u'hour', u'day', u'befor', u'gale', u'north', u'west', u'possibl', u'take', u'altitud', u'sun', u'although', u'visibl', u'hazi', u'atmospher', u'upper', u'region', u'caus', u'hi', u'limb', u'quit', u'indistinct', u'sometim', u'veri', u'rare', u'wind', u'light', u'nnw', u'nne', u'day', u'beauti', u'weather', u'sure', u'succeed', u'gale', u'southward', u'much', u'rain', u'may', u'use', u'say', u'word', u'regard', u'season', u'neighbourhood', u'cape', u'horn', u'much', u'question', u'ha', u'arisen', u'respect', u'proprieti', u'make', u'passag', u'round', u'cape', u'winter', u'rather', u'summer', u'equinocti', u'month', u'worst', u'year', u'gener', u'speak', u'part', u'world', u'heavi', u'gale', u'prevail', u'time', u'though', u'perhap', u'exactli', u'equinox', u'august', u'septemb', u'octob', u'usual', u'veri', u'bad', u'weather', u'strong', u'vvdnd', u'snow', u'hail', u'cold', u'prevail', u'decemb', u'januari', u'februari', u'warmest', u'month', u'day', u'long', u'fine', u'weather', u'westerli', u'wind', u'time', u'veri', u'strong', u'gale', u'much', u'rain', u'prevail', u'throughout', u'thi', u'season', u'carri', u'less', u'summer', u'almost', u'ani', u'part', u'globe', u'march', u'said', u'stormi', u'perhap', u'worst', u'month', u'year', u'respect', u'violent', u'wind', u'though', u'raini', u'summer', u'month', u'april', u'may', u'june', u'finest', u'weather', u'experienc', u'though', u'day', u'short', u'uke', u'summer', u'ani', u'time', u'year', u'easterli', u'wind', u'frequent', u'fine', u'clear', u'settl', u'weather', u'bad', u'weather', u'occur', u'dure', u'month', u'though', u'often', u'time', u'dure', u'thi', u'period', u'chanc', u'obtain', u'success', u'correspond', u'observ', u'tri', u'rate', u'chronomet', u'equal', u'altitud', u'would', u'lee', u'fruitless', u'wast', u'time', u'season', u'dd2', u'316', u'appendix', u'june', u'juli', u'much', u'alik', u'easterli', u'gale', u'blow', u'dure', u'juli', u'day', u'short', u'weather', u'cold', u'make', u'two', u'month', u'veri', u'unpleas', u'though', u'perhap', u'best', u'make', u'speedi', u'passag', u'westward', u'wind', u'preval', u'eastern', u'quarter', u'say', u'decemb', u'januari', u'best', u'make', u'passag', u'pacif', u'atlant', u'ocean', u'though', u'passag', u'short', u'easili', u'made', u'hardli', u'requir', u'choic', u'time', u'go', u'westward', u'prefer', u'april', u'may', u'june', u'wait', u'wind', u'lightn', u'thunder', u'seldom', u'known', u'violent', u'squall', u'come', u'south', u'southwest', u'give', u'warn', u'approach', u'mass', u'cloud', u'render', u'formid', u'snow', u'hail', u'larg', u'size', u'continu', u'current', u'set', u'along', u'southwest', u'coast', u'tierra', u'del', u'fuego', u'north', u'west', u'toward', u'southeast', u'far', u'diego', u'ramirez', u'island', u'vicin', u'current', u'take', u'easterli', u'direct', u'set', u'round', u'cape', u'horn', u'toward', u'staten', u'island', u'seaward', u'ese', u'much', u'ha', u'seiid', u'strength', u'thi', u'current', u'person', u'suppos', u'seriou', u'obstacl', u'pass', u'westward', u'cape', u'horn', u'whue', u'almost', u'deni', u'exist', u'found', u'run', u'averag', u'rate', u'rule', u'hour', u'strength', u'greater', u'dure', u'west', u'less', u'insens', u'dure', u'easterli', u'wind', u'strongest', u'near', u'land', u'particularli', u'near', u'project', u'cape', u'detach', u'island', u'thi', u'current', u'set', u'rather', u'land', u'diminish', u'danger', u'approach', u'southwest', u'part', u'coast', u'fact', u'much', u'less', u'risk', u'approach', u'thi', u'coast', u'gener', u'suppos', u'high', u'bold', u'without', u'sandbank', u'shoal', u'posit', u'accur', u'determin', u'bank', u'sound', u'extend', u'twenti', u'thirti', u'mile', u'shore', u'need', u'much', u'fear', u'rock', u'true', u'abound', u'near', u'land', u'veri', u'near', u'shore', u'ship', u'way', u'une', u'point', u'point', u'along', u'coast', u'begin', u'outermost', u'apostl', u'clear', u'danger', u'except', u'tower', u'rock', u'steep', u'high', u'abov', u'water', u'preced', u'notic', u'written', u'1', u'830', u'found', u'necessari', u'alter', u'materi', u'taken', u'connect', u'wth', u'appendix', u'317', u'capt', u'king', u'chap', u'24', u'vol', u'1', u'follow', u'brief', u'remark', u'hope', u'may', u'prove', u'use', u'stranger', u'passag', u'round', u'cape', u'horn', u'doubtless', u'avail', u'also', u'ha', u'written', u'thi', u'subject', u'person', u'especi', u'weddel', u'go', u'westward', u'captain', u'king', u'recommend', u'keep', u'near', u'eastern', u'coast', u'patagonia', u'pass', u'staten', u'island', u'wind', u'westerli', u'ship', u'kept', u'upon', u'starboard', u'tack', u'unless', u'veer', u'southward', u'ssw', u'reach', u'latitud', u'60', u'vol', u'pp', u'4645', u'think', u'keep', u'near', u'eastern', u'coast', u'patagonia', u'import', u'larg', u'strong', u'vessel', u'smoother', u'water', u'found', u'near', u'coast', u'true', u'current', u'set', u'northward', u'alongsid', u'strongli', u'open', u'sea', u'iceberg', u'howev', u'never', u'found', u'sight', u'land', u'though', u'met', u'farther', u'eastward', u'north', u'forti', u'degre', u'south', u'latitud', u'instead', u'go', u'sixti', u'south', u'latitud', u'prefer', u'work', u'windward', u'near', u'shore', u'tierra', u'del', u'fuego', u'nassaubay', u'anchorag', u'numer', u'easi', u'access', u'orang', u'bay', u'farther', u'south', u'ship', u'may', u'await', u'favour', u'time', u'make', u'long', u'stretch', u'westward', u'foil', u'one', u'effort', u'may', u'return', u'seek', u'anchorag', u'noir', u'island', u'euston', u'bay', u'elsewher', u'better', u'opportun', u'occur', u'make', u'west', u'ought', u'princip', u'object', u'humbl', u'opinion', u'till', u'meridian', u'82', u'reach', u'iceberg', u'found', u'near', u'land', u'tierra', u'del', u'fuego', u'frequent', u'met', u'distanc', u'adopt', u'thi', u'plan', u'pass', u'nassau', u'bay', u'near', u'cape', u'horn', u'much', u'labour', u'drainag', u'may', u'avoid', u'becaus', u'ship', u'may', u'lie', u'quietli', u'anchor', u'dure', u'worst', u'weather', u'readi', u'profit', u'ani', u'advantag', u'chang', u'eighti', u'degre', u'far', u'enough', u'west', u'fastsail', u'ship', u'eightyf', u'degre', u'mill', u'westerli', u'dull', u'sail', u'318', u'appendix', u'55', u'remark', u'chronometr', u'observ', u'made', u'dure', u'survey', u'voyag', u'h', u'm', u'ship', u'adventur', u'beagl', u'year', u'1826', u'1836', u'befor', u'proceed', u'notic', u'chronometr', u'observ', u'made', u'dure', u'beagl', u'latter', u'voyag', u'fiom', u'1831', u'1836', u'appear', u'tome', u'necessari', u'give', u'copi', u'captain', u'king', u'report', u'made', u'hi', u'direct', u'1826', u'1830', u'copi', u'report', u'chronometr', u'observ', u'made', u'dure', u'voyag', u'purpos', u'survey', u'southern', u'extrem', u'america', u'hm', u'ship', u'adventur', u'beagl', u'year', u'1826', u'1830', u'order', u'captain', u'p', u'king', u'direct', u'right', u'honour', u'lord', u'commission', u'admiralti', u'among', u'import', u'object', u'attent', u'wa', u'direct', u'lord', u'commission', u'admiralti', u'upon', u'appoint', u'command', u'expedit', u'survey', u'southern', u'part', u'south', u'america', u'wa', u'measur', u'differ', u'certain', u'meridian', u'north', u'south', u'atlant', u'ocean', u'mean', u'chronomet', u'thi', u'purpos', u'iwa', u'suppli', u'royal', u'observatori', u'greenwich', u'nine', u'chronomet', u'eight', u'suggest', u'astronom', u'royal', u'suspend', u'gambol', u'divid', u'two', u'box', u'ninth', u'eightday', u'boxwatch', u'wa', u'fit', u'usual', u'manner', u'ita', u'whole', u'fix', u'chest', u'wa', u'firmli', u'secur', u'deck', u'low', u'possibl', u'near', u'middl', u'part', u'ship', u'could', u'manag', u'order', u'diminish', u'effect', u'ship', u'motion', u'counteract', u'ship', u'local', u'attract', u'whatev', u'might', u'alway', u'remain', u'chronomet', u'never', u'move', u'posit', u'nine', u'chronomet', u'made', u'mr', u'french', u'descript', u'number', u'follow', u'eightday', u'box', u'chronomet', u'3233', u'design', u'z', u'twoday', u'3296', u'twoday', u'3295', u'b', u'tm', u'twoday', u'3271', u'c', u'twoday', u'3227', u'd', u'alpendix', u'319', u'oneday', u'box', u'chronomet', u'3290', u'design', u'e', u'oneday', u'3291', u'fi', u'oneday', u'3292', u'g', u'one', u'box', u'oneday', u'3293', u'h', u'z', u'go', u'observatori', u'mani', u'month', u'preserv', u'veri', u'regular', u'rate', u'avers', u'quit', u'new', u'scarc', u'settl', u'steadi', u'rate', u'receiv', u'addit', u'abov', u'wa', u'furnish', u'pocket', u'chronomet', u'553', u'mr', u'murray', u'thi', u'watch', u'observatori', u'sever', u'month', u'perform', u'remark', u'well', u'befor', u'sail', u'messr', u'parkinson', u'andfrodsham', u'intrust', u'care', u'trial', u'pocket', u'chronomet', u'1048', u'wa', u'onli', u'complet', u'intim', u'sent', u'two', u'day', u'befor', u'expedit', u'sail', u'plymouth', u'mr', u'french', u'also', u'lent', u'pocketwatch', u'use', u'observ', u'order', u'rest', u'might', u'unnecessarili', u'move', u'beagl', u'three', u'excel', u'box', u'chronomet', u'two', u'messr', u'parkinson', u'frodsliam', u'254', u'228', u'use', u'polar', u'voyag', u'third', u'134', u'made', u'mr', u'mcabe', u'mean', u'therefor', u'place', u'command', u'effect', u'thi', u'interest', u'object', u'toler', u'ampl', u'result', u'prove', u'admir', u'machin', u'adapt', u'measur', u'differ', u'great', u'number', u'employ', u'becaus', u'irregular', u'error', u'individu', u'watch', u'compens', u'forbi', u'employ', u'mean', u'whole', u'observ', u'determin', u'time', u'sextant', u'houghton', u'1140', u'artifici', u'horizon', u'instrument', u'use', u'mode', u'whenev', u'could', u'adopt', u'wa', u'correspond', u'altitud', u'occasion', u'howev', u'absolut', u'altitud', u'use', u'onli', u'place', u'latitud', u'wa', u'correctli', u'ascertain', u'instanc', u'chronomet', u'rate', u'transit', u'instrument', u'chronomet', u'alway', u'compar', u'journeyman', u'watch', u'befor', u'observ', u'correspond', u'altitud', u'observ', u'watch', u'compar', u'noon', u'rate', u'care', u'observ', u'befor', u'sail', u'one', u'port', u'well', u'arriv', u'anoth', u'calcul', u'acceler', u'retard', u'rate', u'go', u'correct', u'wa', u'obtain', u'interpol', u'upon', u'supposit', u'chang', u'gradual', u'whenev', u'appear', u'compar', u'watch', u'320', u'appendix', u'ani', u'one', u'suddenli', u'vari', u'rate', u'result', u'wa', u'omit', u'determin', u'method', u'interpol', u'alter', u'rate', u'adopt', u'one', u'wa', u'success', u'employ', u'captain', u'flinder', u'hi', u'survey', u'new', u'holland', u'one', u'mani', u'year', u'habit', u'use', u'satisfactori', u'result', u'case', u'chronomet', u'alter', u'rate', u'suddenli', u'rule', u'appli', u'gener', u'alter', u'caus', u'chang', u'temperatur', u'chang', u'gradual', u'rate', u'alter', u'progress', u'manner', u'correct', u'ha', u'therefor', u'obtain', u'arithmet', u'progress', u'first', u'term', u'number', u'term', u'common', u'differ', u'given', u'find', u'sum', u'term', u'differ', u'two', u'rate', u'divid', u'number', u'day', u'interven', u'call', u'daili', u'variat', u'rate', u'first', u'term', u'f', u'well', u'common', u'differ', u'd', u'interv', u'determin', u'error', u'watch', u'mean', u'time', u'place', u'left', u'arriv', u'number', u'term', u'n', u'sum', u'term', u'correct', u'requir', u'formula', u'reduc', u'simplest', u'form', u'f', u'nfl', u'place', u'wa', u'instruct', u'visit', u'purpos', u'measur', u'respect', u'meridion', u'differ', u'madeira', u'santa', u'cruz', u'island', u'teneriff', u'northeast', u'end', u'san', u'antonio', u'port', u'prayaa', u'island', u'st', u'jago', u'north', u'atlant', u'island', u'trinidad', u'rio', u'de', u'janeiro', u'mont', u'video', u'south', u'atlant', u'ocean', u'chronomet', u'care', u'rate', u'observatori', u'embark', u'board', u'hm', u'adventur', u'23rd', u'april', u'1826', u'ship', u'wa', u'detain', u'hertford', u'northfleet', u'4th', u'may', u'opportun', u'wa', u'offer', u'ascertain', u'chang', u'produc', u'alter', u'place', u'turn', u'mean', u'inconsider', u'five', u'watch', u'acceler', u'remain', u'four', u'retard', u'rate', u'would', u'difficult', u'assign', u'ani', u'reason', u'thi', u'chang', u'effect', u'ship', u'local', u'attract', u'thi', u'newli', u'found', u'rate', u'sail', u'plymouth', u'five', u'day', u'passag', u'arriv', u'sound', u'9th', u'may', u'obtain', u'set', u'correspond', u'altitud', u'upon', u'breakwat', u'upon', u'stone', u'mark', u'ordnanc', u'map', u'0', u'31', u'5', u'long', u'321', u'tide', u'eastward', u'flagstaff', u'drake', u'island', u'10', u'2', u'westward', u'plymouth', u'old', u'church', u'0', u'25', u'1', u'westward', u'new', u'church', u'longitud', u'therefor', u'station', u'ordnanc', u'survey', u'would', u'4', u'7', u'417', u'appli', u'proport', u'error', u'detect', u'dr', u'tiark', u'hi', u'chronometr', u'observ', u'greenwich', u'falmouth', u'viz', u'409', u'1', u'113', u'correct', u'longitud', u'station', u'4', u'8', u'43', u'chronomet', u'made', u'0', u'40', u'2', u'eastward', u'correct', u'longitud', u'0', u'196', u'westward', u'origin', u'determin', u'ordnanc', u'survey', u'breakwat', u'point', u'whenc', u'differ', u'measur', u'consid', u'longitud', u'west', u'greenwich', u'abov', u'state', u'name', u'4', u'8', u'43', u'remain', u'record', u'result', u'detail', u'given', u'anoth', u'form', u'madeira', u'observ', u'made', u'mr', u'vetch', u'garden', u'hous', u'spot', u'use', u'dr', u'tiark', u'ten', u'chronomet', u'differ', u'breakwat', u'12', u'45', u'45', u'west', u'longitud', u'therefor', u'1', u'6', u'54', u'28', u'w', u'0', u'1', u'74', u'eastward', u'dr', u'tiarkss', u'determin', u'teneriff', u'fort', u'san', u'pedro', u'eleven', u'chronomet', u'0', u'40', u'6', u'eastward', u'madeira', u'therefor', u'161422w', u'st', u'jago', u'land', u'place', u'port', u'prayaa', u'ten', u'chronomet', u'wa', u'found', u'7', u'15', u'55', u'west', u'teneriff', u'therefor', u'23', u'30', u'17', u'rio', u'de', u'janeiro', u'vulegagnon', u'island', u'fourteen', u'chronomet', u'differ', u'wa', u'found', u'port', u'prayaa', u'19', u'34', u'46', u'make', u'longitud', u'43', u'05', u'03', u'st', u'antonio', u'terraf', u'bay', u'southwest', u'end', u'inconsequ', u'unfavour', u'weather', u'unabl', u'land', u'northeast', u'end', u'therefor', u'made', u'observ', u'terraf', u'bay', u'longitud', u'wa', u'found', u'eleven', u'chronomet', u'9', u'05', u'39', u'westward', u'teneriff', u'make', u'25', u'20', u'1', u'trinidad', u'account', u'southeast', u'trade', u'scant', u'prevent', u'make', u'thi', u'island', u'mont', u'video', u'rat', u'island', u'differ', u'longitud', u'thi', u'place', u'rio', u'de', u'janeiro', u'wa', u'measur', u'variou', u'occas', u'detail', u'lodg', u'hydrograph', u'offic', u'r', u'f', u'jf', u'appendix', u'year', u'1826', u'1830', u'whole', u'62', u'differ', u'result', u'obtain', u'mean', u'make', u'13', u'4', u'27', u'west', u'villegagnon', u'island', u'56', u'9', u'30', u'gorriti', u'well', u'northeast', u'end', u'1', u'15', u'51', u'twentyfour', u'chronometr', u'result', u'eastward', u'rat', u'island', u'montevideo', u'54', u'53', u'38', u'cape', u'st', u'mari', u'54', u'5', u'58', u'bueno', u'ayr', u'cathedr', u'three', u'chronomet', u'2', u'8', u'24', u'west', u'rat', u'island', u'mont', u'video', u'58', u'17', u'53', u'port', u'famin', u'observatori', u'west', u'side', u'bay', u'meridion', u'differ', u'thi', u'place', u'rat', u'island', u'mont', u'video', u'wa', u'also', u'found', u'sever', u'occas', u'ship', u'pass', u'fio', u'au', u'54', u'chronometr', u'result', u'obtain', u'mean', u'make', u'observatori', u'14', u'44', u'31', u'westward', u'70', u'54', u'01', u'port', u'desir', u'ruin', u'spanish', u'coloni', u'fifteen', u'chronolog', u'result', u'make', u'9', u'42', u'15', u'west', u'rat', u'island', u'mont', u'video', u'65', u'51', u'45j', u'sea', u'bear', u'bay', u'sandi', u'beach', u'south', u'side', u'bay', u'744', u'east', u'port', u'desir', u'therefor', u'65', u'44', u'01', u'st', u'martin', u'cove', u'near', u'cape', u'horn', u'head', u'cove', u'twelv', u'chronomet', u'made', u'longitud', u'11', u'19', u'33', u'west', u'rat', u'island', u'mont', u'video', u'67', u'29', u'03', u'valparaiso', u'cerro', u'alegr', u'thi', u'place', u'wa', u'found', u'seven', u'chronomet', u'4', u'3', u'48', u'westward', u'st', u'martin', u'cove', u'71', u'32', u'51', u'west', u'greenwich', u'port', u'famin', u'differ', u'ten', u'chronomet', u'0', u'41', u'8', u'71', u'35', u'9', u'west', u'mean', u'ha', u'taken', u'viz', u'71', u'34', u'12', u'juan', u'hernandez', u'cumberland', u'bay', u'fort', u'thi', u'place', u'wa', u'found', u'nine', u'chronomet', u'7', u'11', u'52', u'west', u'valparaiso', u'make', u'78', u'46', u'04', u'talcahuano', u'bay', u'fort', u'galvez', u'eleven', u'chronomet', u'differ', u'valparaiso', u'l', u'28', u'53', u'73', u'03', u'05', u'san', u'carlo', u'de', u'chilo', u'sandi', u'point', u'point', u'opposit', u'town', u'twenti', u'chronometr', u'result', u'2', u'16', u'13', u'west', u'valparaiso', u'73', u'5', u'25', u'abov', u'princip', u'chronometr', u'determin', u'made', u'follow', u'depend', u'appendix', u'3s3', u'santo', u'arsen', u'twelv', u'chronomet', u'thi', u'place', u'3', u'ir', u'31', u'west', u'rio', u'de', u'janeiro', u'4g', u'16', u'33', u'st', u'catherin', u'flag', u'staff', u'scruz', u'danhatomirim', u'byfifteen', u'chronometr', u'result', u'5', u'24', u'38', u'west', u'rio', u'de', u'janeiro', u'48', u'29', u'41', u'port', u'sta', u'elena', u'spot', u'mark', u'observatori', u'plan', u'eleven', u'chronomet', u'made', u'10', u'23', u'4g', u'west', u'island', u'gorriti', u'65', u'17', u'25', u'cape', u'virgin', u'extrem', u'cliff', u'ten', u'chronomet', u'13', u'24', u'8', u'west', u'gorriti', u'68', u'17', u'46', u'west', u'greenwich', u'compar', u'ft', u'port', u'famin', u'ten', u'chronomet', u'make', u'2', u'36', u'0', u'eastward', u'result', u'68', u'18', u'01', u'mean', u'two', u'determin', u'make', u'68', u'17', u'53', u'port', u'gallant', u'wigwam', u'point', u'twentyon', u'chronomet', u'1', u'2', u'55', u'west', u'port', u'famin', u'71', u'56', u'57', u'harbour', u'merci', u'observ', u'islet', u'western', u'end', u'strait', u'magalhaen', u'3', u'40', u'55', u'west', u'port', u'famin', u'74', u'34', u'56', u'west', u'greenwich', u'survey', u'howev', u'laid', u'74', u'35', u'31', u'dure', u'voyag', u'variou', u'astronom', u'observ', u'made', u'longitud', u'summari', u'follow', u'period', u'place', u'thea', u'seri', u'longitud', u'observ', u'longitud', u'chronomet', u'side', u'sept', u'1826', u'oct', u'1828', u'nov', u'1829', u'jan', u'1830', u'rio', u'de', u'janeiro', u'gorriti', u'chilo', u'valparaiso', u'43', u'8', u'18', u'54', u'53', u'40', u'73', u'48', u'42', u'71', u'35', u'10', u'o', u'43', u'5', u'3', u'54', u'53', u'38', u'73', u'50', u'25', u'71', u'34', u'12', u'longitud', u'gorriti', u'captain', u'stokess', u'letter', u'wa', u'54', u'57', u'w', u'mont', u'video', u'rat', u'island', u'56', u'14', u'port', u'famin', u'old', u'observatori', u'west', u'side', u'bay', u'70', u'57', u'villegagnon', u'island', u'rio', u'de', u'janeiro', u'43', u'9', u'w', u'nearest', u'minut', u'onli', u'captain', u'stoke', u'mea', u'excel', u'observ', u'use', u'one', u'houghton', u'best', u'repeat', u'reflect', u'circl', u'hi', u'lunar', u'observ', u'veri', u'324', u'appendix', u'refer', u'sever', u'observ', u'port', u'famin', u'chronolog', u'differ', u'longitud', u'observ', u'70', u'54', u'1', u'1', u'nearli', u'ident', u'produc', u'chronomet', u'chain', u'plymouth', u'viz', u'70', u'54', u'01', u'west', u'last', u'ha', u'therefor', u'taken', u'longitud', u'meridian', u'coast', u'survey', u'expedit', u'command', u'depend', u'upon', u'determin', u'phillip', u'parker', u'king', u'hawk', u'perus', u'captain', u'king', u'report', u'chronometr', u'observ', u'made', u'hi', u'direct', u'would', u'ask', u'reader', u'turn', u'dr', u'tiarkss', u'report', u'captain', u'foster', u'chronometr', u'observ', u'hm', u'chanticl', u'publish', u'appendix', u'narr', u'voyag', u'southern', u'atlant', u'ocean', u'year', u'1828', u'29', u'30', u'perform', u'hm', u'chanticl', u'command', u'late', u'captain', u'henri', u'foster', u'fr', u'w', u'h', u'b', u'webster', u'surgeon', u'sloop', u'll', u'also', u'use', u'refer', u'work', u'chronomet', u'longitud', u'captain', u'owen', u'pilot', u'du', u'brasil', u'baron', u'poussin', u'well', u'work', u'befor', u'form', u'oliv', u'numer', u'chiefli', u'comput', u'lieuten', u'skyre', u'dure', u'year', u'1826', u'182', u'captain', u'king', u'consid', u'longitud', u'villegagnon', u'43', u'9', u'afterward', u'thought', u'43', u'5', u'correct', u'strike', u'accord', u'result', u'captain', u'stokess', u'numer', u'lunar', u'observ', u'late', u'measur', u'beagl', u'chronomet', u'wa', u'inform', u'lieuten', u'skyre', u'mr', u'john', u'l', u'stoke', u'longitud', u'villegagnon', u'beagl', u'chronomet', u'onli', u'1826', u'wa', u'43', u'9', u'nearest', u'minut', u'1829', u'mr', u'l', u'stoke', u'good', u'observ', u'even', u'time', u'took', u'mani', u'set', u'lunar', u'observ', u'san', u'carlo', u'chilo', u'mean', u'result', u'gave', u'73', u'56', u'longitud', u'point', u'arena', u'result', u'close', u'late', u'obtain', u'beagl', u'within', u'mile', u'case', u'hesit', u'give', u'without', u'data', u'know', u'offic', u'employ', u'board', u'adventur', u'beagl', u'awar', u'determin', u'often', u'discuss', u'befor', u'year', u'1836', u'captain', u'king', u'lieuten', u'stoke', u'particularli', u'acquaint', u'robert', u'fitzroy', u'vol', u'ii', u'pp', u'233254', u'appendix', u'non', u'upon', u'degre', u'valu', u'may', u'attach', u'follow', u'remark', u'result', u'remark', u'beagl', u'chronometr', u'measur', u'1831', u'1836', u'princip', u'result', u'14th', u'nov', u'1831', u'follow', u'chronomet', u'embark', u'board', u'beagl', u'place', u'perman', u'situat', u'letter', u'descript', u'day', u'maker', u'owner', u'remark', u'box', u'molyneux', u'fitsroy', u'good', u'tb', u'gardner', u'govern', u'bad', u'c', u'molyneux', u'molyneux', u'rather', u'good', u'd', u'murray', u'murray', u'e', u'eiflf', u'e', u'govern', u'f', u'arnold', u'dent', u'arnold', u'dent', u'g', u'633', u'fitsroy', u'h', u'pocket', u'k', u'parkinson', u'frodsham', u'j', u'govern', u'good', u'l', u'box', u'arnold', u'fitsroy', u'rather', u'good', u'm', u'frodsham', u'govern', u'n', u'molyneux', u'fitsroy', u'o', u'earnshaw', u'govern', u'tp', u'frodsham', u'bad', u'r', u'murray', u'murray', u'veri', u'good', u'arnold', u'govern', u'rather', u'good', u'pocket', u'molyneux', u'fitsroy', u'indiffer', u'v', u'bennington', u'l', u'ashburnham', u'rather', u'good', u'w', u'box', u'molyneux', u'govern', u'good', u'x', u'earnshaw', u'rather', u'good', u'y', u'pocket', u'morri', u'z', u'box', u'french', u'good', u'chronomet', u'embark', u'perman', u'fix', u'month', u'previou', u'beagl', u'departur', u'england', u'suffici', u'time', u'elaps', u'ascertain', u'rate', u'satisfactorili', u'suspend', u'gambol', u'usual', u'within', u'wooden', u'box', u'wa', u'place', u'sawdust', u'divid', u'retain', u'partit', u'upon', u'one', u'two', u'wide', u'shelv', u'sawdust', u'wa', u'three', u'inch', u'thick', u'well', u'side', u'box', u'form', u'bed', u'12', u'hour', u'mark', u'chronomet', u'wa', u'invari', u'kept', u'one', u'direct', u'respect', u'ship', u'never', u'use', u'feb', u'1835', u'never', u'use', u'sept', u'1835', u'326', u'appendix', u'rose', u'rather', u'abov', u'centr', u'graviti', u'box', u'watch', u'could', u'displac', u'unless', u'ship', u'upset', u'shelv', u'sawdust', u'box', u'thu', u'secur', u'deck', u'low', u'near', u'vessel', u'centr', u'motion', u'could', u'contriv', u'place', u'thi', u'manner', u'neither', u'run', u'men', u'upon', u'deck', u'fire', u'gun', u'run', u'chaincabl', u'caus', u'slightest', u'vibrat', u'chronomet', u'often', u'prove', u'scatter', u'powder', u'upon', u'glass', u'watch', u'maolift', u'glass', u'vessel', u'wa', u'vibrat', u'jar', u'shock', u'watch', u'one', u'small', u'cabin', u'person', u'enter', u'except', u'compar', u'wind', u'noth', u'els', u'wa', u'kept', u'greater', u'number', u'never', u'move', u'fiom', u'first', u'place', u'secur', u'1831', u'final', u'land', u'greenwich', u'1836', u'dure', u'eight', u'year', u'observ', u'movement', u'chronomet', u'becom', u'gradual', u'convinc', u'ordinari', u'motion', u'ship', u'pitch', u'roll', u'moder', u'affect', u'toler', u'good', u'timekeep', u'fix', u'one', u'place', u'defend', u'vibrat', u'well', u'concuss', u'frequent', u'employ', u'chronomet', u'boat', u'veri', u'small', u'vessel', u'ha', u'strengthen', u'convict', u'temperatur', u'chief', u'onli', u'caus', u'gener', u'speak', u'mark', u'chang', u'rate', u'tie', u'balanc', u'watch', u'well', u'compens', u'proof', u'long', u'continu', u'higher', u'lower', u'temperatur', u'often', u'happen', u'air', u'port', u'near', u'land', u'temperatur', u'veri', u'differ', u'open', u'sea', u'vicin', u'henc', u'differ', u'sometim', u'found', u'harbour', u'sea', u'rate', u'chang', u'frequent', u'notic', u'take', u'place', u'rate', u'chronomet', u'move', u'shore', u'ship', u'revers', u'well', u'known', u'caus', u'partli', u'chang', u'temperatur', u'partli', u'chang', u'situat', u'beagl', u'never', u'found', u'watch', u'go', u'better', u'box', u'bed', u'sawdust', u'themselv', u'move', u'freeli', u'good', u'gambol', u'suspend', u'chronomet', u'board', u'chanticl', u'onli', u'alter', u'rate', u'make', u'go', u'less', u'regularli', u'fix', u'beagl', u'gun', u'long', u'six', u'long', u'nine', u'pounder', u'brass', u'onli', u'fire', u'foremost', u'port', u'thi', u'may', u'connect', u'magnet', u'appendix', u'327', u'solid', u'substanc', u'board', u'adventur', u'feel', u'vibrat', u'caus', u'peopl', u'run', u'deck', u'shock', u'chain', u'cabl', u'run', u'cushion', u'hair', u'wool', u'ani', u'substanc', u'prefer', u'solid', u'bed', u'perhap', u'noth', u'better', u'coars', u'dri', u'savsdust', u'chronometr', u'measur', u'er', u'caus', u'much', u'perplex', u'follow', u'manner', u'chronomet', u'rate', u'air', u'whose', u'averag', u'temperatur', u'wa', u'let', u'us', u'suppos', u'exampl', u'70', u'carri', u'air', u'either', u'consider', u'hotter', u'consider', u'colder', u'rate', u'temperatur', u'nearli', u'equal', u'specifi', u'rate', u'found', u'differ', u'much', u'wa', u'suppos', u'chronomet', u'go', u'extrem', u'well', u'though', u'truth', u'rate', u'watch', u'differ', u'extrem', u'found', u'port', u'dure', u'voyag', u'return', u'nearli', u'old', u'rate', u'upon', u'reach', u'nearli', u'equal', u'temperatur', u'thi', u'ha', u'happen', u'less', u'everi', u'ship', u'carri', u'chronomet', u'across', u'equat', u'especi', u'go', u'rio', u'de', u'janeiro', u'sun', u'northward', u'line', u'far', u'manner', u'magnet', u'electr', u'influenc', u'may', u'affect', u'chronomet', u'hitherto', u'unknown', u'suffici', u'reason', u'suspect', u'consider', u'effect', u'certain', u'condit', u'one', u'caus', u'beagl', u'chronomet', u'wound', u'daili', u'nine', u'except', u'eightday', u'watch', u'wound', u'everi', u'sunday', u'morn', u'compar', u'noon', u'whatev', u'comparison', u'might', u'made', u'equal', u'correspond', u'altitud', u'sight', u'time', u'c', u'noon', u'comparison', u'wa', u'regularli', u'made', u'forthwith', u'examin', u'order', u'ani', u'chang', u'might', u'onc', u'detect', u'whether', u'sea', u'harbour', u'thi', u'method', u'wa', u'punctual', u'accur', u'execut', u'one', u'person', u'onli', u'inspect', u'mr', u'stoke', u'thi', u'person', u'mr', u'g', u'j', u'stab', u'portsmouth', u'wa', u'engag', u'purpos', u'well', u'keep', u'instrument', u'repair', u'take', u'care', u'collect', u'book', u'assist', u'magnet', u'observ', u'write', u'wa', u'invalu', u'assist', u'may', u'well', u'say', u'contribut', u'larg', u'whatev', u'wa', u'obtain', u'beagl', u'voyag', u'imag', u'74', u'75', u'second', u'volum', u'mention', u'book', u'consid', u'small', u'size', u'vessel', u'collect', u'one', u'cabin', u'mr', u'stab', u'charg', u'lent', u'offic', u'without', u'reserv', u'certain', u'regul', u'328', u'appendix', u'reason', u'prefer', u'give', u'undivid', u'attent', u'unbroken', u'seri', u'chronometr', u'observ', u'rather', u'allot', u'ani', u'portion', u'time', u'independ', u'astronom', u'observ', u'reallyvalu', u'requir', u'could', u'command', u'name', u'time', u'wellplac', u'good', u'transit', u'instrument', u'sldll', u'use', u'habit', u'observ', u'neither', u'readili', u'easili', u'acquir', u'besid', u'alway', u'degre', u'uncertainti', u'involv', u'deduct', u'observ', u'ani', u'celesti', u'phenomena', u'great', u'distanc', u'wellknown', u'obsenatori', u'even', u'observ', u'hi', u'mean', u'unexception', u'caus', u'thi', u'uncertainti', u'familiar', u'mani', u'page', u'may', u'meet', u'eye', u'reader', u'awar', u'mention', u'figur', u'earth', u'yet', u'quit', u'accur', u'known', u'parallax', u'refract', u'allow', u'absolut', u'certainti', u'level', u'plumblin', u'everywher', u'exactli', u'right', u'angl', u'coincid', u'line', u'diawn', u'earth', u'centr', u'tabl', u'howev', u'excel', u'perfect', u'abl', u'indefatig', u'astronom', u'mr', u'fallow', u'wa', u'along', u'time', u'cape', u'good', u'hope', u'befor', u'could', u'determin', u'longitud', u'hi', u'exert', u'hi', u'successor', u'adopt', u'result', u'differ', u'half', u'mile', u'reason', u'doubt', u'whether', u'paramatta', u'observatori', u'well', u'determin', u'longitud', u'fix', u'st', u'helena', u'mauritiu', u'occupi', u'much', u'time', u'talent', u'aid', u'excel', u'instrument', u'wellbuilt', u'observatori', u'great', u'deal', u'time', u'pain', u'abil', u'employ', u'madra', u'yet', u'far', u'chronomet', u'tell', u'great', u'discord', u'hitherto', u'publish', u'longitud', u'madra', u'mauritiu', u'paramatta', u'view', u'connect', u'respect', u'meridian', u'distanc', u'least', u'yet', u'measur', u'even', u'coast', u'baltic', u'differ', u'found', u'lieuten', u'gener', u'schubert', u'1833', u'receiv', u'posit', u'variou', u'observatori', u'deduc', u'result', u'fiftysix', u'chronomet', u'place', u'hi', u'dispos', u'steamboat', u'emperor', u'russia', u'return', u'thi', u'digress', u'beagl', u'measur', u'mr', u'fallow', u'consid', u'longitud', u'cape', u'observatori', u'ih', u'13m', u'53', u'e', u'mr', u'henderson', u'ih', u'13m', u'55', u'e', u'journal', u'royal', u'geograph', u'societi', u'vol', u'vi', u'part', u'ii', u'836', u'pp', u'4136', u'appendix', u'329', u'ment', u'meridian', u'distanc', u'time', u'wa', u'invari', u'obtain', u'seri', u'equal', u'correspond', u'altitud', u'sun', u'observ', u'one', u'person', u'sextant', u'artifici', u'horizon', u'place', u'manner', u'befor', u'noon', u'veri', u'good', u'pocket', u'chronomet', u'carri', u'hand', u'box', u'wa', u'alway', u'use', u'take', u'time', u'everi', u'instanc', u'wa', u'compar', u'standard', u'chronomet', u'two', u'suppos', u'best', u'immedi', u'befor', u'morn', u'observ', u'immedi', u'afterward', u'wa', u'also', u'compar', u'noon', u'befor', u'well', u'afternoon', u'observ', u'thi', u'watch', u'wa', u'well', u'construct', u'interv', u'shown', u'betveen', u'morn', u'afternoon', u'observ', u'alway', u'agre', u'shown', u'standard', u'allow', u'respect', u'rate', u'gener', u'speak', u'seven', u'altitud', u'one', u'limb', u'sun', u'taken', u'seven', u'altitud', u'hmb', u'one', u'set', u'sight', u'observ', u'three', u'set', u'usual', u'taken', u'short', u'interv', u'mean', u'result', u'use', u'unless', u'ani', u'mark', u'differ', u'occur', u'case', u'result', u'separ', u'pair', u'equal', u'altitud', u'morn', u'afternoon', u'wa', u'comput', u'erron', u'one', u'reject', u'consid', u'erron', u'differ', u'much', u'major', u'gener', u'howev', u'wa', u'closest', u'agreement', u'result', u'singl', u'pair', u'sight', u'well', u'entir', u'set', u'cloud', u'interven', u'seri', u'wa', u'unavoid', u'irregular', u'pair', u'equal', u'altitud', u'alway', u'numer', u'veri', u'instanc', u'chronomet', u'rate', u'result', u'absolut', u'independ', u'altitud', u'taken', u'everi', u'precaut', u'similar', u'time', u'day', u'instrument', u'observ', u'case', u'rate', u'obtain', u'compar', u'togeth', u'time', u'obtain', u'morn', u'observ', u'deduc', u'afternoon', u'sight', u'morn', u'afternoon', u'afternoon', u'morn', u'observ', u'time', u'consid', u'correct', u'wa', u'invari', u'deduc', u'equal', u'altitud', u'method', u'professor', u'inman', u'paramatta', u'cape', u'good', u'hope', u'wall', u'royal', u'observatori', u'greenwich', u'opportun', u'tri', u'whether', u'wa', u'ani', u'differ', u'time', u'thu', u'obtain', u'respect', u'astronom', u'feel', u'gratifi', u'abl', u'k', u'parkinson', u'frodsham', u'1041', u'e', u'e', u'330', u'appendix', u'state', u'one', u'instanc', u'differ', u'quarter', u'second', u'inde', u'figur', u'would', u'bear', u'say', u'differ', u'even', u'tenth', u'second', u'fact', u'well', u'known', u'lieut', u'stoke', u'lieut', u'sultan', u'mr', u'usborn', u'sextant', u'use', u'throughout', u'voyag', u'thi', u'purpos', u'thi', u'alon', u'wa', u'particularli', u'good', u'one', u'made', u'expressli', u'worthington', u'allan', u'index', u'error', u'never', u'vari', u'wa', u'ever', u'least', u'adjust', u'morn', u'afternoon', u'observ', u'wa', u'usual', u'guard', u'account', u'handl', u'expos', u'chang', u'temperatur', u'latitud', u'obtain', u'sextant', u'circl', u'wa', u'alway', u'anxiou', u'get', u'mani', u'result', u'onli', u'one', u'observ', u'instrument', u'sever', u'observ', u'differ', u'instrument', u'sometim', u'happen', u'six', u'observ', u'seat', u'ground', u'mani', u'differ', u'instrument', u'horizon', u'take', u'sun', u'circummeridian', u'altitud', u'observ', u'star', u'night', u'mani', u'work', u'one', u'anoth', u'error', u'soon', u'detect', u'either', u'observ', u'comput', u'alreadi', u'mention', u'dr', u'inman', u'method', u'calcul', u'wa', u'follow', u'remain', u'shown', u'mode', u'interpol', u'wa', u'adopt', u'whena', u'wa', u'usual', u'case', u'watch', u'found', u'go', u'rate', u'differ', u'ascertain', u'preced', u'place', u'rate', u'veri', u'except', u'method', u'use', u'dr', u'tiark', u'wa', u'practis', u'except', u'case', u'use', u'finger', u'owen', u'foster', u'king', u'wa', u'employ', u'follow', u'princip', u'result', u'upon', u'obtain', u'dure', u'beagl', u'last', u'voyag', u'18316', u'depend', u'want', u'room', u'alon', u'prevent', u'give', u'minutest', u'detail', u'upon', u'depend', u'would', u'littl', u'use', u'give', u'comput', u'without', u'comparison', u'comparison', u'without', u'rate', u'rate', u'without', u'calcul', u'observ', u'depend', u'ani', u'part', u'without', u'whole', u'constitut', u'mass', u'figur', u'fill', u'sever', u'thick', u'folio', u'book', u'howev', u'deposit', u'hydrograph', u'offic', u'anyon', u'take', u'troubl', u'may', u'obtain', u'hydrograph', u'permiss', u'examin', u'fullest', u'extent', u'first', u'station', u'wa', u'devonport', u'bath', u'exactli', u'merit', u'voyag', u'appendix', u'p', u'2268', u'appendix', u'tian', u'centr', u'govern', u'hous', u'publish', u'survey', u'plymouth', u'devonport', u'govern', u'hous', u'devonport', u'0', u'1', u'48', u'west', u'plymouth', u'old', u'church', u'longitud', u'given', u'captain', u'king', u'preced', u'copi', u'hi', u'report', u'thi', u'longitud', u'howev', u'differ', u'slightli', u'obtain', u'beagl', u'chronomet', u'carri', u'devonport', u'greenwich', u'longitud', u'falmouth', u'chronomet', u'agre', u'determin', u'dr', u'tiark', u'use', u'construct', u'tabl', u'posit', u'pp', u'6585', u'result', u'obtain', u'directli', u'chronomet', u'becaus', u'confirm', u'princip', u'result', u'beagl', u'chronometr', u'measur', u'1831', u'1836', u'form', u'connect', u'chain', u'meridian', u'distanc', u'around', u'globe', u'first', u'ha', u'ever', u'complet', u'even', u'attempt', u'mean', u'chronomet', u'alon', u'devonport', u'port', u'prayaa', u'twenti', u'chronomet', u'twentythre', u'day', u'b', u'c', u'd', u'e', u'f', u'g', u'h', u'k', u'l', u'h', u'm', u'2168', u'21', u'8o', u'2069', u'2069', u'1703', u'2033', u'2033', u'2303', u'2143', u'2143', u'1716', u'2390', u'2112', u'2112', u'h', u'm', u'h', u'm', u'm', u'1', u'17', u'2047', u'2047', u'n', u'2442', u'p', u'1773', u'r', u'1990', u'1990', u'2052', u'2052', u'v', u'2223', u'w', u'2093', u'2093', u'x', u'2108', u'y', u'2058', u'2058', u'z', u'2143', u'2143', u'prefer', u'mean', u'2087', u'ih', u'17', u'm', u'207', u'2074', u'place', u'observ', u'bath', u'meridian', u'governmenthous', u'devonport', u'landingplac', u'west', u'side', u'quail', u'island', u'port', u'prayaa', u'cape', u'verd', u'island', u'abovement', u'plan', u'publish', u'admiralti', u'scale', u'503', u'inch', u'mile', u'departur', u'devonport', u'bath', u'plymouth', u'old', u'church', u'58', u'inch', u'latitud', u'50', u'22', u'repres', u'0', u'1', u'481', u'longitud', u'e', u'e', u'2', u'appendix', u'port', u'pkaya', u'bahia', u'twentyon', u'chronomet', u'twentysix', u'day', u'h', u'm', u'h', u'm', u'h', u'ji', u'h', u'm', u'1', u'00', u'0467', u'1', u'00', u'0467', u'4987', u'b', u'5941', u'p', u'1', u'00', u'0358', u'0358', u'c', u'1', u'00', u'0185', u'1', u'00', u'0185', u'r', u'1', u'00', u'0348', u'0348', u'd', u'4068', u'59', u'4347', u'e', u'5221', u'59', u'4147', u'1', u'oo', u'0406', u'1', u'00', u'0406', u'v', u'1', u'00', u'1117', u'g', u'00', u'0600', u'w', u'1', u'00', u'0391', u'0391', u'k', u'1', u'00', u'1799', u'x', u'1', u'00', u'0219', u'0219', u'l', u'00', u'0160', u'1', u'00', u'0160', u'y', u'1', u'00', u'0247', u'0247', u'm', u'5956', u'5956', u'z', u'1', u'00', u'0469', u'0469', u'n', u'1', u'00', u'0395', u'1', u'00', u'0395', u'mean', u'00', u'0016', u'0300', u'prefer', u'ih', u'00m', u'030', u'place', u'observ', u'port', u'prayaa', u'befor', u'bahia', u'fort', u'san', u'pedro', u'gambia', u'bahia', u'rio', u'de', u'janeiro', u'twenti', u'chronomet', u'twentytwo', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'3250', u'3250', u'3135', u'3135', u'c', u'2898', u'p', u'3206', u'3206', u'd', u'3047', u'3047', u'r', u'3342', u'3342', u'3552', u'2713', u'g', u'3390', u'2943', u'h', u'3159', u'3159', u'v', u'2670', u'k', u'3125', u'3125', u'w', u'2788', u'l', u'2976', u'x', u'3063', u'3063', u'm', u'3823', u'y', u'3879', u'n', u'3098', u'3098', u'z', u'mean', u'3151', u'3151', u'3160', u'3158', u'prefer', u'oh', u'ism', u'3', u'16', u'place', u'observ', u'bahia', u'befor', u'state', u'rio', u'de', u'janeiro', u'close', u'well', u'viuegagnon', u'island', u'appendix', u'rio', u'de', u'janeiro', u'bahia', u'twenti', u'chronomet', u'six', u'day', u'h', u'm', u'o', u'18', u'2958', u'c', u'3150', u'd', u'3146', u'e', u'2779', u'f', u'3187', u'g', u'3089', u'h', u'2992', u'k', u'3009', u'l', u'3022', u'm', u'2968', u'3150', u'3146', u'3187', u'3089', u'3144', u'2971', u'prefer', u'h', u'm', u'h', u'm', u'n', u'o', u'18', u'2960', u'o', u'3117', u'3117', u'p', u'3137', u'3137', u'r', u'3161', u'3161', u'3144', u'3183', u'3118', u'mean', u'3082', u'3143', u'oh', u'18m', u'314', u'w', u'3302', u'x', u'3183', u'y', u'3257', u'z', u'3118', u'place', u'observ', u'befor', u'state', u'bahia', u'rio', u'de', u'janeiro', u'twenti', u'chronomet', u'fourteen', u'day', u'h', u'si', u'h', u'm', u'h', u'm', u'h', u'm', u'18', u'3117', u'18', u'3117', u'18', u'2949', u'b', u'4245', u'p', u'3334', u'3334', u'c', u'2802', u'r', u'3309', u'3309', u'd', u'2865', u'3947', u'e', u'3416', u'3133', u'f', u'3179', u'3179', u'v', u'3121', u'3121', u'g', u'3042', u'3042', u'w', u'3213', u'3213', u'k', u'2802', u'x', u'2996', u'2996', u'l', u'3113', u'3ii3', u'y', u'2755', u'n', u'3341', u'z', u'mea', u'3091', u'3091', u'n', u'3189', u'3152', u'prefer', u'oh', u'18m', u'315', u'first', u'316', u'second', u'mean', u'314', u'315', u'place', u'observ', u'befor', u'state', u'aimendix', u'rio', u'de', u'janeiro', u'mont', u'video', u'twenti', u'chronomet', u'twentyfour', u'day', u'h', u'm', u'o', u'52', u'1619', u'b', u'0857', u'c', u'0975', u'h', u'm', u'1619', u'd', u'e', u'f', u'g', u'h', u'k', u'l', u'1611', u'1611', u'i498', u'1498', u'i457', u'1457', u'1757', u'1757', u'1128', u'2736', u'2289', u'2289', u'h', u'm', u'h', u'm', u'n', u'o', u'52', u'1979', u'1979', u'o', u'1414', u'p', u'1306', u'r', u'2083', u'2083', u'1235', u'0989', u'w', u'1408', u'x', u'1442', u'144a', u'y', u'4060', u'z', u'1860', u'1860', u'mean', u'1685', u'1760', u'prefer', u'oh', u'52m', u'176', u'place', u'observ', u'rio', u'de', u'janeiro', u'befor', u'state', u'mont', u'video', u'rat', u'island', u'mont', u'video', u'port', u'desir', u'seventeen', u'chronomet', u'nineteen', u'day', u'h', u'm', u'o', u'38', u'c', u'd', u'e', u'f', u'g', u'h', u'k', u'l', u'h', u'm', u'4688', u'4688', u'4408', u'5017', u'5017', u'5030', u'5030', u'4601', u'4837', u'4301', u'5656', u'4804', u'4601', u'4837', u'4804', u'h', u'm', u'h', u'm', u'm', u'o', u'38', u'4001', u'n', u'4275', u'r', u'4565', u'4565', u'5149', u'5149', u'w', u'4545', u'4545', u'x', u'3995', u'y', u'2714', u'z', u'4732', u'4732', u'mean', u'4548', u'4797', u'prefer', u'oh', u'38m', u'480', u'place', u'observ', u'mont', u'video', u'befor', u'port', u'desir', u'spanish', u'ruin', u'appendix', u'sport', u'desir', u'port', u'famin', u'sixteen', u'chronomet', u'h', u'm', u'h', u'm', u'o', u'20', u'1057', u'io57', u'b', u'o', u'20', u'0939', u'0939', u'c', u'o', u'20', u'1065', u'1065', u'd', u'o', u'20', u'0903', u'0903', u'f', u'o', u'20', u'1070', u'1070', u'g', u'o', u'20', u'0507', u'h', u'o', u'20', u'0971', u'0971', u'k', u'o', u'20', u'0210', u'prefer', u'oh', u'20m', u'107', u'place', u'observ', u'port', u'desir', u'befor', u'port', u'famin', u'old', u'observatori', u'west', u'side', u'port', u'sixteen', u'day', u'h', u'm', u'h', u'm', u'l', u'20', u'1035', u'1035', u'm', u'20', u'154', u'r', u'20', u'1220', u'1220', u'19', u'5163', u'20', u'3907', u'w', u'20', u'1422', u'1422', u'x', u'20', u'0731', u'z', u'20', u'1029', u'1029', u'20', u'1051', u'1071', u'port', u'famin', u'san', u'carlo', u'twenti', u'chronomet', u'twentyseven', u'day', u'0812', u'0812', u'b', u'3716', u'c', u'5262', u'5262', u'd', u'1', u'1', u'5460', u'5460', u'e', u'5752', u'5752', u'g', u'1002', u'h', u'1', u'1', u'4795', u'k', u'1099', u'l', u'0368', u'0368', u'm', u'5840', u'5840', u'prefer', u'h', u'm', u'h', u'm', u'n', u'0637', u'0637', u'p', u'1826', u'r', u'0942', u'1', u'1', u'5187', u'5100', u'v', u'1', u'1', u'4242', u'w', u'5593', u'5593', u'x', u'3426', u'y', u'1', u'1', u'5513', u'5513', u'z', u'0142', u'0142', u'mean', u'o', u'12', u'0036', u'o', u'11', u'5938', u'0h', u'11m', u'5948', u'place', u'observ', u'thi', u'measur', u'made', u'spot', u'59', u'east', u'use', u'measur', u'port', u'desir', u'port', u'famin', u'thi', u'new', u'old', u'observatori', u'san', u'carlo', u'point', u'arena', u's38', u'appendix', u'san', u'carlo', u'valparaiso', u'eighteen', u'chronomet', u'twelv', u'day', u'h', u'ji', u'h', u'ji', u'h', u'ji', u'k', u'm', u'5569', u'ob', u'5569', u'l', u'09', u'0017', u'0017', u'b', u'4451', u'n', u'08', u'5917', u'5917', u'c', u'0207', u'0207', u'p', u'08', u'4760', u'd', u'0601', u'r', u'08', u'5564', u'554', u'e', u'og', u'0672', u'v', u'09', u'0905', u'f', u'4277', u'w', u'09', u'0339', u'0339', u'g', u'5390', u'5390', u'x', u'09', u'1039', u'ii', u'0810', u'y', u'09', u'0149', u'0149', u'k', u'0260', u'0260', u'z', u'08', u'5834', u'5r34', u'mean', u'o', u'08', u'5931', u'o', u'08', u'5925', u'prefer', u'oh', u'8m', u'592', u'place', u'observ', u'san', u'carlo', u'chile', u'point', u'arena', u'valparaiso', u'fort', u'san', u'antonio', u'valparaiso', u'callao', u'fourteen', u'chronomet', u'twenti', u'five', u'day', u'h', u'm', u'o', u'22', u'0774', u'0774', u'0051', u'0731', u'0731', u'0686', u'o606', u'0442', u'f', u'1660', u'g', u'0590', u'0590', u'h', u'm', u'h', u'm', u'o', u'o', u'22', u'0866', u'0b66', u'p', u'0897', u'0897', u'k', u'1133', u'133', u'n39', u'1139', u'w', u'1228', u'1228', u'x', u'0330', u'z', u'0936', u'0936', u'mean', u'0819', u'0898', u'prefer', u'oh', u'22m', u'090', u'place', u'observ', u'valparaiso', u'befor', u'callao', u'arsen', u'callao', u'galapago', u'island', u'chatham', u'island', u'twelv', u'chronomet', u'twelv', u'day', u'h', u'm', u'h', u'm', u'o', u'49', u'3180', u'3180', u'b', u'3230', u'3230', u'c', u'3390', u'3390', u'd', u'3349', u'3349', u'k', u'3039', u'3039', u'n', u'3674', u'h', u'm', u'h', u'j', u'3315', u'3315', u'r', u'3216', u'3216', u'3256', u'3256', u'w', u'3521', u'3521', u'x', u'2944', u'z', u'3290', u'3290', u'mean', u'3284', u'3279', u'prefer', u'oh', u'49m', u'328', u'place', u'observ', u'callao', u'befor', u'chatham', u'island', u'stephen', u'bay', u'landingplac', u'southwest', u'side', u'appendix', u'galapago', u'island', u'chatham', u'charl', u'island', u'fourteen', u'chronomet', u'four', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'03', u'3949', u'3949', u'n', u'4169', u'4169', u'b', u'3729', u'3936', u'3936', u'c', u'3911', u'3911', u'r', u'3940', u'3940', u'd', u'3923', u'3923', u'3944', u'3944', u'g', u'4481', u'w', u'3919', u'ts', u'3667', u'x', u'3928', u'39i28', u'l', u'3823', u'3823', u'z', u'mean', u'3952', u'3952', u'3948', u'3948', u'prefer', u'oh', u'03m', u'395', u'place', u'observ', u'chatham', u'island', u'befor', u'charl', u'island', u'landingplac', u'southeast', u'part', u'post', u'offic', u'bay', u'charl', u'island', u'galapago', u'otaheit', u'thirteen', u'chronomet', u'thirtyon', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'3', u'56', u'1167', u'1167', u'3', u'56', u'1419', u'1419', u'b', u'0707', u'r', u'1491', u'1491', u'c', u'0753', u'0753', u'1135', u'1135', u'd', u'0543', u'w', u'0827', u'0827', u'h', u'1404', u'1404', u'x', u'0935', u'op35', u'l', u'2065', u'z', u'1674', u'1674', u'n', u'1457', u'1457', u'mean', u'1198', u'1226', u'prefer', u'3h', u'56m', u'123', u'place', u'observ', u'charl', u'island', u'befor', u'otaheit', u'point', u'venu', u'otaheit', u'bay', u'island', u'new', u'zealand', u'sixteen', u'chronomet', u'twentyeight', u'day', u'h', u'si', u'h', u'm', u'h', u'm', u'h', u'm', u'2', u'25', u'3869', u'3869', u'n', u'2', u'25', u'4078', u'b', u'3750', u'3750', u'3497', u'3497', u'c', u'3287', u'3287', u'r', u'3668', u'3668', u'd', u'3511', u'3511', u'2883', u'g', u'3399', u'3399', u'v', u'2799', u'h', u'3566', u'3566', u'w', u'3283', u'3283', u'k', u'3820', u'3820', u'x', u'2889', u'l', u'2770', u'z', u'mean', u'4048', u'3444', u'3565', u'prefer', u'2h', u'25m', u'356', u'place', u'observ', u'otaheit', u'befor', u'bay', u'island', u'paihia', u'islet', u's38', u'appendix', u'bay', u'island', u'new', u'zealand', u'sydney', u'fifteen', u'chronomet', u'nineteen', u'day', u'h', u'm', u'h', u'm', u'1', u'31', u'3350', u'3350', u'b', u'2763', u'c', u'3364', u'3364', u'd', u'3184', u'3184', u'g', u'2741', u'h', u'2394', u'k', u'4460', u'l', u'3209', u'3209', u'h', u'm', u'1', u'31', u'prefer', u'n', u'o', u'r', u'w', u'x', u'z', u'mean', u'hi', u'31m', u'315', u'h', u'm', u'3252', u'3252', u'2929', u'2929', u'3069', u'3069', u'3017', u'3017', u'2852', u'2852', u'2682', u'3236', u'3236', u'3100', u'3146', u'place', u'observ', u'new', u'zealand', u'befor', u'sydney', u'fort', u'macquarri', u'macquarri', u'fort', u'observatori', u'paramatta', u'three', u'chronomet', u'oh', u'00m', u'520', u'paramatta', u'west', u'fort', u'sydney', u'hobart', u'town', u'fifteen', u'chronomet', u'eleven', u'day', u'h', u'o', u'm', u'h', u'm', u'15', u'2940', u'2940', u'2630', u'b', u'2630', u'c', u'3431', u'd', u'g', u'k', u'l', u'n', u'3528', u'3096', u'2986', u'3096', u'2986', u'3091', u'3091', u'3083', u'3083', u'm', u'o', u'r', u'v', u'w', u'x', u'3041', u'z', u'3231', u'h', u'm', u'2925', u'2925', u'2617', u'3201', u'3201', u'3884', u'2548', u'3041', u'3231', u'prefer', u'mean', u'3082', u'oh', u'15m', u'302', u'3022', u'place', u'observ', u'sydney', u'befor', u'hobart', u'town', u'east', u'side', u'sullivan', u'cove', u'small', u'batteri', u'close', u'water', u'three', u'chronomet', u'carri', u'water', u'observatori', u'day', u'appendix', u'hobart', u'town', u'king', u'georg', u'sound', u'fifteen', u'chronomet', u'twenti', u'day', u'h', u'm', u'h', u'm', u'1', u'57', u'4875', u'4875', u'b', u'2650', u'c', u'5928', u'd', u'6390', u'g', u'545', u'5415', u'h', u'5431', u'5431', u'k', u'4294', u'l', u'5521', u'5521', u'h', u'm', u'h', u'm', u'n', u'1', u'57', u'5777', u'5777', u'5126', u'5126', u'r', u'4267', u'4267', u'5267', u'5267', u'w', u'3604', u'x', u'4747', u'4747', u'z', u'5096', u'5096', u'mean', u'4959', u'5153', u'prefer', u'ih', u'57m', u'515', u'place', u'observ', u'hobart', u'town', u'befor', u'king', u'georg', u'sound', u'new', u'govern', u'build', u'east', u'side', u'princess', u'royal', u'harbour', u'near', u'water', u'king', u'georg', u'sound', u'keel', u'island', u'fifteen', u'chronomet', u'twenti', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'1', u'24', u'0762', u'0762', u'n', u'1', u'24', u'0864', u'0864', u'b', u'0717', u'0717', u'0772', u'0772', u'c', u'0915', u'0915', u'r', u'0953', u'0953', u'd', u'0916', u'0916', u'0655', u'0655', u'g', u'1250', u'w', u'0006', u'h', u'0560', u'0560', u'x', u'23', u'4324', u'k', u'0309', u'z', u'24', u'0744', u'0744', u'l', u'2316', u'mean', u'24', u'0604', u'0786', u'prefer', u'ih', u'24m', u'079', u'place', u'observ', u'king', u'georg', u'sound', u'befor', u'keel', u'island', u'northwest', u'part', u'direct', u'islet', u'appendix', u'keel', u'island', u'mauritiu', u'fifth', u'en', u'chronomet', u'twentyon', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'2', u'37', u'3896', u'3896', u'2', u'37', u'3254', u'3254', u'b', u'3630', u'3630', u'r', u'3762', u'3762', u'c', u'3505', u'3505', u'3194', u'3194', u'd', u'3187', u'3187', u'v', u'2555', u'g', u'1734', u'w', u'2981', u'2981', u'k', u'4806', u'x', u'2770', u'l', u'4318', u'z', u'3442', u'3442', u'n', u'3317', u'3317', u'mean', u'3356', u'3417', u'prefer', u'2h', u'37m', u'342', u'place', u'observ', u'keel', u'island', u'befor', u'mauritiu', u'batteri', u'cooper', u'island', u'port', u'loui', u'mauritiu', u'simon', u'bay', u'thirteen', u'chronomet', u'twentyf', u'day', u'h', u'm', u'h', u'm', u'm', u'm', u'h', u'm', u'2', u'36', u'2512', u'2512', u'2', u'36', u'2346', u'2346', u'c', u'1823', u'1823', u'r', u'2144', u'2144', u'd', u'28', u'1882', u'1882', u'g', u'3250', u'w', u'1774', u'1774', u'k', u'2485', u'2485', u'x', u'1244', u'l', u'2362', u'2362', u'z', u'1968', u'1968', u'n', u'2493', u'2493', u'mean', u'2238', u'2179', u'prefer', u'2h', u'36m', u'218', u'place', u'observ', u'mauritiu', u'befor', u'simon', u'bay', u'southeast', u'end', u'dock', u'yard', u'near', u'high', u'watermark', u'simon', u'bay', u'observatori', u'three', u'chronomet', u'carri', u'day', u'oh', u'00m', u'109', u'observatori', u'east', u'simon', u'bay', u'aprendix', u'h', u'm', u'1', u'36', u'c', u'd', u'g', u'k', u'4337', u'l', u'3034', u'n', u'2763', u'simon', u'bay', u'st', u'helena', u'thirteen', u'chronomet', u'twentyon', u'day', u'h', u'm', u'3839', u'3839', u'3103', u'3103', u'2982', u'3146', u'2982', u'3146', u'3034', u'h', u'm', u'h', u'm', u'o', u'1', u'36', u'3214', u'3214', u'r', u'3770', u'3770', u'3100', u'3100', u'v', u'2990', u'w', u'3724', u'3724', u'z', u'3396', u'3396', u'mean', u'3338', u'333', u'prefer', u'ih', u'36m', u'333', u'place', u'observ', u'simon', u'bay', u'befor', u'st', u'helena', u'jame', u'valley', u'near', u'high', u'water', u'mark', u'meridian', u'observatori', u'ladder', u'hi', u'st', u'helena', u'ascens', u'fourteen', u'chronomet', u'seven', u'day', u'b', u'c', u'd', u'g', u'o', u'34', u'4595', u'4595', u'4418', u'4496', u'4496', u'4500', u'4500', u'4572', u'4572', u'h4415', u'k', u'4542', u'4542', u'l', u'n', u'o', u'r', u'w', u'z', u'o', u'34', u'4823', u'4637', u'4526', u'4526', u'4637', u'4637', u'4572', u'4572', u'4593', u'4593', u'4622', u'4622', u'mean', u'4568', u'prefer', u'oh', u'34m', u'457', u'place', u'observ', u'st', u'helena', u'asbefor', u'ascens', u'centr', u'barrack', u'squar', u'4565', u'ascens', u'bahia', u'fifteen', u'chronomet', u'ten', u'day', u'h', u'm', u'h', u'm', u'1', u'36', u'2718', u'2718', u'b', u'2025', u'c', u'd', u'2575', u'2831', u'2575', u'2831', u'g', u'h', u'k', u'l', u'2447', u'2348', u'2236', u'2876', u'2447', u'2876', u'prefer', u'h', u'n', u'1', u'o', u'r', u'w', u'm', u'2992', u'2356', u'2665', u'2992', u'2665', u'2471', u'271', u'2628', u'2628', u'x', u'3250', u'z', u'2612', u'2612', u'mean', u'2602', u'2670', u'36m', u'267', u'place', u'observ', u'ascens', u'befor', u'bahia', u'befor', u'state', u'appendix', u'bahia', u'pernambuco', u'fifteen', u'chronomet', u'seven', u'day', u'b', u'c', u'd', u'g', u'h', u'k', u'l', u'h', u'm', u'o', u'14', u'3582', u'3784', u'3603', u'3489', u'3680', u'3676', u'3741', u'3485', u'3582', u'3603', u'3680', u'3676', u'3741', u'h', u'm', u'n', u'o', u'14', u'o', u'r', u'v', u'w', u'z', u'3502', u'3623', u'3619', u'3679', u'3780', u'3623', u'3619', u'3679', u'3524', u'3697', u'3524', u'3697', u'mean', u'3631', u'3642', u'prefer', u'oh', u'14m', u'364', u'place', u'observ', u'bahia', u'befor', u'pernambuco', u'southwest', u'end', u'arsen', u'pernambuco', u'port', u'prayaa', u'fourteen', u'chronomet', u'fourteen', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'45', u'2377', u'l', u'3095', u'b', u'2832', u'2832', u'n', u'2503', u'2503', u'c', u'2740', u'2740', u'2889', u'2889', u'd', u'2729', u'2729', u'2838', u'2838', u'g', u'2804', u'2804', u'v', u'2940', u'2940', u'h', u'2871', u'w', u'2746', u'2746', u'k', u'2270', u'z', u'2624', u'2624', u'mean', u'2733', u'2764', u'prefer', u'oh', u'45m', u'276', u'place', u'observ', u'pernambuco', u'befor', u'port', u'prayaa', u'befor', u'state', u'port', u'prayaa', u'angra', u'thirteen', u'chronomet', u'fifteen', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'14', u'b', u'5008', u'4939', u'5008', u'l', u'n', u'5143', u'4926', u'5143', u'4926', u'c', u'4893', u'4893', u'4988', u'4988', u'd', u'5146', u'5146', u'4852', u'4852', u'g', u'h', u'5259', u'6039', u'5259', u'z', u'5043', u'5088', u'5043', u'5088', u'k', u'4920', u'mean', u'5009', u'5034', u'prefer', u'oh', u'14m', u'503', u'place', u'observ', u'port', u'prayaa', u'befor', u'angra', u'terceira', u'close', u'best', u'landingplac', u'appendix', u'angra', u'falmouth', u'eleven', u'chronomet', u'eleven', u'day', u'h', u'm', u'h', u'm', u'h', u'm', u'h', u'm', u'1', u'28', u'3861', u'3861', u'n', u'1', u'28', u'4007', u'4007', u'c', u'3992', u'3992', u'3864', u'3864', u'd', u'4161', u'4161', u'4149', u'4149', u'g', u'3711', u'3711', u'v', u'4080', u'4080', u'h', u'4299', u'z', u'3815', u'3815', u'l', u'3843', u'3843', u'prefer', u'mean', u'3980', u'hi', u'28ni', u'395', u'3948', u'place', u'observ', u'angra', u'befor', u'falmouth', u'pendenni', u'castl', u'angra', u'devonport', u'eleven', u'chronomet', u'fourteen', u'day', u'h', u'm', u'1', u'32', u'c', u'd', u'0976', u'0860', u'1062', u'h', u'm', u'0976', u'0860', u'1062', u'n', u'h', u'm', u'1', u'32', u'h', u'0895', u'0735', u'1029', u'm', u'0895', u'0735', u'1029', u'g', u'h', u'l', u'0715', u'1306', u'0882', u'1306', u'0882', u'v', u'z', u'mean', u'1033', u'0952', u'1033', u'0952', u'0950', u'0973', u'prefer', u'ih', u'32m', u'097', u'place', u'observ', u'befor', u'devonport', u'royal', u'observatori', u'greenwich', u'h', u'm', u'16', u'c', u'd', u'g', u'l', u'349', u'378', u'427', u'422', u'397', u'ten', u'chronomet', u'h', u'm', u'349', u'378', u'47', u'422', u'3s7', u'prefer', u'rs', u'eleven', u'day', u'h', u'm', u'h', u'n', u'16', u'421', u'434', u'381', u'v', u'455', u'z', u'363', u'm', u'421', u'434', u'381', u'455', u'363', u'mean', u'4027', u'oh', u'16m', u'403', u'4027', u'344', u'appendix', u'observatori', u'ii', u'n', u'colleg', u'portsmouth', u'greenwich', u'eleven', u'chronomet', u'eight', u'day', u'h', u'm', u'l', u'o', u'04', u'h', u'm', u'h', u'm', u'04', u'2235', u'2235', u'b', u'2457', u'2457', u'c', u'2263', u'2263', u'd', u'2673', u'263', u'g', u'2646', u'2646', u'n', u'2979', u'n', u'o', u'z', u'h', u'm', u'2407', u'2407', u'2663', u'2663', u'2917', u'2917', u'2329', u'2329', u'2181', u'2181', u'2523', u'2477', u'mean', u'prefer', u'oh', u'04m', u'248', u'h', u'm', u'angra', u'devonport', u'1', u'32', u'097', u'angra', u'falmouth', u'1', u'28', u'395', u'falmouth', u'devonport', u'03', u'302', u'devonport', u'greenwich', u'16', u'403', u'falmouth', u'greenwich', u'20', u'105', u'devonport', u'greenwich', u'16', u'403', u'portsmouth', u'greenwich', u'04', u'248', u'devonport', u'portsmouth', u'12', u'155', u'fo', u'04', u'248', u'0', u'12', u'12', u'155', u'03', u'302', u'greenwich', u'falmouth', u'20', u'10', u'5', u'look', u'preced', u'result', u'enquiri', u'may', u'made', u'chronomet', u'therefor', u'mention', u'useless', u'watch', u'stop', u'alter', u'rate', u'suddenli', u'one', u'case', u'r', u'mainspr', u'broke', u'chronomet', u'go', u'admir', u'till', u'moment', u'four', u'chronomet', u'left', u'mr', u'usbom', u'coast', u'peru', u'consequ', u'diminut', u'origin', u'number', u'eleven', u'watch', u'toler', u'effect', u'condit', u'dure', u'last', u'two', u'princip', u'link', u'chain', u'name', u'port', u'prayaa', u'azor', u'azor', u'devonport', u'five', u'year', u'long', u'time', u'chronomet', u'preserv', u'capabl', u'go', u'steadili', u'variou', u'chang', u'climat', u'without', u'examin', u'perhap', u'clean', u'fresh', u'oil', u'experienc', u'chronomet', u'maker', u'appendix', u'345', u'given', u'princip', u'result', u'form', u'link', u'chain', u'meridian', u'distanc', u'carri', u'round', u'globe', u'mention', u'similar', u'natur', u'obtain', u'beagl', u'offic', u'base', u'upon', u'one', u'instanc', u'ani', u'longitud', u'given', u'accompani', u'tabl', u'depend', u'upon', u'absolut', u'independ', u'astronom', u'observ', u'ought', u'clearli', u'state', u'howev', u'sum', u'part', u'form', u'chain', u'amount', u'twentyfour', u'hour', u'therefor', u'error', u'must', u'exist', u'somewher', u'ha', u'princip', u'caus', u'error', u'may', u'said', u'exist', u'unabl', u'determin', u'whole', u'chain', u'exce', u'twentyfour', u'hour', u'thirtythre', u'second', u'time', u'appear', u'veri', u'singular', u'variou', u'link', u'thi', u'chain', u'examin', u'compar', u'author', u'reason', u'seem', u'believ', u'correct', u'least', u'within', u'veri', u'small', u'fraction', u'time', u'even', u'allow', u'link', u'one', u'two', u'second', u'time', u'wrong', u'doe', u'appear', u'probabl', u'error', u'would', u'lie', u'one', u'direct', u'unless', u'hitherto', u'undetect', u'caus', u'affect', u'chronomet', u'carri', u'westward', u'might', u'affect', u'differ', u'carri', u'eastward', u'would', u'ill', u'becom', u'speak', u'ani', u'valu', u'may', u'attach', u'chronometr', u'measur', u'even', u'erron', u'undoubtedli', u'part', u'certain', u'degre', u'almost', u'everywher', u'onli', u'lay', u'honestlyobtain', u'result', u'befor', u'person', u'interest', u'matter', u'request', u'may', u'compar', u'best', u'author', u'callao', u'sydney', u'cape', u'good', u'hope', u'three', u'remot', u'point', u'might', u'select', u'rather', u'becaus', u'gener', u'suppos', u'well', u'determin', u'beagl', u'posit', u'cauao', u'prove', u'incorrect', u'must', u'humboldt', u'calcul', u'oltmann', u'adopt', u'daussi', u'also', u'incorrect', u'posit', u'sydney', u'reckon', u'eastward', u'greenwich', u'materi', u'wrong', u'must', u'best', u'author', u'longitud', u'place', u'also', u'error', u'differ', u'beagl', u'onli', u'eight', u'ten', u'second', u'moor', u'part', u'thirtythre', u'second', u'onli', u'idea', u'dwell', u'respect', u'caus', u'thi', u'error', u'thirtythre', u'second', u'chronomet', u'may', u'affect', u'connaiss', u'de', u'ten', u'1836', u'f', u'f', u's6', u'appendix', u'magnet', u'action', u'consequ', u'ship', u'head', u'consider', u'time', u'toward', u'east', u'west', u'yet', u'thi', u'conjectur', u'measur', u'bahia', u'rio', u'de', u'janeiro', u'rio', u'de', u'janeiro', u'cape', u'horn', u'evid', u'ani', u'perman', u'caus', u'error', u'greater', u'part', u'measur', u'made', u'ship', u'head', u'usual', u'near', u'meridian', u'select', u'three', u'measur', u'thought', u'less', u'trustworthi', u'decid', u'galapago', u'otaheit', u'otahelt', u'new', u'zealand', u'hobart', u'town', u'king', u'georg', u'sound', u'think', u'either', u'one', u'five', u'second', u'time', u'error', u'accord', u'regular', u'comput', u'without', u'suppos', u'unknovsm', u'caus', u'error', u'exist', u'three', u'five', u'second', u'wrong', u'error', u'lay', u'direct', u'still', u'would', u'onli', u'fifteen', u'second', u'thirtytwo', u'account', u'supposit', u'thi', u'howev', u'three', u'measur', u'five', u'second', u'thereabout', u'error', u'refer', u'onli', u'error', u'caus', u'known', u'mean', u'appear', u'extrem', u'improb', u'would', u'almost', u'say', u'imposs', u'natur', u'occur', u'reader', u'error', u'undetect', u'local', u'exist', u'arbitrari', u'correct', u'must', u'made', u'order', u'reduc', u'24h', u'om', u'33', u'24h', u'otaheit', u'ha', u'select', u'point', u'correct', u'might', u'made', u'vdth', u'least', u'degre', u'inconveni', u'place', u'longitud', u'accompani', u'tabl', u'given', u'measur', u'westward', u'cape', u'horn', u'eastward', u'greenwich', u'cape', u'good', u'hope', u'two', u'portion', u'chain', u'overlap', u'mean', u'ha', u'taken', u'result', u'longitud', u'recapitul', u'princip', u'measur', u'confront', u'variou', u'determin', u'limit', u'space', u'prevent', u'quot', u'mani', u'trust', u'enough', u'given', u'show', u'weight', u'may', u'attach', u'least', u'proport', u'result', u'obtain', u'beagl', u'offic', u'appendix', u'beagl', u'chain', u'meridian', u'distanc', u'result', u'longitud', u'atlant', u'ocean', u'18311836', u'plymouth', u'govern', u'hous', u'devonpoit', u'plymouth', u'port', u'prayaa', u'port', u'prayaa', u'fernando', u'de', u'noronha', u'fernando', u'de', u'noronha', u'bahia', u'port', u'prayaa', u'bahia', u'bahia', u'rio', u'de', u'janeiro', u'rio', u'de', u'janeiro', u'mont', u'video', u'403', u'200', u'003', u'399', u'402', u'236', u'035', u'2', u'03', u'314', u'352', u'176', u'528', u'determin', u'plymouth', u'govern', u'hous', u'devonport', u'taken', u'ordnanc', u'survey', u'dr', u'tiark', u'captain', u'w', u'f', u'w', u'owen', u'place', u'port', u'prayaa', u'dr', u'tiarkss', u'longitud', u'madeira', u'capt', u'p', u'meridian', u'distanc', u'thenc', u'spot', u'place', u'beagl', u'plymouth', u'port', u'prayaa', u'beagl', u'port', u'prayaa', u'plymouth', u'beagl', u'port', u'prayaa', u'bahia', u'beagl', u'bahia', u'port', u'prayaa', u'beagl', u'bahia', u'rio', u'de', u'janeiro', u'beagl', u'rio', u'de', u'janeiro', u'bahia', u'beagl', u'bahia', u'rio', u'de', u'janeiro', u'captain', u'foster', u'rio', u'de', u'janeiro', u'mont', u'video', u'captain', u'king', u'rio', u'de', u'janeiro', u'mont', u'video', u'm', u'barrel', u'rio', u'de', u'janeiro', u'mont', u'video', u'beagl', u'1830', u'mont', u'video', u'rio', u'de', u'janeiro', u'longitud', u'rio', u'de', u'janeiro', u'given', u'thi', u'tabl', u'veri', u'near', u'latest', u'determin', u'french', u'almost', u'ident', u'state', u'ephemerid', u'coimbra', u'deduc', u'upward', u'three', u'thousand', u'observ', u'414', u'048', u'p', u'king', u'port', u'prayaa', u'029', u'207', u'194', u'030', u'041', u'36', u'34', u'35', u'190', u'178', u'174', u'180', u'note', u'one', u'measur', u'state', u'two', u'place', u'understood', u'observ', u'taken', u'reduc', u'point', u'use', u'mean', u'measur', u'outward', u'homeward', u'appendix', u'beagl', u'chain', u'meridian', u'distanc', u'result', u'longitud', u'atlant', u'ocean', u'18311836', u'mont', u'video', u'port', u'desir', u'port', u'desir', u'port', u'famin', u'port', u'famin', u'port', u'loui', u'port', u'loui', u'cape', u'horn', u'bahia', u'ascens', u'ascens', u'st', u'helena', u'st', u'helena', u'simon', u'bay', u'simon', u'bay', u'observatori', u'cape', u'good', u'hope', u'h', u'jr', u'h', u'm', u'o', u'480', u'408', u'o', u'107', u'515', u'q20', u'295', u'352', u'047', u'267', u'371', u'o', u'457', u'514', u'333', u'419', u'oo', u'109', u'528', u'determin', u'beagl', u'1829', u'mont', u'video', u'port', u'desir', u'beagl', u'1830', u'port', u'desir', u'mont', u'video', u'adventur', u'tender', u'port', u'desir', u'port', u'loui', u'adventur', u'tender', u'port', u'loui', u'port', u'famin', u'therefor', u'port', u'desir', u'port', u'famin', u'captain', u'king', u'publish', u'result', u'measur', u'made', u'1826', u'1830', u'place', u'port', u'famin', u'west', u'mont', u'video', u'present', u'result', u'abov', u'state', u'beagl', u'1830', u'cape', u'horn', u'port', u'desir', u'three', u'short', u'step', u'interven', u'rate', u'would', u'place', u'cape', u'horn', u'longitud', u'beagl', u'1832', u'direct', u'mont', u'video', u'made', u'captain', u'foster', u'meridian', u'distanc', u'mont', u'video', u'st', u'martin', u'cove', u'reduc', u'cape', u'horn', u'use', u'beagl', u'longitud', u'mont', u'video', u'give', u'longitud', u'coquil', u'm', u'duperrey', u'st', u'helena', u'ascens', u'captain', u'foster', u'st', u'helena', u'ascens', u'captain', u'foster', u'st', u'helena', u'cape', u'observatori', u'nautic', u'almanac', u'st', u'helena', u'cape', u'observatori', u'mr', u'fallow', u'1828', u'cape', u'observatori', u'mr', u'henderson', u'1832', u'cape', u'observatori', u'mr', u'maclean', u'1836', u'cape', u'observatori', u'beagl', u'went', u'rio', u'de', u'janeiro', u'1826', u'made', u'longitud', u'2h', u'52m', u'36', u'stop', u'port', u'prayaa', u'rate', u'way', u'captain', u'stoke', u'made', u'longitud', u'rio', u'de', u'janeiro', u'nearli', u'lunar', u'malaspina', u'espinosa', u'made', u'longitud', u'mont', u'video', u'rat', u'island', u'nearli', u'3h', u'44m', u'585', u'captain', u'stoke', u'made', u'3h', u'44m', u'56', u'477', u'459', u'uo', u'219', u'109', u'581', u'587', u'237', u'045', u'468', u'483', u'457', u'450', u'532', u'556', u'56o', u'appendix', u'beagl', u'chain', u'meridian', u'distanc', u'result', u'longitud', u'pacif', u'ocean', u'cape', u'horn', u'otaheit', u'18341835', u'port', u'famin', u'san', u'carlo', u'chilo', u'san', u'carlo', u'valparaiso', u'valparaiso', u'callao', u'callao', u'chatham', u'island', u'galapago', u'chatham', u'island', u'charl', u'island', u'charl', u'island', u'otaheit', u'h', u'm', u'h', u'm', u'535', u'450', u'o8', u'592', u'458', u'090', u'548', u'328', u'276', u'o', u'395', u'071', u'123', u'194', u'determin', u'beagl', u'1830', u'port', u'famin', u'cape', u'horn', u'true', u'bear', u'sarmiento', u'dori', u'peak', u'beagl', u'182930', u'cape', u'horn', u'san', u'carlo', u'beagl', u'1829', u'port', u'famin', u'san', u'carlo', u'beagl', u'1829', u'san', u'carlo', u'valparaiso', u'malaspina', u'espinosa', u'observatori', u'san', u'carlo', u'whose', u'longitud', u'consid', u'meridian', u'distanc', u'thenc', u'valparaiso', u'wa', u'malaspinasand', u'espinosa', u'observ', u'calcul', u'professor', u'oltmann', u'give', u'valparaiso', u'callao', u'castl', u'465', u'399', u'540', u'002', u'475', u'o3', u'598', u'477', u'571', u'repeat', u'examin', u'success', u'differ', u'longitud', u'given', u'page', u'data', u'rest', u'lead', u'think', u'alter', u'spoken', u'captain', u'king', u'page', u'493', u'volum', u'unnecessari', u'unexception', u'truebear', u'mount', u'sarmiento', u'dori', u'peak', u'wa', u'enabl', u'connect', u'longitud', u'outer', u'coast', u'port', u'famin', u'satisfactori', u'manner', u'm', u'fatigu', u'french', u'frigat', u'chlorid', u'see', u'connaiss', u'de', u'ten', u'1836', u'made', u'meridian', u'distanc', u'callao', u'valparaiso', u'almost', u'ident', u'espinosa', u'malaspina', u'well', u'abov', u'state', u'result', u'beagl', u'measur', u'oh', u'594s69soh', u'11m', u'535', u'malaspina', u'expedit', u'least', u'four', u'chronomet', u'made', u'arnold', u'besid', u'appendix', u'beagl', u'chain', u'meridian', u'distanc', u'result', u'longitud', u'indian', u'pacif', u'ocean', u'cape', u'good', u'hope', u'otaheit', u'18356', u'simon', u'bay', u'mauritiu', u'mauritiu', u'keel', u'island', u'keel', u'island', u'king', u'georg', u'sound', u'king', u'georg', u'sound', u'hobart', u'town', u'hobart', u'town', u'sydney', u'sydney', u'bay', u'island', u'bay', u'island', u'otaheit', u'otaheit', u'west', u'mean', u'two', u'measur', u'equal', u'space', u'h', u'm', u'h', u'm', u'218', u'037', u'342', u'379', u'079', u'458', u'515', u'373', u'o', u'302', u'074', u'315', u'390', u'356', u'146', u'org', u'454', u'194', u'024', u'149', u'30', u'36', u'determin', u'captain', u'owen', u'simon', u'bay', u'mauritiu', u'captain', u'lloyd', u'mauritiu', u'observatori', u'captain', u'flinder', u'mauritiu', u'flinder', u'lunar', u'made', u'differ', u'meridian', u'king', u'georg', u'sound', u'sydney', u'beagl', u'measur', u'give', u'232', u'i53', u'211', u'captain', u'cook', u'mr', u'wale', u'place', u'otaheit', u'point', u'venu', u'149', u'35', u'subsequ', u'mr', u'wale', u'consid', u'1', u'49', u'30', u'correct', u'cook', u'first', u'voyag', u'longitud', u'otaheit', u'wa', u'made', u'149', u'32', u'30', u'second', u'mr', u'wale', u'made', u'149', u'34', u'50', u'third', u'voyag', u'cook', u'hi', u'offic', u'made', u'149', u'37', u'32', u'w', u'point', u'venu', u'wa', u'inform', u'm', u'duperrey', u'coquil', u'made', u'longitud', u'bay', u'island', u'174', u'01', u'00', u'e', u'observ', u'made', u'point', u'case', u'hi', u'result', u'agre', u'beagl', u'taken', u'westward', u'greenwich', u'appendix', u'beagl', u'measur', u'dure', u'year', u'1829', u'1830', u'insert', u'may', u'serv', u'shew', u'accur', u'determin', u'may', u'obtain', u'even', u'good', u'chronomet', u'often', u'rate', u'care', u'manag', u'mont', u'video', u'port', u'desir', u'port', u'desir', u'port', u'famin', u'port', u'famin', u'cascad', u'harbour', u'cascad', u'harbour', u'port', u'gallant', u'port', u'gallant', u'san', u'carlo', u'de', u'chilo', u'san', u'carlo', u'de', u'chilo', u'west', u'mont', u'video', u'chain', u'18316', u'h', u'm', u'h', u'm', u'c', u'38', u'477', u'o', u'20', u'107', u'o', u'58', u'584', u'o', u'02', u'220', u'1', u'01', u'204', u'o', u'01', u'502', u'1', u'03', u'106', u'o', u'07', u'409', u'10', u'55', u'1', u'10', u'522', u'san', u'carlo', u'haiyour', u'merci', u'w', u'harbour', u'merci', u'disloc', u'harbour', u'e', u'disloc', u'harbour', u'latitud', u'bay', u'e', u'latitud', u'bay', u'basin', u'near', u'cape', u'gloucest', u'e', u'basin', u'north', u'cove', u'barbara', u'channel', u'north', u'cove', u'townshend', u'harbour', u'townshend', u'harbour', u'stewart', u'harbour', u'stewart', u'harbour', u'dori', u'cove', u'dori', u'cove', u'march', u'harbour', u'march', u'harbour', u'orang', u'bay', u'orang', u'bay', u'st', u'martin', u'cove', u'st', u'martin', u'cove', u'cape', u'horn', u'cape', u'horn', u'chain', u'east', u'san', u'carlo', u'cape', u'horn', u'lennox', u'harbour', u'lennox', u'harbour', u'good', u'success', u'bay', u'good', u'success', u'bay', u'port', u'desir', u'port', u'desir', u'chain', u'east', u'cape', u'horn', u'port', u'desir', u'mont', u'video', u'mont', u'video', u'sta', u'catharina', u'sta', u'catharina', u'rio', u'de', u'janeiro', u'rio', u'de', u'janeiro', u'chain', u'east', u'port', u'desir', u'o', u'02', u'536', u'o', u'02', u'536', u'084', u'257', u'o', u'03', u'479', u'e', u'023', u'e', u'306', u'e', u'459', u'e', u'170', u'e', u'410', u'371', u'e', u'051', u'e', u'121', u'o', u'29', u'331', u'395', u'477', u'403', u'199', u'076', u'439', u'237', u'459', u'239', u'350', u'430', u'039', u'056', u'measur', u'made', u'182930', u'given', u'may', u'compar', u'chart', u'document', u'deposit', u'hydrograph', u'offic', u'1831', u'352', u'appendix', u'thu', u'endeavour', u'give', u'view', u'beagl', u'princip', u'measur', u'meridian', u'distanc', u'viith', u'collater', u'determin', u'present', u'within', u'reach', u'wuhngli', u'refrain', u'discuss', u'access', u'extend', u'inform', u'person', u'interest', u'question', u'assist', u'malt', u'ani', u'measur', u'themselv', u'discuss', u'assign', u'valu', u'thi', u'reason', u'intent', u'entertain', u'attempt', u'make', u'enquiri', u'ground', u'longitud', u'jamaica', u'savannah', u'chagr', u'panama', u'c', u'person', u'consid', u'well', u'determin', u'ha', u'relinquish', u'conclud', u'remark', u'small', u'vessel', u'beagl', u'chronomet', u'go', u'well', u'latterli', u'could', u'attain', u'dure', u'tediou', u'indirect', u'voyag', u'five', u'year', u'within', u'thirtythre', u'second', u'truth', u'much', u'nearer', u'approach', u'exact', u'may', u'anticip', u'measur', u'made', u'far', u'less', u'time', u'greater', u'number', u'chronomet', u'end', u'appendix', u'print', u'j', u'l', u'cox', u'son', u'75', u'great', u'queen', u'street', u'lincolnsinn', u'field']
[ "prabhjyotsingh95@gmail.com" ]
prabhjyotsingh95@gmail.com
758feaca929778e33184002c2d53cf2527494a39
4a8b1c316ff2cd40748455721e02741d10e5a343
/webauto/addfavsearch.py
415bcbb193e4c24776e95056376c40d1d049b8f4
[]
no_license
mihnhyuk/NaverMapAddingBookmarks
23fb0672e93391258cb02d7c7304b3e817f1c189
5e79e3e11947973ec87b3e9d1d4e7b6fdc82dd09
refs/heads/main
2023-03-12T22:44:51.855282
2021-03-07T00:46:59
2021-03-07T00:48:46
345,227,386
0
0
null
null
null
null
UTF-8
Python
false
false
1,765
py
from selenium import webdriver from selenium.webdriver import ActionChains from selenium.webdriver.common.keys import Keys from selenium.webdriver.common.by import By from selenium.webdriver.support import expected_conditions as EC from selenium.webdriver.support.ui import Select from selenium.webdriver.support.ui import WebDriverWait from selenium.common import exceptions def search(address_bungee, driver): try: search_box = WebDriverWait(driver, 5).until(EC.presence_of_element_located((By.XPATH, '//search-input-box//input'))) search_box.clear() search_box.send_keys(address_bungee) search_box.send_keys(Keys.RETURN) except: print("can't find searchbox!") def addfav(driver): try: fav_btn = WebDriverWait(driver, 5).until(EC.presence_of_element_located((By.XPATH, '//*[@id="container"]/shrinkable-layout/div/app-base/search-layout/div[2]/entry-layout/entry-address/div/div[2]/div/div[1]/div[2]/div[2]/button[1]'))) fav_btn_class = fav_btn.get_attribute('class') fav_btn_class_attribute = fav_btn_class.split() #print(fav_btn_class_attribute) if "active" not in fav_btn_class_attribute: #print('fav_btn is found') fav_btn.click() complete_btn = WebDriverWait(driver, 5).until(EC.presence_of_element_located((By.XPATH, '//*[@id="bookmark"]/div[1]/div[2]/button'))) complete_btn_class = complete_btn.get_attribute('class').split() #print(complete_btn_class) complete_btn.send_keys(Keys.ENTER) else: print('already in fav!') except exceptions.NoSuchElementException: print("can't find btn!") except exceptions.TimeoutException: print("Timeout")
[ "mihnhyuk@naver.com" ]
mihnhyuk@naver.com
bd71ce03f5e41f957894ab3eef06a36c90858d60
e64b8faa18f5163739055fe670877b5d18f063a0
/app_user/migrations/0001_initial.py
41a80d95decbdd39c810e35fcd52774e0a7cf225
[]
no_license
lurdray/market
2c1fcd2375dfb9f6dccc183d6d3cbf75d0624dea
e05b39ccb85b62f47f2b9231285aa2b6952bbe0f
refs/heads/main
2023-03-06T03:59:52.646971
2021-02-16T11:01:37
2021-02-16T11:01:37
330,923,969
0
0
null
null
null
null
UTF-8
Python
false
false
1,029
py
# Generated by Django 3.1.5 on 2021-01-19 09:46 from django.conf import settings from django.db import migrations, models import django.db.models.deletion import django.utils.timezone class Migration(migrations.Migration): initial = True dependencies = [ migrations.swappable_dependency(settings.AUTH_USER_MODEL), ] operations = [ migrations.CreateModel( name='AppUser', fields=[ ('id', models.AutoField(auto_created=True, primary_key=True, serialize=False, verbose_name='ID')), ('name', models.CharField(max_length=500)), ('phone', models.CharField(max_length=500)), ('email', models.CharField(max_length=500)), ('address', models.TextField()), ('pub_date', models.DateTimeField(default=django.utils.timezone.now)), ('user', models.OneToOneField(on_delete=django.db.models.deletion.CASCADE, to=settings.AUTH_USER_MODEL)), ], ), ]
[ "odiagaraymondray@gmail.com" ]
odiagaraymondray@gmail.com
63f6b7f2356548e3a4d9f856b6d48c333fb2516f
2fe9ac5c00c3c9afd19d6e124692687243e2df6c
/hawc/migrations/0003_auto_20210410_0721.py
e3a71d0e54bbb7cd3bf5d2d42039589abdaea63a
[]
no_license
d4v1dp3/hawcpapers
9d8c12c42f4b3dcf8463ee1d340442f632c5330f
573d0bb2230018f14f33edc94072987a0d943e98
refs/heads/master
2023-04-11T05:55:34.972664
2021-04-21T22:36:03
2021-04-21T22:36:03
360,324,394
0
0
null
null
null
null
UTF-8
Python
false
false
640
py
# Generated by Django 3.1.7 on 2021-04-10 07:21 from django.db import migrations, models class Migration(migrations.Migration): dependencies = [ ('hawc', '0002_auto_20210410_0542'), ] operations = [ migrations.RemoveField( model_name='email', name='principal', ), migrations.RemoveField( model_name='phone', name='principal', ), migrations.AddField( model_name='author', name='email', field=models.EmailField(default='', max_length=254), preserve_default=False, ), ]
[ "david@d4v1d-b34r.local" ]
david@d4v1d-b34r.local
ca4a09119aeb8e0bf90846f2387285fcd2f58815
008ea0c503829f33840495373ad3d60794575af3
/source/sublime/oop/o12.py
95dae399b2627636d23c46aad39907c93034e366
[]
no_license
JyHu/PYStudy
6515bea47ca6f80e336f3b6a7a14b1159fde872f
ec0855c414237bdd7d0cb28f79a81c02ccd52d45
refs/heads/master
2016-08-12T19:44:06.723361
2016-04-11T10:38:59
2016-04-11T10:38:59
45,384,810
0
0
null
null
null
null
UTF-8
Python
false
false
2,193
py
# # coding:utf-8 # ''' 除了使用 type() 动态创建类以外,要控制类的创建行为,还可以使用 metaclass ''' __author__ = 'JyHu' class ListMetaclass(type): def __new__(cls, name, bases, attrs): attrs['add'] = lambda self, value : self.append(value) return type.__new__(cls, name, bases, attrs) class MyList(list, metaclass = ListMetaclass): pass L = MyList() L.add(1) print(L) class Field(object): def __init__(self, name, column_type): self.name = name self.column_type = column_type def __str__(self): return '<%s:%s>' % (self.__class__.__name__, self.name) class StringField(Field): def __init__(self, name): super(StringField, self).__init__(name, 'varchar(100)') class IntegerField(Field): def __init__(self, name): super(IntegerField, self).__init__(name, 'bigint') class ModelMetaclass(type): def __new__(cls, name, bases, attrs): if name == 'Model': return type.__new__(cls, name, bases, attrs) print('Found model: %s' % name) mappings = dict() for k, v in attrs.items(): if isinstance(v, Field): print('Found mapping : %s ==> %s' % (k, v)) mappings[k] = v for k in mappings.keys(): attrs.pop(k) attrs['__mappings__'] = mappings attrs['__table__'] = name return type.__new__(cls, name, bases, attrs) class Model(dict, metaclass = ModelMetaclass): def __init__(self, **kw): super(Model, self).__init__(**kw) def __getattr__(self, key): try: return self[key] except KeyError: raise AttributeError(r"'Model' object has no attribute '%s'" % key) def __setattr__(self, key, value): self[key] = value def save(self): fields = [] params = [] args = [] for k, v in self.__mappings__.items(): fields.append(v.name) params.append('?') args.append(getattr(self, k, None)) sql = 'insert into %s (%s) values (%s)' % (self.__table__, ','.join(fields), ','.join(params)) print('SQL: %s' % sql) print('ARGS: %s' % str(args)) class User(Model): id = IntegerField('id') name = StringField('username') email = StringField('email') password = StringField('password') u = User(id = 12345, name = 'Michael', email = 'test@orm.org', password = 'my-pwd') u.save()
[ "auu.aug@gmail.com" ]
auu.aug@gmail.com
b9a3172ffef11b14eac894e9b54c0d8d35fd7581
90bcc14aa80816442f70642216eced86ef71fb38
/src/transform_utils.py
d1fcf4746b98dd78532dd023a23f89adadb5a326
[ "Apache-2.0" ]
permissive
ag-sc/SimpleQA
523e81fd35b0ccf262fc40c5289dda1534955791
0288540c57f9d44a450d74bedeea002c9244abdc
refs/heads/master
2021-04-30T08:54:31.252025
2019-05-15T08:45:26
2019-05-15T08:45:26
121,386,506
2
0
null
null
null
null
UTF-8
Python
false
false
21,719
py
import numpy import re import random from nlp_utils import pad, get_padding_shape predicate_tokens_re = re.compile(r"[._]+", re.UNICODE) def collectSamplesForTrain(question, conf, res): text = question["text"] chars = list(text) char_indices = res.char_vocabulary.get_indices(chars) tokens = text.split(" ") token_indices = res.word_embeddings.vocabulary.get_indices(tokens) target_subject_uri = question["subject"] target_predicate_label = question["predicate"] subjects = [] subject_graph_embeddings = [] predicate_graph_embeddings = [] predicates = [] answer_scores = [] subject_answer_scores = [] predicate_answer_scores = [] answer_pair_list = [] triple_answer_pair_set = set() triple_answer_pair_list = [] # TRAIN time has_correct_answer = False correct_subject_ngram = '' for i_candidate, candidate in enumerate(question["candidates"]): candidate_subject_uri = candidate["uri"] candidate_subject_label = candidate["ngram"] for candidate_predicate_label in candidate["predicates"]: answer_pair = (candidate_subject_uri, candidate_predicate_label) if answer_pair == (target_subject_uri, target_predicate_label): has_correct_answer = True # set the correct subject ngram correct_subject_ngram = candidate_subject_label break if has_correct_answer: break # collect n negative samples if has_correct_answer: for i_candidate, candidate in enumerate(question["candidates"]): candidate_subject_uri = candidate["uri"] candidate_subject_label = candidate["ngram"] ### if the model using NER then take samples only from the same span with the correct subject uri if conf.use_ner and correct_subject_ngram != candidate_subject_label: # skip these ones continue for candidate_predicate_label in candidate["predicates"]: triple_answer_pair = (candidate_subject_uri, candidate_subject_label, candidate_predicate_label) # collect negative triples (subject_uri, subject_ngram, predicate_uri) if candidate_subject_uri != target_subject_uri or candidate_predicate_label != target_predicate_label: if triple_answer_pair not in triple_answer_pair_set: triple_answer_pair_list.append(triple_answer_pair) triple_answer_pair_set.add(triple_answer_pair) # shuffle and take sublist from it if len(triple_answer_pair_list) >= conf.negative_sample_size: random.shuffle(triple_answer_pair_list) triple_answer_pair_list = triple_answer_pair_list[0:conf.negative_sample_size] # add negative samples for candidate_subject_uri, candidate_subject_label, candidate_predicate_label in triple_answer_pair_list: negative_subject_chars = list(candidate_subject_label) negative_predicate_tokens = predicate_tokens_re.split(candidate_predicate_label) negative_answer_pair = (candidate_subject_uri, candidate_predicate_label) # add answer scores for all 3 outputs answer_scores.append(0.0) if candidate_subject_uri == target_subject_uri: subject_answer_scores.append(1.0) else: subject_answer_scores.append(0.0) if candidate_predicate_label == target_predicate_label: predicate_answer_scores.append(1.0) else: predicate_answer_scores.append(0.0) subjects.append(negative_subject_chars) predicates.append(negative_predicate_tokens) answer_pair_list.append(negative_answer_pair) # graph embeddings for correct subject if conf.use_graph_embeddings: subject_graph_embeddings.append(candidate_subject_uri) predicate_graph_embeddings.append(candidate_predicate_label) # add the positive sample positive_subject_chars = list(correct_subject_ngram) positive_predicate_tokens = predicate_tokens_re.split(target_predicate_label) positive_answer_pair = (target_subject_uri, target_predicate_label) # add answer scores for all 3 outputs answer_scores.append(1.0) subject_answer_scores.append(1.0) predicate_answer_scores.append(1.0) subjects.append(positive_subject_chars) predicates.append(positive_predicate_tokens) answer_pair_list.append(positive_answer_pair) # graph embeddings for correct subject if conf.use_graph_embeddings: subject_graph_embeddings.append(target_subject_uri) predicate_graph_embeddings.append(target_predicate_label) # convert uris to indices subject_graph_embeddings = list(res.graph_embeddings.vocabulary.get_indices(subject_graph_embeddings)) predicate_graph_embeddings = list(res.graph_embeddings.vocabulary.get_indices(predicate_graph_embeddings)) subjects = [list(res.char_vocabulary.get_indices(subject_chars)) for subject_chars in subjects] predicates = [list(res.word_embeddings.vocabulary.get_indices(predicate_tokens)) for predicate_tokens in predicates] return char_indices, token_indices, subjects, predicates, answer_scores, answer_pair_list, subject_answer_scores, predicate_answer_scores, subject_graph_embeddings, predicate_graph_embeddings def collectSamplesForTest(question, conf, res): text = question["text"] chars = list(text) char_indices = res.char_vocabulary.get_indices(chars) tokens = text.split(" ") token_indices = res.word_embeddings.vocabulary.get_indices(tokens) subjects = [] subject_graph_embeddings = [] predicate_graph_embeddings = [] predicates = [] answer_scores = [] subject_answer_scores = [] predicate_answer_scores = [] answer_pair_list = [] triple_answer_pair_set = set() triple_answer_pair_list = [] # Test time for i_candidate, candidate in enumerate(question["candidates"]): ## PRUNING ### take candidate pairs from only top_k candidates during test if i_candidate >= conf.test_top_candidates: break candidate_subject_uri = candidate["uri"] candidate_subject_label = candidate["ngram"] for candidate_predicate_label in candidate["predicates"]: triple_answer_pair = (candidate_subject_uri, candidate_subject_label, candidate_predicate_label) if triple_answer_pair not in triple_answer_pair_set: triple_answer_pair_list.append(triple_answer_pair) triple_answer_pair_set.add(triple_answer_pair) ### ADD RANDOM PAIR TO RETURN STH if len(triple_answer_pair_list) == 0: triple_answer_pair = ('random_uri', 'random_ngram', 'random_predicate_uri') triple_answer_pair_list.append(triple_answer_pair) # add samples for candidate_subject_uri, candidate_subject_label, candidate_predicate_label in triple_answer_pair_list: sample_subject_chars = list(candidate_subject_label) sample_predicate_tokens = predicate_tokens_re.split(candidate_predicate_label) sample_answer_pair = (candidate_subject_uri, candidate_predicate_label) # add answer scores for all 3 outputs answer_scores.append(0.0) subject_answer_scores.append(0.0) predicate_answer_scores.append(0.0) subjects.append(sample_subject_chars) predicates.append(sample_predicate_tokens) answer_pair_list.append(sample_answer_pair) # graph embeddings for subject,predicate if conf.use_graph_embeddings: subject_graph_embeddings.append(candidate_subject_uri) predicate_graph_embeddings.append(candidate_predicate_label) subjects = [list(res.char_vocabulary.get_indices(subject_chars)) for subject_chars in subjects] predicates = [list(res.word_embeddings.vocabulary.get_indices(predicate_tokens)) for predicate_tokens in predicates] # convert uris to indices if conf.use_graph_embeddings: subject_graph_embeddings = list(res.graph_embeddings.vocabulary.get_indices(subject_graph_embeddings)) predicate_graph_embeddings = list(res.graph_embeddings.vocabulary.get_indices(predicate_graph_embeddings)) return char_indices, token_indices, subjects, predicates, answer_scores, answer_pair_list, subject_answer_scores, predicate_answer_scores, subject_graph_embeddings, predicate_graph_embeddings def transform_batch_data_filtered(questions, conf, res, is_test=False, is_Predicate_Model=None): char_indices_batch = [] token_indices_batch = [] subjects_batch = [] subject_graph_embeddings_batch = [] predicate_graph_embeddings_batch = [] predicates_batch = [] answer_scores_batch = [] subject_answer_scores_batch = [] predicate_answer_scores_batch = [] questions_batch = [] answer_pair_batch = [] for question in questions: if is_test: ## TEST TIME char_indices, token_indices, subjects, predicates, answer_scores, answer_pair_list, subject_answer_scores, predicate_answer_scores, subject_graph_embeddings, predicate_graph_embeddings = collectSamplesForTest( question, conf, res) else: # TRAIN time char_indices, token_indices, subjects, predicates, answer_scores, answer_pair_list, subject_answer_scores, predicate_answer_scores, subject_graph_embeddings, predicate_graph_embeddings = collectSamplesForTrain( question, conf, res) ### SKIP QUESTIONS THAT DON'T HAVE CORRECT PAIR if len(answer_pair_list) == 0: continue ### INPUTS char_indices_batch.append(char_indices) token_indices_batch.append(token_indices) subjects_batch.append(subjects) predicates_batch.append(predicates) ### OUTPUTS answer_scores_batch.append(answer_scores) subject_answer_scores_batch.append(subject_answer_scores) predicate_answer_scores_batch.append(predicate_answer_scores) ### GRAPH EMBEDDINGS ### if conf.use_graph_embeddings: subject_graph_embeddings_batch.append(subject_graph_embeddings) predicate_graph_embeddings_batch.append(predicate_graph_embeddings) questions_batch.append(question) answer_pair_batch.append(answer_pair_list) char_indices_batch = pad(char_indices_batch, conf.padding_position, res.char_vocabulary.padding_index) token_indices_batch = pad(token_indices_batch, conf.padding_position, res.word_embeddings.vocabulary.padding_index) print(get_padding_shape(subjects_batch)) subjects_batch = pad(subjects_batch, conf.padding_position, res.char_vocabulary.padding_index) predicates_batch = pad(predicates_batch, conf.padding_position, res.word_embeddings.vocabulary.padding_index) answer_scores_batch = pad(answer_scores_batch, conf.padding_position, 0.0) subject_answer_scores_batch = pad(subject_answer_scores_batch, conf.padding_position, 0.0) predicate_answer_scores_batch = pad(predicate_answer_scores_batch, conf.padding_position, 0.0) char_indices_batch = numpy.array(char_indices_batch) token_indices_batch = numpy.array(token_indices_batch) subjects_batch = numpy.array(subjects_batch) predicates_batch = numpy.array(predicates_batch) answer_scores_batch = numpy.array(answer_scores_batch) subject_answer_scores_batch = numpy.array(subject_answer_scores_batch) predicate_answer_scores_batch = numpy.array(predicate_answer_scores_batch) # pad and convert graph embeddings if conf.use_graph_embeddings: subject_graph_embeddings_batch = pad(subject_graph_embeddings_batch, conf.padding_position, res.graph_embeddings.vocabulary.padding_index) subject_graph_embeddings_batch = numpy.array(subject_graph_embeddings_batch) predicate_graph_embeddings_batch = pad(predicate_graph_embeddings_batch, conf.padding_position, res.graph_embeddings.vocabulary.padding_index) predicate_graph_embeddings_batch = numpy.array(predicate_graph_embeddings_batch) input = {} input["question_char_input"] = char_indices_batch input["question_token_input"] = token_indices_batch input["candidate_subject_labels_input"] = subjects_batch input["candidate_predicate_labels_input"] = predicates_batch # candidate_subject_graph_embedding_input if conf.use_graph_embeddings: input["candidate_subject_graph_embeddings_input"] = subject_graph_embeddings_batch input["candidate_predicate_graph_embeddings_input"] = predicate_graph_embeddings_batch output = {} output["answer_scores"] = answer_scores_batch if conf.use_predicate_and_subject_outputs: output["subject_answer_scores"] = subject_answer_scores_batch output["predicate_answer_scores"] = predicate_answer_scores_batch question_data = {} question_data["questions"] = questions_batch question_data["answer_pairs"] = answer_pair_batch if is_test: return question_data, input, output else: return input, output def transform_batch_data_predicate_model(questions, conf, res, is_test=False): char_indices_batch = [] token_indices_batch = [] position_indices_batch = [] predicate_graph_embeddings_batch = [] answer_scores_batch = [] questions_batch = [] for question in questions: char_indices, token_indices, answers, position_indices, predicate_graph_embeddings = collectSamplesForPredicateModel( question, conf, res, is_test) ### happens during training when no correct subject entity if len(position_indices) == 0: continue ### repeat the input (question string etc.) multiple times if conf.predicate_model_type == "predict_as_binary": ## loop over each predicate_embedding for index, predicate_graph_embedding in enumerate(predicate_graph_embeddings): char_indices_batch.append(char_indices) token_indices_batch.append(token_indices) position_indices_batch.append(position_indices) ## add [] in to cast the embeddings as list predicate_graph_embeddings_batch.append([predicate_graph_embedding]) answer_scores_batch.append(answers[index]) else: ### INPUTS char_indices_batch.append(char_indices) token_indices_batch.append(token_indices) position_indices_batch.append(position_indices) ### OUTPUTS answer_scores_batch.append(answers) questions_batch.append(question) char_indices_batch = pad(char_indices_batch, conf.padding_position, res.char_vocabulary.padding_index) token_indices_batch = pad(token_indices_batch, conf.padding_position, res.word_embeddings.vocabulary.padding_index) if conf.padding_position == "pre": position_indices_batch = pad(position_indices_batch, conf.padding_position, 0) else: position_indices_batch = pad(position_indices_batch, conf.padding_position, conf.subject_position_max_distance * 2) char_indices_batch = numpy.array(char_indices_batch) token_indices_batch = numpy.array(token_indices_batch) position_indices_batch = numpy.array(position_indices_batch) answer_scores_batch = numpy.array(answer_scores_batch) input = {} input["question_char_input"] = char_indices_batch input["question_token_input"] = token_indices_batch ### add if any predicate embeddings needed to be passed as input to the respective model if len(predicate_graph_embeddings_batch) > 0: predicate_graph_embeddings_batch = numpy.array(predicate_graph_embeddings_batch) input["predicate_graph_embedding_input"] = predicate_graph_embeddings_batch input["relative_position_input"] = position_indices_batch output = {} output["answer_scores"] = answer_scores_batch question_data = {} question_data["questions"] = questions_batch if is_test: return question_data, input, output else: return input, output def collectSamplesForPredicateModel(question, conf, res, is_test=False): text = question["text"] # type:str char_indices = list() tokens = text.split(" ") position_indices = list() answers = list() predicate_graph_embeddings = list() for token in tokens: token_char_indices = res.char_vocabulary.get_indices(token) char_indices.append(token_char_indices) token_indices = res.word_embeddings.vocabulary.get_indices(tokens) target_predicate_label = question["predicate"] target_subject_uri = question["subject"] # TRAIN time if not is_test: has_correct_answer = False subject_start_index = len(tokens) - 2 subject_end_index = len(tokens) - 1 for i_candidate, candidate in enumerate(question["candidates"]): candidate_subject_uri = candidate["uri"] for candidate_predicate_label in candidate["predicates"]: answer_pair = (candidate_subject_uri, candidate_predicate_label) if answer_pair == (target_subject_uri, target_predicate_label): has_correct_answer = True # set the correct subject spans subject_start_index = candidate["startToken"] subject_end_index = candidate["endToken"] break if has_correct_answer: break if has_correct_answer: ### relative distances to the subject entity position_indices = relative_distance_to_subject(tokens, subject_start_index, subject_end_index, conf) # when the model_type is binary classification # if conf.predicate_model_type == "predict_as_binary": # answers, if is_test: subject_start_index = len(tokens) - 2 subject_end_index = len(tokens) - 1 for i_candidate, candidate in enumerate(question["candidates"]): subject_start_index = candidate["startToken"] subject_end_index = candidate["endToken"] break # relative position distances position_indices = relative_distance_to_subject(tokens, subject_start_index, subject_end_index, conf) # return all candidate predicates from that subject span # if conf.predicate_model_type == "predict_as_binary": if conf.predicate_model_type == "predict_all_predicates": # index of predicate answers = res.predicate_vocabulary.to_one_hot(target_predicate_label) elif conf.predicate_model_type == "predict_graph_embedding": # index of predicate embedding answers = res.graph_embeddings.get_vector(target_predicate_label) elif conf.predicate_model_type == "predict_as_binary": ### answers contains 0 or 1 for each predicate ### repeat the char_indices for each predicate_embedding that is returned answers, predicate_graph_embeddings= get_input_predicate_embeddings(question, res, target_subject_uri, target_predicate_label, is_test) return char_indices, token_indices, answers, position_indices, predicate_graph_embeddings def relative_distance_to_subject(tokens, subject_start_index, subject_end_index, conf): position_indices = list() for position in range(len(tokens)): if position < subject_start_index: position_indices.append(max(position - subject_start_index, -1 * conf.subject_position_max_distance)) elif position >= subject_end_index: position_indices.append(min(position - subject_end_index, -1 * conf.subject_position_max_distance)) else: position_indices.append(0) position_indices = [p + conf.subject_position_max_distance for p in position_indices] return position_indices def get_input_predicate_embeddings(question, res, target_subject_uri, target_predicate_label, is_test=False): answers = list() predicate_graph_embeddings = list() if is_test: all_candidate_predicates = set() for i_candidate, candidate in enumerate(question["candidates"]): candidate_predicates = candidate["predicates"] for p in candidate_predicates: all_candidate_predicates.add(p) predicate_graph_embeddings = list(res.graph_embeddings.vocabulary.get_indices(all_candidate_predicates)) ## add zeros answers = [0] * len(all_candidate_predicates) else: for i_candidate, candidate in enumerate(question["candidates"]): candidate_subject_uri = candidate["uri"] if candidate_subject_uri != target_subject_uri: continue candidate_predicates = candidate["predicates"] predicate_graph_embeddings = list( res.graph_embeddings.vocabulary.get_indices(candidate_predicates)) # binary classification for p in candidate_predicates: if p == target_predicate_label: answers.append(1) else: answers.append(0) break return answers, predicate_graph_embeddings
[ "sherzod@mercury.ai" ]
sherzod@mercury.ai
50da352625d2f3d85956b56e418d52ef648a9dd2
316787bc2851acac9efb096e94bb656d46503140
/reports/forms.py
3655bbe486c8924d9ad9d85122ebcb8fd75d317d
[]
no_license
siaomingjeng/ozfriend
ed92a1b463edb3ce187377a3286fe9333112a1f8
19629a17b9126b8f5876f9d3328010ca17317c75
refs/heads/master
2021-08-22T12:30:46.085372
2017-11-30T06:47:47
2017-11-30T06:47:47
112,571,421
0
0
null
null
null
null
UTF-8
Python
false
false
553
py
import datetime from django import forms from pytz import timezone from django.contrib.admin import widgets tz = timezone('Australia/Sydney') class ReportDateForm(forms.Form): date_from = forms.DateField(widget=widgets.AdminDateWidget(), label="From", input_formats=['%Y-%m-%d']) date_to = forms.DateField(widget=widgets.AdminDateWidget(), label="To") class ReportPayerForm(ReportDateForm): over = forms.IntegerField(initial=60, label="* Quantity of Items with Price Over")
[ "xiaoming.zheng@icloud.com" ]
xiaoming.zheng@icloud.com
6df74dcfb29df4f5470864e473ca2b87fc68cbf6
8a65b06530690562ab1fc337c28c1569bb32983a
/A0081_BasicIO/using_file_with.py
978c091cd8f86390c8c1d167b7f382fcd5e49e72
[]
no_license
wangzhiqing999/my-python-sample
31d6613e4aa9ad4621a49a513a15cff1c790265a
a5e1d423a3aaa94482f9793cc084d908eb516ce9
refs/heads/master
2023-06-09T11:12:52.034556
2023-06-08T03:54:03
2023-06-08T03:54:03
15,693,186
0
0
null
null
null
null
UTF-8
Python
false
false
1,172
py
# -*- coding: utf-8 -*- # 使用文件. # 关于文件的帮助信息, 可以在 Python 命令行中输入: # help(open) # 准备用于写入文件的内容. poem = '''\ Programming is fun When the work is done if you wanna make your work also fun: use Python! 测试中文汉字, 是否能正确地写入与读取! ''' print("将文本信息,写入到文件中去..."); # open for 'w'riting # 以写入方式, 打开文件 poem.txt with open('poem.txt', 'w') as f: # 将前面的文本信息, 写入到文件当中去. f.write(poem); # 关闭文件. f.close(); print("从文件中,读取文本信息..."); # if no mode is specified, 'r'ead mode is assumed by default # 以读取方式, 打开文件. with open('poem.txt') as f: # 开始循环处理. while True: # 读取一行数据. line = f.readline() # 如果读取到结束了,那么跳出循环. if len(line) == 0: # Zero length indicates EOF break # 调试 . 这里的 end='' , 意味着 print 语句, 不进行换行的处理. print (line, end=''); # 关闭文件. f.close();
[ "wangzhiqing999@hotmail.com" ]
wangzhiqing999@hotmail.com
64a25d5fb03dc66a0d46a54110ca5dcc8584eb5d
181cfe97ab1caa5f8224766ad4f537f6b829d015
/I0320085_exercise7.19.py
7066df26c972ae42b5b2c4692686ff5c284f345c
[]
no_license
RetnoMurwati/Retno-Murwati_I0320085_Wildan_Tugas7
e0b2148538a4090999a8a058e2132f9c47f4b7ca
d0e2c1c6d0b55e8c8cffd93576f7087b514c71dc
refs/heads/main
2023-04-13T00:57:10.281870
2021-04-16T15:03:18
2021-04-16T15:03:18
358,446,592
0
0
null
null
null
null
UTF-8
Python
false
false
158
py
#Numerik fungsi fabs import math a = -32 b = -3.34 print("a =", a) print("b =", b) print("math.fabs a= ", math.fabs(a)) print("math.fabs b= ", math.fabs(b))
[ "murwatiretno2@gmail.com" ]
murwatiretno2@gmail.com
221719ab8653bc020a2936945eb218d68375a28c
0ede3d2dd142aa21a50ae68b52e612a79e6d9e6b
/src/reader.py
352b9c1241a8d06ef42bae4f729ceebc906a40a3
[]
no_license
yancai/TextAnalyser
f62700150b7aa179b4d124e4605c43b6831371d3
e011089fb90f78d51569e6e5304b7ec3922a34c9
refs/heads/master
2016-09-05T22:24:16.583980
2013-05-09T05:43:44
2013-05-09T05:43:44
null
0
0
null
null
null
null
UTF-8
Python
false
false
1,573
py
# -*- coding: utf-8 -*- #!/usr/bin/python # Author = 'yancai' # Date = '13-4-14' import codecs import simplejson import datetime import chardet import copy import os from model.model_copy import characters, table class Reader(): def __init__(self): self.table = copy.deepcopy(table) def get_id(self, character): return characters.get(character, "") def process_line(self, line): for i in range(len(line) - 1): id_cur = self.get_id(line[i]) id_next = self.get_id(line[i + 1]) if id_cur and id_next: cur_count = self.table[id_cur].get(id_next, 0) self.table[id_cur][id_next] = cur_count + 1 def get_now_str(self): now = datetime.datetime.now() now_str = str(now).replace("-", "_").replace(" ", "_").replace(":", "_").replace(".", "_") return now_str def detect_coding(self, file_path): f = open(file_path, "r") result = chardet.detect(f.read()) return result.get("encoding", "gbk") def reader(self, file_path): text_file = codecs.open(file_path, "r", self.detect_coding(file_path)) line = text_file.readline() while line != "": self.process_line(line) line = text_file.readline() for key, value in self.table.items(): if value == {}: self.table.pop(key) file_result = open("./result/" + self.get_now_str() + "_result.json", "w") simplejson.dump(self.table, file_result) file_result.close()
[ "yancai915@gmail.com" ]
yancai915@gmail.com
3807d388af745242e706f2bb498ca4887e7d8ad5
ecd4b06d5d5368b71fd72a1c2191510a03b728fd
/6 - introduction to databases in python/count of Records by State.py
1a718a86aaba2d5c28da2d05dd2855263e57b0c8
[ "MIT" ]
permissive
Baidaly/datacamp-samples
86055db5e326b59bfdce732729c80d76bf44629e
37b4f78a967a429e0abca4a568da0eb9d58e4dff
refs/heads/master
2022-07-27T01:18:00.700386
2022-07-18T19:27:23
2022-07-18T19:27:23
123,827,284
0
0
null
null
null
null
UTF-8
Python
false
false
808
py
''' Often, we want to get a count for each record with a particular value in another column. The .group_by() method helps answer this type of query. You can pass a column to the .group_by() method and use in an aggregate function like sum() or count(). Much like the .order_by() method, .group_by() can take multiple columns as arguments. ''' # Import func from sqlalchemy import func # Build a query to select the state and count of ages by state: stmt stmt = select([census.columns.state, func.count(census.columns.age)]) # Group stmt by state stmt = stmt.group_by(census.columns.state) # Execute the statement and store all the records: results results = connection.execute(stmt).fetchall() # Print results print(results) # Print the keys/column names of the results returned print(results[0].keys())
[ "daulet.urazalinov@uptake.com" ]
daulet.urazalinov@uptake.com
46c6217199b12f0638d326e049cb76e3ae9f519a
fe501cd591cde7a95af07bce7f2e3428c9829174
/blog/views.py
c33bbbdd44242868247fb3c3e670c214597e29be
[]
no_license
mattmakai/django-1-4-boilerplate
6d8c98cacc6363b30afe77f5a88c946fa58efd28
8f13e191736f81a705828ddec9a62a5fb2b1c0cd
refs/heads/master
2020-04-14T19:20:33.341174
2012-07-05T13:29:39
2012-07-05T13:29:39
null
0
0
null
null
null
null
UTF-8
Python
false
false
3,192
py
from models import BlogPost from django.shortcuts import render_to_response, get_object_or_404 from django.http import HttpResponse from django.core.exceptions import ObjectDoesNotExist from django.db.models import Q from django.core.context_processors import csrf from django.views.decorators.csrf import csrf_protect from django.template import RequestContext import re TEMPLATE_PATH = 'blog/' def blog(req): """Returns the main screen of the blog.""" blog_posts = BlogPost.objects.filter(visible=True).order_by('-pub_date') all_posts = BlogPost.objects.filter(visible=True).order_by('-pub_date') p = {'page_header': 'Our Blog', 'is_blog': True, \ 'blog_posts': blog_posts, 'all_posts': all_posts } if req.user.is_authenticated(): p['is_signed_in'] = True p.update(csrf(req)) return render_to_response(TEMPLATE_PATH + 'blog.html', p, context_instance=RequestContext(req)) def view(req, name): """Tries to display a blog post based on a slug name.""" post = get_object_or_404(BlogPost, url=name, visible=True) all_posts = BlogPost.objects.filter(visible=True).order_by('-pub_date') p = {'page_header': post.title, 'is_blog': True, \ 'post': post, 'all_posts': all_posts } if req.user.is_authenticated(): p['is_signed_in'] = True p.update(csrf(req)) return render_to_response(TEMPLATE_PATH + 'post.html', p, context_instance=RequestContext(req)) @csrf_protect def search(req): if isPOST(req): query_string = '' found_entries = None if ('search' in req.POST) and req.POST['search'].strip(): query_string = req.POST['search'] entry_query = get_query(query_string, ['title', 'content',]) found_entries = BlogPost.objects.filter(entry_query).order_by('-pub_date') all_posts = BlogPost.objects.filter(visible=True).order_by('-pub_date') p = {'query_string': query_string, 'found_entries': found_entries , \ 'all_posts': all_posts} if req.user.is_authenticated(): p['is_signed_in'] = True return render_to_response(TEMPLATE_PATH + 'search_results.html', p, context_instance=RequestContext(req)) else: p = {'query_string': query_string, 'found_entries': [], \ 'all_posts': []} if req.user.is_authenticated(): p['is_signed_in'] = True return render_to_response(TEMPLATE_PATH + 'search_results.html', p, context_instance=RequestContext(req)) def normalize_query(query_string, \ findterms=re.compile(r'"([^"]+)"|(\S+)').findall, \ normspace=re.compile(r'\s{2,}').sub): """Splits the query string in individual keywords, getting rid of unnecessary spaces and grouping quotes words together.""" return [normspace(' ', (t[0] or t[1]).strip()) \ for t in findterms(query_string)] def get_query(query_string, search_fields): query = None terms = normalize_query(query_string) for term in terms: or_query = None for field_name in search_fields: q = Q(**{"%s__icontains" % field_name: term}) if or_query is None: or_query = q else: or_query = or_query | q if query is None: query = or_query else: query = query & or_query return query
[ "makaimc@gmail.com" ]
makaimc@gmail.com
9c80c8b261b02516094f26d6d268e4c8c1cb929e
d7bda270836a614f21b590abe6f679dbeb467147
/radiussecrets/RadiusSecrets.py
aba539dba437e6a7bb95a4dcdbf9e319b68bbcab
[]
no_license
craighagan/PythonRadius
3e02561b1c7ada7e8a27ea1388afba602869bf1b
d657c2fb04a04330108ce3b8274a03c2157d67b5
refs/heads/master
2020-05-07T12:47:15.031580
2014-04-25T03:30:51
2014-04-25T03:30:51
19,129,017
0
2
null
null
null
null
UTF-8
Python
false
false
23,452
py
from radiusconstants import * import boto import time import json import base64 import re import platform import string import random import logging import sqlite3 from boto.dynamodb2.fields import HashKey, RangeKey, KeysOnlyIndex, AllIndex from boto.dynamodb2.layer1 import DynamoDBConnection from boto.dynamodb2.table import Table from boto.dynamodb2.types import NUMBER from awssecrets import * from radiusencryption import * DEFAULT_KEY_LIFE=365*10*86400 #ten years PURGE_RETAIN_NR_ACTIVE_KEYS=5 PURGE_TIME_BEFORE_NOW=86400 class RadiusServer: """ container to represent radius master servers """ def __init__(self,ip=None,weight=None,secret=None,hops=None,cluster=None,timeout=None): self.ip = ip self.weight = weight self.secret = secret self.hops = hops self.cluster = cluster self.timeout = timeout def validate(self): if self.ip is None or self.secret is None or self.cluster is None or self.timeout is None or self.hops is None: return False else: return True def __repr__(self): outstr = "RadiusServer:{ip=%s,weight=%s,secret=%s,hops=%s,cluster=%s,timeout=%s}" % ( self.ip, self.weight, self.secret, self.hops, self.cluster, self.timeout) return outstr class RadiusServerList: """ list of radiusservers and secrets """ def __init__(self,server_file=None): self._clusters = {} self._servers = {} logging.debug("initialize radiuserver file=%s"%server_file) if server_file is not None: self._parseServerFile(server_file) def addServer(self, server): if not isinstance(server,RadiusServer): raise ValueError("server must be of type RadiusServer") if not server.validate(): raise ValueError("please insure that the server configuration is complete") if server.cluster not in self._clusters: self._clusters[server.cluster.upper()] = [server] else: self._clusters[server.cluster].append(server) self._servers[server.ip] = server logging.debug('added server %s to cluster %s' % (server.ip,server.cluster)) def _getMyCluster(self): hostname = platform.node() cluster = platform.node().split('.')[-3].rstrip(string.digits).upper() #exceptions if cluster == "VDC": cluster = "IAD" logging.debug('_getMyCluster found %s from %s' % (hostname,cluster)) return cluster def _parseServerFile(self, serverfile): parse_comment=re.compile(r'^\s*#\s*([\d\.]+): NLS weight = (\d+); ICMP hops = (\d+); Cluster: (\S+)$') blank=re.compile(r'^\s$') comment=re.compile(r'^\s*#') servers = {} with open(serverfile) as f: for line in f: line = line.rstrip().lstrip() if blank.match(line): pass elif comment.match(line): res = parse_comment.search(line) if res is not None: (ip, weight, hops, cluster) = res.groups() if ip not in servers: r = RadiusServer(ip=ip,weight=int(weight),cluster=cluster,hops=int(hops)) servers[ip] = r else: servers[ip].ip = ip servers[ip].weight = int(weight) servers[ip].hops = int(hops) servers[ip].cluster = cluster else: try: (ip,secret,timeout) = line.split() if ip not in servers: r = RadiusServer(ip=ip,secret=secret,timeout=int(timeout)) servers[ip] = r else: servers[ip].ip = ip servers[ip].secret = secret servers[ip].timeout = int(timeout) except ValueError: pass for key in servers: self.addServer(servers[key]) def getServer(self,cluster=None): if cluster is None: cluster = self._getMyCluster() if cluster not in self._clusters: #need to return closest def redfn(a,b): if isinstance(a, str): a=reduce(redfn, self._clusters[a]) if isinstance(b, str): b=reduce(redfn, self._clusters[b]) if a.hops < b.hops: return a else: return b #just give fastest, but we really want #to flip coins #return reduce(redfn, self._clusters) cluster = reduce(redfn, self._clusters).cluster return random.choice(self._clusters[cluster]) #yah, i probably should deal with weighting server = random.choice(self._clusters[cluster]) logging.debug('selected server %s from cluster %s for requet' % (server.ip,cluster) ) return server class RadiusSecrets: """ container system for obtaining radius secrets """ def __init__(self): raise NotImplementedError; def getSecret(self): raise NotImplementedError; class MasterRadiusSecrets(RadiusSecrets): """ this is for obtaining secrets for the master radius server """ def __init__(self,secret_file="/etc/raddb/secret",server_file="/etc/raddb/server",default_master_server=None): """ @params secret_file: represents the file where the master secret is. defaults to /etc/raddb/secret @type string """ self._secret_file = secret_file self._server_file = server_file if default_master_server is None: self._default_master_server='AUTOMATIC' self._default_master_server = default_master_server logging.debug("MasterRadiusSecrets initialize, secret_file=%s server_file=%s" % (secret_file,server_file)) def getSecret(self): """ pull the secret from /etc/raddb/secret """ with open(self._secret_file) as f: secret=f.readline().rstrip() return secret def getMaster(self): return self._default_master_server def getServerAndSecret(self): """ read from the radius server file, pull a list of secrets/servers and choose one returns a tuple of server_ip, secret """ if self._default_master_server is not None and self._default_master_server != "AUTOMATIC": return (self._default_master_server,self.getSecret()) sl=RadiusServerList(server_file=self._server_file) rs=sl.getServer() return((rs.ip,rs.secret)) class ClientRadiusSecretsSQLite(RadiusSecrets): """ get secrets for a particular client """ def __init__(self, secretdbfile, table_name="host_secrets"): """ @param secretdbfile file to sqlite user database @type secretdbfile string (filepath) """ self._secretdbfile = secretdbfile if table_name is None: raise ValueError("table name containing host secrets must be specified") self._table_name = table_name self._secretdb = sqlite3.connect(secretdbfile,check_same_thread=False) self._createTable() def _createTable(self): """ create sqlite table """ try: self._secretdb.execute('create table %s (ip_Address text, not_before number, not_after number, secret text)' % (self._table_name)) self._secretdb.commit() logging.debug("created sqlite table %s" % self._table_name) except sqlite3.OperationalError as e: logging.debug("failed to create table %s, usually this means table already exists %s " % (self._table_name,e)) pass def putSecret(self, clientIP, secret, not_before=None,not_after=None,tries=0): """ store a secret for clientIP @param clientIP : client ip address @param secret : radius secret for client @param tries : internal parameter to constrain recursion depth for self-calls @type clientIP string @type secret example usage: from radiussecrets import * rs=ClientRadiusSecrets(encryption_key='someencryptionkey', aws_keys=AWSKeys('myaccesskey','mysecretkey'),table_name='qradius_secrets') ValidationException rs.putSecret('1.2.3.4','shhdonottellanyone') """ now = time.time() if not_before is None: not_before = now if not_after is None: not_after = now + DEFAULT_KEY_LIFE if not isinstance(not_before,(int,float,long)) or not_before < 0: raise ValueError("not_before must be a number representing seconds since epoch") if not isinstance(not_after,(int,float,long)) or not_after < 0: raise ValueError("not_before must be a number representing seconds since epoch") if len(secret) > MAX_SECRET_LENGTH: raise ValueError("length of secret may not exceed %d bytes" % MAX_SECRET_LENGTH) result = self._secretdb.execute('insert into %s values (:ip_address,:not_before,:not_after,:secret)' % (self._table_name), {'ip_address': clientIP, 'not_before': not_before, 'not_after': not_after, 'secret': secret}) logging.debug("inserted host secret %s %d %d [...]" % (clientIP, not_before, not_after)) self._secretdb.commit() return result def deleteSecret(self, clientIP, not_before): """ delete a secret this should be used carefully @param clientIP @param not_before @type clientIP string @type not_before number """ return self._secretdb.execute('delete from %s where ip_address=:ip_address and not_before=:not_before' % self._table_name, {'ip_address': ip_address, 'not_before': not_before}) def getSecret(self, clientIP): """ return the secret associated with IP address if multiple secrets are found, selection is by: 1) not_before < now 2) not_after >= now 3) the highest value of not before, if there are still multiple secrets @param clientIP @param not_before seconds since epoch that the secret becomes valid @param not_after seconds since epoch after which the secret is not valid @type clientIP string representing an ip address """ now = time.time() #i wanted to limit to 3 (limit=3) but, boto kept barfing results = self._secretdb.execute('select secret,not_before,not_after from %s where ip_address=:ip_address and not_before < :not_before and not_after >= :not_after order by not_before,not_after' % self._table_name, {'ip_address': clientIP, 'not_before': now, 'not_after': now}).fetchall() client_secret = None client_secret_not_before = 0 for result in results: client_secret = str(result[0]) logging.debug('retrieved secret for %s' % (clientIP)) return client_secret #only should be reached if it is None return client_secret def purgeSecrets(self, clientIP): """ purge stale secrets associated with IP address 1) remove all keys for clientIP where not after is older than current time - PURGE_TIME_BEFORE_NOW 2) scan remaining keys, keep @param clientIP @type string @returns # of purged secrets """ now = time.time() min_purge_time = now nr_purged = 0 # first get rid of expired keys results = self._secretdb.execute('delete from %s where ip_address=:ip_address and not_after <:not_after' % self._table_name, {'ip_address': clientIP, 'not_after': min_purge_time}).fetchall() for result in results: logging.info('purging secret: %s %d' % (result['ip'],result['not_before'])) result.delete() nr_purged += 1 # now the fun... result_list = [] results = self._secretdb.execute('select ip_address,not_before,not_after from %s where ip_address=:ip_address and not_before < :not_before order by not_before' % self._table_name, {'ip_address': clientIP, 'not_before': min_purge_time}).fetchall() for result in results: result_list.append(result) # delete results if there are more than PURGE_RETAIN_NR_ACTIVE results, # we want the oldest not befores to be removed first if len(result_list) > PURGE_RETAIN_NR_ACTIVE_KEYS: for result in result_list: self._secretdb.execute('delete from %s where ip_address=:ip_address and not_before=:not_before and not_after = :not_after' % self._table_name, {'ip_address': clientIP, 'not_before': result[1], 'not_after': result[2]}) nr_purged += 1 self._secretdb.commit() return nr_purged class ClientRadiusSecretsDDB(RadiusSecrets): """ get secrets for a particular client ddb=DynamoDBConnection( aws_access_key_id=aws_access_key, aws_secret_access_key=aws_secret_key ) secrets = Table.create('qradius_secrets',schema=[\ HashKey('ip_address'), RangeKey('not_before',data_type=NUMBER), ], indexes=[ AllIndex('IPNotAfter',parts=[ HashKey('ip_address'), RangeKey('not_after',data_type=NUMBER), ]) ],connection=ddb) we will normally want secrets where ip_address = client ip address not_before < now not_after >= now likely we'll want to limit the # of secrets we look at, here i limit it to 3 For queries (these are the least impactful on dynamo: res=secrets.query(ip_address__eq='10.25.95.158',not_before__lt=now,limit=3,consistent=False) res=secrets.query(ip_address__eq='10.25.95.158',not_after__gt=now,limit=3,consistent=False,index='IPNotAfter') if you really need everything, this is a full scan: res=secrets.scan(ip_address__eq='10.25.95.158',not_before__lt=now,not_after__gt=now,limit=3) """ def __init__(self, encryption_key=None, aws_keys=None, table_name=None): """ @param encryption_key : string containing encryption key @param aws_keys : object containing aws keys @param table_name : dynamo table name @type encryption_key string @type aws_keys AWSKeys @type table_name string """ if encryption_key is None: raise ValueError("encryption_key must be specified") if not isinstance(aws_keys,AWSKeys): raise ValueError("aws_material must be specified and of type AWSKeys") if table_name is None: raise ValueError("dynamo table containing secrets must be specified") self._encryption_key = encryption_key self._encryptor = DataEncryptor(self._encryption_key) self._ddb_connection = DynamoDBConnection( aws_access_key_id=aws_keys.aws_access_key, aws_secret_access_key=aws_keys.aws_secret_key ) if self._ddb_connection is None: raise ValueError("unable to obtain dynamo connection using %s" % aws_material) self._secret_table = Table(table_name,connection=self._ddb_connection) logging.debug('connectd to dynamo table %s' % table_name) if self._secret_table is None: raise ValueError("unable to connect to dynamo table %s" % table_name) def encryptSecret(self, secret): """ call the included encryption module to encrypt/encode secrets @param secret @type secret string """ if len(secret) > MAX_SECRET_LENGTH: raise ValueError("secret may not be more than %d bytes" % MAX_SECRET_LENGTH) encoded_secret = self._encryptor.encrypt(secret) return(encoded_secret) def decryptSecret(self, encoded_secret): """ call the included encryption module to decrypt/decode secrets @param encoded_secret @type encoded_secret string """ plain_secret = self._encryptor.decrypt(encoded_secret) if len(plain_secret) > MAX_SECRET_LENGTH: raise ValueError("decryption resulted in a plain secret longer than the maximum length of %d bytes" % MAX_SECRET_LENGTH) return(plain_secret) def putSecret(self, clientIP, secret, not_before=None,not_after=None,tries=0): """ store a secret for clientIP @param clientIP : client ip address @param secret : radius secret for client @param tries : internal parameter to constrain recursion depth for self-calls @type clientIP string @type secret example usage: from radiussecrets import * rs=ClientRadiusSecrets(encryption_key='someencryptionkey', aws_keys=AWSKeys('myaccesskey','mysecretkey'),table_name='qradius_secrets') ValidationException rs.putSecret('1.2.3.4','shhdonottellanyone') """ now = time.time() if not_before is None: not_before = now if not_after is None: not_after = now + DEFAULT_KEY_LIFE if not isinstance(not_before,(int,float,long)) or not_before < 0: raise ValueError("not_before must be a number representing seconds since epoch") if not isinstance(not_after,(int,float,long)) or not_after < 0: raise ValueError("not_before must be a number representing seconds since epoch") if len(secret) > MAX_SECRET_LENGTH: raise ValueError("length of secret may not exceed %d bytes" % MAX_SECRET_LENGTH) result = None try: result = self._secret_table.put_item(data={ 'ip_address': clientIP, 'not_before': not_before, 'not_after': not_after, 'secret': self.encryptSecret(secret) }) except boto.dynamodb2.exceptions.ConditionalCheckFailedException as e: tries += 1 if tries > 5: logging.crit('pk violation for client %s not_before %d after %d tries at incrementing' % (clientIP,not_before,tries)) raise e #increment not_before to avoid pk violation not_before += 1 logging.warn('pk violation for client %s not_before %d; retrying with higher not_before ' % (clientIP,not_before)) result = self.putSecret(clientIP, secret, not_before=not_before,not_after=not_after,tries=tries) return result def deleteSecret(self, clientIP, not_before): """ delete a secret this should be used carefully @param clientIP @param not_before @type clientIP string @type not_before number """ return self._secret_table.delete_item(ip_address=clientIP,not_before=not_before) def getSecret(self, clientIP): """ return the secret associated with IP address if multiple secrets are found, selection is by: 1) not_before < now 2) not_after >= now 3) the highest value of not before, if there are still multiple secrets @param clientIP @param not_before seconds since epoch that the secret becomes valid @param not_after seconds since epoch after which the secret is not valid @type clientIP string representing an ip address """ now = time.time() #i wanted to limit to 3 (limit=3) but, boto kept barfing results = self._secret_table.query(ip_address__eq=clientIP,not_before__lt=now,consistent=False) client_secret = None client_secret_not_before = 0 for result in results: if result['not_after'] >= now: if client_secret_not_before < result['not_before']: client_secret_not_before = result['not_before'] client_secret = self.decryptSecret(result['secret']) logging.debug('retrieved secret for %s' % (clientIP)) return client_secret def purgeSecrets(self, clientIP): """ purge stale secrets associated with IP address 1) remove all keys for clientIP where not after is older than current time - PURGE_TIME_BEFORE_NOW 2) scan remaining keys, keep @param clientIP @type string @returns # of purged secrets """ now = time.time() min_purge_time = now nr_purged = 0 # first get rid of expired keys results = self._secret_table.query(ip_address__eq=clientIP, not_after__lt=min_purge_time, consistent=False, index='IPNotAfter') for result in results: logging.info('purging secret: %s %d' % (result['ip'],result['not_before'])) result.delete() nr_purged += 1 # now the fun... result_list = [] results = self._secret_table.query(ip_address__eq=clientIP, not_before__lt=min_purge_time, consistent=False) for result in results: result_list.append(result) # delete results if there are more than PURGE_RETAIN_NR_ACTIVE results, # we want the oldest not befores to be removed first if len(result_list) > PURGE_RETAIN_NR_ACTIVE_KEYS: for result in sorted(result_list, key=lambda result: result['not_before'])[:-PURGE_RETAIN_NR_ACTIVE_KEYS]: logging.info('purging secret: %s %d' % (result['ip'],result['not_before'])) result.delete() nr_purged += 1 return nr_purged
[ "hagan@cih.com" ]
hagan@cih.com
a79f92ea6a9a521701ddcca0cb6e2e3f6eb8635f
e32230533cf8b29e3db2a14a6040332d9769b16f
/env/bin/twistd
77793ec93e4e4b3136b2312559c5865cfc3d81a5
[]
no_license
darshDM/chat-room-channels
2b138d9106177344a23b94f0e5822b51f47e1234
1a2d5e5037f326cfef430c133a8502d05f1fbb70
refs/heads/main
2023-02-11T11:16:37.958844
2021-01-09T09:28:23
2021-01-09T09:28:23
null
0
0
null
null
null
null
UTF-8
Python
false
false
251
#!/mnt/5A6A2DF76A2DD095/project/6th/env/bin/python # -*- coding: utf-8 -*- import re import sys from twisted.scripts.twistd import run if __name__ == '__main__': sys.argv[0] = re.sub(r'(-script\.pyw|\.exe)?$', '', sys.argv[0]) sys.exit(run())
[ "darshmamtora2122@gmail.com" ]
darshmamtora2122@gmail.com
a0927a606cbae55dc3f9765935b7c438c9e5bfdd
35ca1feaa1baf7843f6e3847198e56e729e0555a
/lesson1.6_step07.py
c7b7d24acc5276e786c50b65a7795541fde68b6e
[]
no_license
StoreMVC/Auto-tests-course
6bf86adfa57c8823b18c94b410d9b7652c40e500
16fb170dfd964545453c2ed49b3579680959dc51
refs/heads/master
2020-08-14T05:16:14.330811
2019-10-14T18:09:26
2019-10-14T18:09:26
215,104,473
0
0
null
null
null
null
UTF-8
Python
false
false
685
py
from selenium import webdriver import time try: browser = webdriver.Chrome() browser.get("http://suninjuly.github.io/huge_form.html") elements = browser.find_elements_by_css_selector("[required]") i = 1 for element in elements: element.send_keys(str(i)) i += 1 button = browser.find_element_by_css_selector("button.btn") button.click() finally: # успеваем скопировать код за 30 секунд time.sleep(30) # закрываем браузер после всех манипуляций browser.quit() # не забываем оставить пустую строку в конце файла
[ "StoreMVC@yandex.ru" ]
StoreMVC@yandex.ru
441b350b35705f4619ffd1ec523cc71c3391facb
a4398add0be818925a34544c5933287492059aab
/compute_idf.py
2b2cb0c8e2cd447f7985e6d1c73621b613d0b27e
[ "MIT" ]
permissive
neulab/code-bert-score
ac9e4c312af700d9db4a914cd056567d5789feab
16e4e489700c2de510e3a5027217841a4d14f1ed
refs/heads/main
2023-07-09T04:16:21.811372
2023-06-25T11:17:55
2023-06-25T11:17:55
538,173,233
101
9
MIT
2023-06-25T11:17:57
2022-09-18T16:40:46
Jupyter Notebook
UTF-8
Python
false
false
1,979
py
from argparse import ArgumentParser import datasets from transformers import AutoTokenizer from tqdm import tqdm import pickle from functools import partial from collections import defaultdict from math import log from code_bert_score.utils import get_idf_dict def default_count(num_examples): return log((num_examples + 1) / (1)) if __name__ == '__main__': parser = ArgumentParser() # The language is the only required argument: parser.add_argument('--subset', required=True, help="The language: java, js, python, cpp, go") # Default valued not required arguments: parser.add_argument('--dataset', required=False, default="THUDM/humaneval-x") parser.add_argument('--field', required=False, default="canonical_solution") parser.add_argument('--split', required=False, default='test') parser.add_argument('--tokenizer', required=False, default='microsoft/codebert-base-mlm') parser.add_argument('--nthreads', required=False, type=int, default=4) parser.add_argument('--output', required=False, default=None) args = parser.parse_args() if args.output is None: args.output = f'{args.subset}_{args.split}_idf.pkl' print(f'Loading dataset {args.dataset}...') dataset = datasets.load_dataset(path=args.dataset, name=args.subset, split=args.split) print(f'Loading tokenizer {args.tokenizer}...') tokenizer = AutoTokenizer.from_pretrained(args.tokenizer) print(f'Creating IDF dict for {args.subset}...') idf_dict = get_idf_dict(arr=dataset[args.field], tokenizer=tokenizer, nthreads=args.nthreads) idf_dict = dict(idf_dict) idf_dict[tokenizer.sep_token_id] = 0 idf_dict[tokenizer.cls_token_id] = 0 default_value = default_count(len(dataset)) for i in range(tokenizer.vocab_size): if i not in idf_dict: idf_dict[i] = default_value with open(args.output, 'wb') as f: pickle.dump(idf_dict, f) print(f'Done! Saved to {args.output}')
[ "urialon1@gmail.com" ]
urialon1@gmail.com
71a1987f65749e123abe8d4ab519826b34bf172a
bec8f235b1392542560166dd02c2f0d88c949a24
/examples/twisted/wamp1/rpc/simple/example2/server.py
2e21dcdeffdb7ac18f40f3c1c3790e7731539144
[ "Apache-2.0" ]
permissive
gourneau/AutobahnPython
f740f69b9ecbc305a97a5412ba3bb136a4bdec69
5193e799179c2bfc3b3f8dda86ccba69646c7ee3
refs/heads/master
2021-01-15T22:02:32.459491
2014-07-02T13:34:57
2014-07-02T13:34:57
21,437,288
1
0
null
null
null
null
UTF-8
Python
false
false
3,564
py
############################################################################### ## ## Copyright (C) 2011-2014 Tavendo GmbH ## ## 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. ## ############################################################################### import sys, math from twisted.python import log from twisted.internet import reactor, defer from twisted.web.server import Site from twisted.web.static import File from autobahn.twisted.websocket import listenWS from autobahn.wamp1.protocol import exportRpc, \ WampServerFactory, \ WampServerProtocol class Calc: """ A simple calc service we will export for Remote Procedure Calls (RPC). All you need to do is use the @exportRpc decorator on methods you want to provide for RPC and register a class instance in the server factory (see below). The method will be exported under the Python method name, or under the (optional) name you can provide as an argument to the decorator (see asyncSum()). """ @exportRpc def add(self, x, y): return x + y @exportRpc def sub(self, x, y): return x - y @exportRpc def square(self, x): MAX = 1000 if x > MAX: ## raise a custom exception raise Exception("http://example.com/error#number_too_big", "%d too big for me, max is %d" % (x, MAX), MAX) return x * x @exportRpc def sum(self, list): return reduce(lambda x, y: x + y, list) @exportRpc def pickySum(self, list): errs = [] for i in list: if i % 3 == 0: errs.append(i) if len(errs) > 0: raise Exception("http://example.com/error#invalid_numbers", "one or more numbers are multiples of 3", errs) return reduce(lambda x, y: x + y, list) @exportRpc def sqrt(self, x): return math.sqrt(x) @exportRpc("asum") def asyncSum(self, list): ## Simulate a slow function. d = defer.Deferred() reactor.callLater(3, d.callback, self.sum(list)) return d class SimpleServerProtocol(WampServerProtocol): """ Demonstrates creating a simple server with Autobahn WebSockets that responds to RPC calls. """ def onSessionOpen(self): # when connection is established, we create our # service instances ... self.calc = Calc() # .. and register them for RPC. that's it. self.registerForRpc(self.calc, "http://example.com/simple/calc#") if __name__ == '__main__': if len(sys.argv) > 1 and sys.argv[1] == 'debug': log.startLogging(sys.stdout) debug = True else: debug = False factory = WampServerFactory("ws://localhost:9000", debugWamp = debug) factory.protocol = SimpleServerProtocol factory.setProtocolOptions(allowHixie76 = True) listenWS(factory) webdir = File(".") web = Site(webdir) reactor.listenTCP(8080, web) reactor.run()
[ "tobias.oberstein@tavendo.de" ]
tobias.oberstein@tavendo.de
8f192133264c7c08d002c1c08f67a4dab1982a32
0ac5a000e1322291e1fe76dd17bf667ddfff8faf
/Bouble-Trouble--master/game.py
bb4c1dfbef209e0a4102b69bda8eb3c08cd502fd
[]
no_license
wajahat420/Bubble-Trouble-Game-on-Python
cbc118063b099d21ee3b7bd1cb2512e7d834766e
c3388e7117342e3979f85babccb53717970722e7
refs/heads/master
2020-05-19T02:14:04.532180
2019-05-03T15:01:41
2019-05-03T15:01:41
184,775,683
1
0
null
null
null
null
UTF-8
Python
false
false
2,604
py
import pygame import time clock = pygame.time.Clock() white = (255,255,255) black = (0,0,0) blue = (0,0,255) green = (0,255,0) red = (255,0,0) lightBlue = (173,216,230) color1= (101,45,104) color2= (240,238,196) color3= (247,148,30) color4= (33,64,134) color5= (0,230,118) display_width = 800 display_height = 600 gameDisplay = pygame.display.set_mode((display_width, display_height)) img = pygame.image.load('player.png') arrow = pygame.image.load('arrow.png') lives = pygame.image.load('bonus life.png') def things_dodged(count): font = pygame.font.SysFont(None, 50) text = font.render("Ball Hits: "+str(count), True, black) gameDisplay.blit(text,(20,10)) class first: def __init__(self): self.ballx = 0 self.bally = 0 self.dirx = 4 self.diry = 6 self.radius = 50 self.rassi_x = 0 self.rassi_y = 0 self.level1 = 0 def man(x,y): gameDisplay.blit(img,(x,y)) clock.tick(90) class ball_class: def ball_loop(self,ballx,bally,radius,dirx,diry): ball_big = first() ball_big.ballx = ballx ball_big.bally = bally ball_big.dirx = dirx ball_big.diry = diry ball_big.radius = radius return ball_big def crash(self): font = pygame.font.SysFont("comicsansms", 80) text = font.render("YOU CRASHED", True, (255, 255, 255)) gameDisplay.blit(text,(100,150)) pygame.display.update() time.sleep(2) def WON(self): font = pygame.font.SysFont("comicsansms", 70) text = font.render("LEVEL COMPLETED", True, (255, 255, 255)) gameDisplay.blit(text,(80,150)) pygame.display.update() time.sleep(2) def over(self): font = pygame.font.SysFont("freesansbold.ttf", 60) text = font.render("GAME OVER", True, (0, 0, 0)) gameDisplay.blit(text,(220,50)) pygame.display.update() time.sleep(2) def rassi_func(self): self.rassi_x = -20 self.rassi_y = 450 self.rassi_diry = 0 return self def end(self): font = pygame.font.SysFont("freesansbold.ttf", 80) text = font.render("Congratulations You Won", True, (0, 0, 0)) gameDisplay.blit(text,(70,150)) pygame.display.update() time.sleep(2) def start(self): font = pygame.font.SysFont("comicsansms", 80) text = font.render("Get Ready", True, (255, 255, 255)) gameDisplay.blit(text,(180,150)) pygame.display.update() time.sleep(2)
[ "shayanmustafa11@gmail.com" ]
shayanmustafa11@gmail.com
5422b522692c425a45fb1dac4ceb3d2ff7d26fee
4e9e83fb8e2da33369eaa14174e45119b00b2dc8
/tutorial/mnist_train.py
70ecd006031975f2e2e75c58e4ff65f458f1f005
[ "BSD-3-Clause" ]
permissive
BalanceWing/examples
48626b27ded92d4fbed691c6fb0c7165dcc09aed
5969d022a7e0bb113207226d872ccfe1872a0616
refs/heads/master
2020-06-05T18:19:38.883329
2019-07-25T09:57:52
2019-07-25T09:57:52
192,509,317
0
0
null
2019-06-18T09:31:30
2019-06-18T09:31:30
null
UTF-8
Python
false
false
2,958
py
import torch from torch import nn from torch import optim from torch.utils.data import TensorDataset from torch.utils.data import DataLoader import torch.nn.functional as F import numpy as np from pathlib import Path import requests import pickle import gzip # get and process data def get_data (train_ds, valid_ds, bs): return ( DataLoader(train_ds, batch_size = bs, shuffle = True), DataLoader(valid_ds, batch_size = bs * 2)) class WrappedDataLoader: """docstring for WrappedDataLoader""" def __init__(self, dl, func): self.dl = dl self.func = func def __len__ (self): return len (self.dl) def __iter__(self): batches = iter (self.dl) for b in batches : yield (self.func(*b)) # Sequential class Lambda(nn.Module): """docstring for Lambda""" def __init__(self, func): super().__init__() self.func = func def forward (self, x): return self.func (x) def preprocess (x, y): return x.view (-1, 1, 28, 28), y # train data def loss_batch (model, loss_func, xb, yb, opt = None): loss = loss_func (model (xb), yb) if opt is not None: loss.backward () opt.step () opt.zero_grad () return loss.item(), len(xb) def fit (epochs, model, loss_func, opt, train_dl, valid_dl): for epoch in range (epochs): model.train() for xb, yb in train_dl: loss_batch (model, loss_func, xb, yb, opt) model.eval () with torch.no_grad (): losses, nums = zip (*[loss_batch (model, loss_func, xb, yb) for xb, yb in valid_dl]) #statistics val_loss = np.sum (np.multiply (losses, nums)) / np.sum(nums) print (epoch, val_loss) #setup mnist data DATA_PATH = Path('data') PATH = DATA_PATH / 'mnist' PATH.mkdir (parents = True, exist_ok = True) URL = "http://deeplearning.net/data/mnist" FILENAME = "mnist.pkl.gz" if not (PATH / FILENAME).exists (): content = requests.get (URL + FILENAME).content (PATH / FILENAME).open("wb").write(content) # open dataset with gzip.open ((PATH / FILENAME).as_posix(), "rb" ) as f : ((x_train, y_train), (x_valid, y_valid), _) = pickle.load (f, encoding = "latin-1") ##### training loop bs = 64 # batch size lr = 0.5 # learning rate epochs = 10 x_train, y_train, x_valid, y_valid = map ( torch.tensor, (x_train, y_train, x_valid, y_valid)) train_ds = TensorDataset (x_train, y_train) valid_ds = TensorDataset (x_valid, y_valid) train_dl, valid_dl = get_data (train_ds, valid_ds, bs) train_dl = WrappedDataLoader (train_dl, preprocess) valid_dl = WrappedDataLoader (valid_dl, preprocess) model = nn.Sequential ( nn.Conv2d (1, 16, kernel_size = 3, stride = 2, padding = 1), nn.ReLU (), nn.Conv2d (16, 16, kernel_size = 3, stride = 2, padding = 1), nn.ReLU (), nn.Conv2d (16, 10, kernel_size = 3, stride = 2, padding = 1), nn.ReLU(), nn.AdaptiveAvgPool2d (1), Lambda (lambda x : x.view (x.size(0), -1)), ) loss_func = F.cross_entropy opt = optim.SGD (model.parameters(), lr = lr, momentum = 0.9) fit (epochs, model, loss_func, opt, train_dl, valid_dl)
[ "noreply@github.com" ]
noreply@github.com
628ab203934b97b7b16396406bf8920db09c6edf
1561b7ffc4c996cf8c480c2415c4828ebfd84625
/python_study/python_tutorial/tutorial1/_16_using_name.py
36fe26bf255e1953e1391f028d53c91e06fa2105
[]
no_license
haixuanwo/BOOK_codec
61211b239dbf7267e73dd4650410b0c021d67014
d96591b0ed1b4310dbb96159d6230d692cfe0f92
refs/heads/master
2021-09-07T19:57:08.626291
2018-02-28T05:57:52
2018-02-28T05:57:52
115,320,602
0
0
null
null
null
null
UTF-8
Python
false
false
147
py
#!/usr/bin/python if __name__=='__main__': print 'This program is being run by itself' else: print 'I am beging imported from another module'
[ "haixuanwo@users.noreply.github.com" ]
haixuanwo@users.noreply.github.com
3ccf655441626fee556afe8864ce3b4f10b1ea36
e873deaded75f1e711d310d09cbbe12f64ff5559
/FE.py
02bc44d09f0ed104a552b4a737981557256b0f02
[ "MIT" ]
permissive
UW-ERSL/Fourier-TOuNN
7a6d3b655b96ac03e3aa75d703b129d97b2f8bdf
fce3b8a43fa426e16be16d5a05bdb81b71a773b0
refs/heads/main
2023-07-16T15:08:13.591069
2021-09-04T20:49:31
2021-09-04T20:49:31
360,926,306
3
1
null
2021-04-23T16:16:52
2021-04-23T15:21:19
Python
UTF-8
Python
false
false
1,742
py
import numpy as np from scipy.sparse import coo_matrix import numpy.matlib import cvxopt import cvxopt.cholmod import torch from gridMesher import GridMesh from quadMesher import QuadMesh #-----------------------# class FE: #-----------------------# def __init__(self, mesh, matProp, bc): if(mesh['type'] == 'grid'): self.mesh = GridMesh(mesh, matProp, bc) elif(mesh['type'] == 'quad'): self.mesh = QuadMesh(mesh, matProp, bc) #-----------------------# def solve(self, density): self.u=np.zeros((self.mesh.ndof,1)); E = self.mesh.material['E']*(0.01+density)**self.mesh.material['penal'] sK = np.einsum('i,ijk->ijk',E, self.mesh.KE).flatten() K = coo_matrix((sK,(self.mesh.iK,self.mesh.jK)),shape=(self.mesh.ndof,self.mesh.ndof)).tocsc() K = self.deleterowcol(K,self.mesh.fixed,self.mesh.fixed).tocoo() K = cvxopt.spmatrix(K.data,K.row.astype(np.int),K.col.astype(np.int)) B = cvxopt.matrix(self.mesh.f[self.mesh.free,0]) cvxopt.cholmod.linsolve(K,B) self.u[self.mesh.free,0]=np.array(B)[:,0] uElem = self.u[self.mesh.edofMat].reshape(self.mesh.numElems,self.mesh.numDOFPerElem) self.Jelem = np.einsum('ik,ik->i',np.einsum('ij,ijk->ik',uElem, self.mesh.KE),uElem) return self.u, self.Jelem; #-----------------------# def deleterowcol(self, A, delrow, delcol): #Assumes that matrix is in symmetric csc form ! m = A.shape[0] keep = np.delete (np.arange(0, m), delrow) A = A[keep, :] keep = np.delete (np.arange(0, m), delcol) A = A[:, keep] return A #-----------------------#
[ "achandrasek3@wisc.edu" ]
achandrasek3@wisc.edu
ad1c203c7a732ca9ec21f499fc2ab7b808c076de
1e12eb238eb942c35543af80bfa2c62d2188d11d
/mysite/settings.py
655d895802e26c0dd501a8116837588c5dfaa331
[]
no_license
tania89d/my-first-blog
4fb0d04233b199d6047fa64affb032be46cba685
00071ea61bc0c8e9a43600135447632a7234c016
refs/heads/master
2021-01-18T20:11:34.566442
2016-10-27T15:13:25
2016-10-27T15:13:25
72,121,322
0
0
null
null
null
null
UTF-8
Python
false
false
3,235
py
""" Django settings for mysite project. Generated by 'django-admin startproject' using Django 1.9.10. For more information on this file, see https://docs.djangoproject.com/en/1.9/topics/settings/ For the full list of settings and their values, see https://docs.djangoproject.com/en/1.9/ref/settings/ """ import os # Build paths inside the project like this: os.path.join(BASE_DIR, ...) BASE_DIR = os.path.dirname(os.path.dirname(os.path.abspath(__file__))) # Quick-start development settings - unsuitable for production # See https://docs.djangoproject.com/en/1.9/howto/deployment/checklist/ # SECURITY WARNING: keep the secret key used in production secret! SECRET_KEY = '4qbg023xm%q!(^!^()jls96&@b1o2q@dwrn88l1tx=7v6)x-i@' # SECURITY WARNING: don't run with debug turned on in production! DEBUG = True ALLOWED_HOSTS = [] # Application definition INSTALLED_APPS = [ 'django.contrib.admin', 'django.contrib.auth', 'django.contrib.contenttypes', 'django.contrib.sessions', 'django.contrib.messages', 'django.contrib.staticfiles', 'blog' ] MIDDLEWARE_CLASSES = [ 'django.middleware.security.SecurityMiddleware', 'django.contrib.sessions.middleware.SessionMiddleware', 'django.middleware.common.CommonMiddleware', 'django.middleware.csrf.CsrfViewMiddleware', 'django.contrib.auth.middleware.AuthenticationMiddleware', 'django.contrib.auth.middleware.SessionAuthenticationMiddleware', 'django.contrib.messages.middleware.MessageMiddleware', 'django.middleware.clickjacking.XFrameOptionsMiddleware', ] ROOT_URLCONF = 'mysite.urls' TEMPLATES = [ { 'BACKEND': 'django.template.backends.django.DjangoTemplates', 'DIRS': [], 'APP_DIRS': True, 'OPTIONS': { 'context_processors': [ 'django.template.context_processors.debug', 'django.template.context_processors.request', 'django.contrib.auth.context_processors.auth', 'django.contrib.messages.context_processors.messages', ], }, }, ] WSGI_APPLICATION = 'mysite.wsgi.application' # Database # https://docs.djangoproject.com/en/1.9/ref/settings/#databases DATABASES = { 'default': { 'ENGINE': 'django.db.backends.sqlite3', 'NAME': os.path.join(BASE_DIR, 'db.sqlite3'), } } # Password validation # https://docs.djangoproject.com/en/1.9/ref/settings/#auth-password-validators AUTH_PASSWORD_VALIDATORS = [ { 'NAME': 'django.contrib.auth.password_validation.UserAttributeSimilarityValidator', }, { 'NAME': 'django.contrib.auth.password_validation.MinimumLengthValidator', }, { 'NAME': 'django.contrib.auth.password_validation.CommonPasswordValidator', }, { 'NAME': 'django.contrib.auth.password_validation.NumericPasswordValidator', }, ] # Internationalization # https://docs.djangoproject.com/en/1.9/topics/i18n/ LANGUAGE_CODE = 'en-us' TIME_ZONE = 'Europe/Berlin' USE_I18N = True USE_L10N = True USE_TZ = True # Static files (CSS, JavaScript, Images) # https://docs.djangoproject.com/en/1.9/howto/static-files/ STATIC_URL = '/static/' STATIC_ROOT = os.path.join(BASE_DIR, 'static')
[ "tinel.hajkova@gmail.com" ]
tinel.hajkova@gmail.com
f2524c8aac5047e8df7b39934eb9c36faf418259
c73e3f1983c9c5f870c40b1c084bf8f081e79f54
/src/fetch_data.py
1f3f72956a6869d4462d657d0a3816d0cba1f881
[]
no_license
Winnie1024/food_recognizer
6a98de6e59d5e91da9aa612f9f609e2583f0ce2e
1093904d16c1923110576faf97cc50f61731ffca
refs/heads/master
2021-09-10T16:18:03.576333
2018-03-29T05:09:12
2018-03-29T05:09:12
null
0
0
null
null
null
null
UTF-8
Python
false
false
3,896
py
import os,sys,time import pickle as p import random, math import numpy as np class_num = 2 image_size = 32 image_channels = 3 #从文件中读取所有数据【label,image_data】 def unpickle(filename): with open(filename, 'rb') as f: dict = p.load(f, encoding='bytes') return dict #分离文件中的label和data def load_data_once(filename): batch = unpickle(filename) data = batch['data'] labels = batch['label'] print("reading data and labels from %s" % filename) return data,labels def load_data(filequeue, data_dir, labels_count): global image_size, image_channels data, labels = load_data_once(data_dir + '/' + filequeue[0]) for f in filequeue[1:]: data_f, label_f = load_data_once(data_dir + '/' + f) data = np.append(data,data_f,axis=0) labels = np.append(labels, label_f,axis = 0) labels = np.array([ [float(i == label) for i in range(labels_count) ] for label in labels]) data = data.reshape([-1,image_channels, image_size, image_size]) data = data.transpose([0,2,3,1]) return data, labels #从相应文件中返回数据和标签 def fetch_data(): data_dir = "img_data/test_file/train_file" img_depth = image_size * image_size * image_channels meta = unpickle(data_dir + '/batches.meta') labels_name = meta[b'label_names'] label_count = len(labels_name) #train_files = [ 'data_batch_%d ' % d for d in range(1,6) ] train_data, train_labels = load_data(['data_batch_train'], data_dir, label_count) test_data, test_labels = load_data(['data_batch_test'], data_dir, label_count) print("~~~~~~Reading Data End~~~~~~") print("Train data: ", np.shape(train_data), np.shape(train_labels)) print("Test data: ", np.shape(test_data), np.shape(test_labels)) print("~~~~~~Shuffling Data Start~~~~~~") index = np.random.permutation(len(train_data)) train_data = train_data[index] train_labels = train_labels[index] return train_data, train_labels, test_data, test_labels #随机截取图像 def random_crop(batch, crop_shape, padding = None): img_shape = np.shape(batch[0]) if padding: img_shape = (img_shape[0] + 2*padding,img_shape[1], 2*padding) new_batch=[] newPad = ((padding,padding), (padding,padding), (0,0)) for i in range(len(batch)): new_batch.append(batch[i]) if padding: new_batch[i] = np.lib.pad(batch[i], pad_width=newPad, mode='constant', constant_values=0) new_height = random.randint(0, img_shape[0] - crop_shape[0]) new_wight= random.randint(0, img_shape[1] - crop_shape[1]) new_batch[i] = new_batch[i][new_height:new_height + crop_shape[0], new_wight:new_wight + crop_shape[1]] return new_batch def random_flip_leftRight(batch): for i in range(len(batch)): if bool(random.getrandbits): batch[i] = np.fliplr(batch[i]) return batch def color_preProcess(x_train, x_test): x_train = x_train.astype('float32') x_test = x_test.astype('float32') x_train[:,:,:,0] = (x_train[:,:,:,0] - np.mean(x_train[:,:,:,0])) / np.std(x_train[:,:,:,0]) x_train[:,:,:,1] = (x_train[:,:,:,1] - np.mean(x_train[:,:,:,1])) / np.std(x_train[:,:,:,1]) x_train[:,:,:,2] = (x_train[:,:,:,2] - np.mean(x_train[:,:,:,2])) / np.std(x_train[:,:,:,2]) x_test[:,:,:,0] = (x_test[:,:,:,0] - np.mean(x_test[:,:,:,0])) / np.std(x_test[:,:,:,0]) x_test[:,:,:,1] = (x_test[:,:,:,1] - np.mean(x_test[:,:,:,1])) / np.std(x_test[:,:,:,1]) x_test[:,:,:,2] = (x_test[:,:,:,2] - np.mean(x_test[:,:,:,2])) / np.std(x_test[:,:,:,2]) return x_train, x_test def data_augmentation(batch): batch = random_flip_leftRight(batch) batch = random_crop(batch, [32,32], 4) return batch #fetch_data()
[ "hujn3016@163.com" ]
hujn3016@163.com
8730042d5233046229d2ff24bc29de5638271ac9
2afc946a870e4c8bf2c2b2c05012aae5d531ed04
/autoSearch/carros/admin.py
d944b28b37c1c3a422d34bc3e03d08a70aa66480
[]
no_license
chema0714/examen_desarroweb_1
01eb30cd30d05ea3407ddd702f6a58b39954f493
b989d95defdda11f8e6dac2232813b8e7d71de50
refs/heads/master
2021-08-15T03:45:08.920476
2017-11-17T08:20:18
2017-11-17T08:20:18
108,313,734
0
0
null
null
null
null
UTF-8
Python
false
false
406
py
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.contrib import admin # Register your models here. from .models import Car class CarAdmin(admin.ModelAdmin): list_display = ["make","Type","year","colour","price","created"] searchfield = ["make","Type","year","colour"] list_filter = ["price"] class Meta: Model = Car admin.site.register(Car, CarAdmin)
[ "josemavh@gmail.com" ]
josemavh@gmail.com