2017-12-07 03:52:34 +01:00
|
|
|
from collections import defaultdict, deque
|
2016-07-26 03:45:42 +02:00
|
|
|
import datetime
|
|
|
|
import logging
|
2017-12-07 03:52:34 +01:00
|
|
|
from decimal import Decimal
|
2018-05-05 06:16:26 +02:00
|
|
|
|
2017-12-07 03:52:34 +01:00
|
|
|
from zope.interface import implements
|
2015-08-20 17:27:15 +02:00
|
|
|
from twisted.internet import threads, reactor, defer, task
|
|
|
|
from twisted.python.failure import Failure
|
2018-02-28 20:59:12 +01:00
|
|
|
from twisted.internet.error import ConnectionAborted
|
2017-05-10 07:26:20 +02:00
|
|
|
|
2017-12-07 03:52:34 +01:00
|
|
|
from lbryum import wallet as lbryum_wallet
|
2017-06-27 23:52:58 +02:00
|
|
|
from lbryum.network import Network
|
|
|
|
from lbryum.simple_config import SimpleConfig
|
|
|
|
from lbryum.constants import COIN
|
2017-12-12 15:26:28 +01:00
|
|
|
from lbryum.commands import Commands
|
2017-12-17 07:00:12 +01:00
|
|
|
from lbryum.errors import InvalidPassword
|
2016-07-26 03:45:42 +02:00
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
from lbryschema.uri import parse_lbry_uri
|
2017-04-03 21:58:20 +02:00
|
|
|
from lbryschema.claim import ClaimDict
|
|
|
|
from lbryschema.error import DecodeError
|
2017-04-09 22:10:07 +02:00
|
|
|
from lbryschema.decode import smart_decode
|
2017-04-03 21:58:20 +02:00
|
|
|
|
2016-09-27 20:18:35 +02:00
|
|
|
from lbrynet.interfaces import IRequestCreator, IQueryHandlerFactory, IQueryHandler, IWallet
|
2018-02-28 20:59:12 +01:00
|
|
|
from lbrynet.core.utils import DeferredDict
|
2016-07-26 03:45:42 +02:00
|
|
|
from lbrynet.core.client.ClientRequest import ClientRequest
|
2017-12-17 21:39:33 +01:00
|
|
|
from lbrynet.core.Error import InsufficientFundsError, UnknownNameError
|
2017-07-17 17:55:24 +02:00
|
|
|
from lbrynet.core.Error import UnknownClaimID, UnknownURI, NegativeFundsError, UnknownOutpoint
|
2017-12-17 21:39:33 +01:00
|
|
|
from lbrynet.core.Error import DownloadCanceledError, RequestCanceledError
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2015-09-08 21:42:56 +02:00
|
|
|
log = logging.getLogger(__name__)
|
|
|
|
|
|
|
|
|
2015-08-20 17:27:15 +02:00
|
|
|
class ReservedPoints(object):
|
|
|
|
def __init__(self, identifier, amount):
|
|
|
|
self.identifier = identifier
|
|
|
|
self.amount = amount
|
|
|
|
|
|
|
|
|
2016-10-14 08:13:37 +02:00
|
|
|
class ClaimOutpoint(dict):
|
|
|
|
def __init__(self, txid, nout):
|
|
|
|
if len(txid) != 64:
|
|
|
|
raise TypeError('{} is not a txid'.format(txid))
|
|
|
|
self['txid'] = txid
|
2016-11-28 20:23:10 +01:00
|
|
|
self['nout'] = nout
|
2016-10-14 08:13:37 +02:00
|
|
|
|
|
|
|
def __repr__(self):
|
2016-11-28 20:23:10 +01:00
|
|
|
return "{}:{}".format(self['txid'], self['nout'])
|
2016-10-14 08:13:37 +02:00
|
|
|
|
|
|
|
def __eq__(self, compare):
|
2016-11-28 20:23:10 +01:00
|
|
|
if isinstance(compare, dict):
|
2016-10-14 08:13:37 +02:00
|
|
|
# TODO: lbryum returns nout's in dicts as "nOut" , need to fix this
|
2016-11-28 20:23:10 +01:00
|
|
|
if 'nOut' in compare:
|
|
|
|
return (self['txid'], self['nout']) == (compare['txid'], compare['nOut'])
|
|
|
|
elif 'nout' in compare:
|
|
|
|
return (self['txid'], self['nout']) == (compare['txid'], compare['nout'])
|
2017-04-25 20:31:05 +02:00
|
|
|
elif isinstance(compare, (str, unicode)):
|
2017-03-07 23:03:07 +01:00
|
|
|
return compare == self.__repr__()
|
2016-10-14 08:13:37 +02:00
|
|
|
else:
|
|
|
|
raise TypeError('cannot compare {}'.format(type(compare)))
|
2017-01-25 17:44:21 +01:00
|
|
|
|
2016-10-14 08:13:37 +02:00
|
|
|
def __ne__(self, compare):
|
2016-11-28 20:23:10 +01:00
|
|
|
return not self.__eq__(compare)
|
2016-10-14 08:13:37 +02:00
|
|
|
|
|
|
|
|
2016-09-27 20:18:35 +02:00
|
|
|
class Wallet(object):
|
|
|
|
"""This class implements the Wallet interface for the LBRYcrd payment system"""
|
|
|
|
implements(IWallet)
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2016-12-01 06:28:25 +01:00
|
|
|
def __init__(self, storage):
|
2018-02-12 19:47:25 +01:00
|
|
|
self.storage = storage
|
2015-08-20 17:27:15 +02:00
|
|
|
self.next_manage_call = None
|
|
|
|
self.wallet_balance = Decimal(0.0)
|
|
|
|
self.total_reserved_points = Decimal(0.0)
|
|
|
|
self.peer_addresses = {} # {Peer: string}
|
2017-04-23 19:33:06 +02:00
|
|
|
self.queued_payments = defaultdict(Decimal) # {address(string): amount(Decimal)}
|
|
|
|
self.expected_balances = defaultdict(Decimal) # {address(string): amount(Decimal)}
|
2015-08-20 17:27:15 +02:00
|
|
|
self.current_address_given_to_peer = {} # {Peer: address(string)}
|
2016-11-28 20:23:10 +01:00
|
|
|
# (Peer, address(string), amount(Decimal), time(datetime), count(int),
|
|
|
|
# incremental_amount(float))
|
|
|
|
self.expected_balance_at_time = deque()
|
2015-08-20 17:27:15 +02:00
|
|
|
self.max_expected_payment_time = datetime.timedelta(minutes=3)
|
|
|
|
self.stopped = True
|
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
self.manage_running = False
|
2016-03-18 01:19:13 +01:00
|
|
|
self._manage_count = 0
|
|
|
|
self._balance_refresh_time = 3
|
2016-03-18 02:55:06 +01:00
|
|
|
self._batch_count = 20
|
2018-02-28 20:59:12 +01:00
|
|
|
self._pending_claim_checker = task.LoopingCall(self.fetch_and_save_heights_for_pending_claims)
|
2015-10-29 01:59:07 +01:00
|
|
|
|
2018-04-30 19:31:09 +02:00
|
|
|
@defer.inlineCallbacks
|
2015-08-20 17:27:15 +02:00
|
|
|
def start(self):
|
2017-08-02 21:48:07 +02:00
|
|
|
log.info("Starting wallet.")
|
2018-04-30 19:31:09 +02:00
|
|
|
yield self._start()
|
|
|
|
self.stopped = False
|
|
|
|
self.manage()
|
|
|
|
self._pending_claim_checker.start(30)
|
|
|
|
defer.returnValue(True)
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
@staticmethod
|
|
|
|
def log_stop_error(err):
|
2017-04-23 19:33:06 +02:00
|
|
|
log.error("An error occurred stopping the wallet: %s", err.getTraceback())
|
2016-02-17 05:10:26 +01:00
|
|
|
|
|
|
|
def stop(self):
|
2017-08-02 21:48:07 +02:00
|
|
|
log.info("Stopping wallet.")
|
2015-08-20 17:27:15 +02:00
|
|
|
self.stopped = True
|
2018-02-28 20:59:12 +01:00
|
|
|
|
|
|
|
if self._pending_claim_checker.running:
|
|
|
|
self._pending_claim_checker.stop()
|
2015-08-20 17:27:15 +02:00
|
|
|
# If self.next_manage_call is None, then manage is currently running or else
|
|
|
|
# start has not been called, so set stopped and do nothing else.
|
|
|
|
if self.next_manage_call is not None:
|
|
|
|
self.next_manage_call.cancel()
|
|
|
|
self.next_manage_call = None
|
|
|
|
|
2016-03-18 01:19:13 +01:00
|
|
|
d = self.manage(do_full=True)
|
2016-02-17 05:10:26 +01:00
|
|
|
d.addErrback(self.log_stop_error)
|
|
|
|
d.addCallback(lambda _: self._stop())
|
|
|
|
d.addErrback(self.log_stop_error)
|
2015-08-20 17:27:15 +02:00
|
|
|
return d
|
|
|
|
|
2016-03-18 01:19:13 +01:00
|
|
|
def manage(self, do_full=False):
|
2015-08-20 17:27:15 +02:00
|
|
|
self.next_manage_call = None
|
|
|
|
have_set_manage_running = [False]
|
2016-03-18 01:19:13 +01:00
|
|
|
self._manage_count += 1
|
|
|
|
if self._manage_count % self._batch_count == 0:
|
|
|
|
self._manage_count = 0
|
|
|
|
do_full = True
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def check_if_manage_running():
|
|
|
|
|
|
|
|
d = defer.Deferred()
|
|
|
|
|
|
|
|
def fire_if_not_running():
|
|
|
|
if self.manage_running is False:
|
|
|
|
self.manage_running = True
|
|
|
|
have_set_manage_running[0] = True
|
|
|
|
d.callback(True)
|
2016-03-18 01:19:13 +01:00
|
|
|
elif do_full is False:
|
|
|
|
d.callback(False)
|
2015-08-20 17:27:15 +02:00
|
|
|
else:
|
|
|
|
task.deferLater(reactor, 1, fire_if_not_running)
|
|
|
|
|
|
|
|
fire_if_not_running()
|
|
|
|
return d
|
|
|
|
|
|
|
|
d = check_if_manage_running()
|
|
|
|
|
2016-03-18 01:19:13 +01:00
|
|
|
def do_manage():
|
|
|
|
if do_full:
|
|
|
|
d = self._check_expected_balances()
|
|
|
|
d.addCallback(lambda _: self._send_payments())
|
|
|
|
else:
|
|
|
|
d = defer.succeed(True)
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2016-10-19 06:12:44 +02:00
|
|
|
def log_error(err):
|
|
|
|
if isinstance(err, AttributeError):
|
|
|
|
log.warning("Failed to get an updated balance")
|
2017-04-23 19:33:06 +02:00
|
|
|
log.warning("Last balance update: %s", str(self.wallet_balance))
|
2016-10-19 06:12:44 +02:00
|
|
|
|
2017-01-12 18:51:44 +01:00
|
|
|
d.addCallbacks(lambda _: self.update_balance(), log_error)
|
2016-03-18 01:19:13 +01:00
|
|
|
return d
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2016-03-18 01:19:13 +01:00
|
|
|
d.addCallback(lambda should_run: do_manage() if should_run else None)
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def set_next_manage_call():
|
|
|
|
if not self.stopped:
|
2017-04-23 19:33:06 +02:00
|
|
|
self.next_manage_call = reactor.callLater(self._balance_refresh_time, self.manage)
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
d.addCallback(lambda _: set_next_manage_call())
|
|
|
|
|
|
|
|
def log_error(err):
|
2016-11-28 20:23:10 +01:00
|
|
|
log.error("Something went wrong during manage. Error message: %s",
|
|
|
|
err.getErrorMessage())
|
2015-08-20 17:27:15 +02:00
|
|
|
return err
|
|
|
|
|
|
|
|
d.addErrback(log_error)
|
|
|
|
|
|
|
|
def set_manage_not_running(arg):
|
|
|
|
if have_set_manage_running[0] is True:
|
|
|
|
self.manage_running = False
|
|
|
|
return arg
|
|
|
|
|
|
|
|
d.addBoth(set_manage_not_running)
|
|
|
|
return d
|
|
|
|
|
2017-01-12 18:51:44 +01:00
|
|
|
@defer.inlineCallbacks
|
|
|
|
def update_balance(self):
|
|
|
|
""" obtain balance from lbryum wallet and set self.wallet_balance
|
|
|
|
"""
|
|
|
|
balance = yield self._update_balance()
|
|
|
|
if self.wallet_balance != balance:
|
|
|
|
log.debug("Got a new balance: %s", balance)
|
|
|
|
self.wallet_balance = balance
|
|
|
|
|
2016-02-17 17:47:39 +01:00
|
|
|
def get_info_exchanger(self):
|
|
|
|
return LBRYcrdAddressRequester(self)
|
|
|
|
|
|
|
|
def get_wallet_info_query_handler_factory(self):
|
|
|
|
return LBRYcrdAddressQueryHandlerFactory(self)
|
|
|
|
|
2015-09-22 18:08:17 +02:00
|
|
|
def reserve_points(self, identifier, amount):
|
2016-11-28 20:23:10 +01:00
|
|
|
"""Ensure a certain amount of points are available to be sent as
|
|
|
|
payment, before the service is rendered
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2015-09-22 18:08:17 +02:00
|
|
|
@param identifier: The peer to which the payment will ultimately be sent
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
@param amount: The amount of points to reserve
|
|
|
|
|
2016-11-28 20:23:10 +01:00
|
|
|
@return: A ReservedPoints object which is given to send_points
|
|
|
|
once the service has been rendered
|
2015-08-20 17:27:15 +02:00
|
|
|
"""
|
|
|
|
rounded_amount = Decimal(str(round(amount, 8)))
|
2017-07-07 22:37:35 +02:00
|
|
|
if rounded_amount < 0:
|
|
|
|
raise NegativeFundsError(rounded_amount)
|
2017-01-12 18:51:44 +01:00
|
|
|
if self.get_balance() >= rounded_amount:
|
2015-08-20 17:27:15 +02:00
|
|
|
self.total_reserved_points += rounded_amount
|
2015-09-22 18:08:17 +02:00
|
|
|
return ReservedPoints(identifier, rounded_amount)
|
2015-08-20 17:27:15 +02:00
|
|
|
return None
|
|
|
|
|
|
|
|
def cancel_point_reservation(self, reserved_points):
|
|
|
|
"""
|
|
|
|
Return all of the points that were reserved previously for some ReservedPoints object
|
|
|
|
|
|
|
|
@param reserved_points: ReservedPoints previously returned by reserve_points
|
|
|
|
|
|
|
|
@return: None
|
|
|
|
"""
|
|
|
|
self.total_reserved_points -= reserved_points.amount
|
|
|
|
|
|
|
|
def send_points(self, reserved_points, amount):
|
|
|
|
"""
|
|
|
|
Schedule a payment to be sent to a peer
|
|
|
|
|
|
|
|
@param reserved_points: ReservedPoints object previously returned by reserve_points
|
|
|
|
|
|
|
|
@param amount: amount of points to actually send, must be less than or equal to the
|
|
|
|
amount reserved in reserved_points
|
|
|
|
|
|
|
|
@return: Deferred which fires when the payment has been scheduled
|
|
|
|
"""
|
|
|
|
rounded_amount = Decimal(str(round(amount, 8)))
|
|
|
|
peer = reserved_points.identifier
|
2017-01-25 17:44:21 +01:00
|
|
|
assert rounded_amount <= reserved_points.amount
|
|
|
|
assert peer in self.peer_addresses
|
2015-08-20 17:27:15 +02:00
|
|
|
self.queued_payments[self.peer_addresses[peer]] += rounded_amount
|
|
|
|
# make any unused points available
|
|
|
|
self.total_reserved_points -= (reserved_points.amount - rounded_amount)
|
2016-11-23 22:27:23 +01:00
|
|
|
log.debug("ordering that %s points be sent to %s", str(rounded_amount),
|
2017-01-25 17:44:21 +01:00
|
|
|
str(self.peer_addresses[peer]))
|
2015-08-20 17:27:15 +02:00
|
|
|
peer.update_stats('points_sent', amount)
|
|
|
|
return defer.succeed(True)
|
|
|
|
|
2015-09-22 18:08:17 +02:00
|
|
|
def send_points_to_address(self, reserved_points, amount):
|
|
|
|
"""
|
|
|
|
Schedule a payment to be sent to an address
|
|
|
|
|
|
|
|
@param reserved_points: ReservedPoints object previously returned by reserve_points
|
|
|
|
|
|
|
|
@param amount: amount of points to actually send. must be less than or equal to the
|
2017-10-18 02:25:17 +02:00
|
|
|
amount reserved in reserved_points
|
2015-09-22 18:08:17 +02:00
|
|
|
|
|
|
|
@return: Deferred which fires when the payment has been scheduled
|
|
|
|
"""
|
|
|
|
rounded_amount = Decimal(str(round(amount, 8)))
|
|
|
|
address = reserved_points.identifier
|
2017-01-25 17:44:21 +01:00
|
|
|
assert rounded_amount <= reserved_points.amount
|
2015-09-22 18:08:17 +02:00
|
|
|
self.queued_payments[address] += rounded_amount
|
|
|
|
self.total_reserved_points -= (reserved_points.amount - rounded_amount)
|
2016-11-23 22:27:23 +01:00
|
|
|
log.debug("Ordering that %s points be sent to %s", str(rounded_amount),
|
2017-01-25 17:44:21 +01:00
|
|
|
str(address))
|
2015-09-22 18:08:17 +02:00
|
|
|
return defer.succeed(True)
|
|
|
|
|
2015-08-20 17:27:15 +02:00
|
|
|
def add_expected_payment(self, peer, amount):
|
|
|
|
"""Increase the number of points expected to be paid by a peer"""
|
|
|
|
rounded_amount = Decimal(str(round(amount, 8)))
|
2017-01-25 17:44:21 +01:00
|
|
|
assert peer in self.current_address_given_to_peer
|
2015-08-20 17:27:15 +02:00
|
|
|
address = self.current_address_given_to_peer[peer]
|
2016-11-23 22:27:23 +01:00
|
|
|
log.debug("expecting a payment at address %s in the amount of %s",
|
2017-01-25 17:44:21 +01:00
|
|
|
str(address), str(rounded_amount))
|
2015-08-20 17:27:15 +02:00
|
|
|
self.expected_balances[address] += rounded_amount
|
|
|
|
expected_balance = self.expected_balances[address]
|
2017-04-23 19:33:06 +02:00
|
|
|
expected_time = datetime.datetime.now() + self.max_expected_payment_time
|
2016-11-28 20:23:10 +01:00
|
|
|
self.expected_balance_at_time.append(
|
|
|
|
(peer, address, expected_balance, expected_time, 0, amount))
|
2015-08-20 17:27:15 +02:00
|
|
|
peer.update_stats('expected_points', amount)
|
|
|
|
|
|
|
|
def update_peer_address(self, peer, address):
|
|
|
|
self.peer_addresses[peer] = address
|
|
|
|
|
2017-03-27 18:41:53 +02:00
|
|
|
def get_unused_address_for_peer(self, peer):
|
2015-08-20 17:27:15 +02:00
|
|
|
def set_address_for_peer(address):
|
|
|
|
self.current_address_given_to_peer[peer] = address
|
|
|
|
return address
|
2017-01-25 17:44:21 +01:00
|
|
|
|
2017-12-07 03:52:34 +01:00
|
|
|
d = self.get_least_used_address()
|
2015-08-20 17:27:15 +02:00
|
|
|
d.addCallback(set_address_for_peer)
|
|
|
|
return d
|
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
def _send_payments(self):
|
|
|
|
payments_to_send = {}
|
|
|
|
for address, points in self.queued_payments.items():
|
2016-08-27 08:42:20 +02:00
|
|
|
if points > 0:
|
2017-04-23 19:33:06 +02:00
|
|
|
log.debug("Should be sending %s points to %s", str(points), str(address))
|
2016-08-27 08:42:20 +02:00
|
|
|
payments_to_send[address] = points
|
|
|
|
self.total_reserved_points -= points
|
|
|
|
else:
|
|
|
|
log.info("Skipping dust")
|
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
del self.queued_payments[address]
|
2016-08-27 08:42:20 +02:00
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
if payments_to_send:
|
2017-04-23 19:33:06 +02:00
|
|
|
log.debug("Creating a transaction with outputs %s", str(payments_to_send))
|
2016-02-19 06:44:08 +01:00
|
|
|
d = self._do_send_many(payments_to_send)
|
|
|
|
d.addCallback(lambda txid: log.debug("Sent transaction %s", txid))
|
|
|
|
return d
|
2017-01-12 18:51:44 +01:00
|
|
|
|
2016-08-23 01:56:42 +02:00
|
|
|
log.debug("There were no payments to send")
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.succeed(True)
|
|
|
|
|
2017-04-23 19:33:06 +02:00
|
|
|
######
|
2017-01-25 17:44:21 +01:00
|
|
|
|
2018-02-28 20:59:12 +01:00
|
|
|
@defer.inlineCallbacks
|
|
|
|
def fetch_and_save_heights_for_pending_claims(self):
|
|
|
|
pending_outpoints = yield self.storage.get_pending_claim_outpoints()
|
|
|
|
if pending_outpoints:
|
|
|
|
tx_heights = yield DeferredDict({txid: self.get_height_for_txid(txid) for txid in pending_outpoints},
|
|
|
|
consumeErrors=True)
|
|
|
|
outpoint_heights = {}
|
|
|
|
for txid, outputs in pending_outpoints.iteritems():
|
|
|
|
if txid in tx_heights:
|
|
|
|
for nout in outputs:
|
|
|
|
outpoint_heights["%s:%i" % (txid, nout)] = tx_heights[txid]
|
|
|
|
yield self.storage.save_claim_tx_heights(outpoint_heights)
|
|
|
|
|
2017-04-24 00:16:03 +02:00
|
|
|
@defer.inlineCallbacks
|
2017-06-23 18:03:01 +02:00
|
|
|
def get_claim_by_claim_id(self, claim_id, check_expire=True):
|
2018-02-12 19:47:25 +01:00
|
|
|
claim = yield self._get_claim_by_claimid(claim_id)
|
|
|
|
try:
|
|
|
|
result = self._handle_claim_result(claim)
|
|
|
|
except (UnknownNameError, UnknownClaimID, UnknownURI) as err:
|
|
|
|
result = {'error': err.message}
|
2017-04-24 00:16:03 +02:00
|
|
|
defer.returnValue(result)
|
2017-01-25 17:44:21 +01:00
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
@defer.inlineCallbacks
|
2016-09-16 02:15:20 +02:00
|
|
|
def get_my_claim(self, name):
|
2017-04-07 02:42:07 +02:00
|
|
|
my_claims = yield self.get_name_claims()
|
|
|
|
my_claim = False
|
|
|
|
for claim in my_claims:
|
|
|
|
if claim['name'] == name:
|
|
|
|
claim['value'] = ClaimDict.load_dict(claim['value'])
|
|
|
|
my_claim = claim
|
|
|
|
break
|
|
|
|
defer.returnValue(my_claim)
|
2016-09-16 02:15:20 +02:00
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
def _decode_claim_result(self, claim):
|
2017-06-23 18:37:55 +02:00
|
|
|
if 'has_signature' in claim and claim['has_signature']:
|
|
|
|
if not claim['signature_is_valid']:
|
|
|
|
log.warning("lbry://%s#%s has an invalid signature",
|
|
|
|
claim['name'], claim['claim_id'])
|
|
|
|
try:
|
|
|
|
decoded = smart_decode(claim['value'])
|
|
|
|
claim_dict = decoded.claim_dict
|
|
|
|
claim['value'] = claim_dict
|
|
|
|
claim['hex'] = decoded.serialized.encode('hex')
|
|
|
|
except DecodeError:
|
|
|
|
claim['hex'] = claim['value']
|
|
|
|
claim['value'] = None
|
|
|
|
claim['error'] = "Failed to decode value"
|
2018-02-12 19:47:25 +01:00
|
|
|
return claim
|
2017-06-23 18:37:55 +02:00
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
def _handle_claim_result(self, results):
|
2017-04-09 22:10:07 +02:00
|
|
|
if not results:
|
2017-06-23 20:25:44 +02:00
|
|
|
#TODO: cannot determine what name we searched for here
|
|
|
|
# we should fix lbryum commands that return None
|
|
|
|
raise UnknownNameError("")
|
2017-04-09 22:10:07 +02:00
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
if 'error' in results:
|
2017-05-29 21:43:17 +02:00
|
|
|
if results['error'] in ['name is not claimed', 'claim not found']:
|
2017-06-09 19:39:55 +02:00
|
|
|
if 'claim_id' in results:
|
|
|
|
raise UnknownClaimID(results['claim_id'])
|
|
|
|
elif 'name' in results:
|
|
|
|
raise UnknownNameError(results['name'])
|
|
|
|
elif 'uri' in results:
|
|
|
|
raise UnknownURI(results['uri'])
|
2017-07-17 17:55:24 +02:00
|
|
|
elif 'outpoint' in results:
|
|
|
|
raise UnknownOutpoint(results['outpoint'])
|
2017-06-09 19:39:55 +02:00
|
|
|
raise Exception(results['error'])
|
2017-04-09 22:10:07 +02:00
|
|
|
|
2017-07-20 18:35:27 +02:00
|
|
|
# case where return value is {'certificate':{'txid', 'value',...},...}
|
|
|
|
if 'certificate' in results:
|
2018-02-12 19:47:25 +01:00
|
|
|
results['certificate'] = self._decode_claim_result(results['certificate'])
|
2017-06-23 18:37:55 +02:00
|
|
|
|
2017-07-20 18:35:27 +02:00
|
|
|
# case where return value is {'claim':{'txid','value',...},...}
|
|
|
|
if 'claim' in results:
|
2018-02-12 19:47:25 +01:00
|
|
|
results['claim'] = self._decode_claim_result(results['claim'])
|
2017-06-23 18:37:55 +02:00
|
|
|
|
|
|
|
# case where return value is {'txid','value',...}
|
|
|
|
# returned by queries that are not name resolve related
|
|
|
|
# (getclaimbyoutpoint, getclaimbyid, getclaimsfromtx)
|
2017-04-07 02:42:07 +02:00
|
|
|
elif 'value' in results:
|
2018-02-12 19:47:25 +01:00
|
|
|
results = self._decode_claim_result(results)
|
2017-06-23 18:37:55 +02:00
|
|
|
|
2017-07-20 20:05:00 +02:00
|
|
|
# case where there is no 'certificate', 'value', or 'claim' key
|
|
|
|
elif 'certificate' not in results:
|
2017-06-23 18:37:55 +02:00
|
|
|
msg = 'result in unexpected format:{}'.format(results)
|
|
|
|
assert False, msg
|
2017-04-09 22:10:07 +02:00
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
return results
|
|
|
|
|
|
|
|
@defer.inlineCallbacks
|
|
|
|
def save_claim(self, claim_info):
|
2018-06-20 17:41:43 +02:00
|
|
|
claims = []
|
2018-02-12 19:47:25 +01:00
|
|
|
if 'value' in claim_info:
|
2018-04-19 23:37:23 +02:00
|
|
|
if claim_info['value']:
|
2018-06-20 17:41:43 +02:00
|
|
|
claims.append(claim_info)
|
2018-04-19 20:34:49 +02:00
|
|
|
else:
|
2018-04-19 23:37:23 +02:00
|
|
|
if 'certificate' in claim_info and claim_info['certificate']['value']:
|
2018-06-20 17:41:43 +02:00
|
|
|
claims.append(claim_info['certificate'])
|
2018-04-19 23:37:23 +02:00
|
|
|
if 'claim' in claim_info and claim_info['claim']['value']:
|
2018-06-20 17:41:43 +02:00
|
|
|
claims.append(claim_info['claim'])
|
|
|
|
yield self.storage.save_claims(claims)
|
|
|
|
|
|
|
|
@defer.inlineCallbacks
|
|
|
|
def save_claims(self, claim_infos):
|
|
|
|
to_save = []
|
|
|
|
for info in claim_infos:
|
|
|
|
if 'value' in info:
|
|
|
|
if info['value']:
|
|
|
|
to_save.append(info)
|
|
|
|
else:
|
|
|
|
if 'certificate' in info and info['certificate']['value']:
|
|
|
|
to_save.append(info['certificate'])
|
|
|
|
if 'claim' in info and info['claim']['value']:
|
|
|
|
to_save.append(info['claim'])
|
|
|
|
yield self.storage.save_claims(to_save)
|
2016-08-08 07:46:19 +02:00
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
@defer.inlineCallbacks
|
2017-06-09 19:47:13 +02:00
|
|
|
def resolve(self, *uris, **kwargs):
|
|
|
|
page = kwargs.get('page', 0)
|
|
|
|
page_size = kwargs.get('page_size', 10)
|
|
|
|
|
|
|
|
result = {}
|
|
|
|
batch_results = yield self._get_values_for_uris(page, page_size, *uris)
|
2018-06-20 17:41:43 +02:00
|
|
|
to_save = []
|
2017-06-09 19:47:13 +02:00
|
|
|
for uri, resolve_results in batch_results.iteritems():
|
|
|
|
try:
|
2018-02-12 19:47:25 +01:00
|
|
|
result[uri] = self._handle_claim_result(resolve_results)
|
2018-06-20 17:41:43 +02:00
|
|
|
to_save.append(result[uri])
|
2017-06-09 19:47:13 +02:00
|
|
|
except (UnknownNameError, UnknownClaimID, UnknownURI) as err:
|
|
|
|
result[uri] = {'error': err.message}
|
2018-06-20 17:41:43 +02:00
|
|
|
yield self.save_claims(to_save)
|
2017-04-07 02:42:07 +02:00
|
|
|
defer.returnValue(result)
|
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
@defer.inlineCallbacks
|
|
|
|
def get_claims_by_ids(self, *claim_ids):
|
|
|
|
claims = yield self._get_claims_by_claimids(*claim_ids)
|
|
|
|
for claim in claims.itervalues():
|
|
|
|
yield self.save_claim(claim)
|
|
|
|
defer.returnValue(claims)
|
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
@defer.inlineCallbacks
|
2018-04-19 18:31:36 +02:00
|
|
|
def get_claim_by_outpoint(self, txid, nout, check_expire=True):
|
2018-02-12 19:47:25 +01:00
|
|
|
claim = yield self._get_claim_by_outpoint(txid, nout)
|
|
|
|
try:
|
|
|
|
result = self._handle_claim_result(claim)
|
|
|
|
yield self.save_claim(result)
|
2018-04-19 18:31:36 +02:00
|
|
|
except UnknownOutpoint as err:
|
2018-02-12 19:47:25 +01:00
|
|
|
result = {'error': err.message}
|
2017-04-07 02:42:07 +02:00
|
|
|
defer.returnValue(result)
|
|
|
|
|
|
|
|
@defer.inlineCallbacks
|
|
|
|
def get_claim_by_name(self, name):
|
|
|
|
get_name_result = yield self._get_value_for_name(name)
|
2018-02-12 19:47:25 +01:00
|
|
|
result = self._handle_claim_result(get_name_result)
|
|
|
|
yield self.save_claim(result)
|
2017-04-07 02:42:07 +02:00
|
|
|
defer.returnValue(result)
|
2016-08-08 07:46:19 +02:00
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
@defer.inlineCallbacks
|
2016-08-08 07:42:37 +02:00
|
|
|
def get_claims_for_name(self, name):
|
2017-04-07 02:42:07 +02:00
|
|
|
result = yield self._get_claims_for_name(name)
|
|
|
|
claims = result['claims']
|
|
|
|
claims_for_return = []
|
|
|
|
for claim in claims:
|
2017-04-09 22:10:07 +02:00
|
|
|
try:
|
|
|
|
decoded = smart_decode(claim['value'])
|
|
|
|
claim['value'] = decoded.claim_dict
|
|
|
|
claim['hex'] = decoded.serialized.encode('hex')
|
2018-02-12 19:47:25 +01:00
|
|
|
yield self.save_claim(claim)
|
2017-04-09 22:10:07 +02:00
|
|
|
claims_for_return.append(claim)
|
|
|
|
except DecodeError:
|
|
|
|
claim['hex'] = claim['value']
|
|
|
|
claim['value'] = None
|
|
|
|
claim['error'] = "Failed to decode"
|
2017-04-23 19:33:06 +02:00
|
|
|
log.warning("Failed to decode claim value for lbry://%s#%s", claim['name'],
|
2017-04-09 22:10:07 +02:00
|
|
|
claim['claim_id'])
|
|
|
|
claims_for_return.append(claim)
|
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
result['claims'] = claims_for_return
|
|
|
|
defer.returnValue(result)
|
2016-07-28 20:55:17 +02:00
|
|
|
|
2017-01-16 20:05:16 +01:00
|
|
|
def _process_claim_out(self, claim_out):
|
|
|
|
claim_out.pop('success')
|
|
|
|
claim_out['fee'] = float(claim_out['fee'])
|
|
|
|
return claim_out
|
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
@defer.inlineCallbacks
|
2017-04-07 02:42:07 +02:00
|
|
|
def claim_new_channel(self, channel_name, amount):
|
|
|
|
parsed_channel_name = parse_lbry_uri(channel_name)
|
|
|
|
if not parsed_channel_name.is_channel:
|
|
|
|
raise Exception("Invalid channel name")
|
|
|
|
elif (parsed_channel_name.path or parsed_channel_name.claim_id or
|
|
|
|
parsed_channel_name.bid_position or parsed_channel_name.claim_sequence):
|
2017-04-23 19:33:06 +02:00
|
|
|
raise Exception("New channel claim should have no fields other than name")
|
2017-04-10 17:01:28 +02:00
|
|
|
log.info("Preparing to make certificate claim for %s", channel_name)
|
2018-02-12 19:47:25 +01:00
|
|
|
channel_claim = yield self._claim_certificate(parsed_channel_name.name, amount)
|
2018-03-07 12:35:04 +01:00
|
|
|
if not channel_claim['success']:
|
2018-03-09 16:06:00 +01:00
|
|
|
msg = 'Claiming of channel {} failed: {}'.format(channel_name, channel_claim['reason'])
|
2018-03-07 17:21:11 +01:00
|
|
|
log.error(msg)
|
2018-03-07 12:35:04 +01:00
|
|
|
raise Exception(msg)
|
2018-02-12 19:47:25 +01:00
|
|
|
yield self.save_claim(self._get_temp_claim_info(channel_claim, channel_name, amount))
|
|
|
|
defer.returnValue(channel_claim)
|
2017-04-07 02:42:07 +02:00
|
|
|
|
|
|
|
@defer.inlineCallbacks
|
|
|
|
def channel_list(self):
|
2017-11-22 19:50:07 +01:00
|
|
|
certificates = yield self.get_certificates_for_signing()
|
2017-04-07 02:42:07 +02:00
|
|
|
results = []
|
|
|
|
for claim in certificates:
|
2018-02-12 19:47:25 +01:00
|
|
|
formatted = self._handle_claim_result(claim)
|
2017-04-07 02:42:07 +02:00
|
|
|
results.append(formatted)
|
|
|
|
defer.returnValue(results)
|
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
def _get_temp_claim_info(self, claim_result, name, bid):
|
|
|
|
# save the claim information with a height and sequence of 0, this will be reset upon next resolve
|
|
|
|
return {
|
|
|
|
"claim_id": claim_result['claim_id'],
|
|
|
|
"name": name,
|
|
|
|
"amount": bid,
|
|
|
|
"address": claim_result['claim_address'],
|
|
|
|
"txid": claim_result['txid'],
|
|
|
|
"nout": claim_result['nout'],
|
|
|
|
"value": claim_result['value'],
|
|
|
|
"height": -1,
|
|
|
|
"claim_sequence": -1,
|
|
|
|
}
|
|
|
|
|
2017-02-09 04:41:15 +01:00
|
|
|
@defer.inlineCallbacks
|
2017-06-12 19:32:01 +02:00
|
|
|
def claim_name(self, name, bid, metadata, certificate_id=None, claim_address=None,
|
|
|
|
change_address=None):
|
2017-02-09 04:41:15 +01:00
|
|
|
"""
|
|
|
|
Claim a name, or update if name already claimed by user
|
2015-10-28 06:38:01 +01:00
|
|
|
|
2017-02-09 04:41:15 +01:00
|
|
|
@param name: str, name to claim
|
|
|
|
@param bid: float, bid amount
|
2017-04-07 02:42:07 +02:00
|
|
|
@param metadata: ClaimDict compliant dict
|
|
|
|
@param certificate_id: str (optional), claim id of channel certificate
|
2017-06-03 02:26:03 +02:00
|
|
|
@param claim_address: str (optional), address to send claim to
|
2017-06-12 19:32:01 +02:00
|
|
|
@param change_address: str (optional), address to send change
|
2017-02-09 16:11:46 +01:00
|
|
|
|
2017-02-09 04:41:15 +01:00
|
|
|
@return: Deferred which returns a dict containing below items
|
|
|
|
txid - txid of the resulting transaction
|
|
|
|
nout - nout of the resulting claim
|
|
|
|
fee - transaction fee paid to make claim
|
|
|
|
claim_id - claim id of the claim
|
|
|
|
"""
|
2017-04-07 02:42:07 +02:00
|
|
|
|
|
|
|
decoded = ClaimDict.load_dict(metadata)
|
|
|
|
serialized = decoded.serialized
|
|
|
|
|
2018-03-14 18:47:34 +01:00
|
|
|
if self.get_balance() <= bid:
|
|
|
|
amt = yield self.get_max_usable_balance_for_claim(name)
|
|
|
|
if bid > amt:
|
|
|
|
raise InsufficientFundsError()
|
2018-02-14 19:01:57 +01:00
|
|
|
|
2017-06-03 02:26:03 +02:00
|
|
|
claim = yield self._send_name_claim(name, serialized.encode('hex'),
|
2017-06-12 19:32:01 +02:00
|
|
|
bid, certificate_id, claim_address, change_address)
|
2017-02-09 04:41:15 +01:00
|
|
|
|
|
|
|
if not claim['success']:
|
2018-03-07 17:21:11 +01:00
|
|
|
msg = 'Claiming of name {} failed: {}'.format(name, claim['reason'])
|
|
|
|
log.error(msg)
|
2017-02-09 04:41:15 +01:00
|
|
|
raise Exception(msg)
|
|
|
|
claim = self._process_claim_out(claim)
|
2018-06-20 17:41:43 +02:00
|
|
|
yield self.storage.save_claims([self._get_temp_claim_info(claim, name, bid)])
|
2017-02-09 04:41:15 +01:00
|
|
|
defer.returnValue(claim)
|
2015-10-28 06:38:01 +01:00
|
|
|
|
2017-02-13 20:17:53 +01:00
|
|
|
@defer.inlineCallbacks
|
2017-08-08 18:37:28 +02:00
|
|
|
def abandon_claim(self, claim_id, txid, nout):
|
|
|
|
claim_out = yield self._abandon_claim(claim_id, txid, nout)
|
2016-12-02 18:57:18 +01:00
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
if not claim_out['success']:
|
2017-08-08 18:37:28 +02:00
|
|
|
msg = 'Abandon of {}/{}:{} failed: {}'.format(
|
|
|
|
claim_id, txid, nout, claim_out['reason'])
|
2017-04-07 02:42:07 +02:00
|
|
|
raise Exception(msg)
|
|
|
|
|
|
|
|
claim_out = self._process_claim_out(claim_out)
|
|
|
|
defer.returnValue(claim_out)
|
2016-01-26 02:28:05 +01:00
|
|
|
|
2016-08-08 08:32:56 +02:00
|
|
|
def support_claim(self, name, claim_id, amount):
|
2016-12-02 18:57:18 +01:00
|
|
|
def _parse_support_claim_out(claim_out):
|
|
|
|
if not claim_out['success']:
|
2017-04-23 19:33:06 +02:00
|
|
|
msg = 'Support of {}:{} failed: {}'.format(name, claim_id, claim_out['reason'])
|
2016-12-02 18:57:18 +01:00
|
|
|
raise Exception(msg)
|
2017-01-16 20:05:16 +01:00
|
|
|
claim_out = self._process_claim_out(claim_out)
|
2016-12-02 18:57:18 +01:00
|
|
|
return defer.succeed(claim_out)
|
|
|
|
|
2017-01-12 18:51:44 +01:00
|
|
|
if self.get_balance() < amount:
|
|
|
|
raise InsufficientFundsError()
|
|
|
|
|
2016-12-02 18:57:18 +01:00
|
|
|
d = self._support_claim(name, claim_id, amount)
|
|
|
|
d.addCallback(lambda claim_out: _parse_support_claim_out(claim_out))
|
|
|
|
return d
|
2016-08-08 08:32:56 +02:00
|
|
|
|
2017-08-02 16:48:14 +02:00
|
|
|
@defer.inlineCallbacks
|
|
|
|
def tip_claim(self, claim_id, amount):
|
|
|
|
claim_out = yield self._tip_claim(claim_id, amount)
|
|
|
|
if claim_out:
|
|
|
|
result = self._process_claim_out(claim_out)
|
|
|
|
defer.returnValue(result)
|
|
|
|
else:
|
|
|
|
raise Exception("failed to send tip of %f to claim id %s" % (amount, claim_id))
|
|
|
|
|
2016-09-09 06:48:54 +02:00
|
|
|
def get_block_info(self, height):
|
|
|
|
d = self._get_blockhash(height)
|
|
|
|
return d
|
|
|
|
|
2018-01-11 20:41:35 +01:00
|
|
|
def get_history(self):
|
|
|
|
d = self._get_history()
|
2016-08-19 04:15:49 +02:00
|
|
|
return d
|
|
|
|
|
2016-09-02 07:27:30 +02:00
|
|
|
def address_is_mine(self, address):
|
|
|
|
d = self._address_is_mine(address)
|
|
|
|
return d
|
|
|
|
|
2016-10-14 08:13:37 +02:00
|
|
|
def get_transaction(self, txid):
|
|
|
|
d = self._get_transaction(txid)
|
2016-08-23 00:43:52 +02:00
|
|
|
return d
|
|
|
|
|
2018-03-01 22:19:29 +01:00
|
|
|
def wait_for_tx_in_wallet(self, txid):
|
|
|
|
return self._wait_for_tx_in_wallet(txid)
|
|
|
|
|
2017-04-23 19:33:06 +02:00
|
|
|
def get_balance(self):
|
|
|
|
return self.wallet_balance - self.total_reserved_points - sum(self.queued_payments.values())
|
2017-04-21 03:59:40 +02:00
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
def _check_expected_balances(self):
|
|
|
|
now = datetime.datetime.now()
|
|
|
|
balances_to_check = []
|
|
|
|
try:
|
|
|
|
while self.expected_balance_at_time[0][3] < now:
|
2017-04-23 19:33:06 +02:00
|
|
|
balances_to_check.append(self.expected_balance_at_time.popleft())
|
2016-02-17 05:10:26 +01:00
|
|
|
except IndexError:
|
|
|
|
pass
|
|
|
|
ds = []
|
|
|
|
for balance_to_check in balances_to_check:
|
2017-04-23 19:33:06 +02:00
|
|
|
log.debug("Checking balance of address %s", str(balance_to_check[1]))
|
2016-02-17 05:10:26 +01:00
|
|
|
d = self._get_balance_for_address(balance_to_check[1])
|
|
|
|
d.addCallback(lambda bal: bal >= balance_to_check[2])
|
|
|
|
ds.append(d)
|
|
|
|
dl = defer.DeferredList(ds)
|
2016-01-26 02:28:05 +01:00
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
def handle_checks(results):
|
|
|
|
for balance, (success, result) in zip(balances_to_check, results):
|
|
|
|
peer = balance[0]
|
|
|
|
if success is True:
|
|
|
|
if result is False:
|
|
|
|
if balance[4] <= 1: # first or second strike, give them another chance
|
2017-01-25 23:00:21 +01:00
|
|
|
new_expected_balance = (
|
|
|
|
balance[0],
|
|
|
|
balance[1],
|
|
|
|
balance[2],
|
2017-04-23 19:33:06 +02:00
|
|
|
datetime.datetime.now() + self.max_expected_payment_time,
|
2017-01-25 23:00:21 +01:00
|
|
|
balance[4] + 1,
|
|
|
|
balance[5]
|
|
|
|
)
|
2017-04-23 19:33:06 +02:00
|
|
|
self.expected_balance_at_time.append(new_expected_balance)
|
2016-02-17 05:10:26 +01:00
|
|
|
peer.update_score(-5.0)
|
|
|
|
else:
|
|
|
|
peer.update_score(-50.0)
|
|
|
|
else:
|
|
|
|
if balance[4] == 0:
|
|
|
|
peer.update_score(balance[5])
|
|
|
|
peer.update_stats('points_received', balance[5])
|
|
|
|
else:
|
|
|
|
log.warning("Something went wrong checking a balance. Peer: %s, account: %s,"
|
|
|
|
"expected balance: %s, expected time: %s, count: %s, error: %s",
|
2017-04-23 19:33:06 +02:00
|
|
|
str(balance[0]), str(balance[1]), str(balance[2]), str(balance[3]),
|
2016-02-17 05:10:26 +01:00
|
|
|
str(balance[4]), str(result.getErrorMessage()))
|
2016-01-26 02:28:05 +01:00
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
dl.addCallback(handle_checks)
|
|
|
|
return dl
|
2016-01-26 02:28:05 +01:00
|
|
|
|
2017-01-25 17:44:21 +01:00
|
|
|
# ======== Must be overridden ======== #
|
2016-02-17 05:10:26 +01:00
|
|
|
|
2017-12-07 03:52:34 +01:00
|
|
|
def _get_blockhash(self, height):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def _get_transaction(self, txid):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2018-03-01 22:19:29 +01:00
|
|
|
def _wait_for_tx_in_wallet(self, txid):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-01-12 18:51:44 +01:00
|
|
|
def _update_balance(self):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def get_new_address(self):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
2015-08-20 17:27:15 +02:00
|
|
|
|
2017-04-23 19:33:06 +02:00
|
|
|
def get_address_balance(self, address):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
def get_block(self, blockhash):
|
|
|
|
return defer.fail(NotImplementedError())
|
2015-12-04 02:56:56 +01:00
|
|
|
|
|
|
|
def get_most_recent_blocktime(self):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def get_best_blockhash(self):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def get_name_claims(self):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-08-08 07:42:37 +02:00
|
|
|
def _get_claims_for_name(self, name):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
def _claim_certificate(self, name, amount):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-06-12 19:32:01 +02:00
|
|
|
def _send_name_claim(self, name, val, amount, certificate_id=None, claim_address=None,
|
|
|
|
change_address=None):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-08-08 18:37:28 +02:00
|
|
|
def _abandon_claim(self, claim_id, txid, nout):
|
2016-06-28 20:28:59 +02:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-08-08 08:32:56 +02:00
|
|
|
def _support_claim(self, name, claim_id, amount):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-08-02 16:48:14 +02:00
|
|
|
def _tip_claim(self, claim_id, amount):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
def _do_send_many(self, payments_to_send):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def _get_value_for_name(self, name):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-02-17 17:47:39 +01:00
|
|
|
def get_claims_from_tx(self, txid):
|
2016-02-17 05:10:26 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def _get_balance_for_address(self, address):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2018-01-11 20:41:35 +01:00
|
|
|
def _get_history(self):
|
2016-08-19 04:15:49 +02:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-09-02 07:27:30 +02:00
|
|
|
def _address_is_mine(self, address):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
def _get_value_for_uri(self, uri):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def _get_certificate_claims(self):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def _get_claim_by_outpoint(self, txid, nout):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def _get_claim_by_claimid(self, claim_id):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
def _get_claims_by_claimids(self, *claim_ids):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-06-09 19:47:13 +02:00
|
|
|
def _get_values_for_uris(self, page, page_size, *uris):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-11-28 19:46:08 +01:00
|
|
|
def claim_renew_all_before_expiration(self, height):
|
2017-11-28 17:00:17 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-11-28 19:46:08 +01:00
|
|
|
def claim_renew(self, txid, nout):
|
2017-11-28 17:00:17 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-06-12 16:30:18 +02:00
|
|
|
def send_claim_to_address(self, claim_id, destination, amount):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-11-22 19:46:34 +01:00
|
|
|
def import_certificate_info(self, serialized_certificate_info):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def export_certificate_info(self, certificate_claim_id):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def get_certificates_for_signing(self):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-12-07 03:52:34 +01:00
|
|
|
def get_unused_address(self):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def get_least_used_address(self, account=None, for_change=False, max_count=100):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2017-12-17 07:00:12 +01:00
|
|
|
def decrypt_wallet(self):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
|
|
|
def encrypt_wallet(self, new_password, update_keyring=False):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2018-02-20 04:52:15 +01:00
|
|
|
def get_max_usable_balance_for_claim(self, claim_name):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2018-02-28 20:59:12 +01:00
|
|
|
def get_height_for_txid(self, txid):
|
|
|
|
return defer.fail(NotImplementedError())
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def _start(self):
|
2018-02-12 19:47:25 +01:00
|
|
|
return defer.fail(NotImplementedError())
|
2016-02-19 06:44:08 +01:00
|
|
|
|
|
|
|
def _stop(self):
|
|
|
|
pass
|
|
|
|
|
2016-02-17 05:10:26 +01:00
|
|
|
|
2016-09-27 20:18:35 +02:00
|
|
|
class LBRYumWallet(Wallet):
|
2016-12-01 06:28:25 +01:00
|
|
|
def __init__(self, storage, config=None):
|
|
|
|
Wallet.__init__(self, storage)
|
2016-10-04 20:58:44 +02:00
|
|
|
self._config = config
|
2017-04-26 07:31:23 +02:00
|
|
|
self.config = make_config(self._config)
|
2016-02-19 06:44:08 +01:00
|
|
|
self.network = None
|
|
|
|
self.wallet = None
|
2017-12-17 07:00:12 +01:00
|
|
|
self._cmd_runner = None
|
|
|
|
self.wallet_unlocked_d = defer.Deferred()
|
2017-01-03 20:13:01 +01:00
|
|
|
self.is_first_run = False
|
2016-02-23 05:31:07 +01:00
|
|
|
self.printed_retrieving_headers = False
|
2016-03-23 03:42:45 +01:00
|
|
|
self._start_check = None
|
|
|
|
self._catch_up_check = None
|
|
|
|
self._caught_up_counter = 0
|
2016-04-18 01:54:04 +02:00
|
|
|
self._lag_counter = 0
|
2017-01-03 20:13:01 +01:00
|
|
|
self.blocks_behind = 0
|
2016-04-12 08:03:57 +02:00
|
|
|
self.catchup_progress = 0
|
2018-07-24 18:29:06 +02:00
|
|
|
self.is_wallet_unlocked = None
|
2018-01-07 06:44:29 +01:00
|
|
|
|
2017-01-28 17:06:29 +01:00
|
|
|
def _is_first_run(self):
|
|
|
|
return (not self.printed_retrieving_headers and
|
|
|
|
self.network.blockchain.retrieving_headers)
|
|
|
|
|
2017-12-17 07:00:12 +01:00
|
|
|
def get_cmd_runner(self):
|
|
|
|
if self._cmd_runner is None:
|
|
|
|
self._cmd_runner = Commands(self.config, self.wallet, self.network)
|
|
|
|
|
|
|
|
return self._cmd_runner
|
|
|
|
|
2018-01-07 06:44:29 +01:00
|
|
|
def check_locked(self):
|
2018-07-24 18:29:06 +02:00
|
|
|
"""
|
|
|
|
Checks if the wallet is encrypted(locked) or not
|
|
|
|
|
|
|
|
:return: (boolean) indicating whether the wallet is locked or not
|
|
|
|
"""
|
|
|
|
if not self._cmd_runner:
|
2018-01-07 06:44:29 +01:00
|
|
|
raise Exception("Command runner hasn't been initialized yet")
|
|
|
|
elif self._cmd_runner.locked:
|
|
|
|
log.info("Waiting for wallet password")
|
|
|
|
self.wallet_unlocked_d.addCallback(self.unlock)
|
2018-07-24 18:29:06 +02:00
|
|
|
return self.is_wallet_unlocked
|
2018-01-07 06:44:29 +01:00
|
|
|
|
|
|
|
def unlock(self, password):
|
|
|
|
if self._cmd_runner and self._cmd_runner.locked:
|
|
|
|
try:
|
|
|
|
self._cmd_runner.unlock_wallet(password)
|
2018-07-24 18:29:06 +02:00
|
|
|
self.is_wallet_unlocked = True
|
2018-01-07 06:44:29 +01:00
|
|
|
log.info("Unlocked the wallet!")
|
|
|
|
except InvalidPassword:
|
|
|
|
log.warning("Incorrect password, try again")
|
|
|
|
self.wallet_unlocked_d = defer.Deferred()
|
|
|
|
self.wallet_unlocked_d.addCallback(self.unlock)
|
|
|
|
return defer.succeed(False)
|
|
|
|
return defer.succeed(True)
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def _start(self):
|
|
|
|
network_start_d = defer.Deferred()
|
|
|
|
|
|
|
|
def setup_network():
|
|
|
|
self.network = Network(self.config)
|
2017-01-28 17:00:39 +01:00
|
|
|
log.info("Loading the wallet")
|
2016-02-19 06:44:08 +01:00
|
|
|
return defer.succeed(self.network.start())
|
|
|
|
|
|
|
|
def check_started():
|
|
|
|
if self.network.is_connecting():
|
2017-01-28 17:06:29 +01:00
|
|
|
if self._is_first_run():
|
2017-04-23 19:33:06 +02:00
|
|
|
log.info("Running the wallet for the first time. This may take a moment.")
|
2016-02-23 05:31:07 +01:00
|
|
|
self.printed_retrieving_headers = True
|
2016-02-19 06:44:08 +01:00
|
|
|
return False
|
2016-03-23 03:42:45 +01:00
|
|
|
self._start_check.stop()
|
|
|
|
self._start_check = None
|
2016-02-19 06:44:08 +01:00
|
|
|
if self.network.is_connected():
|
|
|
|
network_start_d.callback(True)
|
|
|
|
else:
|
2017-04-23 19:33:06 +02:00
|
|
|
network_start_d.errback(ValueError("Failed to connect to network."))
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2016-03-23 03:42:45 +01:00
|
|
|
self._start_check = task.LoopingCall(check_started)
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2017-01-28 19:55:59 +01:00
|
|
|
d = setup_network()
|
2016-12-19 21:24:14 +01:00
|
|
|
d.addCallback(lambda _: self._load_wallet())
|
2016-03-23 03:42:45 +01:00
|
|
|
d.addCallback(lambda _: self._start_check.start(.1))
|
2016-02-19 06:44:08 +01:00
|
|
|
d.addCallback(lambda _: network_start_d)
|
2016-12-19 21:24:14 +01:00
|
|
|
d.addCallback(lambda _: self._load_blockchain())
|
2017-04-24 06:19:46 +02:00
|
|
|
d.addCallback(lambda _: log.info("Subscribing to addresses"))
|
|
|
|
d.addCallback(lambda _: self.wallet.wait_until_synchronized(lambda _: None))
|
|
|
|
d.addCallback(lambda _: log.info("Synchronized wallet"))
|
2017-12-17 07:00:12 +01:00
|
|
|
d.addCallback(lambda _: self.get_cmd_runner())
|
|
|
|
d.addCallbacks(lambda _: log.info("Set up lbryum command runner"))
|
2016-02-19 06:44:08 +01:00
|
|
|
return d
|
|
|
|
|
|
|
|
def _stop(self):
|
2016-03-23 03:42:45 +01:00
|
|
|
if self._start_check is not None:
|
|
|
|
self._start_check.stop()
|
|
|
|
self._start_check = None
|
|
|
|
|
|
|
|
if self._catch_up_check is not None:
|
2016-10-19 06:12:44 +02:00
|
|
|
if self._catch_up_check.running:
|
|
|
|
self._catch_up_check.stop()
|
2016-03-23 03:42:45 +01:00
|
|
|
self._catch_up_check = None
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
d = defer.Deferred()
|
|
|
|
|
|
|
|
def check_stopped():
|
2016-03-24 03:27:48 +01:00
|
|
|
if self.network:
|
|
|
|
if self.network.is_connected():
|
|
|
|
return False
|
2016-02-19 06:44:08 +01:00
|
|
|
stop_check.stop()
|
|
|
|
self.network = None
|
|
|
|
d.callback(True)
|
|
|
|
|
2017-04-30 21:31:28 +02:00
|
|
|
if self.wallet:
|
|
|
|
self.wallet.stop_threads()
|
|
|
|
log.info("Stopped wallet")
|
2016-03-24 03:27:48 +01:00
|
|
|
if self.network:
|
|
|
|
self.network.stop()
|
2017-04-30 21:31:28 +02:00
|
|
|
log.info("Stopped connection to lbryum server")
|
2016-02-19 06:44:08 +01:00
|
|
|
|
|
|
|
stop_check = task.LoopingCall(check_stopped)
|
|
|
|
stop_check.start(.1)
|
|
|
|
return d
|
|
|
|
|
|
|
|
def _load_wallet(self):
|
2016-12-19 21:24:14 +01:00
|
|
|
path = self.config.get_wallet_path()
|
2017-12-07 03:52:34 +01:00
|
|
|
storage = lbryum_wallet.WalletStorage(path)
|
|
|
|
wallet = lbryum_wallet.Wallet(storage)
|
2016-12-19 21:24:14 +01:00
|
|
|
if not storage.file_exists:
|
2017-01-03 20:13:01 +01:00
|
|
|
self.is_first_run = True
|
2016-12-19 21:24:14 +01:00
|
|
|
seed = wallet.make_seed()
|
|
|
|
wallet.add_seed(seed, None)
|
|
|
|
wallet.create_master_keys(None)
|
|
|
|
wallet.create_main_account()
|
|
|
|
wallet.synchronize()
|
|
|
|
self.wallet = wallet
|
2018-07-24 18:29:06 +02:00
|
|
|
self.is_wallet_unlocked = not self.wallet.use_encryption
|
2017-01-24 00:55:20 +01:00
|
|
|
self._check_large_wallet()
|
2016-12-19 21:24:14 +01:00
|
|
|
return defer.succeed(True)
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2017-01-24 00:55:20 +01:00
|
|
|
def _check_large_wallet(self):
|
2017-12-29 20:09:21 +01:00
|
|
|
addr_count = len(self.wallet.addresses(include_change=False))
|
|
|
|
if addr_count > 1000:
|
|
|
|
log.warning("Your wallet is excessively large (%i addresses), "
|
|
|
|
"please follow instructions here: "
|
|
|
|
"https://github.com/lbryio/lbry/issues/437 to reduce your wallet size",
|
|
|
|
addr_count)
|
|
|
|
else:
|
|
|
|
log.info("Wallet has %i addresses", addr_count)
|
2017-01-24 00:55:20 +01:00
|
|
|
|
2016-12-19 21:24:14 +01:00
|
|
|
def _load_blockchain(self):
|
2016-03-12 20:58:58 +01:00
|
|
|
blockchain_caught_d = defer.Deferred()
|
|
|
|
|
2017-01-29 06:47:33 +01:00
|
|
|
def on_update_callback(event, *args):
|
|
|
|
# This callback is called by lbryum when something chain
|
|
|
|
# related has happened
|
|
|
|
local_height = self.network.get_local_height()
|
2016-03-12 20:58:58 +01:00
|
|
|
remote_height = self.network.get_server_height()
|
2017-01-29 06:47:33 +01:00
|
|
|
updated_blocks_behind = self.network.get_blocks_behind()
|
|
|
|
log.info(
|
|
|
|
'Local Height: %s, remote height: %s, behind: %s',
|
|
|
|
local_height, remote_height, updated_blocks_behind)
|
2016-03-12 20:58:58 +01:00
|
|
|
|
2017-01-29 06:47:33 +01:00
|
|
|
self.blocks_behind = updated_blocks_behind
|
|
|
|
if local_height != remote_height:
|
2017-01-03 20:13:01 +01:00
|
|
|
return
|
2016-04-18 01:54:04 +02:00
|
|
|
|
2017-01-29 06:47:33 +01:00
|
|
|
assert self.blocks_behind == 0
|
|
|
|
self.network.unregister_callback(on_update_callback)
|
|
|
|
log.info("Wallet Loaded")
|
|
|
|
reactor.callFromThread(blockchain_caught_d.callback, True)
|
2016-04-18 01:54:04 +02:00
|
|
|
|
2017-01-29 06:47:33 +01:00
|
|
|
self.network.register_callback(on_update_callback, ['updated'])
|
2016-04-12 08:03:57 +02:00
|
|
|
|
2016-12-19 21:24:14 +01:00
|
|
|
d = defer.succeed(self.wallet.start_threads(self.network))
|
2016-03-12 20:58:58 +01:00
|
|
|
d.addCallback(lambda _: blockchain_caught_d)
|
2016-02-19 06:44:08 +01:00
|
|
|
return d
|
|
|
|
|
2016-12-12 20:00:23 +01:00
|
|
|
# run commands as a defer.succeed,
|
|
|
|
# lbryum commands should be run this way , unless if the command
|
|
|
|
# only makes a lbrum server query, use _run_cmd_as_defer_to_thread()
|
2017-04-07 02:42:07 +02:00
|
|
|
def _run_cmd_as_defer_succeed(self, command_name, *args, **kwargs):
|
2017-12-18 17:31:59 +01:00
|
|
|
cmd_runner = self.get_cmd_runner()
|
2017-12-12 15:26:28 +01:00
|
|
|
cmd = Commands.known_commands[command_name]
|
2016-12-19 21:34:15 +01:00
|
|
|
func = getattr(cmd_runner, cmd.name)
|
2017-04-07 02:42:07 +02:00
|
|
|
return defer.succeed(func(*args, **kwargs))
|
2016-12-12 20:00:23 +01:00
|
|
|
|
|
|
|
# run commands as a deferToThread, lbryum commands that only make
|
|
|
|
# queries to lbryum server should be run this way
|
2017-01-06 15:04:18 +01:00
|
|
|
# TODO: keep track of running threads and cancel them on `stop`
|
2017-04-23 19:33:06 +02:00
|
|
|
# otherwise the application will hang, waiting for threads to complete
|
2017-04-07 02:42:07 +02:00
|
|
|
def _run_cmd_as_defer_to_thread(self, command_name, *args, **kwargs):
|
2017-12-18 17:31:59 +01:00
|
|
|
cmd_runner = self.get_cmd_runner()
|
2017-12-12 15:26:28 +01:00
|
|
|
cmd = Commands.known_commands[command_name]
|
2016-12-19 21:34:15 +01:00
|
|
|
func = getattr(cmd_runner, cmd.name)
|
2017-04-07 02:42:07 +02:00
|
|
|
return threads.deferToThread(func, *args, **kwargs)
|
2016-12-12 20:00:23 +01:00
|
|
|
|
2017-01-12 18:51:44 +01:00
|
|
|
def _update_balance(self):
|
2016-08-30 04:33:10 +02:00
|
|
|
accounts = None
|
|
|
|
exclude_claimtrietx = True
|
2017-04-23 19:33:06 +02:00
|
|
|
d = self._run_cmd_as_defer_succeed('getbalance', accounts, exclude_claimtrietx)
|
2017-01-25 17:44:21 +01:00
|
|
|
d.addCallback(
|
|
|
|
lambda result: Decimal(result['confirmed']) + Decimal(result.get('unconfirmed', 0.0)))
|
2016-02-19 06:44:08 +01:00
|
|
|
return d
|
|
|
|
|
2018-02-14 19:01:57 +01:00
|
|
|
def get_max_usable_balance_for_claim(self, claim_name):
|
2018-02-20 04:52:15 +01:00
|
|
|
return self._run_cmd_as_defer_to_thread('get_max_spendable_amount_for_claim', claim_name)
|
2018-02-14 19:01:57 +01:00
|
|
|
|
2017-03-27 18:41:53 +02:00
|
|
|
# Always create and return a brand new address
|
2017-12-07 03:52:34 +01:00
|
|
|
def get_new_address(self, for_change=False, account=None):
|
|
|
|
return defer.succeed(self.wallet.create_new_address(account=account,
|
|
|
|
for_change=for_change))
|
2017-03-27 18:41:53 +02:00
|
|
|
|
2017-04-23 19:33:06 +02:00
|
|
|
# Get the balance of a given address.
|
|
|
|
def get_address_balance(self, address, include_balance=False):
|
|
|
|
c, u, x = self.wallet.get_addr_balance(address)
|
|
|
|
if include_balance is False:
|
|
|
|
return Decimal(float(c) / COIN)
|
|
|
|
else:
|
|
|
|
return Decimal((float(c) + float(u) + float(x)) / COIN)
|
|
|
|
|
2017-10-18 02:25:17 +02:00
|
|
|
@defer.inlineCallbacks
|
|
|
|
def create_addresses_with_balance(self, num_addresses, amount, broadcast=True):
|
|
|
|
addresses = self.wallet.get_unused_addresses(account=None)
|
|
|
|
if len(addresses) > num_addresses:
|
|
|
|
addresses = addresses[:num_addresses]
|
|
|
|
elif len(addresses) < num_addresses:
|
|
|
|
for i in range(len(addresses), num_addresses):
|
|
|
|
address = self.wallet.create_new_address(account=None)
|
|
|
|
addresses.append(address)
|
|
|
|
|
|
|
|
outputs = [[address, amount] for address in addresses]
|
2018-01-08 21:13:51 +01:00
|
|
|
tx = yield self._run_cmd_as_defer_succeed('payto', outputs, broadcast=broadcast)
|
2017-10-18 02:25:17 +02:00
|
|
|
defer.returnValue(tx)
|
2017-04-23 19:33:06 +02:00
|
|
|
|
2017-03-27 18:41:53 +02:00
|
|
|
# Return an address with no balance in it, if
|
|
|
|
# there is none, create a brand new address
|
|
|
|
@defer.inlineCallbacks
|
|
|
|
def get_unused_address(self):
|
2017-01-19 02:15:40 +01:00
|
|
|
addr = self.wallet.get_unused_address(account=None)
|
|
|
|
if addr is None:
|
2017-12-07 03:52:34 +01:00
|
|
|
addr = yield self.get_new_address()
|
2017-03-27 18:41:53 +02:00
|
|
|
defer.returnValue(addr)
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2017-12-07 03:52:34 +01:00
|
|
|
def get_least_used_address(self, account=None, for_change=False, max_count=100):
|
|
|
|
return defer.succeed(self.wallet.get_least_used_address(account, for_change, max_count))
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def get_block(self, blockhash):
|
2016-12-12 20:00:23 +01:00
|
|
|
return self._run_cmd_as_defer_to_thread('getblock', blockhash)
|
2016-02-19 06:44:08 +01:00
|
|
|
|
|
|
|
def get_most_recent_blocktime(self):
|
2017-02-24 01:45:07 +01:00
|
|
|
height = self.network.get_local_height()
|
|
|
|
if height < 0:
|
|
|
|
return defer.succeed(None)
|
2016-02-19 06:44:08 +01:00
|
|
|
header = self.network.get_header(self.network.get_local_height())
|
|
|
|
return defer.succeed(header['timestamp'])
|
|
|
|
|
|
|
|
def get_best_blockhash(self):
|
|
|
|
height = self.network.get_local_height()
|
2017-02-24 01:45:07 +01:00
|
|
|
if height < 0:
|
|
|
|
return defer.succeed(None)
|
2016-12-12 20:00:23 +01:00
|
|
|
header = self.network.blockchain.read_header(height)
|
|
|
|
return defer.succeed(self.network.blockchain.hash_header(header))
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2016-09-09 06:48:54 +02:00
|
|
|
def _get_blockhash(self, height):
|
2016-12-12 20:00:23 +01:00
|
|
|
header = self.network.blockchain.read_header(height)
|
|
|
|
return defer.succeed(self.network.blockchain.hash_header(header))
|
2016-09-09 06:48:54 +02:00
|
|
|
|
2017-03-21 17:10:48 +01:00
|
|
|
def _get_transaction(self, txid):
|
|
|
|
return self._run_cmd_as_defer_to_thread("gettransaction", txid)
|
|
|
|
|
2018-03-01 22:19:29 +01:00
|
|
|
def _wait_for_tx_in_wallet(self, txid):
|
|
|
|
return self._run_cmd_as_defer_to_thread("waitfortxinwallet", txid)
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def get_name_claims(self):
|
2016-12-12 20:00:23 +01:00
|
|
|
return self._run_cmd_as_defer_succeed('getnameclaims')
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2016-08-08 07:42:37 +02:00
|
|
|
def _get_claims_for_name(self, name):
|
2016-12-12 20:00:23 +01:00
|
|
|
return self._run_cmd_as_defer_to_thread('getclaimsforname', name)
|
|
|
|
|
2017-03-28 23:13:59 +02:00
|
|
|
@defer.inlineCallbacks
|
2017-06-03 02:26:03 +02:00
|
|
|
def _send_name_claim(self, name, value, amount,
|
2017-06-12 19:32:01 +02:00
|
|
|
certificate_id=None, claim_address=None, change_address=None):
|
2017-04-07 02:42:07 +02:00
|
|
|
log.info("Send claim: %s for %s: %s ", name, amount, value)
|
2017-12-11 18:45:38 +01:00
|
|
|
claim_out = yield self._run_cmd_as_defer_succeed('claim', name, value, amount,
|
2017-06-03 02:26:03 +02:00
|
|
|
certificate_id=certificate_id,
|
2017-06-12 19:32:01 +02:00
|
|
|
claim_addr=claim_address,
|
|
|
|
change_addr=change_address)
|
2017-03-28 23:13:59 +02:00
|
|
|
defer.returnValue(claim_out)
|
2016-08-09 03:32:39 +02:00
|
|
|
|
2017-03-23 01:27:01 +01:00
|
|
|
@defer.inlineCallbacks
|
2017-08-08 18:37:28 +02:00
|
|
|
def _abandon_claim(self, claim_id, txid, nout):
|
2017-04-07 02:42:07 +02:00
|
|
|
log.debug("Abandon %s" % claim_id)
|
2017-12-11 18:45:38 +01:00
|
|
|
tx_out = yield self._run_cmd_as_defer_succeed('abandon', claim_id, txid, nout)
|
2017-04-07 02:42:07 +02:00
|
|
|
defer.returnValue(tx_out)
|
2016-02-26 07:45:52 +01:00
|
|
|
|
2017-03-28 23:13:59 +02:00
|
|
|
@defer.inlineCallbacks
|
2016-08-08 08:32:56 +02:00
|
|
|
def _support_claim(self, name, claim_id, amount):
|
2016-11-23 22:27:23 +01:00
|
|
|
log.debug("Support %s %s %f" % (name, claim_id, amount))
|
2017-12-11 18:45:38 +01:00
|
|
|
claim_out = yield self._run_cmd_as_defer_succeed('support', name, claim_id, amount)
|
2017-03-28 23:13:59 +02:00
|
|
|
defer.returnValue(claim_out)
|
2016-08-08 08:32:56 +02:00
|
|
|
|
2017-08-02 16:48:14 +02:00
|
|
|
@defer.inlineCallbacks
|
|
|
|
def _tip_claim(self, claim_id, amount):
|
|
|
|
log.debug("Tip %s %f", claim_id, amount)
|
2017-12-11 18:45:38 +01:00
|
|
|
claim_out = yield self._run_cmd_as_defer_succeed('sendwithsupport', claim_id, amount)
|
2017-03-28 23:13:59 +02:00
|
|
|
defer.returnValue(claim_out)
|
2016-12-12 20:00:23 +01:00
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def _do_send_many(self, payments_to_send):
|
2018-01-08 21:13:51 +01:00
|
|
|
def handle_payto_out(payto_out):
|
|
|
|
if not payto_out['success']:
|
|
|
|
raise Exception("Failed payto, reason:{}".format(payto_out['reason']))
|
|
|
|
return payto_out['txid']
|
2017-01-25 17:44:21 +01:00
|
|
|
|
2017-04-23 19:33:06 +02:00
|
|
|
log.debug("Doing send many. payments to send: %s", str(payments_to_send))
|
2018-01-08 21:13:51 +01:00
|
|
|
d = self._run_cmd_as_defer_succeed('payto', payments_to_send.iteritems())
|
|
|
|
d.addCallback(lambda out: handle_payto_out(out))
|
2016-12-12 20:00:23 +01:00
|
|
|
return d
|
2016-02-19 06:44:08 +01:00
|
|
|
|
|
|
|
def _get_value_for_name(self, name):
|
2017-04-07 02:42:07 +02:00
|
|
|
if not name:
|
|
|
|
raise Exception("No name given")
|
|
|
|
return self._run_cmd_as_defer_to_thread('getvalueforname', name)
|
|
|
|
|
|
|
|
def _get_value_for_uri(self, uri):
|
|
|
|
if not uri:
|
|
|
|
raise Exception("No uri given")
|
|
|
|
return self._run_cmd_as_defer_to_thread('getvalueforuri', uri)
|
|
|
|
|
2017-06-09 19:47:13 +02:00
|
|
|
def _get_values_for_uris(self, page, page_size, *uris):
|
|
|
|
return self._run_cmd_as_defer_to_thread('getvaluesforuris', False, page, page_size,
|
|
|
|
*uris)
|
|
|
|
|
2017-04-07 02:42:07 +02:00
|
|
|
def _claim_certificate(self, name, amount):
|
2017-12-11 18:45:38 +01:00
|
|
|
return self._run_cmd_as_defer_succeed('claimcertificate', name, amount)
|
2017-04-07 02:42:07 +02:00
|
|
|
|
|
|
|
def _get_certificate_claims(self):
|
|
|
|
return self._run_cmd_as_defer_succeed('getcertificateclaims')
|
2016-02-19 06:44:08 +01:00
|
|
|
|
|
|
|
def get_claims_from_tx(self, txid):
|
2016-12-12 20:00:23 +01:00
|
|
|
return self._run_cmd_as_defer_to_thread('getclaimsfromtx', txid)
|
2017-04-07 02:42:07 +02:00
|
|
|
|
|
|
|
def _get_claim_by_outpoint(self, txid, nout):
|
|
|
|
return self._run_cmd_as_defer_to_thread('getclaimbyoutpoint', txid, nout)
|
|
|
|
|
2017-04-09 22:10:07 +02:00
|
|
|
def _get_claim_by_claimid(self, claim_id):
|
2017-04-07 02:42:07 +02:00
|
|
|
return self._run_cmd_as_defer_to_thread('getclaimbyid', claim_id)
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2018-02-12 19:47:25 +01:00
|
|
|
def _get_claims_by_claimids(self, *claim_ids):
|
|
|
|
return self._run_cmd_as_defer_to_thread('getclaimsbyids', claim_ids)
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
def _get_balance_for_address(self, address):
|
2017-01-25 17:44:21 +01:00
|
|
|
return defer.succeed(Decimal(self.wallet.get_addr_received(address)) / COIN)
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2016-02-22 20:24:49 +01:00
|
|
|
def get_nametrie(self):
|
2016-12-12 20:00:23 +01:00
|
|
|
return self._run_cmd_as_defer_to_thread('getclaimtrie')
|
2016-02-22 20:24:49 +01:00
|
|
|
|
2018-01-11 20:41:35 +01:00
|
|
|
def _get_history(self):
|
2017-09-19 22:24:16 +02:00
|
|
|
return self._run_cmd_as_defer_succeed('claimhistory')
|
2016-04-18 05:23:20 +02:00
|
|
|
|
2016-09-02 07:27:30 +02:00
|
|
|
def _address_is_mine(self, address):
|
2016-12-12 20:00:23 +01:00
|
|
|
return self._run_cmd_as_defer_succeed('ismine', address)
|
2016-09-02 07:27:30 +02:00
|
|
|
|
2017-03-17 20:07:18 +01:00
|
|
|
# returns a list of public keys associated with address
|
|
|
|
# (could be multiple public keys if a multisig address)
|
|
|
|
def get_pub_keys(self, address):
|
|
|
|
return self._run_cmd_as_defer_succeed('getpubkeys', address)
|
2016-04-18 05:23:20 +02:00
|
|
|
|
2017-03-19 15:51:39 +01:00
|
|
|
def list_addresses(self):
|
|
|
|
return self._run_cmd_as_defer_succeed('listaddresses')
|
|
|
|
|
2017-11-01 22:17:38 +01:00
|
|
|
def list_unspent(self):
|
|
|
|
return self._run_cmd_as_defer_succeed('listunspent')
|
|
|
|
|
2017-06-12 16:30:18 +02:00
|
|
|
def send_claim_to_address(self, claim_id, destination, amount):
|
2017-12-11 18:45:38 +01:00
|
|
|
return self._run_cmd_as_defer_succeed('sendclaimtoaddress', claim_id, destination, amount)
|
2017-06-12 16:30:18 +02:00
|
|
|
|
2017-11-22 19:46:34 +01:00
|
|
|
def import_certificate_info(self, serialized_certificate_info):
|
|
|
|
return self._run_cmd_as_defer_succeed('importcertificateinfo', serialized_certificate_info)
|
|
|
|
|
|
|
|
def export_certificate_info(self, certificate_claim_id):
|
|
|
|
return self._run_cmd_as_defer_succeed('exportcertificateinfo', certificate_claim_id)
|
|
|
|
|
|
|
|
def get_certificates_for_signing(self):
|
|
|
|
return self._run_cmd_as_defer_succeed('getcertificatesforsigning')
|
|
|
|
|
2017-11-28 19:46:08 +01:00
|
|
|
def claim_renew_all_before_expiration(self, height):
|
2017-12-11 18:45:38 +01:00
|
|
|
return self._run_cmd_as_defer_succeed('renewclaimsbeforeexpiration', height)
|
2017-11-28 17:00:17 +01:00
|
|
|
|
2017-11-28 19:46:08 +01:00
|
|
|
def claim_renew(self, txid, nout):
|
2017-12-11 18:45:38 +01:00
|
|
|
return self._run_cmd_as_defer_succeed('renewclaim', txid, nout)
|
2017-11-28 17:00:17 +01:00
|
|
|
|
2018-02-28 20:59:12 +01:00
|
|
|
def get_height_for_txid(self, txid):
|
|
|
|
return self._run_cmd_as_defer_to_thread('gettransactionheight', txid)
|
|
|
|
|
2017-12-17 07:00:12 +01:00
|
|
|
def decrypt_wallet(self):
|
|
|
|
if not self.wallet.use_encryption:
|
|
|
|
return False
|
|
|
|
if not self._cmd_runner:
|
|
|
|
return False
|
|
|
|
if self._cmd_runner.locked:
|
|
|
|
return False
|
|
|
|
self._cmd_runner.decrypt_wallet()
|
|
|
|
return not self.wallet.use_encryption
|
|
|
|
|
|
|
|
def encrypt_wallet(self, new_password, update_keyring=False):
|
|
|
|
if not self._cmd_runner:
|
|
|
|
return False
|
|
|
|
if self._cmd_runner.locked:
|
|
|
|
return False
|
|
|
|
self._cmd_runner.update_password(new_password, update_keyring)
|
|
|
|
return not self.wallet.use_encryption
|
|
|
|
|
2016-02-19 06:44:08 +01:00
|
|
|
|
2015-08-20 17:27:15 +02:00
|
|
|
class LBRYcrdAddressRequester(object):
|
|
|
|
implements([IRequestCreator])
|
|
|
|
|
|
|
|
def __init__(self, wallet):
|
|
|
|
self.wallet = wallet
|
|
|
|
self._protocols = []
|
|
|
|
|
2017-01-25 17:44:21 +01:00
|
|
|
# ======== IRequestCreator ======== #
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def send_next_request(self, peer, protocol):
|
|
|
|
|
|
|
|
if not protocol in self._protocols:
|
|
|
|
r = ClientRequest({'lbrycrd_address': True}, 'lbrycrd_address')
|
|
|
|
d = protocol.add_request(r)
|
|
|
|
d.addCallback(self._handle_address_response, peer, r, protocol)
|
|
|
|
d.addErrback(self._request_failed, peer)
|
|
|
|
self._protocols.append(protocol)
|
|
|
|
return defer.succeed(True)
|
|
|
|
else:
|
|
|
|
return defer.succeed(False)
|
|
|
|
|
2017-01-25 17:44:21 +01:00
|
|
|
# ======== internal calls ======== #
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def _handle_address_response(self, response_dict, peer, request, protocol):
|
2017-01-28 17:06:29 +01:00
|
|
|
if request.response_identifier not in response_dict:
|
|
|
|
raise ValueError(
|
|
|
|
"Expected {} in response but did not get it".format(request.response_identifier))
|
2015-08-20 17:27:15 +02:00
|
|
|
assert protocol in self._protocols, "Responding protocol is not in our list of protocols"
|
|
|
|
address = response_dict[request.response_identifier]
|
|
|
|
self.wallet.update_peer_address(peer, address)
|
|
|
|
|
|
|
|
def _request_failed(self, err, peer):
|
2017-12-17 21:39:33 +01:00
|
|
|
if not err.check(DownloadCanceledError, RequestCanceledError, ConnectionAborted):
|
2017-04-23 19:33:06 +02:00
|
|
|
log.warning("A peer failed to send a valid public key response. Error: %s, peer: %s",
|
2015-09-08 21:42:56 +02:00
|
|
|
err.getErrorMessage(), str(peer))
|
2016-01-22 21:50:18 +01:00
|
|
|
return err
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
|
|
|
|
class LBRYcrdAddressQueryHandlerFactory(object):
|
|
|
|
implements(IQueryHandlerFactory)
|
|
|
|
|
|
|
|
def __init__(self, wallet):
|
|
|
|
self.wallet = wallet
|
|
|
|
|
2017-01-25 17:44:21 +01:00
|
|
|
# ======== IQueryHandlerFactory ======== #
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def build_query_handler(self):
|
|
|
|
q_h = LBRYcrdAddressQueryHandler(self.wallet)
|
|
|
|
return q_h
|
|
|
|
|
|
|
|
def get_primary_query_identifier(self):
|
|
|
|
return 'lbrycrd_address'
|
|
|
|
|
|
|
|
def get_description(self):
|
|
|
|
return "LBRYcrd Address - an address for receiving payments via LBRYcrd"
|
|
|
|
|
|
|
|
|
|
|
|
class LBRYcrdAddressQueryHandler(object):
|
|
|
|
implements(IQueryHandler)
|
|
|
|
|
|
|
|
def __init__(self, wallet):
|
|
|
|
self.wallet = wallet
|
|
|
|
self.query_identifiers = ['lbrycrd_address']
|
|
|
|
self.address = None
|
|
|
|
self.peer = None
|
|
|
|
|
2017-01-25 17:44:21 +01:00
|
|
|
# ======== IQueryHandler ======== #
|
2015-08-20 17:27:15 +02:00
|
|
|
|
|
|
|
def register_with_request_handler(self, request_handler, peer):
|
|
|
|
self.peer = peer
|
|
|
|
request_handler.register_query_handler(self, self.query_identifiers)
|
|
|
|
|
|
|
|
def handle_queries(self, queries):
|
|
|
|
|
|
|
|
def create_response(address):
|
|
|
|
self.address = address
|
|
|
|
fields = {'lbrycrd_address': address}
|
|
|
|
return fields
|
|
|
|
|
|
|
|
if self.query_identifiers[0] in queries:
|
2017-03-27 18:41:53 +02:00
|
|
|
d = self.wallet.get_unused_address_for_peer(self.peer)
|
2015-08-20 17:27:15 +02:00
|
|
|
d.addCallback(create_response)
|
|
|
|
return d
|
|
|
|
if self.address is None:
|
2017-04-23 19:33:06 +02:00
|
|
|
log.warning("Expected a request for an address, but did not receive one")
|
2017-01-25 17:44:21 +01:00
|
|
|
return defer.fail(
|
|
|
|
Failure(ValueError("Expected but did not receive an address request")))
|
2015-08-20 17:27:15 +02:00
|
|
|
else:
|
2016-07-04 22:40:52 +02:00
|
|
|
return defer.succeed({})
|
2016-10-04 20:58:44 +02:00
|
|
|
|
|
|
|
|
|
|
|
def make_config(config=None):
|
|
|
|
if config is None:
|
|
|
|
config = {}
|
2017-01-25 17:44:21 +01:00
|
|
|
return SimpleConfig(config) if isinstance(config, dict) else config
|