5321 lines
314 KiB
Python
Executable File
5321 lines
314 KiB
Python
Executable File
#!/usr/bin/env python2.7
|
|
# Copyright (c) 2012 Jonathan Warren
|
|
# Copyright (c) 2012 The Bitmessage developers
|
|
# Distributed under the MIT/X11 software license. See the accompanying
|
|
# file COPYING or http://www.opensource.org/licenses/mit-license.php.
|
|
|
|
#Right now, PyBitmessage only support connecting to stream 1. It doesn't yet contain logic to expand into further streams.
|
|
|
|
softwareVersion = '0.2.8'
|
|
verbose = 1
|
|
maximumAgeOfAnObjectThatIAmWillingToAccept = 216000 #Equals two days and 12 hours.
|
|
lengthOfTimeToLeaveObjectsInInventory = 237600 #Equals two days and 18 hours. This should be longer than maximumAgeOfAnObjectThatIAmWillingToAccept so that we don't process messages twice.
|
|
lengthOfTimeToHoldOnToAllPubkeys = 2419200 #Equals 4 weeks. You could make this longer if you want but making it shorter would not be advisable because there is a very small possibility that it could keep you from obtaining a needed pubkey for a period of time.
|
|
maximumAgeOfObjectsThatIAdvertiseToOthers = 216000 #Equals two days and 12 hours
|
|
maximumAgeOfNodesThatIAdvertiseToOthers = 10800 #Equals three hours
|
|
storeConfigFilesInSameDirectoryAsProgramByDefault = False #The user may de-select Portable Mode in the settings if they want the config files to stay in the application data folder.
|
|
useVeryEasyProofOfWorkForTesting = False #If you set this to True while on the normal network, you won't be able to send or sometimes receive messages.
|
|
|
|
import sys
|
|
try:
|
|
from PyQt4.QtCore import *
|
|
from PyQt4.QtGui import *
|
|
except Exception, err:
|
|
print 'PyBitmessage requires PyQt. You can download it from http://www.riverbankcomputing.com/software/pyqt/download or by searching Google for \'PyQt Download\' (without quotes).'
|
|
print 'Error message:', err
|
|
sys.exit()
|
|
import ConfigParser
|
|
from bitmessageui import *
|
|
from newaddressdialog import *
|
|
from newsubscriptiondialog import *
|
|
from regenerateaddresses import *
|
|
from specialaddressbehavior import *
|
|
from settings import *
|
|
from about import *
|
|
from help import *
|
|
from iconglossary import *
|
|
from addresses import *
|
|
import Queue
|
|
from defaultKnownNodes import *
|
|
import time
|
|
import socket
|
|
import threading
|
|
import hashlib
|
|
from struct import *
|
|
import pickle
|
|
import random
|
|
import sqlite3
|
|
import threading #used for the locks, not for the threads
|
|
from time import strftime, localtime, gmtime
|
|
import os
|
|
import shutil #used for moving the messages.dat file
|
|
import string
|
|
import socks
|
|
import highlevelcrypto
|
|
from pyelliptic.openssl import OpenSSL
|
|
import ctypes
|
|
from pyelliptic import arithmetic
|
|
#The next 3 are used for the API
|
|
from SimpleXMLRPCServer import *
|
|
import json
|
|
from subprocess import call #used when the API must execute an outside program
|
|
|
|
#For each stream to which we connect, several outgoingSynSender threads will exist and will collectively create 8 connections with peers.
|
|
class outgoingSynSender(QThread):
|
|
def __init__(self, parent = None):
|
|
QThread.__init__(self, parent)
|
|
|
|
def setup(self,streamNumber):
|
|
self.streamNumber = streamNumber
|
|
|
|
def run(self):
|
|
time.sleep(1)
|
|
global alreadyAttemptedConnectionsListResetTime
|
|
while True:
|
|
#time.sleep(999999)#I sometimes use this to prevent connections for testing.
|
|
if len(selfInitiatedConnections[self.streamNumber]) < 8: #maximum number of outgoing connections = 8
|
|
random.seed()
|
|
HOST, = random.sample(knownNodes[self.streamNumber], 1)
|
|
alreadyAttemptedConnectionsListLock.acquire()
|
|
while HOST in alreadyAttemptedConnectionsList or HOST in connectedHostsList:
|
|
alreadyAttemptedConnectionsListLock.release()
|
|
#print 'choosing new sample'
|
|
random.seed()
|
|
HOST, = random.sample(knownNodes[self.streamNumber], 1)
|
|
time.sleep(1)
|
|
#Clear out the alreadyAttemptedConnectionsList every half hour so that this program will again attempt a connection to any nodes, even ones it has already tried.
|
|
if (time.time() - alreadyAttemptedConnectionsListResetTime) > 1800:
|
|
alreadyAttemptedConnectionsList.clear()
|
|
alreadyAttemptedConnectionsListResetTime = int(time.time())
|
|
alreadyAttemptedConnectionsListLock.acquire()
|
|
alreadyAttemptedConnectionsList[HOST] = 0
|
|
alreadyAttemptedConnectionsListLock.release()
|
|
PORT, timeNodeLastSeen = knownNodes[self.streamNumber][HOST]
|
|
sock = socks.socksocket(socket.AF_INET, socket.SOCK_STREAM)
|
|
sock.settimeout(20)
|
|
if config.get('bitmessagesettings', 'socksproxytype') == 'none' and verbose >= 2:
|
|
printLock.acquire()
|
|
print 'Trying an outgoing connection to', HOST, ':', PORT
|
|
printLock.release()
|
|
#sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
|
|
elif config.get('bitmessagesettings', 'socksproxytype') == 'SOCKS4a':
|
|
if verbose >= 2:
|
|
printLock.acquire()
|
|
print '(Using SOCKS4a) Trying an outgoing connection to', HOST, ':', PORT
|
|
printLock.release()
|
|
proxytype = socks.PROXY_TYPE_SOCKS4
|
|
sockshostname = config.get('bitmessagesettings', 'sockshostname')
|
|
socksport = config.getint('bitmessagesettings', 'socksport')
|
|
rdns = True #Do domain name lookups through the proxy; though this setting doesn't really matter since we won't be doing any domain name lookups anyway.
|
|
if config.getboolean('bitmessagesettings', 'socksauthentication'):
|
|
socksusername = config.get('bitmessagesettings', 'socksusername')
|
|
sockspassword = config.get('bitmessagesettings', 'sockspassword')
|
|
sock.setproxy(proxytype, sockshostname, socksport, rdns, socksusername, sockspassword)
|
|
else:
|
|
sock.setproxy(proxytype, sockshostname, socksport, rdns)
|
|
elif config.get('bitmessagesettings', 'socksproxytype') == 'SOCKS5':
|
|
if verbose >= 2:
|
|
printLock.acquire()
|
|
print '(Using SOCKS5) Trying an outgoing connection to', HOST, ':', PORT
|
|
printLock.release()
|
|
proxytype = socks.PROXY_TYPE_SOCKS5
|
|
sockshostname = config.get('bitmessagesettings', 'sockshostname')
|
|
socksport = config.getint('bitmessagesettings', 'socksport')
|
|
rdns = True #Do domain name lookups through the proxy; though this setting doesn't really matter since we won't be doing any domain name lookups anyway.
|
|
if config.getboolean('bitmessagesettings', 'socksauthentication'):
|
|
socksusername = config.get('bitmessagesettings', 'socksusername')
|
|
sockspassword = config.get('bitmessagesettings', 'sockspassword')
|
|
sock.setproxy(proxytype, sockshostname, socksport, rdns, socksusername, sockspassword)
|
|
else:
|
|
sock.setproxy(proxytype, sockshostname, socksport, rdns)
|
|
|
|
try:
|
|
sock.connect((HOST, PORT))
|
|
rd = receiveDataThread()
|
|
self.emit(SIGNAL("passObjectThrough(PyQt_PyObject)"),rd)
|
|
objectsOfWhichThisRemoteNodeIsAlreadyAware = {}
|
|
rd.setup(sock,HOST,PORT,self.streamNumber,objectsOfWhichThisRemoteNodeIsAlreadyAware)
|
|
rd.start()
|
|
printLock.acquire()
|
|
print self, 'connected to', HOST, 'during an outgoing attempt.'
|
|
printLock.release()
|
|
|
|
sd = sendDataThread()
|
|
sd.setup(sock,HOST,PORT,self.streamNumber,objectsOfWhichThisRemoteNodeIsAlreadyAware)
|
|
sd.start()
|
|
sd.sendVersionMessage()
|
|
|
|
except socks.GeneralProxyError, err:
|
|
if verbose >= 2:
|
|
printLock.acquire()
|
|
print 'Could NOT connect to', HOST, 'during outgoing attempt.', err
|
|
printLock.release()
|
|
PORT, timeLastSeen = knownNodes[self.streamNumber][HOST]
|
|
if (int(time.time())-timeLastSeen) > 172800 and len(knownNodes[self.streamNumber]) > 1000: # for nodes older than 48 hours old if we have more than 1000 hosts in our list, delete from the knownNodes data-structure.
|
|
knownNodesLock.acquire()
|
|
del knownNodes[self.streamNumber][HOST]
|
|
knownNodesLock.release()
|
|
print 'deleting ', HOST, 'from knownNodes because it is more than 48 hours old and we could not connect to it.'
|
|
except socks.Socks5AuthError, err:
|
|
self.emit(SIGNAL("updateStatusBar(PyQt_PyObject)"),"SOCKS5 Authentication problem: "+str(err))
|
|
except socks.Socks5Error, err:
|
|
pass
|
|
print 'SOCKS5 error. (It is possible that the server wants authentication).)' ,str(err)
|
|
#self.emit(SIGNAL("updateStatusBar(PyQt_PyObject)"),"SOCKS5 error. Server might require authentication. "+str(err))
|
|
except socks.Socks4Error, err:
|
|
print 'Socks4Error:', err
|
|
#self.emit(SIGNAL("updateStatusBar(PyQt_PyObject)"),"SOCKS4 error: "+str(err))
|
|
except socket.error, err:
|
|
if config.get('bitmessagesettings', 'socksproxytype')[0:5] == 'SOCKS':
|
|
print 'Bitmessage MIGHT be having trouble connecting to the SOCKS server. '+str(err)
|
|
#self.emit(SIGNAL("updateStatusBar(PyQt_PyObject)"),"Problem: Bitmessage can not connect to the SOCKS server. "+str(err))
|
|
else:
|
|
if verbose >= 1:
|
|
printLock.acquire()
|
|
print 'Could NOT connect to', HOST, 'during outgoing attempt.', err
|
|
printLock.release()
|
|
PORT, timeLastSeen = knownNodes[self.streamNumber][HOST]
|
|
if (int(time.time())-timeLastSeen) > 172800 and len(knownNodes[self.streamNumber]) > 1000: # for nodes older than 48 hours old if we have more than 1000 hosts in our list, delete from the knownNodes data-structure.
|
|
knownNodesLock.acquire()
|
|
del knownNodes[self.streamNumber][HOST]
|
|
knownNodesLock.release()
|
|
print 'deleting ', HOST, 'from knownNodes because it is more than 48 hours old and we could not connect to it.'
|
|
except Exception, err:
|
|
sys.stderr.write('An exception has occurred in the outgoingSynSender thread that was not caught by other exception types: %s\n' % err)
|
|
time.sleep(0.1)
|
|
|
|
#Only one singleListener thread will ever exist. It creates the receiveDataThread and sendDataThread for each incoming connection. Note that it cannot set the stream number because it is not known yet- the other node will have to tell us its stream number in a version message. If we don't care about their stream, we will close the connection (within the recversion function of the recieveData thread)
|
|
class singleListener(QThread):
|
|
def __init__(self, parent = None):
|
|
QThread.__init__(self, parent)
|
|
|
|
|
|
def run(self):
|
|
#We don't want to accept incoming connections if the user is using a SOCKS proxy. If they eventually select proxy 'none' then this will start listening for connections.
|
|
while config.get('bitmessagesettings', 'socksproxytype')[0:5] == 'SOCKS':
|
|
time.sleep(300)
|
|
|
|
print 'Listening for incoming connections.'
|
|
HOST = '' # Symbolic name meaning all available interfaces
|
|
PORT = config.getint('bitmessagesettings', 'port')
|
|
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
|
|
#This option apparently avoids the TIME_WAIT state so that we can rebind faster
|
|
sock.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
|
|
sock.bind((HOST, PORT))
|
|
sock.listen(2)
|
|
|
|
|
|
while True:
|
|
#We don't want to accept incoming connections if the user is using a SOCKS proxy. If the user eventually select proxy 'none' then this will start listening for connections.
|
|
while config.get('bitmessagesettings', 'socksproxytype')[0:5] == 'SOCKS':
|
|
time.sleep(10)
|
|
a,(HOST,PORT) = sock.accept()
|
|
#Users are finding that if they run more than one node in the same network (thus with the same public IP), they can not connect with the second node. This is because this section of code won't accept the connection from the same IP. This problem will go away when the Bitmessage network grows beyond being tiny but in the mean time I'll comment out this code section.
|
|
"""while HOST in connectedHostsList:
|
|
print 'incoming connection is from a host in connectedHostsList (we are already connected to it). Ignoring it.'
|
|
a.close()
|
|
a,(HOST,PORT) = sock.accept()"""
|
|
rd = receiveDataThread()
|
|
self.emit(SIGNAL("passObjectThrough(PyQt_PyObject)"),rd)
|
|
objectsOfWhichThisRemoteNodeIsAlreadyAware = {}
|
|
rd.setup(a,HOST,PORT,-1,objectsOfWhichThisRemoteNodeIsAlreadyAware)
|
|
printLock.acquire()
|
|
print self, 'connected to', HOST,'during INCOMING request.'
|
|
printLock.release()
|
|
rd.start()
|
|
|
|
sd = sendDataThread()
|
|
sd.setup(a,HOST,PORT,-1,objectsOfWhichThisRemoteNodeIsAlreadyAware)
|
|
sd.start()
|
|
|
|
|
|
#This thread is created either by the synSenderThread(for outgoing connections) or the singleListenerThread(for incoming connectiosn).
|
|
class receiveDataThread(QThread):
|
|
def __init__(self, parent = None):
|
|
QThread.__init__(self, parent)
|
|
self.data = ''
|
|
self.verackSent = False
|
|
self.verackReceived = False
|
|
|
|
def setup(self,sock,HOST,port,streamNumber,objectsOfWhichThisRemoteNodeIsAlreadyAware):
|
|
self.sock = sock
|
|
self.HOST = HOST
|
|
self.PORT = port
|
|
self.sock.settimeout(600) #We'll send out a pong every 5 minutes to make sure the connection stays alive if there has been no other traffic to send lately.
|
|
self.streamNumber = streamNumber
|
|
self.payloadLength = 0 #This is the protocol payload length thus it doesn't include the 24 byte message header
|
|
self.receivedgetbiginv = False #Gets set to true once we receive a getbiginv message from our peer. An abusive peer might request it too much so we use this variable to check whether they have already asked for a big inv message.
|
|
self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave = {}
|
|
connectedHostsList[self.HOST] = 0 #The very fact that this receiveData thread exists shows that we are connected to the remote host. Let's add it to this list so that an outgoingSynSender thread doesn't try to connect to it.
|
|
self.connectionIsOrWasFullyEstablished = False #set to true after the remote node and I accept each other's version messages. This is needed to allow the user interface to accurately reflect the current number of connections.
|
|
if self.streamNumber == -1: #This was an incoming connection. Send out a version message if we accept the other node's version message.
|
|
self.initiatedConnection = False
|
|
else:
|
|
self.initiatedConnection = True
|
|
selfInitiatedConnections[streamNumber][self] = 0
|
|
self.ackDataThatWeHaveYetToSend = [] #When we receive a message bound for us, we store the acknowledgement that we need to send (the ackdata) here until we are done processing all other data received from this peer.
|
|
self.objectsOfWhichThisRemoteNodeIsAlreadyAware = objectsOfWhichThisRemoteNodeIsAlreadyAware
|
|
|
|
def run(self):
|
|
|
|
while True:
|
|
try:
|
|
self.data += self.sock.recv(65536)
|
|
except socket.timeout:
|
|
printLock.acquire()
|
|
print 'Timeout occurred waiting for data. Closing receiveData thread.'
|
|
printLock.release()
|
|
break
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
print 'sock.recv error. Closing receiveData thread.', err
|
|
printLock.release()
|
|
break
|
|
#print 'Received', repr(self.data)
|
|
if self.data == "":
|
|
printLock.acquire()
|
|
print 'Connection closed. Closing receiveData thread.'
|
|
printLock.release()
|
|
break
|
|
else:
|
|
self.processData()
|
|
|
|
|
|
|
|
try:
|
|
self.sock.close()
|
|
except Exception, err:
|
|
print 'Within receiveDataThread run(), self.sock.close() failed.', err
|
|
|
|
try:
|
|
del selfInitiatedConnections[self.streamNumber][self]
|
|
printLock.acquire()
|
|
print 'removed self (a receiveDataThread) from ConnectionList'
|
|
printLock.release()
|
|
except:
|
|
pass
|
|
broadcastToSendDataQueues((0, 'shutdown', self.HOST))
|
|
if self.connectionIsOrWasFullyEstablished: #We don't want to decrement the number of connections and show the result if we never incremented it in the first place (which we only do if the connection is fully established- meaning that both nodes accepted each other's version packets.)
|
|
connectionsCountLock.acquire()
|
|
connectionsCount[self.streamNumber] -= 1
|
|
self.emit(SIGNAL("updateNetworkStatusTab(PyQt_PyObject,PyQt_PyObject)"),self.streamNumber,connectionsCount[self.streamNumber])
|
|
printLock.acquire()
|
|
print 'Updating network status tab with current connections count:', connectionsCount[self.streamNumber]
|
|
printLock.release()
|
|
connectionsCountLock.release()
|
|
try:
|
|
del connectedHostsList[self.HOST]
|
|
except Exception, err:
|
|
print 'Could not delete', self.HOST, 'from connectedHostsList.', err
|
|
|
|
def processData(self):
|
|
global verbose
|
|
#if verbose >= 3:
|
|
#printLock.acquire()
|
|
#print 'self.data is currently ', repr(self.data)
|
|
#printLock.release()
|
|
if len(self.data) < 20: #if so little of the data has arrived that we can't even unpack the payload length
|
|
pass
|
|
elif self.data[0:4] != '\xe9\xbe\xb4\xd9':
|
|
if verbose >= 1:
|
|
printLock.acquire()
|
|
sys.stderr.write('The magic bytes were not correct. First 40 bytes of data: %s\n' % repr(self.data[0:40]))
|
|
print 'self.data:', self.data.encode('hex')
|
|
printLock.release()
|
|
self.data = ""
|
|
else:
|
|
self.payloadLength, = unpack('>L',self.data[16:20])
|
|
if len(self.data) >= self.payloadLength+24: #check if the whole message has arrived yet. If it has,...
|
|
if self.data[20:24] == hashlib.sha512(self.data[24:self.payloadLength+24]).digest()[0:4]:#test the checksum in the message. If it is correct...
|
|
#print 'message checksum is correct'
|
|
#The time we've last seen this node is obviously right now since we just received valid data from it. So update the knownNodes list so that other peers can be made aware of its existance.
|
|
if self.initiatedConnection: #The remote port is only something we should share with others if it is the remote node's incoming port (rather than some random operating-system-assigned outgoing port).
|
|
knownNodesLock.acquire()
|
|
knownNodes[self.streamNumber][self.HOST] = (self.PORT,int(time.time()))
|
|
knownNodesLock.release()
|
|
if self.payloadLength <= 180000000: #If the size of the message is greater than 180MB, ignore it. (I get memory errors when processing messages much larger than this though it is concievable that this value will have to be lowered if some systems are less tolarant of large messages.)
|
|
remoteCommand = self.data[4:16]
|
|
printLock.acquire()
|
|
print 'remoteCommand', repr(remoteCommand.replace('\x00','')), ' from', self.HOST
|
|
printLock.release()
|
|
if remoteCommand == 'version\x00\x00\x00\x00\x00':
|
|
self.recversion(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'verack\x00\x00\x00\x00\x00\x00':
|
|
self.recverack()
|
|
elif remoteCommand == 'addr\x00\x00\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recaddr(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'getpubkey\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recgetpubkey(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'pubkey\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recpubkey(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'inv\x00\x00\x00\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recinv(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'getdata\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recgetdata(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'getbiginv\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.sendBigInv()
|
|
elif remoteCommand == 'msg\x00\x00\x00\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recmsg(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'broadcast\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.recbroadcast(self.data[24:self.payloadLength+24])
|
|
elif remoteCommand == 'getaddr\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.sendaddr()
|
|
elif remoteCommand == 'ping\x00\x00\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
self.sendpong()
|
|
elif remoteCommand == 'pong\x00\x00\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
pass
|
|
elif remoteCommand == 'alert\x00\x00\x00\x00\x00\x00\x00' and self.connectionIsOrWasFullyEstablished:
|
|
pass
|
|
|
|
self.data = self.data[self.payloadLength+24:]#take this message out and then process the next message
|
|
if self.data == '':
|
|
while len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave) > 0:
|
|
random.seed()
|
|
objectHash, = random.sample(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave, 1)
|
|
if objectHash in inventory:
|
|
printLock.acquire()
|
|
print 'Inventory (in memory) already has object listed in inv message.'
|
|
printLock.release()
|
|
del self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave[objectHash]
|
|
elif isInSqlInventory(objectHash):
|
|
if verbose >= 3:
|
|
printLock.acquire()
|
|
print 'Inventory (SQL on disk) already has object listed in inv message.'
|
|
printLock.release()
|
|
del self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave[objectHash]
|
|
else:
|
|
self.sendgetdata(objectHash)
|
|
del self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave[objectHash] #It is possible that the remote node doesn't respond with the object. In that case, we'll very likely get it from someone else anyway.
|
|
if len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave) == 0:
|
|
printLock.acquire()
|
|
print '(concerning', self.HOST + ')', 'number of objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave is now', len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave)
|
|
printLock.release()
|
|
break
|
|
if len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave) == 0:
|
|
printLock.acquire()
|
|
print '(concerning', self.HOST + ')', 'number of objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave is now', len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave)
|
|
printLock.release()
|
|
if len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave) > 0:
|
|
printLock.acquire()
|
|
print '(concerning', self.HOST + ')', 'number of objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave is now', len(self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave)
|
|
printLock.release()
|
|
if len(self.ackDataThatWeHaveYetToSend) > 0:
|
|
self.data = self.ackDataThatWeHaveYetToSend.pop()
|
|
self.processData()
|
|
else:
|
|
print 'Checksum incorrect. Clearing this message.'
|
|
self.data = self.data[self.payloadLength+24:]
|
|
|
|
def isProofOfWorkSufficient(self,data):
|
|
POW, = unpack('>Q',hashlib.sha512(hashlib.sha512(data[:8]+ hashlib.sha512(data[8:]).digest()).digest()).digest()[0:8])
|
|
#print 'POW:', POW
|
|
#Notice that I have divided the averageProofOfWorkNonceTrialsPerByte by two. This makes the POW requirement easier. This gives us wiggle-room: if we decide that we want to make the POW easier, the change won't obsolete old clients because they already expect a lower POW. If we decide that the current work done by clients feels approperate then we can remove this division by 2 and make the requirement match what is actually done by a sending node. If we want to raise the POW requirement then old nodes will HAVE to upgrade no matter what.
|
|
return POW <= 2**64 / ((len(data)+payloadLengthExtraBytes) * (averageProofOfWorkNonceTrialsPerByte/2))
|
|
|
|
def sendpong(self):
|
|
print 'Sending pong'
|
|
self.sock.sendall('\xE9\xBE\xB4\xD9\x70\x6F\x6E\x67\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xcf\x83\xe1\x35')
|
|
|
|
def recverack(self):
|
|
print 'verack received'
|
|
self.verackReceived = True
|
|
if self.verackSent == True:
|
|
#We have thus both sent and received a verack.
|
|
self.connectionFullyEstablished()
|
|
|
|
def connectionFullyEstablished(self):
|
|
self.connectionIsOrWasFullyEstablished = True
|
|
if not self.initiatedConnection:
|
|
self.emit(SIGNAL("setStatusIcon(PyQt_PyObject)"),'green')
|
|
#Update the 'Network Status' tab
|
|
connectionsCountLock.acquire()
|
|
connectionsCount[self.streamNumber] += 1
|
|
self.emit(SIGNAL("updateNetworkStatusTab(PyQt_PyObject,PyQt_PyObject)"),self.streamNumber,connectionsCount[self.streamNumber])
|
|
connectionsCountLock.release()
|
|
remoteNodeIncomingPort, remoteNodeSeenTime = knownNodes[self.streamNumber][self.HOST]
|
|
printLock.acquire()
|
|
print 'Connection fully established with', self.HOST, remoteNodeIncomingPort
|
|
print 'broadcasting addr from within connectionFullyEstablished function.'
|
|
printLock.release()
|
|
self.broadcastaddr([(int(time.time()), self.streamNumber, 1, self.HOST, remoteNodeIncomingPort)]) #This lets all of our peers know about this new node.
|
|
self.sendaddr() #This is one large addr message to this one peer.
|
|
if not self.initiatedConnection and connectionsCount[self.streamNumber] > 150:
|
|
printLock.acquire()
|
|
print 'We are connected to too many people. Closing connection.'
|
|
printLock.release()
|
|
self.sock.close()
|
|
return
|
|
self.sendBigInv()
|
|
|
|
def sendBigInv(self): #I used capitals in for this function name because there is no such Bitmessage command as 'biginv'.
|
|
if self.receivedgetbiginv:
|
|
print 'We have already sent a big inv message to this peer. Ignoring request.'
|
|
return
|
|
else:
|
|
self.receivedgetbiginv = True
|
|
sqlLock.acquire()
|
|
#Select all hashes which are younger than two days old and in this stream.
|
|
t = (int(time.time())-maximumAgeOfObjectsThatIAdvertiseToOthers,int(time.time())-lengthOfTimeToHoldOnToAllPubkeys,self.streamNumber)
|
|
sqlSubmitQueue.put('''SELECT hash FROM inventory WHERE ((receivedtime>? and objecttype<>'pubkey') or (receivedtime>? and objecttype='pubkey')) and streamnumber=?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
bigInvList = {}
|
|
for row in queryreturn:
|
|
hash, = row
|
|
if hash not in self.objectsOfWhichThisRemoteNodeIsAlreadyAware:
|
|
bigInvList[hash] = 0
|
|
else:
|
|
printLock.acquire()
|
|
print 'Not including an object hash in a big inv message because the remote node is already aware of it.'#This line is here to check that this feature is working.
|
|
printLock.release()
|
|
#We also have messages in our inventory in memory (which is a python dictionary). Let's fetch those too.
|
|
for hash, storedValue in inventory.items():
|
|
if hash not in self.objectsOfWhichThisRemoteNodeIsAlreadyAware:
|
|
objectType, streamNumber, payload, receivedTime = storedValue
|
|
if streamNumber == self.streamNumber and receivedTime > int(time.time())-maximumAgeOfObjectsThatIAdvertiseToOthers:
|
|
bigInvList[hash] = 0
|
|
else:
|
|
printLock.acquire()
|
|
print 'Not including an object hash in a big inv message because the remote node is already aware of it.'#This line is here to check that this feature is working.
|
|
printLock.release()
|
|
numberOfObjectsInInvMessage = 0
|
|
payload = ''
|
|
#Now let us start appending all of these hashes together. They will be sent out in a big inv message to our new peer.
|
|
for hash, storedValue in bigInvList.items():
|
|
payload += hash
|
|
numberOfObjectsInInvMessage += 1
|
|
if numberOfObjectsInInvMessage >= 50000: #We can only send a max of 50000 items per inv message but we may have more objects to advertise. They must be split up into multiple inv messages.
|
|
self.sendinvMessageToJustThisOnePeer(numberOfObjectsInInvMessage,payload)
|
|
payload = ''
|
|
numberOfObjectsInInvMessage = 0
|
|
if numberOfObjectsInInvMessage > 0:
|
|
self.sendinvMessageToJustThisOnePeer(numberOfObjectsInInvMessage,payload)
|
|
|
|
#Self explanatory. Notice that there is also a broadcastinv function for broadcasting invs to everyone in our stream.
|
|
def sendinvMessageToJustThisOnePeer(self,numberOfObjects,payload):
|
|
payload = encodeVarint(numberOfObjects) + payload
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'inv\x00\x00\x00\x00\x00\x00\x00\x00\x00'
|
|
headerData += pack('>L',len(payload))
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
printLock.acquire()
|
|
print 'Sending huge inv message with', numberOfObjects, 'objects to just this one peer'
|
|
printLock.release()
|
|
self.sock.sendall(headerData + payload)
|
|
|
|
#We have received a broadcast message
|
|
def recbroadcast(self,data):
|
|
self.messageProcessingStartTime = time.time()
|
|
#First we must check to make sure the proof of work is sufficient.
|
|
if not self.isProofOfWorkSufficient(data):
|
|
print 'Proof of work in broadcast message insufficient.'
|
|
return
|
|
readPosition = 8 #bypass the nonce
|
|
embeddedTime, = unpack('>I',data[readPosition:readPosition+4])
|
|
|
|
#This section is used for the transition from 32 bit time to 64 bit time in the protocol.
|
|
if embeddedTime == 0:
|
|
embeddedTime, = unpack('>Q',data[readPosition:readPosition+8])
|
|
readPosition += 8
|
|
else:
|
|
readPosition += 4
|
|
|
|
if embeddedTime > (int(time.time())+10800): #prevent funny business
|
|
print 'The embedded time in this broadcast message is more than three hours in the future. That doesn\'t make sense. Ignoring message.'
|
|
return
|
|
if embeddedTime < (int(time.time())-maximumAgeOfAnObjectThatIAmWillingToAccept):
|
|
print 'The embedded time in this broadcast message is too old. Ignoring message.'
|
|
return
|
|
if len(data) < 180:
|
|
print 'The payload length of this broadcast packet is unreasonably low. Someone is probably trying funny business. Ignoring message.'
|
|
return
|
|
inventoryLock.acquire()
|
|
self.inventoryHash = calculateInventoryHash(data)
|
|
if self.inventoryHash in inventory:
|
|
print 'We have already received this broadcast object. Ignoring.'
|
|
inventoryLock.release()
|
|
return
|
|
elif isInSqlInventory(self.inventoryHash):
|
|
print 'We have already received this broadcast object (it is stored on disk in the SQL inventory). Ignoring it.'
|
|
inventoryLock.release()
|
|
return
|
|
#It is valid so far. Let's let our peers know about it.
|
|
objectType = 'broadcast'
|
|
inventory[self.inventoryHash] = (objectType, self.streamNumber, data, embeddedTime)
|
|
inventoryLock.release()
|
|
self.broadcastinv(self.inventoryHash)
|
|
self.emit(SIGNAL("incrementNumberOfBroadcastsProcessed()"))
|
|
|
|
|
|
self.processbroadcast(readPosition,data)#When this function returns, we will have either successfully processed this broadcast because we are interested in it, ignored it because we aren't interested in it, or found problem with the broadcast that warranted ignoring it.
|
|
|
|
# Let us now set lengthOfTimeWeShouldUseToProcessThisMessage. If we haven't used the specified amount of time, we shall sleep. These values are mostly the same values used for msg messages although broadcast messages are processed faster.
|
|
if len(data) > 100000000: #Size is greater than 100 megabytes
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = 100 #seconds.
|
|
elif len(data) > 10000000: #Between 100 and 10 megabytes
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = 20 #seconds.
|
|
elif len(data) > 1000000: #Between 10 and 1 megabyte
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = 3 #seconds.
|
|
else: #Less than 1 megabyte
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = .1 #seconds.
|
|
|
|
|
|
sleepTime = lengthOfTimeWeShouldUseToProcessThisMessage - (time.time()- self.messageProcessingStartTime)
|
|
if sleepTime > 0:
|
|
printLock.acquire()
|
|
print 'Timing attack mitigation: Sleeping for', sleepTime ,'seconds.'
|
|
printLock.release()
|
|
time.sleep(sleepTime)
|
|
printLock.acquire()
|
|
print 'Total message processing time:', time.time()- self.messageProcessingStartTime, 'seconds.'
|
|
printLock.release()
|
|
|
|
#A broadcast message has a valid time and POW and requires processing. The recbroadcast function calls this one.
|
|
def processbroadcast(self,readPosition,data):
|
|
broadcastVersion, broadcastVersionLength = decodeVarint(data[readPosition:readPosition+9])
|
|
if broadcastVersion <> 1:
|
|
#Cannot decode incoming broadcast versions higher than 1. Assuming the sender isn\' being silly, you should upgrade Bitmessage because this message shall be ignored.
|
|
return
|
|
readPosition += broadcastVersionLength
|
|
beginningOfPubkeyPosition = readPosition #used when we add the pubkey to our pubkey table
|
|
sendersAddressVersion, sendersAddressVersionLength = decodeVarint(data[readPosition:readPosition+9])
|
|
if sendersAddressVersion <= 1 or sendersAddressVersion >=3:
|
|
#Cannot decode senderAddressVersion higher than 2. Assuming the sender isn\' being silly, you should upgrade Bitmessage because this message shall be ignored.
|
|
return
|
|
readPosition += sendersAddressVersionLength
|
|
if sendersAddressVersion == 2:
|
|
sendersStream, sendersStreamLength = decodeVarint(data[readPosition:readPosition+9])
|
|
if sendersStream <= 0 or sendersStream <> self.streamNumber:
|
|
return
|
|
readPosition += sendersStreamLength
|
|
behaviorBitfield = data[readPosition:readPosition+4]
|
|
readPosition += 4
|
|
sendersPubSigningKey = '\x04' + data[readPosition:readPosition+64]
|
|
readPosition += 64
|
|
sendersPubEncryptionKey = '\x04' + data[readPosition:readPosition+64]
|
|
readPosition += 64
|
|
endOfPubkeyPosition = readPosition
|
|
sendersHash = data[readPosition:readPosition+20]
|
|
if sendersHash not in broadcastSendersForWhichImWatching:
|
|
#Display timing data
|
|
printLock.acquire()
|
|
print 'Time spent deciding that we are not interested in this broadcast:', time.time()- self.messageProcessingStartTime
|
|
printLock.release()
|
|
return
|
|
#At this point, this message claims to be from sendersHash and we are interested in it. We still have to hash the public key to make sure it is truly the key that matches the hash, and also check the signiture.
|
|
readPosition += 20
|
|
|
|
sha = hashlib.new('sha512')
|
|
sha.update(sendersPubSigningKey+sendersPubEncryptionKey)
|
|
ripe = hashlib.new('ripemd160')
|
|
ripe.update(sha.digest())
|
|
if ripe.digest() != sendersHash:
|
|
#The sender of this message lied.
|
|
return
|
|
messageEncodingType, messageEncodingTypeLength = decodeVarint(data[readPosition:readPosition+9])
|
|
if messageEncodingType == 0:
|
|
return
|
|
readPosition += messageEncodingTypeLength
|
|
messageLength, messageLengthLength = decodeVarint(data[readPosition:readPosition+9])
|
|
readPosition += messageLengthLength
|
|
message = data[readPosition:readPosition+messageLength]
|
|
readPosition += messageLength
|
|
readPositionAtBottomOfMessage = readPosition
|
|
signatureLength, signatureLengthLength = decodeVarint(data[readPosition:readPosition+9])
|
|
readPosition += signatureLengthLength
|
|
signature = data[readPosition:readPosition+signatureLength]
|
|
try:
|
|
highlevelcrypto.verify(data[12:readPositionAtBottomOfMessage],signature,sendersPubSigningKey.encode('hex'))
|
|
print 'ECDSA verify passed'
|
|
except Exception, err:
|
|
print 'ECDSA verify failed', err
|
|
return
|
|
#verify passed
|
|
|
|
#Let's store the public key in case we want to reply to this person.
|
|
#We don't have the correct nonce or time (which would let us send out a pubkey message) so we'll just fill it with 1's. We won't be able to send this pubkey to others (without doing the proof of work ourselves, which this program is programmed to not do.)
|
|
t = (ripe.digest(),False,'\xFF\xFF\xFF\xFF\xFF\xFF\xFF\xFF'+'\xFF\xFF\xFF\xFF'+data[beginningOfPubkeyPosition:endOfPubkeyPosition],int(time.time()),'yes')
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''INSERT INTO pubkeys VALUES (?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
workerQueue.put(('newpubkey',(sendersAddressVersion,sendersStream,ripe.digest()))) #This will check to see whether we happen to be awaiting this pubkey in order to send a message. If we are, it will do the POW and send it.
|
|
|
|
fromAddress = encodeAddress(sendersAddressVersion,sendersStream,ripe.digest())
|
|
printLock.acquire()
|
|
print 'fromAddress:', fromAddress
|
|
printLock.release()
|
|
if messageEncodingType == 2:
|
|
bodyPositionIndex = string.find(message,'\nBody:')
|
|
if bodyPositionIndex > 1:
|
|
subject = message[8:bodyPositionIndex]
|
|
body = message[bodyPositionIndex+6:]
|
|
else:
|
|
subject = ''
|
|
body = message
|
|
elif messageEncodingType == 1:
|
|
body = message
|
|
subject = ''
|
|
elif messageEncodingType == 0:
|
|
print 'messageEncodingType == 0. Doing nothing with the message.'
|
|
else:
|
|
body = 'Unknown encoding type.\n\n' + repr(message)
|
|
subject = ''
|
|
|
|
toAddress = '[Broadcast subscribers]'
|
|
if messageEncodingType <> 0:
|
|
sqlLock.acquire()
|
|
t = (self.inventoryHash,toAddress,fromAddress,subject,int(time.time()),body,'inbox',messageEncodingType,0)
|
|
sqlSubmitQueue.put('''INSERT INTO inbox VALUES (?,?,?,?,?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
self.emit(SIGNAL("displayNewInboxMessage(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"),self.inventoryHash,toAddress,fromAddress,subject,body)
|
|
|
|
#If we are behaving as an API then we might need to run an outside command to let some program know that a new message has arrived.
|
|
if safeConfigGetBoolean('bitmessagesettings','apienabled'):
|
|
try:
|
|
apiNotifyPath = config.get('bitmessagesettings','apinotifypath')
|
|
except:
|
|
apiNotifyPath = ''
|
|
if apiNotifyPath != '':
|
|
call([apiNotifyPath, "newBroadcast"])
|
|
|
|
#Display timing data
|
|
printLock.acquire()
|
|
print 'Time spent processing this interesting broadcast:', time.time()- self.messageProcessingStartTime
|
|
printLock.release()
|
|
|
|
|
|
#We have received a msg message.
|
|
def recmsg(self,data):
|
|
self.messageProcessingStartTime = time.time()
|
|
#First we must check to make sure the proof of work is sufficient.
|
|
if not self.isProofOfWorkSufficient(data):
|
|
print 'Proof of work in msg message insufficient.'
|
|
return
|
|
|
|
readPosition = 8
|
|
embeddedTime, = unpack('>I',data[readPosition:readPosition+4])
|
|
|
|
#This section is used for the transition from 32 bit time to 64 bit time in the protocol.
|
|
if embeddedTime == 0:
|
|
embeddedTime, = unpack('>Q',data[readPosition:readPosition+8])
|
|
readPosition += 8
|
|
else:
|
|
readPosition += 4
|
|
|
|
if embeddedTime > int(time.time())+10800:
|
|
print 'The time in the msg message is too new. Ignoring it. Time:', embeddedTime
|
|
return
|
|
if embeddedTime < int(time.time())-maximumAgeOfAnObjectThatIAmWillingToAccept:
|
|
print 'The time in the msg message is too old. Ignoring it. Time:', embeddedTime
|
|
return
|
|
streamNumberAsClaimedByMsg, streamNumberAsClaimedByMsgLength = decodeVarint(data[readPosition:readPosition+9])
|
|
if streamNumberAsClaimedByMsg != self.streamNumber:
|
|
print 'The stream number encoded in this msg (' + str(streamNumberAsClaimedByMsg) + ') message does not match the stream number on which it was received. Ignoring it.'
|
|
return
|
|
readPosition += streamNumberAsClaimedByMsgLength
|
|
self.inventoryHash = calculateInventoryHash(data)
|
|
inventoryLock.acquire()
|
|
if self.inventoryHash in inventory:
|
|
print 'We have already received this msg message. Ignoring.'
|
|
inventoryLock.release()
|
|
return
|
|
elif isInSqlInventory(self.inventoryHash):
|
|
print 'We have already received this msg message (it is stored on disk in the SQL inventory). Ignoring it.'
|
|
inventoryLock.release()
|
|
return
|
|
#This msg message is valid. Let's let our peers know about it.
|
|
objectType = 'msg'
|
|
inventory[self.inventoryHash] = (objectType, self.streamNumber, data, embeddedTime)
|
|
inventoryLock.release()
|
|
self.broadcastinv(self.inventoryHash)
|
|
self.emit(SIGNAL("incrementNumberOfMessagesProcessed()"))
|
|
|
|
self.processmsg(readPosition,data) #When this function returns, we will have either successfully processed the message bound for us, ignored it because it isn't bound for us, or found problem with the message that warranted ignoring it.
|
|
|
|
# Let us now set lengthOfTimeWeShouldUseToProcessThisMessage. If we haven't used the specified amount of time, we shall sleep. These values are based on test timings and you may change them at-will.
|
|
if len(data) > 100000000: #Size is greater than 100 megabytes
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = 100 #seconds. Actual length of time it took my computer to decrypt and verify the signature of a 100 MB message: 3.7 seconds.
|
|
elif len(data) > 10000000: #Between 100 and 10 megabytes
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = 20 #seconds. Actual length of time it took my computer to decrypt and verify the signature of a 10 MB message: 0.53 seconds. Actual length of time it takes in practice when processing a real message: 1.44 seconds.
|
|
elif len(data) > 1000000: #Between 10 and 1 megabyte
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = 3 #seconds. Actual length of time it took my computer to decrypt and verify the signature of a 1 MB message: 0.18 seconds. Actual length of time it takes in practice when processing a real message: 0.30 seconds.
|
|
else: #Less than 1 megabyte
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = .6 #seconds. Actual length of time it took my computer to decrypt and verify the signature of a 100 KB message: 0.15 seconds. Actual length of time it takes in practice when processing a real message: 0.25 seconds.
|
|
|
|
|
|
sleepTime = lengthOfTimeWeShouldUseToProcessThisMessage - (time.time()- self.messageProcessingStartTime)
|
|
if sleepTime > 0:
|
|
printLock.acquire()
|
|
print 'Timing attack mitigation: Sleeping for', sleepTime ,'seconds.'
|
|
printLock.release()
|
|
time.sleep(sleepTime)
|
|
printLock.acquire()
|
|
print 'Total message processing time:', time.time()- self.messageProcessingStartTime, 'seconds.'
|
|
printLock.release()
|
|
|
|
|
|
#A msg message has a valid time and POW and requires processing. The recmsg function calls this one.
|
|
def processmsg(self,readPosition, encryptedData):
|
|
initialDecryptionSuccessful = False
|
|
#Let's check whether this is a message acknowledgement bound for us.
|
|
if encryptedData[readPosition:] in ackdataForWhichImWatching:
|
|
printLock.acquire()
|
|
print 'This msg IS an acknowledgement bound for me.'
|
|
printLock.release()
|
|
del ackdataForWhichImWatching[encryptedData[readPosition:]]
|
|
t = ('ackreceived',encryptedData[readPosition:])
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('UPDATE sent SET status=? WHERE ackdata=?')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
self.emit(SIGNAL("updateSentItemStatusByAckdata(PyQt_PyObject,PyQt_PyObject)"),encryptedData[readPosition:],'Acknowledgement of the message received just now.')
|
|
return
|
|
else:
|
|
printLock.acquire()
|
|
print 'This was NOT an acknowledgement bound for me.'
|
|
#print 'ackdataForWhichImWatching', ackdataForWhichImWatching
|
|
printLock.release()
|
|
|
|
#This is not an acknowledgement bound for me. See if it is a message bound for me by trying to decrypt it with my private keys.
|
|
for key, cryptorObject in myECAddressHashes.items():
|
|
try:
|
|
unencryptedData = cryptorObject.decrypt(encryptedData[readPosition:])
|
|
toRipe = key #This is the RIPE hash of my pubkeys. We need this below to compare to the destination_ripe included in the encrypted data.
|
|
initialDecryptionSuccessful = True
|
|
print 'EC decryption successful using key associated with ripe hash:', key.encode('hex')
|
|
break
|
|
except Exception, err:
|
|
pass
|
|
#print 'cryptorObject.decrypt Exception:', err
|
|
if not initialDecryptionSuccessful:
|
|
#This is not a message bound for me.
|
|
printLock.acquire()
|
|
print 'Length of time program spent failing to decrypt this message:', time.time()- self.messageProcessingStartTime, 'seconds.'
|
|
printLock.release()
|
|
else:
|
|
#This is a message bound for me.
|
|
readPosition = 0
|
|
messageVersion, messageVersionLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
readPosition += messageVersionLength
|
|
if messageVersion != 1:
|
|
print 'Cannot understand message versions other than one. Ignoring message.'
|
|
return
|
|
sendersAddressVersionNumber, sendersAddressVersionNumberLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
readPosition += sendersAddressVersionNumberLength
|
|
if sendersAddressVersionNumber == 0:
|
|
print 'Cannot understand sendersAddressVersionNumber = 0. Ignoring message.'
|
|
return
|
|
if sendersAddressVersionNumber >= 3:
|
|
print 'Sender\'s address version number', sendersAddressVersionNumber, ' not yet supported. Ignoring message.'
|
|
return
|
|
if len(unencryptedData) < 170:
|
|
print 'Length of the unencrypted data is unreasonably short. Sanity check failed. Ignoring message.'
|
|
return
|
|
sendersStreamNumber, sendersStreamNumberLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
if sendersStreamNumber == 0:
|
|
print 'sender\'s stream number is 0. Ignoring message.'
|
|
return
|
|
readPosition += sendersStreamNumberLength
|
|
behaviorBitfield = unencryptedData[readPosition:readPosition+4]
|
|
readPosition += 4
|
|
pubSigningKey = '\x04' + unencryptedData[readPosition:readPosition+64]
|
|
readPosition += 64
|
|
pubEncryptionKey = '\x04' + unencryptedData[readPosition:readPosition+64]
|
|
readPosition += 64
|
|
endOfThePublicKeyPosition = readPosition #needed for when we store the pubkey in our database of pubkeys for later use.
|
|
if toRipe != unencryptedData[readPosition:readPosition+20]:
|
|
printLock.acquire()
|
|
print 'The original sender of this message did not send it to you. Someone is attempting a Surreptitious Forwarding Attack.'
|
|
print 'See: http://world.std.com/~dtd/sign_encrypt/sign_encrypt7.html'
|
|
print 'your toRipe:', toRipe.encode('hex')
|
|
print 'embedded destination toRipe:', unencryptedData[readPosition:readPosition+20].encode('hex')
|
|
printLock.release()
|
|
return
|
|
readPosition += 20
|
|
messageEncodingType, messageEncodingTypeLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
readPosition += messageEncodingTypeLength
|
|
messageLength, messageLengthLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
readPosition += messageLengthLength
|
|
message = unencryptedData[readPosition:readPosition+messageLength]
|
|
#print 'First 150 characters of message:', repr(message[:150])
|
|
readPosition += messageLength
|
|
ackLength, ackLengthLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
readPosition += ackLengthLength
|
|
ackData = unencryptedData[readPosition:readPosition+ackLength]
|
|
readPosition += ackLength
|
|
positionOfBottomOfAckData = readPosition #needed to mark the end of what is covered by the signature
|
|
signatureLength, signatureLengthLength = decodeVarint(unencryptedData[readPosition:readPosition+10])
|
|
readPosition += signatureLengthLength
|
|
signature = unencryptedData[readPosition:readPosition+signatureLength]
|
|
try:
|
|
highlevelcrypto.verify(unencryptedData[:positionOfBottomOfAckData],signature,pubSigningKey.encode('hex'))
|
|
print 'ECDSA verify passed'
|
|
except Exception, err:
|
|
print 'ECDSA verify failed', err
|
|
return
|
|
printLock.acquire()
|
|
print 'As a matter of intellectual curiosity, here is the Bitcoin address associated with the keys owned by the other person:', calculateBitcoinAddressFromPubkey(pubSigningKey), ' ..and here is the testnet address:',calculateTestnetAddressFromPubkey(pubSigningKey),'. The other person must take their private signing key from Bitmessage and import it into Bitcoin (or a service like Blockchain.info) for it to be of any use. Do not use this unless you know what you are doing.'
|
|
printLock.release()
|
|
#calculate the fromRipe.
|
|
sha = hashlib.new('sha512')
|
|
sha.update(pubSigningKey+pubEncryptionKey)
|
|
ripe = hashlib.new('ripemd160')
|
|
ripe.update(sha.digest())
|
|
#Let's store the public key in case we want to reply to this person.
|
|
#We don't have the correct nonce or time (which would let us send out a pubkey message) so we'll just fill it with 1's. We won't be able to send this pubkey to others (without doing the proof of work ourselves, which this program is programmed to not do.)
|
|
t = (ripe.digest(),False,'\xFF\xFF\xFF\xFF\xFF\xFF\xFF\xFF'+'\xFF\xFF\xFF\xFF'+unencryptedData[messageVersionLength:endOfThePublicKeyPosition],int(time.time()),'yes')
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''INSERT INTO pubkeys VALUES (?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
workerQueue.put(('newpubkey',(sendersAddressVersionNumber,sendersStreamNumber,ripe.digest()))) #This will check to see whether we happen to be awaiting this pubkey in order to send a message. If we are, it will do the POW and send it.
|
|
blockMessage = False #Gets set to True if the user shouldn't see the message according to black or white lists.
|
|
fromAddress = encodeAddress(sendersAddressVersionNumber,sendersStreamNumber,ripe.digest())
|
|
if config.get('bitmessagesettings', 'blackwhitelist') == 'black': #If we are using a blacklist
|
|
t = (fromAddress,)
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''SELECT label, enabled FROM blacklist where address=?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
for row in queryreturn:
|
|
label, enabled = row
|
|
if enabled:
|
|
printLock.acquire()
|
|
print 'Message ignored because address is in blacklist.'
|
|
printLock.release()
|
|
blockMessage = True
|
|
else: #We're using a whitelist
|
|
t = (fromAddress,)
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''SELECT label, enabled FROM whitelist where address=?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
if queryreturn == []:
|
|
print 'Message ignored because address not in whitelist.'
|
|
blockMessage = True
|
|
for row in queryreturn: #It could be in the whitelist but disabled. Let's check.
|
|
label, enabled = row
|
|
if not enabled:
|
|
print 'Message ignored because address in whitelist but not enabled.'
|
|
blockMessage = True
|
|
if not blockMessage:
|
|
print 'fromAddress:', fromAddress
|
|
print 'First 150 characters of message:', repr(message[:150])
|
|
|
|
#Look up the destination address (my address) based on the destination ripe hash.
|
|
#I realize that I could have a data structure devoted to this task, or maintain an indexed table
|
|
#in the sql database, but I would prefer to minimize the number of data structures this program
|
|
#uses. Searching linearly through the user's short list of addresses doesn't take very long anyway.
|
|
configSections = config.sections()
|
|
for addressInKeysFile in configSections:
|
|
if addressInKeysFile <> 'bitmessagesettings':
|
|
status,addressVersionNumber,streamNumber,hash = decodeAddress(addressInKeysFile)
|
|
if hash == key:
|
|
toAddress = addressInKeysFile
|
|
toLabel = config.get(addressInKeysFile, 'label')
|
|
if toLabel == '':
|
|
toLabel = addressInKeysFile
|
|
|
|
if messageEncodingType == 2:
|
|
bodyPositionIndex = string.find(message,'\nBody:')
|
|
if bodyPositionIndex > 1:
|
|
subject = message[8:bodyPositionIndex]
|
|
body = message[bodyPositionIndex+6:]
|
|
else:
|
|
subject = ''
|
|
body = message
|
|
elif messageEncodingType == 1:
|
|
body = message
|
|
subject = ''
|
|
elif messageEncodingType == 0:
|
|
print 'messageEncodingType == 0. Doing nothing with the message. They probably just sent it so that we would store their public key or send their ack data for them.'
|
|
else:
|
|
body = 'Unknown encoding type.\n\n' + repr(message)
|
|
subject = ''
|
|
if messageEncodingType <> 0:
|
|
sqlLock.acquire()
|
|
t = (self.inventoryHash,toAddress,fromAddress,subject,int(time.time()),body,'inbox',messageEncodingType,0)
|
|
sqlSubmitQueue.put('''INSERT INTO inbox VALUES (?,?,?,?,?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
self.emit(SIGNAL("displayNewInboxMessage(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"),self.inventoryHash,toAddress,fromAddress,subject,body)
|
|
|
|
#If we are behaving as an API then we might need to run an outside command to let some program know that a new message has arrived.
|
|
if safeConfigGetBoolean('bitmessagesettings','apienabled'):
|
|
try:
|
|
apiNotifyPath = config.get('bitmessagesettings','apinotifypath')
|
|
except:
|
|
apiNotifyPath = ''
|
|
if apiNotifyPath != '':
|
|
call([apiNotifyPath, "newMessage"])
|
|
|
|
#Let us now check and see whether our receiving address is behaving as a mailing list
|
|
if safeConfigGetBoolean(toAddress,'mailinglist'):
|
|
try:
|
|
mailingListName = config.get(toAddress, 'mailinglistname')
|
|
except:
|
|
mailingListName = ''
|
|
#Let us send out this message as a broadcast
|
|
subject = self.addMailingListNameToSubject(subject,mailingListName)
|
|
#Let us now send this message out as a broadcast
|
|
message = strftime("%a, %Y-%m-%d %H:%M:%S UTC",gmtime()) + ' Message ostensibly from ' + fromAddress + ':\n\n' + body
|
|
fromAddress = toAddress #The fromAddress for the broadcast that we are about to send is the toAddress (my address) for the msg message we are currently processing.
|
|
ackdata = OpenSSL.rand(32) #We don't actually need the ackdata for acknowledgement since this is a broadcast message but we can use it to update the user interface when the POW is done generating.
|
|
toAddress = '[Broadcast subscribers]'
|
|
ripe = ''
|
|
sqlLock.acquire()
|
|
t = ('',toAddress,ripe,fromAddress,subject,message,ackdata,int(time.time()),'broadcastpending',1,1,'sent',2)
|
|
sqlSubmitQueue.put('''INSERT INTO sent VALUES (?,?,?,?,?,?,?,?,?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
|
|
self.emit(SIGNAL("displayNewSentMessage(PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject,PyQt_PyObject)"),toAddress,'[Broadcast subscribers]',fromAddress,subject,message,ackdata)
|
|
workerQueue.put(('sendbroadcast',(fromAddress,subject,message)))
|
|
|
|
if self.isAckDataValid(ackData):
|
|
print 'ackData is valid. Will process it.'
|
|
self.ackDataThatWeHaveYetToSend.append(ackData) #When we have processed all data, the processData function will pop the ackData out and process it as if it is a message received from our peer.
|
|
#Display timing data
|
|
timeRequiredToAttemptToDecryptMessage = time.time()- self.messageProcessingStartTime
|
|
successfullyDecryptMessageTimings.append(timeRequiredToAttemptToDecryptMessage)
|
|
sum = 0
|
|
for item in successfullyDecryptMessageTimings:
|
|
sum += item
|
|
printLock.acquire()
|
|
print 'Time to decrypt this message successfully:', timeRequiredToAttemptToDecryptMessage
|
|
print 'Average time for all message decryption successes since startup:', sum / len(successfullyDecryptMessageTimings)
|
|
printLock.release()
|
|
|
|
def isAckDataValid(self,ackData):
|
|
if len(ackData) < 24:
|
|
print 'The length of ackData is unreasonably short. Not sending ackData.'
|
|
return False
|
|
if ackData[0:4] != '\xe9\xbe\xb4\xd9':
|
|
print 'Ackdata magic bytes were wrong. Not sending ackData.'
|
|
return False
|
|
ackDataPayloadLength, = unpack('>L',ackData[16:20])
|
|
if len(ackData)-24 != ackDataPayloadLength:
|
|
print 'ackData payload length doesn\'t match the payload length specified in the header. Not sending ackdata.'
|
|
return False
|
|
if ackData[4:16] != 'getpubkey\x00\x00\x00' and ackData[4:16] != 'pubkey\x00\x00\x00\x00\x00\x00' and ackData[4:16] != 'msg\x00\x00\x00\x00\x00\x00\x00\x00\x00' and ackData[4:16] != 'broadcast\x00\x00\x00' :
|
|
return False
|
|
return True
|
|
|
|
def addMailingListNameToSubject(self,subject,mailingListName):
|
|
subject = subject.strip()
|
|
if subject[:3] == 'Re:' or subject[:3] == 'RE:':
|
|
subject = subject[3:].strip()
|
|
if '['+mailingListName+']' in subject:
|
|
return subject
|
|
else:
|
|
return '['+mailingListName+'] ' + subject
|
|
|
|
#We have received a pubkey
|
|
def recpubkey(self,data):
|
|
self.pubkeyProcessingStartTime = time.time()
|
|
if len(data) < 146 or len(data) >600: #sanity check
|
|
return
|
|
#We must check to make sure the proof of work is sufficient.
|
|
if not self.isProofOfWorkSufficient(data):
|
|
print 'Proof of work in pubkey message insufficient.'
|
|
return
|
|
|
|
readPosition = 8 #for the nonce
|
|
embeddedTime, = unpack('>I',data[readPosition:readPosition+4])
|
|
|
|
#This section is used for the transition from 32 bit time to 64 bit time in the protocol.
|
|
if embeddedTime == 0:
|
|
embeddedTime, = unpack('>Q',data[readPosition:readPosition+8])
|
|
readPosition += 8
|
|
else:
|
|
readPosition += 4
|
|
|
|
if embeddedTime < int(time.time())-lengthOfTimeToHoldOnToAllPubkeys:
|
|
printLock.acquire()
|
|
print 'The embedded time in this pubkey message is too old. Ignoring. Embedded time is:', embeddedTime
|
|
printLock.release()
|
|
return
|
|
if embeddedTime > int(time.time()) + 10800:
|
|
printLock.acquire()
|
|
print 'The embedded time in this pubkey message more than several hours in the future. This is irrational. Ignoring message.'
|
|
printLock.release()
|
|
return
|
|
addressVersion, varintLength = decodeVarint(data[readPosition:readPosition+10])
|
|
readPosition += varintLength
|
|
streamNumber, varintLength = decodeVarint(data[readPosition:readPosition+10])
|
|
readPosition += varintLength
|
|
if self.streamNumber != streamNumber:
|
|
print 'stream number embedded in this pubkey doesn\'t match our stream number. Ignoring.'
|
|
return
|
|
|
|
inventoryHash = calculateInventoryHash(data)
|
|
inventoryLock.acquire()
|
|
if inventoryHash in inventory:
|
|
print 'We have already received this pubkey. Ignoring it.'
|
|
inventoryLock.release()
|
|
return
|
|
elif isInSqlInventory(inventoryHash):
|
|
print 'We have already received this pubkey (it is stored on disk in the SQL inventory). Ignoring it.'
|
|
inventoryLock.release()
|
|
return
|
|
objectType = 'pubkey'
|
|
inventory[inventoryHash] = (objectType, self.streamNumber, data, embeddedTime)
|
|
inventoryLock.release()
|
|
self.broadcastinv(inventoryHash)
|
|
self.emit(SIGNAL("incrementNumberOfPubkeysProcessed()"))
|
|
|
|
self.processpubkey(data)
|
|
|
|
lengthOfTimeWeShouldUseToProcessThisMessage = .2
|
|
sleepTime = lengthOfTimeWeShouldUseToProcessThisMessage - (time.time()- self.pubkeyProcessingStartTime)
|
|
if sleepTime > 0:
|
|
#printLock.acquire()
|
|
#print 'Timing attack mitigation: Sleeping for', sleepTime ,'seconds.'
|
|
#printLock.release()
|
|
time.sleep(sleepTime)
|
|
#printLock.acquire()
|
|
#print 'Total pubkey processing time:', time.time()- self.pubkeyProcessingStartTime, 'seconds.'
|
|
#printLock.release()
|
|
|
|
def processpubkey(self,data):
|
|
readPosition = 8 #for the nonce
|
|
embeddedTime, = unpack('>I',data[readPosition:readPosition+4])
|
|
readPosition += 4 #for the time
|
|
addressVersion, varintLength = decodeVarint(data[readPosition:readPosition+10])
|
|
readPosition += varintLength
|
|
streamNumber, varintLength = decodeVarint(data[readPosition:readPosition+10])
|
|
readPosition += varintLength
|
|
if addressVersion == 0:
|
|
print '(Within processpubkey) addressVersion of 0 doesn\'t make sense.'
|
|
return
|
|
if addressVersion >= 3 or addressVersion == 1:
|
|
printLock.acquire()
|
|
print 'This version of Bitmessage cannot handle version', addressVersion,'addresses.'
|
|
printLock.release()
|
|
return
|
|
if addressVersion == 2:
|
|
if len(data) < 146: #sanity check. This is the minimum possible length.
|
|
print '(within processpubkey) payloadLength less than 146. Sanity check failed.'
|
|
return
|
|
bitfieldBehaviors = data[readPosition:readPosition+4]
|
|
readPosition += 4
|
|
publicSigningKey = data[readPosition:readPosition+64]
|
|
#Is it possible for a public key to be invalid such that trying to encrypt or sign with it will cause an error? If it is, we should probably test these keys here.
|
|
readPosition += 64
|
|
publicEncryptionKey = data[readPosition:readPosition+64]
|
|
if len(publicEncryptionKey) < 64:
|
|
print 'publicEncryptionKey length less than 64. Sanity check failed.'
|
|
return
|
|
sha = hashlib.new('sha512')
|
|
sha.update('\x04'+publicSigningKey+'\x04'+publicEncryptionKey)
|
|
ripeHasher = hashlib.new('ripemd160')
|
|
ripeHasher.update(sha.digest())
|
|
ripe = ripeHasher.digest()
|
|
|
|
printLock.acquire()
|
|
print 'within recpubkey, addressVersion:', addressVersion, ', streamNumber:', streamNumber
|
|
print 'ripe', ripe.encode('hex')
|
|
print 'publicSigningKey in hex:', publicSigningKey.encode('hex')
|
|
print 'publicEncryptionKey in hex:', publicEncryptionKey.encode('hex')
|
|
printLock.release()
|
|
|
|
t = (ripe,)
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''SELECT usedpersonally FROM pubkeys WHERE hash=? AND usedpersonally='yes' ''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
if queryreturn != []: #if this pubkey is already in our database and if we have used it personally:
|
|
print 'We HAVE used this pubkey personally. Updating time.'
|
|
t = (ripe,True,data,embeddedTime,'yes')
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''INSERT INTO pubkeys VALUES (?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
printLock.acquire()
|
|
printLock.release()
|
|
workerQueue.put(('newpubkey',(addressVersion,streamNumber,ripe)))
|
|
else:
|
|
print 'We have NOT used this pubkey personally. Inserting in database.'
|
|
t = (ripe,True,data,embeddedTime,'no') #This will also update the embeddedTime.
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''INSERT INTO pubkeys VALUES (?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
printLock.acquire()
|
|
printLock.release()
|
|
workerQueue.put(('newpubkey',(addressVersion,streamNumber,ripe)))
|
|
|
|
|
|
#We have received a getpubkey message
|
|
def recgetpubkey(self,data):
|
|
if not self.isProofOfWorkSufficient(data):
|
|
print 'Proof of work in getpubkey message insufficient.'
|
|
return
|
|
if len(data) < 34:
|
|
print 'getpubkey message doesn\'t contain enough data. Ignoring.'
|
|
return
|
|
readPosition = 8 #bypass the nonce
|
|
embeddedTime, = unpack('>I',data[readPosition:readPosition+4])
|
|
|
|
#This section is used for the transition from 32 bit time to 64 bit time in the protocol.
|
|
if embeddedTime == 0:
|
|
embeddedTime, = unpack('>Q',data[readPosition:readPosition+8])
|
|
readPosition += 8
|
|
else:
|
|
readPosition += 4
|
|
|
|
if embeddedTime > int(time.time())+10800:
|
|
print 'The time in this getpubkey message is too new. Ignoring it. Time:', embeddedTime
|
|
return
|
|
if embeddedTime < int(time.time())-maximumAgeOfAnObjectThatIAmWillingToAccept:
|
|
print 'The time in this getpubkey message is too old. Ignoring it. Time:', embeddedTime
|
|
return
|
|
addressVersionNumber, addressVersionLength = decodeVarint(data[readPosition:readPosition+10])
|
|
readPosition += addressVersionLength
|
|
streamNumber, streamNumberLength = decodeVarint(data[readPosition:readPosition+10])
|
|
if streamNumber <> self.streamNumber:
|
|
print 'The streamNumber', streamNumber, 'doesn\'t match our stream number:', self.streamNumber
|
|
return
|
|
readPosition += streamNumberLength
|
|
|
|
inventoryHash = calculateInventoryHash(data)
|
|
inventoryLock.acquire()
|
|
if inventoryHash in inventory:
|
|
print 'We have already received this getpubkey request. Ignoring it.'
|
|
inventoryLock.release()
|
|
return
|
|
elif isInSqlInventory(inventoryHash):
|
|
print 'We have already received this getpubkey request (it is stored on disk in the SQL inventory). Ignoring it.'
|
|
inventoryLock.release()
|
|
return
|
|
|
|
objectType = 'getpubkey'
|
|
inventory[inventoryHash] = (objectType, self.streamNumber, data, embeddedTime)
|
|
inventoryLock.release()
|
|
#This getpubkey request is valid so far. Forward to peers.
|
|
self.broadcastinv(inventoryHash)
|
|
|
|
if addressVersionNumber == 0:
|
|
print 'The addressVersionNumber of the pubkey request is zero. That doesn\'t make any sense. Ignoring it.'
|
|
return
|
|
elif addressVersionNumber == 1:
|
|
print 'The addressVersionNumber of the pubkey request is 1 which isn\'t supported anymore. Ignoring it.'
|
|
return
|
|
elif addressVersionNumber > 2:
|
|
print 'The addressVersionNumber of the pubkey request is too high. Can\'t understand. Ignoring it.'
|
|
return
|
|
|
|
requestedHash = data[readPosition:readPosition+20]
|
|
if len(requestedHash) != 20:
|
|
print 'The length of the requested hash is not 20 bytes. Something is wrong. Ignoring.'
|
|
return
|
|
print 'the hash requested in this getpubkey request is:', requestedHash.encode('hex')
|
|
|
|
sqlLock.acquire()
|
|
t = (requestedHash,int(time.time())-lengthOfTimeToHoldOnToAllPubkeys) #this prevents SQL injection
|
|
sqlSubmitQueue.put('''SELECT hash, transmitdata, time FROM pubkeys WHERE hash=? AND havecorrectnonce=1 AND time>?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
if queryreturn != []:
|
|
for row in queryreturn:
|
|
hash, payload, timeEncodedInPubkey = row
|
|
printLock.acquire()
|
|
print 'We have the requested pubkey stored in our database of pubkeys. Sending it.'
|
|
printLock.release()
|
|
inventoryHash = calculateInventoryHash(payload)
|
|
objectType = 'pubkey'
|
|
inventory[inventoryHash] = (objectType, self.streamNumber, payload, timeEncodedInPubkey)#If the time embedded in this pubkey is more than 3 days old then this object isn't going to last very long in the inventory- the cleanerThread is going to come along and move it from the inventory in memory to the SQL inventory and then delete it from the SQL inventory. It should still find its way back to the original requestor if he is online however.
|
|
self.broadcastinv(inventoryHash)
|
|
else: #the pubkey is not in our database of pubkeys. Let's check if the requested key is ours (which would mean we should do the POW, put it in the pubkey table, and broadcast out the pubkey.)
|
|
if requestedHash in myECAddressHashes: #if this address hash is one of mine
|
|
printLock.acquire()
|
|
print 'Found getpubkey-requested-hash in my list of EC hashes. Telling Worker thread to do the POW for a pubkey message and send it out.'
|
|
printLock.release()
|
|
workerQueue.put(('doPOWForMyV2Pubkey',requestedHash))
|
|
else:
|
|
printLock.acquire()
|
|
print 'This getpubkey request is not for any of my keys.'
|
|
printLock.release()
|
|
|
|
|
|
#We have received an inv message
|
|
def recinv(self,data):
|
|
numberOfItemsInInv, lengthOfVarint = decodeVarint(data[:10])
|
|
if len(data) < lengthOfVarint + (numberOfItemsInInv * 32):
|
|
print 'inv message doesn\'t contain enough data. Ignoring.'
|
|
return
|
|
if numberOfItemsInInv == 1: #we'll just request this data from the person who advertised the object.
|
|
self.objectsOfWhichThisRemoteNodeIsAlreadyAware[data[lengthOfVarint:32+lengthOfVarint]] = 0
|
|
if data[lengthOfVarint:32+lengthOfVarint] in inventory:
|
|
printLock.acquire()
|
|
print 'Inventory (in memory) has inventory item already.'
|
|
printLock.release()
|
|
elif isInSqlInventory(data[lengthOfVarint:32+lengthOfVarint]):
|
|
print 'Inventory (SQL on disk) has inventory item already.'
|
|
else:
|
|
self.sendgetdata(data[lengthOfVarint:32+lengthOfVarint])
|
|
else:
|
|
print 'inv message lists', numberOfItemsInInv, 'objects.'
|
|
for i in range(numberOfItemsInInv): #upon finishing dealing with an incoming message, the receiveDataThread will request a random object from the peer. This way if we get multiple inv messages from multiple peers which list mostly the same objects, we will make getdata requests for different random objects from the various peers.
|
|
if len(data[lengthOfVarint+(32*i):32+lengthOfVarint+(32*i)]) == 32: #The length of an inventory hash should be 32. If it isn't 32 then the remote node is either badly programmed or behaving nefariously.
|
|
self.objectsOfWhichThisRemoteNodeIsAlreadyAware[data[lengthOfVarint+(32*i):32+lengthOfVarint+(32*i)]] = 0
|
|
self.objectsThatWeHaveYetToCheckAndSeeWhetherWeAlreadyHave[data[lengthOfVarint+(32*i):32+lengthOfVarint+(32*i)]] = 0
|
|
|
|
|
|
#Send a getdata message to our peer to request the object with the given hash
|
|
def sendgetdata(self,hash):
|
|
print 'sending getdata to retrieve object with hash:', hash.encode('hex')
|
|
payload = '\x01' + hash
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'getdata\x00\x00\x00\x00\x00'
|
|
headerData += pack('>L',len(payload)) #payload length. Note that we add an extra 8 for the nonce.
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
try:
|
|
self.sock.sendall(headerData + payload)
|
|
except Exception, err:
|
|
#if not 'Bad file descriptor' in err:
|
|
printLock.acquire()
|
|
sys.stderr.write('sock.send error: %s\n' % err)
|
|
printLock.release()
|
|
|
|
#We have received a getdata request from our peer
|
|
def recgetdata(self, data):
|
|
numberOfRequestedInventoryItems, lengthOfVarint = decodeVarint(data[:10])
|
|
if len(data) < lengthOfVarint + (32 * numberOfRequestedInventoryItems):
|
|
print 'getdata message does not contain enough data. Ignoring.'
|
|
return
|
|
for i in xrange(numberOfRequestedInventoryItems):
|
|
hash = data[lengthOfVarint+(i*32):32+lengthOfVarint+(i*32)]
|
|
printLock.acquire()
|
|
print 'received getdata request for item:', hash.encode('hex')
|
|
printLock.release()
|
|
#print 'inventory is', inventory
|
|
if hash in inventory:
|
|
objectType, streamNumber, payload, receivedTime = inventory[hash]
|
|
self.sendData(objectType,payload)
|
|
else:
|
|
t = (hash,)
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''select objecttype, payload from inventory where hash=?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
if queryreturn <> []:
|
|
for row in queryreturn:
|
|
objectType, payload = row
|
|
self.sendData(objectType,payload)
|
|
else:
|
|
print 'Someone asked for an object with a getdata which is not in either our memory inventory or our SQL inventory. That shouldn\'t have happened.'
|
|
|
|
#Our peer has requested (in a getdata message) that we send an object.
|
|
def sendData(self,objectType,payload):
|
|
if objectType == 'pubkey':
|
|
print 'sending pubkey'
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'pubkey\x00\x00\x00\x00\x00\x00'
|
|
headerData += pack('>L',len(payload)) #payload length.
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
self.sock.sendall(headerData + payload)
|
|
elif objectType == 'getpubkey' or objectType == 'pubkeyrequest':
|
|
print 'sending getpubkey'
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'getpubkey\x00\x00\x00'
|
|
headerData += pack('>L',len(payload)) #payload length.
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
self.sock.sendall(headerData + payload)
|
|
elif objectType == 'msg':
|
|
print 'sending msg'
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'msg\x00\x00\x00\x00\x00\x00\x00\x00\x00'
|
|
headerData += pack('>L',len(payload)) #payload length.
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
self.sock.sendall(headerData + payload)
|
|
elif objectType == 'broadcast':
|
|
print 'sending broadcast'
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'broadcast\x00\x00\x00'
|
|
headerData += pack('>L',len(payload)) #payload length.
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
self.sock.sendall(headerData + payload)
|
|
else:
|
|
sys.stderr.write('Error: sendData has been asked to send a strange objectType: %s\n' % str(objectType))
|
|
|
|
#Send an inv message with just one hash to all of our peers
|
|
def broadcastinv(self,hash):
|
|
printLock.acquire()
|
|
print 'broadcasting inv with hash:', hash.encode('hex')
|
|
printLock.release()
|
|
broadcastToSendDataQueues((self.streamNumber, 'sendinv', hash))
|
|
|
|
|
|
#We have received an addr message.
|
|
def recaddr(self,data):
|
|
listOfAddressDetailsToBroadcastToPeers = []
|
|
numberOfAddressesIncluded = 0
|
|
numberOfAddressesIncluded, lengthOfNumberOfAddresses = decodeVarint(data[:10])
|
|
|
|
if verbose >= 1:
|
|
printLock.acquire()
|
|
print 'addr message contains', numberOfAddressesIncluded, 'IP addresses.'
|
|
printLock.release()
|
|
|
|
if self.remoteProtocolVersion == 1:
|
|
if numberOfAddressesIncluded > 1000 or numberOfAddressesIncluded == 0:
|
|
return
|
|
if len(data) != lengthOfNumberOfAddresses + (34 * numberOfAddressesIncluded):
|
|
print 'addr message does not contain the correct amount of data. Ignoring.'
|
|
return
|
|
|
|
needToWriteKnownNodesToDisk = False
|
|
for i in range(0,numberOfAddressesIncluded):
|
|
try:
|
|
if data[16+lengthOfNumberOfAddresses+(34*i):28+lengthOfNumberOfAddresses+(34*i)] != '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF':
|
|
printLock.acquire()
|
|
print 'Skipping IPv6 address.', repr(data[16+lengthOfNumberOfAddresses+(34*i):28+lengthOfNumberOfAddresses+(34*i)])
|
|
printLock.release()
|
|
continue
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (to test for an IPv6 address). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
|
|
try:
|
|
recaddrStream, = unpack('>I',data[4+lengthOfNumberOfAddresses+(34*i):8+lengthOfNumberOfAddresses+(34*i)])
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (recaddrStream). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
if recaddrStream == 0:
|
|
continue
|
|
if recaddrStream != self.streamNumber and recaddrStream != (self.streamNumber * 2) and recaddrStream != ((self.streamNumber * 2) + 1): #if the embedded stream number is not in my stream or either of my child streams then ignore it. Someone might be trying funny business.
|
|
continue
|
|
try:
|
|
recaddrServices, = unpack('>Q',data[8+lengthOfNumberOfAddresses+(34*i):16+lengthOfNumberOfAddresses+(34*i)])
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (recaddrServices). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
|
|
try:
|
|
recaddrPort, = unpack('>H',data[32+lengthOfNumberOfAddresses+(34*i):34+lengthOfNumberOfAddresses+(34*i)])
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (recaddrPort). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
#print 'Within recaddr(): IP', recaddrIP, ', Port', recaddrPort, ', i', i
|
|
hostFromAddrMessage = socket.inet_ntoa(data[28+lengthOfNumberOfAddresses+(34*i):32+lengthOfNumberOfAddresses+(34*i)])
|
|
#print 'hostFromAddrMessage', hostFromAddrMessage
|
|
if data[28+lengthOfNumberOfAddresses+(34*i)] == '\x7F':
|
|
print 'Ignoring IP address in loopback range:', hostFromAddrMessage
|
|
continue
|
|
if data[28+lengthOfNumberOfAddresses+(34*i)] == '\x0A':
|
|
print 'Ignoring IP address in private range:', hostFromAddrMessage
|
|
continue
|
|
if data[28+lengthOfNumberOfAddresses+(34*i):30+lengthOfNumberOfAddresses+(34*i)] == '\xC0A8':
|
|
print 'Ignoring IP address in private range:', hostFromAddrMessage
|
|
continue
|
|
timeSomeoneElseReceivedMessageFromThisNode, = unpack('>I',data[lengthOfNumberOfAddresses+(34*i):4+lengthOfNumberOfAddresses+(34*i)]) #This is the 'time' value in the received addr message.
|
|
if recaddrStream not in knownNodes: #knownNodes is a dictionary of dictionaries with one outer dictionary for each stream. If the outer stream dictionary doesn't exist yet then we must make it.
|
|
knownNodesLock.acquire()
|
|
knownNodes[recaddrStream] = {}
|
|
knownNodesLock.release()
|
|
if hostFromAddrMessage not in knownNodes[recaddrStream]:
|
|
if len(knownNodes[recaddrStream]) < 20000 and timeSomeoneElseReceivedMessageFromThisNode > (int(time.time())-10800) and timeSomeoneElseReceivedMessageFromThisNode < (int(time.time()) + 10800): #If we have more than 20000 nodes in our list already then just forget about adding more. Also, make sure that the time that someone else received a message from this node is within three hours from now.
|
|
knownNodesLock.acquire()
|
|
knownNodes[recaddrStream][hostFromAddrMessage] = (recaddrPort, timeSomeoneElseReceivedMessageFromThisNode)
|
|
knownNodesLock.release()
|
|
needToWriteKnownNodesToDisk = True
|
|
hostDetails = (timeSomeoneElseReceivedMessageFromThisNode, recaddrStream, recaddrServices, hostFromAddrMessage, recaddrPort)
|
|
listOfAddressDetailsToBroadcastToPeers.append(hostDetails)
|
|
else:
|
|
PORT, timeLastReceivedMessageFromThisNode = knownNodes[recaddrStream][hostFromAddrMessage]#PORT in this case is either the port we used to connect to the remote node, or the port that was specified by someone else in a past addr message.
|
|
if (timeLastReceivedMessageFromThisNode < timeSomeoneElseReceivedMessageFromThisNode) and (timeSomeoneElseReceivedMessageFromThisNode < int(time.time())):
|
|
knownNodesLock.acquire()
|
|
knownNodes[recaddrStream][hostFromAddrMessage] = (PORT, timeSomeoneElseReceivedMessageFromThisNode)
|
|
knownNodesLock.release()
|
|
if PORT != recaddrPort:
|
|
print 'Strange occurance: The port specified in an addr message', str(recaddrPort),'does not match the port',str(PORT),'that this program (or some other peer) used to connect to it',str(hostFromAddrMessage),'. Perhaps they changed their port or are using a strange NAT configuration.'
|
|
if needToWriteKnownNodesToDisk: #Runs if any nodes were new to us. Also, share those nodes with our peers.
|
|
output = open(appdata + 'knownnodes.dat', 'wb')
|
|
knownNodesLock.acquire()
|
|
pickle.dump(knownNodes, output)
|
|
knownNodesLock.release()
|
|
output.close()
|
|
self.broadcastaddr(listOfAddressDetailsToBroadcastToPeers) #no longer broadcast
|
|
printLock.acquire()
|
|
print 'knownNodes currently has', len(knownNodes[self.streamNumber]), 'nodes for this stream.'
|
|
printLock.release()
|
|
elif self.remoteProtocolVersion >= 2: #The difference is that in protocol version 2, network addresses use 64 bit times rather than 32 bit times.
|
|
if numberOfAddressesIncluded > 1000 or numberOfAddressesIncluded == 0:
|
|
return
|
|
if len(data) != lengthOfNumberOfAddresses + (38 * numberOfAddressesIncluded):
|
|
print 'addr message does not contain the correct amount of data. Ignoring.'
|
|
return
|
|
|
|
needToWriteKnownNodesToDisk = False
|
|
for i in range(0,numberOfAddressesIncluded):
|
|
try:
|
|
if data[20+lengthOfNumberOfAddresses+(38*i):32+lengthOfNumberOfAddresses+(38*i)] != '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF':
|
|
printLock.acquire()
|
|
print 'Skipping IPv6 address.', repr(data[20+lengthOfNumberOfAddresses+(38*i):32+lengthOfNumberOfAddresses+(38*i)])
|
|
printLock.release()
|
|
continue
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (to test for an IPv6 address). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
|
|
try:
|
|
recaddrStream, = unpack('>I',data[8+lengthOfNumberOfAddresses+(38*i):12+lengthOfNumberOfAddresses+(38*i)])
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (recaddrStream). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
if recaddrStream == 0:
|
|
continue
|
|
if recaddrStream != self.streamNumber and recaddrStream != (self.streamNumber * 2) and recaddrStream != ((self.streamNumber * 2) + 1): #if the embedded stream number is not in my stream or either of my child streams then ignore it. Someone might be trying funny business.
|
|
continue
|
|
try:
|
|
recaddrServices, = unpack('>Q',data[12+lengthOfNumberOfAddresses+(38*i):20+lengthOfNumberOfAddresses+(38*i)])
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (recaddrServices). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
|
|
try:
|
|
recaddrPort, = unpack('>H',data[36+lengthOfNumberOfAddresses+(38*i):38+lengthOfNumberOfAddresses+(38*i)])
|
|
except Exception, err:
|
|
printLock.acquire()
|
|
sys.stderr.write('ERROR TRYING TO UNPACK recaddr (recaddrPort). Message: %s\n' % str(err))
|
|
printLock.release()
|
|
break #giving up on unpacking any more. We should still be connected however.
|
|
#print 'Within recaddr(): IP', recaddrIP, ', Port', recaddrPort, ', i', i
|
|
hostFromAddrMessage = socket.inet_ntoa(data[32+lengthOfNumberOfAddresses+(38*i):36+lengthOfNumberOfAddresses+(38*i)])
|
|
#print 'hostFromAddrMessage', hostFromAddrMessage
|
|
if data[32+lengthOfNumberOfAddresses+(38*i)] == '\x7F':
|
|
print 'Ignoring IP address in loopback range:', hostFromAddrMessage
|
|
continue
|
|
if data[32+lengthOfNumberOfAddresses+(38*i)] == '\x0A':
|
|
print 'Ignoring IP address in private range:', hostFromAddrMessage
|
|
continue
|
|
if data[32+lengthOfNumberOfAddresses+(38*i):34+lengthOfNumberOfAddresses+(38*i)] == '\xC0A8':
|
|
print 'Ignoring IP address in private range:', hostFromAddrMessage
|
|
continue
|
|
timeSomeoneElseReceivedMessageFromThisNode, = unpack('>Q',data[lengthOfNumberOfAddresses+(38*i):8+lengthOfNumberOfAddresses+(38*i)]) #This is the 'time' value in the received addr message. 64-bit.
|
|
if recaddrStream not in knownNodes: #knownNodes is a dictionary of dictionaries with one outer dictionary for each stream. If the outer stream dictionary doesn't exist yet then we must make it.
|
|
knownNodesLock.acquire()
|
|
knownNodes[recaddrStream] = {}
|
|
knownNodesLock.release()
|
|
if hostFromAddrMessage not in knownNodes[recaddrStream]:
|
|
if len(knownNodes[recaddrStream]) < 20000 and timeSomeoneElseReceivedMessageFromThisNode > (int(time.time())-10800) and timeSomeoneElseReceivedMessageFromThisNode < (int(time.time()) + 10800): #If we have more than 20000 nodes in our list already then just forget about adding more. Also, make sure that the time that someone else received a message from this node is within three hours from now.
|
|
knownNodesLock.acquire()
|
|
knownNodes[recaddrStream][hostFromAddrMessage] = (recaddrPort, timeSomeoneElseReceivedMessageFromThisNode)
|
|
knownNodesLock.release()
|
|
print 'added new node', hostFromAddrMessage, 'to knownNodes in stream', recaddrStream
|
|
needToWriteKnownNodesToDisk = True
|
|
hostDetails = (timeSomeoneElseReceivedMessageFromThisNode, recaddrStream, recaddrServices, hostFromAddrMessage, recaddrPort)
|
|
listOfAddressDetailsToBroadcastToPeers.append(hostDetails)
|
|
else:
|
|
PORT, timeLastReceivedMessageFromThisNode = knownNodes[recaddrStream][hostFromAddrMessage]#PORT in this case is either the port we used to connect to the remote node, or the port that was specified by someone else in a past addr message.
|
|
if (timeLastReceivedMessageFromThisNode < timeSomeoneElseReceivedMessageFromThisNode) and (timeSomeoneElseReceivedMessageFromThisNode < int(time.time())):
|
|
knownNodesLock.acquire()
|
|
knownNodes[recaddrStream][hostFromAddrMessage] = (PORT, timeSomeoneElseReceivedMessageFromThisNode)
|
|
knownNodesLock.release()
|
|
if PORT != recaddrPort:
|
|
print 'Strange occurance: The port specified in an addr message', str(recaddrPort),'does not match the port',str(PORT),'that this program (or some other peer) used to connect to it',str(hostFromAddrMessage),'. Perhaps they changed their port or are using a strange NAT configuration.'
|
|
if needToWriteKnownNodesToDisk: #Runs if any nodes were new to us. Also, share those nodes with our peers.
|
|
output = open(appdata + 'knownnodes.dat', 'wb')
|
|
knownNodesLock.acquire()
|
|
pickle.dump(knownNodes, output)
|
|
knownNodesLock.release()
|
|
output.close()
|
|
self.broadcastaddr(listOfAddressDetailsToBroadcastToPeers)
|
|
printLock.acquire()
|
|
print 'knownNodes currently has', len(knownNodes[self.streamNumber]), 'nodes for this stream.'
|
|
printLock.release()
|
|
|
|
|
|
#Function runs when we want to broadcast an addr message to all of our peers. Runs when we learn of nodes that we didn't previously know about and want to share them with our peers.
|
|
def broadcastaddr(self,listOfAddressDetailsToBroadcastToPeers):
|
|
numberOfAddressesInAddrMessage = len(listOfAddressDetailsToBroadcastToPeers)
|
|
payload = ''
|
|
for hostDetails in listOfAddressDetailsToBroadcastToPeers:
|
|
timeLastReceivedMessageFromThisNode, streamNumber, services, host, port = hostDetails
|
|
payload += pack('>Q',timeLastReceivedMessageFromThisNode) #now uses 64-bit time
|
|
payload += pack('>I',streamNumber)
|
|
payload += pack('>q',services) #service bit flags offered by this node
|
|
payload += '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF' + socket.inet_aton(host)
|
|
payload += pack('>H',port)#remote port
|
|
|
|
payload = encodeVarint(numberOfAddressesInAddrMessage) + payload
|
|
datatosend = '\xE9\xBE\xB4\xD9addr\x00\x00\x00\x00\x00\x00\x00\x00'
|
|
datatosend = datatosend + pack('>L',len(payload)) #payload length
|
|
datatosend = datatosend + hashlib.sha512(payload).digest()[0:4]
|
|
datatosend = datatosend + payload
|
|
|
|
if verbose >= 1:
|
|
printLock.acquire()
|
|
print 'Broadcasting addr with', numberOfAddressesInAddrMessage, 'entries.'
|
|
printLock.release()
|
|
broadcastToSendDataQueues((self.streamNumber, 'sendaddr', datatosend))
|
|
|
|
#Send a big addr message to our peer
|
|
def sendaddr(self):
|
|
addrsInMyStream = {}
|
|
addrsInChildStreamLeft = {}
|
|
addrsInChildStreamRight = {}
|
|
#print 'knownNodes', knownNodes
|
|
|
|
#We are going to share a maximum number of 1000 addrs with our peer. 500 from this stream, 250 from the left child stream, and 250 from the right child stream.
|
|
if len(knownNodes[self.streamNumber]) > 0:
|
|
for i in range(500):
|
|
random.seed()
|
|
HOST, = random.sample(knownNodes[self.streamNumber], 1)
|
|
if self.isHostInPrivateIPRange(HOST):
|
|
continue
|
|
addrsInMyStream[HOST] = knownNodes[self.streamNumber][HOST]
|
|
if len(knownNodes[self.streamNumber*2]) > 0:
|
|
for i in range(250):
|
|
random.seed()
|
|
HOST, = random.sample(knownNodes[self.streamNumber*2], 1)
|
|
if self.isHostInPrivateIPRange(HOST):
|
|
continue
|
|
addrsInChildStreamLeft[HOST] = knownNodes[self.streamNumber*2][HOST]
|
|
if len(knownNodes[(self.streamNumber*2)+1]) > 0:
|
|
for i in range(250):
|
|
random.seed()
|
|
HOST, = random.sample(knownNodes[(self.streamNumber*2)+1], 1)
|
|
if self.isHostInPrivateIPRange(HOST):
|
|
continue
|
|
addrsInChildStreamRight[HOST] = knownNodes[(self.streamNumber*2)+1][HOST]
|
|
|
|
numberOfAddressesInAddrMessage = 0
|
|
payload = ''
|
|
#print 'addrsInMyStream.items()', addrsInMyStream.items()
|
|
for HOST, value in addrsInMyStream.items():
|
|
PORT, timeLastReceivedMessageFromThisNode = value
|
|
if timeLastReceivedMessageFromThisNode > (int(time.time())- maximumAgeOfNodesThatIAdvertiseToOthers): #If it is younger than 3 hours old..
|
|
numberOfAddressesInAddrMessage += 1
|
|
if self.remoteProtocolVersion == 1:
|
|
payload += pack('>I',timeLastReceivedMessageFromThisNode) #32-bit time
|
|
else:
|
|
payload += pack('>Q',timeLastReceivedMessageFromThisNode) #64-bit time
|
|
payload += pack('>I',self.streamNumber)
|
|
payload += pack('>q',1) #service bit flags offered by this node
|
|
payload += '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF' + socket.inet_aton(HOST)
|
|
payload += pack('>H',PORT)#remote port
|
|
for HOST, value in addrsInChildStreamLeft.items():
|
|
PORT, timeLastReceivedMessageFromThisNode = value
|
|
if timeLastReceivedMessageFromThisNode > (int(time.time())- maximumAgeOfNodesThatIAdvertiseToOthers): #If it is younger than 3 hours old..
|
|
numberOfAddressesInAddrMessage += 1
|
|
if self.remoteProtocolVersion == 1:
|
|
payload += pack('>I',timeLastReceivedMessageFromThisNode) #32-bit time
|
|
else:
|
|
payload += pack('>Q',timeLastReceivedMessageFromThisNode) #64-bit time
|
|
payload += pack('>I',self.streamNumber*2)
|
|
payload += pack('>q',1) #service bit flags offered by this node
|
|
payload += '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF' + socket.inet_aton(HOST)
|
|
payload += pack('>H',PORT)#remote port
|
|
for HOST, value in addrsInChildStreamRight.items():
|
|
PORT, timeLastReceivedMessageFromThisNode = value
|
|
if timeLastReceivedMessageFromThisNode > (int(time.time())- maximumAgeOfNodesThatIAdvertiseToOthers): #If it is younger than 3 hours old..
|
|
numberOfAddressesInAddrMessage += 1
|
|
if self.remoteProtocolVersion == 1:
|
|
payload += pack('>I',timeLastReceivedMessageFromThisNode) #32-bit time
|
|
else:
|
|
payload += pack('>Q',timeLastReceivedMessageFromThisNode) #64-bit time
|
|
payload += pack('>I',(self.streamNumber*2)+1)
|
|
payload += pack('>q',1) #service bit flags offered by this node
|
|
payload += '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF' + socket.inet_aton(HOST)
|
|
payload += pack('>H',PORT)#remote port
|
|
|
|
payload = encodeVarint(numberOfAddressesInAddrMessage) + payload
|
|
datatosend = '\xE9\xBE\xB4\xD9addr\x00\x00\x00\x00\x00\x00\x00\x00'
|
|
datatosend = datatosend + pack('>L',len(payload)) #payload length
|
|
datatosend = datatosend + hashlib.sha512(payload).digest()[0:4]
|
|
datatosend = datatosend + payload
|
|
|
|
if verbose >= 1:
|
|
printLock.acquire()
|
|
print 'Sending addr with', numberOfAddressesInAddrMessage, 'entries.'
|
|
printLock.release()
|
|
self.sock.sendall(datatosend)
|
|
|
|
#We have received a version message
|
|
def recversion(self,data):
|
|
if len(data) < 83:
|
|
#This version message is unreasonably short. Forget it.
|
|
return
|
|
elif not self.verackSent:
|
|
self.remoteProtocolVersion, = unpack('>L',data[:4])
|
|
#print 'remoteProtocolVersion', self.remoteProtocolVersion
|
|
self.myExternalIP = socket.inet_ntoa(data[40:44])
|
|
#print 'myExternalIP', self.myExternalIP
|
|
self.remoteNodeIncomingPort, = unpack('>H',data[70:72])
|
|
#print 'remoteNodeIncomingPort', self.remoteNodeIncomingPort
|
|
useragentLength, lengthOfUseragentVarint = decodeVarint(data[80:84])
|
|
readPosition = 80 + lengthOfUseragentVarint
|
|
useragent = data[readPosition:readPosition+useragentLength]
|
|
readPosition += useragentLength
|
|
numberOfStreamsInVersionMessage, lengthOfNumberOfStreamsInVersionMessage = decodeVarint(data[readPosition:])
|
|
readPosition += lengthOfNumberOfStreamsInVersionMessage
|
|
self.streamNumber, lengthOfRemoteStreamNumber = decodeVarint(data[readPosition:])
|
|
printLock.acquire()
|
|
print 'Remote node useragent:', useragent, ' stream number:', self.streamNumber
|
|
printLock.release()
|
|
if self.streamNumber != 1:
|
|
self.sock.close()
|
|
printLock.acquire()
|
|
print 'Closed connection to', self.HOST, 'because they are interested in stream', self.streamNumber,'.'
|
|
printLock.release()
|
|
return
|
|
#If this was an incoming connection, then the sendData thread doesn't know the stream. We have to set it.
|
|
if not self.initiatedConnection:
|
|
broadcastToSendDataQueues((0,'setStreamNumber',(self.HOST,self.streamNumber)))
|
|
if data[72:80] == eightBytesOfRandomDataUsedToDetectConnectionsToSelf:
|
|
self.sock.close()
|
|
printLock.acquire()
|
|
print 'Closing connection to myself: ', self.HOST
|
|
printLock.release()
|
|
return
|
|
broadcastToSendDataQueues((0,'setRemoteProtocolVersion',(self.HOST,self.remoteProtocolVersion)))
|
|
|
|
knownNodesLock.acquire()
|
|
knownNodes[self.streamNumber][self.HOST] = (self.remoteNodeIncomingPort, int(time.time()))
|
|
output = open(appdata + 'knownnodes.dat', 'wb')
|
|
pickle.dump(knownNodes, output)
|
|
knownNodesLock.release()
|
|
output.close()
|
|
|
|
self.sendverack()
|
|
if self.initiatedConnection == False:
|
|
self.sendversion()
|
|
|
|
#Sends a version message
|
|
def sendversion(self):
|
|
printLock.acquire()
|
|
print 'Sending version message'
|
|
printLock.release()
|
|
self.sock.sendall(assembleVersionMessage(self.HOST,self.PORT,self.streamNumber))
|
|
|
|
#Sends a verack message
|
|
def sendverack(self):
|
|
printLock.acquire()
|
|
print 'Sending verack'
|
|
printLock.release()
|
|
self.sock.sendall('\xE9\xBE\xB4\xD9\x76\x65\x72\x61\x63\x6B\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xcf\x83\xe1\x35')
|
|
#cf 83 e1 35
|
|
self.verackSent = True
|
|
if self.verackReceived == True:
|
|
self.connectionFullyEstablished()
|
|
|
|
def isHostInPrivateIPRange(self,host):
|
|
if host[:3] == '10.':
|
|
return True
|
|
if host[:4] == '172.':
|
|
if host[6] == '.':
|
|
if int(host[4:6]) >= 16 and int(host[4:6]) <= 31:
|
|
return True
|
|
if host[:8] == '192.168.':
|
|
return True
|
|
return False
|
|
|
|
#Every connection to a peer has a sendDataThread (and also a receiveDataThread).
|
|
class sendDataThread(QThread):
|
|
def __init__(self, parent = None):
|
|
QThread.__init__(self, parent)
|
|
self.mailbox = Queue.Queue()
|
|
sendDataQueues.append(self.mailbox)
|
|
self.data = ''
|
|
|
|
def setup(self,sock,HOST,PORT,streamNumber,objectsOfWhichThisRemoteNodeIsAlreadyAware):
|
|
self.sock = sock
|
|
self.HOST = HOST
|
|
self.PORT = PORT
|
|
self.streamNumber = streamNumber
|
|
self.lastTimeISentData = int(time.time()) #If this value increases beyond five minutes ago, we'll send a pong message to keep the connection alive.
|
|
self.objectsOfWhichThisRemoteNodeIsAlreadyAware = objectsOfWhichThisRemoteNodeIsAlreadyAware
|
|
printLock.acquire()
|
|
print 'The streamNumber of this sendDataThread (ID:', id(self),') at setup() is', self.streamNumber
|
|
printLock.release()
|
|
|
|
def sendVersionMessage(self):
|
|
datatosend = assembleVersionMessage(self.HOST,self.PORT,self.streamNumber)#the IP and port of the remote host, and my streamNumber.
|
|
|
|
printLock.acquire()
|
|
print 'Sending version packet: ', repr(datatosend)
|
|
printLock.release()
|
|
self.sock.sendall(datatosend)
|
|
self.versionSent = 1
|
|
|
|
|
|
def run(self):
|
|
while True:
|
|
deststream,command,data = self.mailbox.get()
|
|
#printLock.acquire()
|
|
#print 'sendDataThread, destream:', deststream, ', Command:', command, ', ID:',id(self), ', HOST:', self.HOST
|
|
#printLock.release()
|
|
|
|
if deststream == self.streamNumber or deststream == 0:
|
|
if command == 'shutdown':
|
|
if data == self.HOST or data == 'all':
|
|
printLock.acquire()
|
|
print 'sendDataThread thread (associated with', self.HOST,') ID:',id(self), 'shutting down now.'
|
|
self.sock.close()
|
|
sendDataQueues.remove(self.mailbox)
|
|
print 'len of sendDataQueues', len(sendDataQueues)
|
|
printLock.release()
|
|
break
|
|
#When you receive an incoming connection, a sendDataThread is created even though you don't yet know what stream number the remote peer is interested in. They will tell you in a version message and if you too are interested in that stream then you will continue on with the connection and will set the streamNumber of this send data thread here:
|
|
elif command == 'setStreamNumber':
|
|
hostInMessage, specifiedStreamNumber = data
|
|
if hostInMessage == self.HOST:
|
|
printLock.acquire()
|
|
print 'setting the stream number in the sendData thread (ID:',id(self), ') to', specifiedStreamNumber
|
|
printLock.release()
|
|
self.streamNumber = specifiedStreamNumber
|
|
elif command == 'setRemoteProtocolVersion':
|
|
hostInMessage, specifiedRemoteProtocolVersion = data
|
|
if hostInMessage == self.HOST:
|
|
printLock.acquire()
|
|
print 'setting the remote node\'s protocol version in the sendData thread (ID:',id(self), ') to', specifiedRemoteProtocolVersion
|
|
printLock.release()
|
|
self.remoteProtocolVersion = specifiedRemoteProtocolVersion
|
|
elif command == 'sendaddr':
|
|
if self.remoteProtocolVersion == 1:
|
|
printLock.acquire()
|
|
print 'a sendData thread is not sending an addr message to this particular peer ('+self.HOST+') because their protocol version is 1.'
|
|
printLock.release()
|
|
else:
|
|
try:
|
|
#To prevent some network analysis, 'leak' the data out to our peer after waiting a random amount of time unless we have a long list of messages in our queue to send.
|
|
random.seed()
|
|
time.sleep(random.randrange(0, 10))
|
|
self.sock.sendall(data)
|
|
self.lastTimeISentData = int(time.time())
|
|
except:
|
|
print 'self.sock.sendall failed'
|
|
self.sock.close()
|
|
sendDataQueues.remove(self.mailbox)
|
|
print 'sendDataThread thread', self, 'ending now'
|
|
break
|
|
elif command == 'sendinv':
|
|
if data not in self.objectsOfWhichThisRemoteNodeIsAlreadyAware:
|
|
payload = '\x01' + data
|
|
headerData = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
headerData += 'inv\x00\x00\x00\x00\x00\x00\x00\x00\x00'
|
|
headerData += pack('>L',len(payload))
|
|
headerData += hashlib.sha512(payload).digest()[:4]
|
|
#To prevent some network analysis, 'leak' the data out to our peer after waiting a random amount of time
|
|
random.seed()
|
|
time.sleep(random.randrange(0, 10))
|
|
try:
|
|
self.sock.sendall(headerData + payload)
|
|
self.lastTimeISentData = int(time.time())
|
|
except:
|
|
print 'self.sock.sendall failed'
|
|
self.sock.close()
|
|
sendDataQueues.remove(self.mailbox)
|
|
print 'sendDataThread thread', self, 'ending now'
|
|
break
|
|
elif command == 'pong':
|
|
if self.lastTimeISentData < (int(time.time()) - 298):
|
|
#Send out a pong message to keep the connection alive.
|
|
printLock.acquire()
|
|
print 'Sending pong to', self.HOST, 'to keep connection alive.'
|
|
printLock.release()
|
|
try:
|
|
self.sock.sendall('\xE9\xBE\xB4\xD9\x70\x6F\x6E\x67\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xcf\x83\xe1\x35')
|
|
self.lastTimeISentData = int(time.time())
|
|
except:
|
|
print 'self.sock.send pong failed'
|
|
self.sock.close()
|
|
sendDataQueues.remove(self.mailbox)
|
|
print 'sendDataThread thread', self, 'ending now'
|
|
break
|
|
else:
|
|
printLock.acquire()
|
|
print 'sendDataThread ID:',id(self),'ignoring command', command,'because it is not in stream',deststream
|
|
printLock.release()
|
|
|
|
|
|
#Wen you want to command a sendDataThread to do something, like shutdown or send some data, this function puts your data into the queues for each of the sendDataThreads. The sendDataThreads are responsible for putting their queue into (and out of) the sendDataQueues list.
|
|
def broadcastToSendDataQueues(data):
|
|
#print 'running broadcastToSendDataQueues'
|
|
for q in sendDataQueues:
|
|
q.put((data))
|
|
|
|
def flushInventory():
|
|
#Note that the singleCleanerThread clears out the inventory dictionary from time to time, although it only clears things that have been in the dictionary for a long time. This clears the inventory dictionary Now.
|
|
sqlLock.acquire()
|
|
for hash, storedValue in inventory.items():
|
|
objectType, streamNumber, payload, receivedTime = storedValue
|
|
t = (hash,objectType,streamNumber,payload,receivedTime)
|
|
sqlSubmitQueue.put('''INSERT INTO inventory VALUES (?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
del inventory[hash]
|
|
sqlSubmitQueue.put('commit')
|
|
sqlLock.release()
|
|
|
|
def isInSqlInventory(hash):
|
|
t = (hash,)
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''select hash from inventory where hash=?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
if queryreturn == []:
|
|
return False
|
|
else:
|
|
return True
|
|
|
|
def convertIntToString(n):
|
|
a = __builtins__.hex(n)
|
|
if a[-1:] == 'L':
|
|
a = a[:-1]
|
|
if (len(a) % 2) == 0:
|
|
return a[2:].decode('hex')
|
|
else:
|
|
return ('0'+a[2:]).decode('hex')
|
|
|
|
def convertStringToInt(s):
|
|
return int(s.encode('hex'), 16)
|
|
|
|
def decodeWalletImportFormat(WIFstring):
|
|
fullString = arithmetic.changebase(WIFstring,58,256)
|
|
privkey = fullString[:-4]
|
|
if fullString[-4:] != hashlib.sha256(hashlib.sha256(privkey).digest()).digest()[:4]:
|
|
sys.stderr.write('Major problem! When trying to decode one of your private keys, the checksum failed. Here is the PRIVATE key: %s\n' % str(WIFstring))
|
|
return ""
|
|
else:
|
|
#checksum passed
|
|
if privkey[0] == '\x80':
|
|
return privkey[1:]
|
|
else:
|
|
sys.stderr.write('Major problem! When trying to decode one of your private keys, the checksum passed but the key doesn\'t begin with hex 80. Here is the PRIVATE key: %s\n' % str(WIFstring))
|
|
return ""
|
|
|
|
def reloadMyAddressHashes():
|
|
printLock.acquire()
|
|
print 'reloading keys from keys.dat file'
|
|
printLock.release()
|
|
myRSAAddressHashes.clear()
|
|
myECAddressHashes.clear()
|
|
#myPrivateKeys.clear()
|
|
configSections = config.sections()
|
|
for addressInKeysFile in configSections:
|
|
if addressInKeysFile <> 'bitmessagesettings':
|
|
isEnabled = config.getboolean(addressInKeysFile, 'enabled')
|
|
if isEnabled:
|
|
status,addressVersionNumber,streamNumber,hash = decodeAddress(addressInKeysFile)
|
|
if addressVersionNumber == 2:
|
|
privEncryptionKey = decodeWalletImportFormat(config.get(addressInKeysFile, 'privencryptionkey')).encode('hex') #returns a simple 32 bytes of information encoded in 64 Hex characters, or null if there was an error
|
|
if len(privEncryptionKey) == 64:#It is 32 bytes encoded as 64 hex characters
|
|
myECAddressHashes[hash] = highlevelcrypto.makeCryptor(privEncryptionKey)
|
|
elif addressVersionNumber == 1:
|
|
n = config.getint(addressInKeysFile, 'n')
|
|
e = config.getint(addressInKeysFile, 'e')
|
|
d = config.getint(addressInKeysFile, 'd')
|
|
p = config.getint(addressInKeysFile, 'p')
|
|
q = config.getint(addressInKeysFile, 'q')
|
|
myRSAAddressHashes[hash] = rsa.PrivateKey(n,e,d,p,q)
|
|
|
|
#This function expects that pubkey begin with \x04
|
|
def calculateBitcoinAddressFromPubkey(pubkey):
|
|
if len(pubkey)!= 65:
|
|
print 'Could not calculate Bitcoin address from pubkey because function was passed a pubkey that was', len(pubkey),'bytes long rather than 65.'
|
|
return "error"
|
|
ripe = hashlib.new('ripemd160')
|
|
sha = hashlib.new('sha256')
|
|
sha.update(pubkey)
|
|
ripe.update(sha.digest())
|
|
ripeWithProdnetPrefix = '\x00' + ripe.digest()
|
|
|
|
checksum = hashlib.sha256(hashlib.sha256(ripeWithProdnetPrefix).digest()).digest()[:4]
|
|
binaryBitcoinAddress = ripeWithProdnetPrefix + checksum
|
|
numberOfZeroBytesOnBinaryBitcoinAddress = 0
|
|
while binaryBitcoinAddress[0] == '\x00':
|
|
numberOfZeroBytesOnBinaryBitcoinAddress += 1
|
|
binaryBitcoinAddress = binaryBitcoinAddress[1:]
|
|
base58encoded = arithmetic.changebase(binaryBitcoinAddress,256,58)
|
|
return "1"*numberOfZeroBytesOnBinaryBitcoinAddress + base58encoded
|
|
|
|
def calculateTestnetAddressFromPubkey(pubkey):
|
|
if len(pubkey)!= 65:
|
|
print 'Could not calculate Bitcoin address from pubkey because function was passed a pubkey that was', len(pubkey),'bytes long rather than 65.'
|
|
return "error"
|
|
ripe = hashlib.new('ripemd160')
|
|
sha = hashlib.new('sha256')
|
|
sha.update(pubkey)
|
|
ripe.update(sha.digest())
|
|
ripeWithProdnetPrefix = '\x6F' + ripe.digest()
|
|
|
|
checksum = hashlib.sha256(hashlib.sha256(ripeWithProdnetPrefix).digest()).digest()[:4]
|
|
binaryBitcoinAddress = ripeWithProdnetPrefix + checksum
|
|
numberOfZeroBytesOnBinaryBitcoinAddress = 0
|
|
while binaryBitcoinAddress[0] == '\x00':
|
|
numberOfZeroBytesOnBinaryBitcoinAddress += 1
|
|
binaryBitcoinAddress = binaryBitcoinAddress[1:]
|
|
base58encoded = arithmetic.changebase(binaryBitcoinAddress,256,58)
|
|
return "1"*numberOfZeroBytesOnBinaryBitcoinAddress + base58encoded
|
|
|
|
def safeConfigGetBoolean(section,field):
|
|
try:
|
|
if config.getboolean(section,field):
|
|
return True
|
|
else:
|
|
return False
|
|
except:
|
|
return False
|
|
|
|
def lookupAppdataFolder():
|
|
APPNAME = "PyBitmessage"
|
|
from os import path, environ
|
|
if sys.platform == 'darwin':
|
|
if "HOME" in environ:
|
|
appdata = path.join(os.environ["HOME"], "Library/Application support/", APPNAME) + '/'
|
|
else:
|
|
print 'Could not find home folder, please report this message and your OS X version to the BitMessage Github.'
|
|
sys.exit()
|
|
|
|
elif 'win32' in sys.platform or 'win64' in sys.platform:
|
|
appdata = path.join(environ['APPDATA'], APPNAME) + '\\'
|
|
else:
|
|
appdata = path.expanduser(path.join("~", "." + APPNAME + "/"))
|
|
return appdata
|
|
|
|
def isAddressInMyAddressBook(address):
|
|
t = (address,)
|
|
sqlLock.acquire()
|
|
sqlSubmitQueue.put('''select address from addressbook where address=?''')
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
sqlLock.release()
|
|
return queryreturn != []
|
|
|
|
def assembleVersionMessage(remoteHost,remotePort,myStreamNumber):
|
|
global softwareVersion
|
|
payload = ''
|
|
payload += pack('>L',2) #protocol version.
|
|
payload += pack('>q',1) #bitflags of the services I offer.
|
|
payload += pack('>q',int(time.time()))
|
|
|
|
payload += pack('>q',1) #boolservices of remote connection. How can I even know this for sure? This is probably ignored by the remote host.
|
|
payload += '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF' + socket.inet_aton(remoteHost)
|
|
payload += pack('>H',remotePort)#remote IPv6 and port
|
|
|
|
payload += pack('>q',1) #bitflags of the services I offer.
|
|
payload += '\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\xFF\xFF' + pack('>L',2130706433) # = 127.0.0.1. This will be ignored by the remote host. The actual remote connected IP will be used.
|
|
payload += pack('>H',config.getint('bitmessagesettings', 'port'))#my external IPv6 and port
|
|
|
|
random.seed()
|
|
payload += eightBytesOfRandomDataUsedToDetectConnectionsToSelf
|
|
userAgent = '/PyBitmessage:' + softwareVersion + '/' #Length of userAgent must be less than 253.
|
|
payload += pack('>B',len(userAgent)) #user agent string length. If the user agent is more than 252 bytes long, this code isn't going to work.
|
|
payload += userAgent
|
|
payload += encodeVarint(1) #The number of streams about which I care. PyBitmessage currently only supports 1 per connection.
|
|
payload += encodeVarint(myStreamNumber)
|
|
|
|
datatosend = '\xe9\xbe\xb4\xd9' #magic bits, slighly different from Bitcoin's magic bits.
|
|
datatosend = datatosend + 'version\x00\x00\x00\x00\x00' #version command
|
|
datatosend = datatosend + pack('>L',len(payload)) #payload length
|
|
datatosend = datatosend + hashlib.sha512(payload).digest()[0:4]
|
|
return datatosend + payload
|
|
|
|
#This thread exists because SQLITE3 is so un-threadsafe that we must submit queries to it and it puts results back in a different queue. They won't let us just use locks.
|
|
class sqlThread(QThread):
|
|
def __init__(self, parent = None):
|
|
QThread.__init__(self, parent)
|
|
|
|
def run(self):
|
|
self.conn = sqlite3.connect(appdata + 'messages.dat' )
|
|
self.conn.text_factory = str
|
|
self.cur = self.conn.cursor()
|
|
try:
|
|
self.cur.execute( '''CREATE TABLE inbox (msgid blob, toaddress text, fromaddress text, subject text, received text, message text, folder text, encodingtype int, read bool, UNIQUE(msgid) ON CONFLICT REPLACE)''' )
|
|
self.cur.execute( '''CREATE TABLE sent (msgid blob, toaddress text, toripe blob, fromaddress text, subject text, message text, ackdata blob, lastactiontime integer, status text, pubkeyretrynumber integer, msgretrynumber integer, folder text, encodingtype int)''' )
|
|
self.cur.execute( '''CREATE TABLE subscriptions (label text, address text, enabled bool)''' )
|
|
self.cur.execute( '''CREATE TABLE addressbook (label text, address text)''' )
|
|
self.cur.execute( '''CREATE TABLE blacklist (label text, address text, enabled bool)''' )
|
|
self.cur.execute( '''CREATE TABLE whitelist (label text, address text, enabled bool)''' )
|
|
#Explanation of what is in the pubkeys table:
|
|
# The hash is the RIPEMD160 hash that is encoded in the Bitmessage address.
|
|
# If you or someone else did the POW for this pubkey, then havecorrectnonce will be true. If you received the pubkey in a msg message then havecorrectnonce will be false. You won't have the correct nonce and won't be able to send the message to peers if they request the pubkey.
|
|
# transmitdata is literally the data that was included in the Bitmessage pubkey message when it arrived, except for the 24 byte protocol header- ie, it starts with the POW nonce.
|
|
# time is the time that the pubkey was broadcast on the network same as with every other type of Bitmessage object.
|
|
# usedpersonally is set to "yes" if we have used the key personally. This keeps us from deleting it because we may want to reply to a message in the future. This field is not a bool because we may need more flexability in the future and it doesn't take up much more space anyway.
|
|
self.cur.execute( '''CREATE TABLE pubkeys (hash blob, havecorrectnonce bool, transmitdata blob, time blob, usedpersonally text, UNIQUE(hash, havecorrectnonce) ON CONFLICT REPLACE)''' )
|
|
self.cur.execute( '''CREATE TABLE inventory (hash blob, objecttype text, streamnumber int, payload blob, receivedtime integer, UNIQUE(hash) ON CONFLICT REPLACE)''' )
|
|
self.cur.execute( '''CREATE TABLE knownnodes (timelastseen int, stream int, services blob, host blob, port blob, UNIQUE(host, stream, port) ON CONFLICT REPLACE)''' ) #This table isn't used in the program yet but I have a feeling that we'll need it.
|
|
self.cur.execute( '''INSERT INTO subscriptions VALUES('Bitmessage new releases/announcements','BM-BbkPSZbzPwpVcYZpU4yHwf9ZPEapN5Zx',1)''')
|
|
self.conn.commit()
|
|
print 'Created messages database file'
|
|
except Exception, err:
|
|
if str(err) == 'table inbox already exists':
|
|
print 'Database file already exists.'
|
|
else:
|
|
sys.stderr.write('ERROR trying to create database file (message.dat). Error message: %s\n' % str(err))
|
|
sys.exit()
|
|
|
|
#People running earlier versions of PyBitmessage do not have the usedpersonally field in their pubkeys table. Let's add it.
|
|
if config.getint('bitmessagesettings','settingsversion') == 2:
|
|
item = '''ALTER TABLE pubkeys ADD usedpersonally text DEFAULT 'no' '''
|
|
parameters = ''
|
|
self.cur.execute(item, parameters)
|
|
self.conn.commit()
|
|
|
|
config.set('bitmessagesettings','settingsversion','3')
|
|
with open(appdata + 'keys.dat', 'wb') as configfile:
|
|
config.write(configfile)
|
|
|
|
#People running earlier versions of PyBitmessage do not have the encodingtype field in their inbox and sent tables or the read field in the inbox table. Let's add them.
|
|
if config.getint('bitmessagesettings','settingsversion') == 3:
|
|
item = '''ALTER TABLE inbox ADD encodingtype int DEFAULT '2' '''
|
|
parameters = ''
|
|
self.cur.execute(item, parameters)
|
|
|
|
item = '''ALTER TABLE inbox ADD read bool DEFAULT '1' '''
|
|
parameters = ''
|
|
self.cur.execute(item, parameters)
|
|
|
|
item = '''ALTER TABLE sent ADD encodingtype int DEFAULT '2' '''
|
|
parameters = ''
|
|
self.cur.execute(item, parameters)
|
|
self.conn.commit()
|
|
|
|
config.set('bitmessagesettings','settingsversion','4')
|
|
with open(appdata + 'keys.dat', 'wb') as configfile:
|
|
config.write(configfile)
|
|
|
|
try:
|
|
testpayload = '\x00\x00'
|
|
t = ('1234','True',testpayload,'12345678','no')
|
|
self.cur.execute( '''INSERT INTO pubkeys VALUES(?,?,?,?,?)''',t)
|
|
self.conn.commit()
|
|
self.cur.execute('''SELECT transmitdata FROM pubkeys WHERE hash='1234' ''')
|
|
queryreturn = self.cur.fetchall()
|
|
for row in queryreturn:
|
|
transmitdata, = row
|
|
self.cur.execute('''DELETE FROM pubkeys WHERE hash='1234' ''')
|
|
self.conn.commit()
|
|
if transmitdata == '':
|
|
sys.stderr.write('Problem: The version of SQLite you have cannot store Null values. Please download and install the latest revision of your version of Python (for example, the latest Python 2.7 revision) and try again.\n')
|
|
sys.stderr.write('PyBitmessage will now exist very abruptly. You may now see threading errors related to this abrupt exit but the problem you need to solve is related to SQLite.\n\n')
|
|
sys.exit()
|
|
except Exception, err:
|
|
print err
|
|
|
|
while True:
|
|
item = sqlSubmitQueue.get()
|
|
if item == 'commit':
|
|
self.conn.commit()
|
|
else:
|
|
parameters = sqlSubmitQueue.get()
|
|
#print 'item', item
|
|
#print 'parameters', parameters
|
|
self.cur.execute(item, parameters)
|
|
sqlReturnQueue.put(self.cur.fetchall())
|
|
#sqlSubmitQueue.task_done()
|
|
|
|
|
|
|
|
'''The singleCleaner class is a timer-driven thread that cleans data structures to free memory, resends messages when a remote node doesn't respond, and sends pong messages to keep connections alive if the network isn't busy.
|
|
It cleans these data structures in memory:
|
|
inventory (moves data to the on-disk sql database)
|
|
|
|
It cleans these tables on the disk:
|
|
inventory (clears data more than 2 days and 12 hours old)
|
|
pubkeys (clears pubkeys older than 4 weeks old which we have not used personally)
|
|
|
|
It resends messages when there has been no response:
|
|
resends getpubkey messages in 4 days (then 8 days, then 16 days, etc...)
|
|
resends msg messages in 4 days (then 8 days, then 16 days, etc...)
|
|
|
|
'''
|
|
class singleCleaner(QThread):
|
|
def __init__(self, parent = None):
|
|
QThread.__init__(self, parent)
|
|
|
|
def run(self):
|
|
timeWeLastClearedInventoryAndPubkeysTables = 0
|
|
|
|
while True:
|
|
time.sleep(300)
|
|
sqlLock.acquire()
|
|
self.emit(SIGNAL("updateStatusBar(PyQt_PyObject)"),"Doing housekeeping (Flushing inventory in memory to disk...)")
|
|
for hash, storedValue in inventory.items():
|
|
objectType, streamNumber, payload, receivedTime = storedValue
|
|
if int(time.time())- 3600 > receivedTime:
|
|
t = (hash,objectType,streamNumber,payload,receivedTime)
|
|
sqlSubmitQueue.put('''INSERT INTO inventory VALUES (?,?,?,?,?)''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
del inventory[hash]
|
|
sqlSubmitQueue.put('commit')
|
|
self.emit(SIGNAL("updateStatusBar(PyQt_PyObject)"),"")
|
|
sqlLock.release()
|
|
broadcastToSendDataQueues((0, 'pong', 'no data')) #commands the sendData threads to send out a pong message if they haven't sent anything else in the last five minutes. The socket timeout-time is 10 minutes.
|
|
if timeWeLastClearedInventoryAndPubkeysTables < int(time.time()) - 7380:
|
|
timeWeLastClearedInventoryAndPubkeysTables = int(time.time())
|
|
#inventory (moves data from the inventory data structure to the on-disk sql database)
|
|
sqlLock.acquire()
|
|
#inventory (clears data more than 2 days and 12 hours old)
|
|
t = (int(time.time())-lengthOfTimeToLeaveObjectsInInventory,int(time.time())-lengthOfTimeToHoldOnToAllPubkeys)
|
|
sqlSubmitQueue.put('''DELETE FROM inventory WHERE (receivedtime<? AND objecttype<>'pubkey') OR (receivedtime<? AND objecttype='pubkey') ''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
|
|
#pubkeys
|
|
t = (int(time.time())-lengthOfTimeToHoldOnToAllPubkeys,)
|
|
sqlSubmitQueue.put('''DELETE FROM pubkeys WHERE time<? AND usedpersonally='no' ''')
|
|
sqlSubmitQueue.put(t)
|
|
sqlReturnQueue.get()
|
|
sqlSubmitQueue.put('commit')
|
|
|
|
t = ()
|
|
sqlSubmitQueue.put('''select toaddress, toripe, fromaddress, subject, message, ackdata, lastactiontime, status, pubkeyretrynumber, msgretrynumber FROM sent WHERE ((status='findingpubkey' OR status='sentmessage') AND folder='sent') ''') #If the message's folder='trash' then we'll ignore it.
|
|
sqlSubmitQueue.put(t)
|
|
queryreturn = sqlReturnQueue.get()
|
|
for row in queryreturn:
|
|
toaddress, toripe, fromaddress, subject, message, ackdata, lastactiontime, status, pubkeyretrynumber, msgretrynumber = row
|
|
if status == 'findingpubkey':
|
|
if int(time.time()) - lastactiontime > (maximumAgeOfAnObjectThatIAmWillingToAccept * (2 ** (pubkeyretrynumber))):
|