You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
58 lines
1.8 KiB
58 lines
1.8 KiB
from PyQt4.QtCore import SIGNAL
|
|
import decimal
|
|
import httplib
|
|
import json
|
|
import threading
|
|
|
|
class Exchanger(threading.Thread):
|
|
|
|
def __init__(self, parent):
|
|
threading.Thread.__init__(self)
|
|
self.daemon = True
|
|
self.parent = parent
|
|
self.quote_currencies = None
|
|
self.lock = threading.Lock()
|
|
# Do price discovery
|
|
self.start()
|
|
|
|
def exchange(self, btc_amount, quote_currency):
|
|
with self.lock:
|
|
if self.quote_currencies is None:
|
|
return None
|
|
quote_currencies = self.quote_currencies.copy()
|
|
if quote_currency not in quote_currencies:
|
|
return None
|
|
return btc_amount * quote_currencies[quote_currency]
|
|
|
|
def run(self):
|
|
self.discovery()
|
|
|
|
def discovery(self):
|
|
connection = httplib.HTTPSConnection('intersango.com')
|
|
connection.request("GET", "/api/ticker.php")
|
|
response = connection.getresponse()
|
|
if response.reason == httplib.responses[httplib.NOT_FOUND]:
|
|
return
|
|
response = json.loads(response.read())
|
|
# 1 = BTC:GBP
|
|
# 2 = BTC:EUR
|
|
# 3 = BTC:USD
|
|
# 4 = BTC:PLN
|
|
quote_currencies = {}
|
|
try:
|
|
quote_currencies["GBP"] = self._lookup_rate(response, 1)
|
|
quote_currencies["EUR"] = self._lookup_rate(response, 2)
|
|
quote_currencies["USD"] = self._lookup_rate(response, 3)
|
|
with self.lock:
|
|
self.quote_currencies = quote_currencies
|
|
self.parent.emit(SIGNAL("refresh_balance()"))
|
|
except KeyError:
|
|
pass
|
|
|
|
def _lookup_rate(self, response, quote_id):
|
|
return decimal.Decimal(response[str(quote_id)]["last"])
|
|
|
|
if __name__ == "__main__":
|
|
exch = Exchanger(("EUR", "USD", "GBP"))
|
|
print exch.exchange(1, "EUR")
|
|
|
|
|