2018-05-25 08:03:25 +02:00
|
|
|
import os
|
2018-10-15 04:16:51 +02:00
|
|
|
import asyncio
|
2018-06-26 23:22:05 +02:00
|
|
|
import logging
|
2018-11-07 20:42:17 +01:00
|
|
|
from functools import partial
|
2018-05-25 08:03:25 +02:00
|
|
|
from binascii import hexlify, unhexlify
|
2018-10-10 22:55:40 +02:00
|
|
|
from io import StringIO
|
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
from typing import Dict, Type, Iterable, List, Optional
|
2018-05-25 08:03:25 +02:00
|
|
|
from operator import itemgetter
|
2018-06-26 23:22:05 +02:00
|
|
|
from collections import namedtuple
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-12-07 02:03:22 +01:00
|
|
|
from torba.tasks import TaskGroup
|
2018-11-04 06:55:50 +01:00
|
|
|
from torba.client import baseaccount, basenetwork, basetransaction
|
|
|
|
from torba.client.basedatabase import BaseDatabase
|
|
|
|
from torba.client.baseheader import BaseHeaders
|
|
|
|
from torba.client.coinselection import CoinSelector
|
|
|
|
from torba.client.constants import COIN, NULL_HASH32
|
2018-07-29 02:52:54 +02:00
|
|
|
from torba.stream import StreamController
|
2018-11-04 06:55:50 +01:00
|
|
|
from torba.client.hash import hash160, double_sha256, sha256, Base58
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-06-26 23:22:05 +02:00
|
|
|
log = logging.getLogger(__name__)
|
|
|
|
|
2018-07-29 02:52:54 +02:00
|
|
|
LedgerType = Type['BaseLedger']
|
|
|
|
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-06-11 15:33:32 +02:00
|
|
|
class LedgerRegistry(type):
|
2018-07-29 02:52:54 +02:00
|
|
|
|
|
|
|
ledgers: Dict[str, LedgerType] = {}
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-06-11 15:33:32 +02:00
|
|
|
def __new__(mcs, name, bases, attrs):
|
2018-07-29 02:52:54 +02:00
|
|
|
cls: LedgerType = super().__new__(mcs, name, bases, attrs)
|
2018-06-11 15:33:32 +02:00
|
|
|
if not (name == 'BaseLedger' and not bases):
|
|
|
|
ledger_id = cls.get_id()
|
|
|
|
assert ledger_id not in mcs.ledgers,\
|
|
|
|
'Ledger with id "{}" already registered.'.format(ledger_id)
|
|
|
|
mcs.ledgers[ledger_id] = cls
|
|
|
|
return cls
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-06-11 15:33:32 +02:00
|
|
|
@classmethod
|
2018-07-29 02:52:54 +02:00
|
|
|
def get_ledger_class(mcs, ledger_id: str) -> LedgerType:
|
2018-06-11 15:33:32 +02:00
|
|
|
return mcs.ledgers[ledger_id]
|
2018-05-25 08:03:25 +02:00
|
|
|
|
|
|
|
|
2018-10-03 13:08:02 +02:00
|
|
|
class TransactionEvent(namedtuple('TransactionEvent', ('address', 'tx'))):
|
2018-06-26 23:22:05 +02:00
|
|
|
pass
|
|
|
|
|
|
|
|
|
2018-11-20 00:04:07 +01:00
|
|
|
class AddressesGeneratedEvent(namedtuple('AddressesGeneratedEvent', ('address_manager', 'addresses'))):
|
|
|
|
pass
|
|
|
|
|
|
|
|
|
2018-08-17 03:41:22 +02:00
|
|
|
class BlockHeightEvent(namedtuple('BlockHeightEvent', ('height', 'change'))):
|
|
|
|
pass
|
|
|
|
|
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
class TransactionCacheItem:
|
|
|
|
__slots__ = '_tx', 'lock', 'has_tx'
|
|
|
|
|
|
|
|
def __init__(self,
|
2018-11-19 05:07:54 +01:00
|
|
|
tx: Optional[basetransaction.BaseTransaction] = None,
|
|
|
|
lock: Optional[asyncio.Lock] = None):
|
2018-11-19 04:54:00 +01:00
|
|
|
self.has_tx = asyncio.Event()
|
|
|
|
self.lock = lock or asyncio.Lock()
|
2018-11-19 05:07:54 +01:00
|
|
|
self._tx = self.tx = tx
|
2018-11-19 04:54:00 +01:00
|
|
|
|
|
|
|
@property
|
2018-11-19 05:07:54 +01:00
|
|
|
def tx(self) -> Optional[basetransaction.BaseTransaction]:
|
2018-11-19 04:54:00 +01:00
|
|
|
return self._tx
|
|
|
|
|
|
|
|
@tx.setter
|
2018-11-19 05:07:54 +01:00
|
|
|
def tx(self, tx: basetransaction.BaseTransaction):
|
2018-11-19 04:54:00 +01:00
|
|
|
self._tx = tx
|
|
|
|
if tx is not None:
|
|
|
|
self.has_tx.set()
|
|
|
|
|
|
|
|
|
2018-07-29 02:52:54 +02:00
|
|
|
class BaseLedger(metaclass=LedgerRegistry):
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-07-29 02:52:54 +02:00
|
|
|
name: str
|
|
|
|
symbol: str
|
|
|
|
network_name: str
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-08-16 06:43:38 +02:00
|
|
|
database_class = BaseDatabase
|
2018-06-11 15:33:32 +02:00
|
|
|
account_class = baseaccount.BaseAccount
|
|
|
|
network_class = basenetwork.BaseNetwork
|
|
|
|
transaction_class = basetransaction.BaseTransaction
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-08-16 06:43:38 +02:00
|
|
|
headers_class: Type[BaseHeaders]
|
|
|
|
|
2018-07-29 02:52:54 +02:00
|
|
|
pubkey_address_prefix: bytes
|
|
|
|
script_address_prefix: bytes
|
|
|
|
extended_public_key_prefix: bytes
|
|
|
|
extended_private_key_prefix: bytes
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-06-08 05:47:46 +02:00
|
|
|
default_fee_per_byte = 10
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-07-12 04:37:15 +02:00
|
|
|
def __init__(self, config=None):
|
2018-05-25 08:03:25 +02:00
|
|
|
self.config = config or {}
|
2018-08-16 06:43:38 +02:00
|
|
|
self.db: BaseDatabase = self.config.get('db') or self.database_class(
|
2018-06-14 21:17:59 +02:00
|
|
|
os.path.join(self.path, "blockchain.db")
|
2018-08-16 06:43:38 +02:00
|
|
|
)
|
2018-10-03 13:08:02 +02:00
|
|
|
self.db.ledger = self
|
2018-08-16 06:43:38 +02:00
|
|
|
self.headers: BaseHeaders = self.config.get('headers') or self.headers_class(
|
|
|
|
os.path.join(self.path, "headers")
|
|
|
|
)
|
2018-07-12 04:37:15 +02:00
|
|
|
self.network = self.config.get('network') or self.network_class(self)
|
2018-08-16 06:43:38 +02:00
|
|
|
self.network.on_header.listen(self.receive_header)
|
2018-11-19 04:54:00 +01:00
|
|
|
self.network.on_status.listen(self.process_status_update)
|
|
|
|
|
2018-07-17 05:58:29 +02:00
|
|
|
self.accounts = []
|
2018-07-29 02:52:54 +02:00
|
|
|
self.fee_per_byte: int = self.config.get('fee_per_byte', self.default_fee_per_byte)
|
2018-06-08 05:47:46 +02:00
|
|
|
|
|
|
|
self._on_transaction_controller = StreamController()
|
|
|
|
self.on_transaction = self._on_transaction_controller.stream
|
2018-06-26 23:22:05 +02:00
|
|
|
self.on_transaction.listen(
|
2018-07-29 02:52:54 +02:00
|
|
|
lambda e: log.info(
|
|
|
|
'(%s) on_transaction: address=%s, height=%s, is_verified=%s, tx.id=%s',
|
2018-10-03 13:08:02 +02:00
|
|
|
self.get_id(), e.address, e.tx.height, e.tx.is_verified, e.tx.id
|
2018-06-26 23:22:05 +02:00
|
|
|
)
|
|
|
|
)
|
|
|
|
|
2018-11-20 00:04:07 +01:00
|
|
|
self._on_address_controller = StreamController()
|
|
|
|
self.on_address = self._on_address_controller.stream
|
|
|
|
self.on_address.listen(
|
|
|
|
lambda e: log.info('(%s) on_address: %s', self.get_id(), e.addresses)
|
|
|
|
)
|
|
|
|
|
2018-06-26 23:22:05 +02:00
|
|
|
self._on_header_controller = StreamController()
|
|
|
|
self.on_header = self._on_header_controller.stream
|
2018-08-16 06:43:38 +02:00
|
|
|
self.on_header.listen(
|
|
|
|
lambda change: log.info(
|
|
|
|
'%s: added %s header blocks, final height %s',
|
|
|
|
self.get_id(), change, self.headers.height
|
|
|
|
)
|
|
|
|
)
|
2018-06-08 05:47:46 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
self._tx_cache = {}
|
2018-12-07 02:03:22 +01:00
|
|
|
self._update_tasks = TaskGroup()
|
2018-10-15 04:16:51 +02:00
|
|
|
self._utxo_reservation_lock = asyncio.Lock()
|
|
|
|
self._header_processing_lock = asyncio.Lock()
|
2018-12-05 17:02:52 +01:00
|
|
|
self._address_update_locks: Dict[str, asyncio.Lock] = {}
|
2018-06-25 15:54:35 +02:00
|
|
|
|
2018-06-11 15:33:32 +02:00
|
|
|
@classmethod
|
|
|
|
def get_id(cls):
|
|
|
|
return '{}_{}'.format(cls.symbol.lower(), cls.network_name.lower())
|
|
|
|
|
2018-07-15 22:04:11 +02:00
|
|
|
@classmethod
|
|
|
|
def hash160_to_address(cls, h160):
|
|
|
|
raw_address = cls.pubkey_address_prefix + h160
|
2018-06-11 15:33:32 +02:00
|
|
|
return Base58.encode(bytearray(raw_address + double_sha256(raw_address)[0:4]))
|
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
def address_to_hash160(address):
|
2018-07-29 02:52:54 +02:00
|
|
|
return Base58.decode(address)[1:21]
|
2018-06-11 15:33:32 +02:00
|
|
|
|
2018-07-15 22:04:11 +02:00
|
|
|
@classmethod
|
|
|
|
def public_key_to_address(cls, public_key):
|
|
|
|
return cls.hash160_to_address(hash160(public_key))
|
2018-06-11 15:33:32 +02:00
|
|
|
|
|
|
|
@staticmethod
|
|
|
|
def private_key_to_wif(private_key):
|
|
|
|
return b'\x1c' + private_key + b'\x01'
|
|
|
|
|
2018-06-08 05:47:46 +02:00
|
|
|
@property
|
|
|
|
def path(self):
|
2018-07-05 02:43:25 +02:00
|
|
|
return os.path.join(self.config['data_path'], self.get_id())
|
2018-06-08 05:47:46 +02:00
|
|
|
|
2018-08-30 17:50:11 +02:00
|
|
|
def add_account(self, account: baseaccount.BaseAccount):
|
2018-07-17 05:58:29 +02:00
|
|
|
self.accounts.append(account)
|
2018-06-14 02:57:57 +02:00
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
async def get_private_key_for_address(self, address):
|
|
|
|
match = await self.db.get_address(address=address)
|
2018-06-11 15:33:32 +02:00
|
|
|
if match:
|
|
|
|
for account in self.accounts:
|
2018-07-15 03:34:07 +02:00
|
|
|
if match['account'] == account.public_key.address:
|
2018-09-20 19:00:38 +02:00
|
|
|
return account.get_private_key(match['chain'], match['position'])
|
2018-06-11 15:33:32 +02:00
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
async def get_effective_amount_estimators(self, funding_accounts: Iterable[baseaccount.BaseAccount]):
|
2018-06-18 05:22:15 +02:00
|
|
|
estimators = []
|
|
|
|
for account in funding_accounts:
|
2018-10-15 04:16:51 +02:00
|
|
|
utxos = await account.get_utxos()
|
2018-06-18 05:22:15 +02:00
|
|
|
for utxo in utxos:
|
|
|
|
estimators.append(utxo.get_estimator(self))
|
2018-09-20 19:00:38 +02:00
|
|
|
return estimators
|
2018-06-18 05:22:15 +02:00
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
async def get_spendable_utxos(self, amount: int, funding_accounts):
|
|
|
|
async with self._utxo_reservation_lock:
|
|
|
|
txos = await self.get_effective_amount_estimators(funding_accounts)
|
2018-07-29 02:52:54 +02:00
|
|
|
selector = CoinSelector(
|
|
|
|
txos, amount,
|
2018-08-03 16:41:40 +02:00
|
|
|
self.transaction_class.output_class.pay_pubkey_hash(COIN, NULL_HASH32).get_fee(self)
|
2018-07-29 02:52:54 +02:00
|
|
|
)
|
|
|
|
spendables = selector.select()
|
|
|
|
if spendables:
|
2018-10-15 04:16:51 +02:00
|
|
|
await self.reserve_outputs(s.txo for s in spendables)
|
|
|
|
return spendables
|
2018-07-29 02:52:54 +02:00
|
|
|
|
|
|
|
def reserve_outputs(self, txos):
|
|
|
|
return self.db.reserve_outputs(txos)
|
|
|
|
|
|
|
|
def release_outputs(self, txos):
|
|
|
|
return self.db.release_outputs(txos)
|
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def get_local_status_and_history(self, address):
|
2018-10-15 04:16:51 +02:00
|
|
|
address_details = await self.db.get_address(address=address)
|
2018-06-26 23:22:05 +02:00
|
|
|
history = address_details['history'] or ''
|
|
|
|
parts = history.split(':')[:-1]
|
2018-11-19 04:54:00 +01:00
|
|
|
return (
|
|
|
|
hexlify(sha256(history.encode())).decode() if history else None,
|
|
|
|
list(zip(parts[0::2], map(int, parts[1::2])))
|
|
|
|
)
|
2018-06-12 16:02:04 +02:00
|
|
|
|
2018-06-25 15:54:35 +02:00
|
|
|
@staticmethod
|
|
|
|
def get_root_of_merkle_tree(branches, branch_positions, working_branch):
|
|
|
|
for i, branch in enumerate(branches):
|
|
|
|
other_branch = unhexlify(branch)[::-1]
|
|
|
|
other_branch_on_left = bool((branch_positions >> i) & 1)
|
|
|
|
if other_branch_on_left:
|
|
|
|
combined = other_branch + working_branch
|
|
|
|
else:
|
|
|
|
combined = working_branch + other_branch
|
|
|
|
working_branch = double_sha256(combined)
|
|
|
|
return hexlify(working_branch[::-1])
|
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
async def start(self):
|
2018-06-08 05:47:46 +02:00
|
|
|
if not os.path.exists(self.path):
|
|
|
|
os.mkdir(self.path)
|
2018-11-19 04:54:00 +01:00
|
|
|
await asyncio.wait([
|
2018-08-16 06:43:38 +02:00
|
|
|
self.db.open(),
|
|
|
|
self.headers.open()
|
2018-11-19 04:54:00 +01:00
|
|
|
])
|
2018-05-25 08:03:25 +02:00
|
|
|
first_connection = self.network.on_connected.first
|
2018-10-15 04:16:51 +02:00
|
|
|
asyncio.ensure_future(self.network.start())
|
|
|
|
await first_connection
|
|
|
|
await self.join_network()
|
2018-10-09 05:27:32 +02:00
|
|
|
self.network.on_connected.listen(self.join_network)
|
2018-10-08 23:04:56 +02:00
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
async def join_network(self, *args):
|
2018-10-08 23:04:56 +02:00
|
|
|
log.info("Subscribing and updating accounts.")
|
2018-10-15 04:16:51 +02:00
|
|
|
await self.update_headers()
|
|
|
|
await self.network.subscribe_headers()
|
2018-11-19 04:54:00 +01:00
|
|
|
await self.subscribe_accounts()
|
2018-12-07 02:03:22 +01:00
|
|
|
await self._update_tasks.done.wait()
|
2018-10-15 04:16:51 +02:00
|
|
|
|
|
|
|
async def stop(self):
|
2018-12-07 02:03:22 +01:00
|
|
|
self._update_tasks.cancel()
|
|
|
|
await self._update_tasks.done.wait()
|
2018-10-15 04:16:51 +02:00
|
|
|
await self.network.stop()
|
|
|
|
await self.db.close()
|
|
|
|
await self.headers.close()
|
|
|
|
|
|
|
|
async def update_headers(self, height=None, headers=None, subscription_update=False):
|
2018-08-16 06:43:38 +02:00
|
|
|
rewound = 0
|
2018-05-25 08:03:25 +02:00
|
|
|
while True:
|
2018-08-16 06:43:38 +02:00
|
|
|
|
2018-08-17 03:41:22 +02:00
|
|
|
if height is None or height > len(self.headers):
|
|
|
|
# sometimes header subscription updates are for a header in the future
|
|
|
|
# which can't be connected, so we do a normal header sync instead
|
|
|
|
height = len(self.headers)
|
|
|
|
headers = None
|
|
|
|
subscription_update = False
|
|
|
|
|
|
|
|
if not headers:
|
2018-10-15 04:16:51 +02:00
|
|
|
header_response = await self.network.get_headers(height, 2001)
|
2018-08-16 06:43:38 +02:00
|
|
|
headers = header_response['hex']
|
|
|
|
|
2018-08-17 03:41:22 +02:00
|
|
|
if not headers:
|
|
|
|
# Nothing to do, network thinks we're already at the latest height.
|
2018-08-16 06:43:38 +02:00
|
|
|
return
|
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
added = await self.headers.connect(height, unhexlify(headers))
|
2018-08-16 06:43:38 +02:00
|
|
|
if added > 0:
|
2018-08-17 03:41:22 +02:00
|
|
|
height += added
|
|
|
|
self._on_header_controller.add(
|
|
|
|
BlockHeightEvent(self.headers.height, added))
|
|
|
|
|
|
|
|
if rewound > 0:
|
|
|
|
# we started rewinding blocks and apparently found
|
|
|
|
# a new chain
|
|
|
|
rewound = 0
|
2018-10-15 04:16:51 +02:00
|
|
|
await self.db.rewind_blockchain(height)
|
2018-08-17 03:41:22 +02:00
|
|
|
|
|
|
|
if subscription_update:
|
|
|
|
# subscription updates are for latest header already
|
|
|
|
# so we don't need to check if there are newer / more
|
|
|
|
# on another loop of update_headers(), just return instead
|
|
|
|
return
|
|
|
|
|
|
|
|
elif added == 0:
|
|
|
|
# we had headers to connect but none got connected, probably a reorganization
|
2018-08-16 06:43:38 +02:00
|
|
|
height -= 1
|
|
|
|
rewound += 1
|
2018-08-17 03:41:22 +02:00
|
|
|
log.warning(
|
2018-08-17 03:46:02 +02:00
|
|
|
"Blockchain Reorganization: attempting rewind to height %s from starting height %s",
|
|
|
|
height, height+rewound
|
2018-08-17 03:41:22 +02:00
|
|
|
)
|
|
|
|
|
2018-08-16 06:43:38 +02:00
|
|
|
else:
|
2018-08-17 03:41:22 +02:00
|
|
|
raise IndexError("headers.connect() returned negative number ({})".format(added))
|
2018-08-16 06:43:38 +02:00
|
|
|
|
|
|
|
if height < 0:
|
|
|
|
raise IndexError(
|
|
|
|
"Blockchain reorganization rewound all the way back to genesis hash. "
|
|
|
|
"Something is very wrong. Maybe you are on the wrong blockchain?"
|
|
|
|
)
|
|
|
|
|
2018-08-17 03:41:22 +02:00
|
|
|
if rewound >= 100:
|
2018-08-16 06:43:38 +02:00
|
|
|
raise IndexError(
|
|
|
|
"Blockchain reorganization dropped {} headers. This is highly unusual. "
|
2018-08-17 03:41:22 +02:00
|
|
|
"Will not continue to attempt reorganizing. Please, delete the ledger "
|
|
|
|
"synchronization directory inside your wallet directory (folder: '{}') and "
|
|
|
|
"restart the program to synchronize from scratch."
|
|
|
|
.format(rewound, self.get_id())
|
2018-08-16 06:43:38 +02:00
|
|
|
)
|
|
|
|
|
2018-08-17 03:41:22 +02:00
|
|
|
headers = None # ready to download some more headers
|
2018-08-16 06:43:38 +02:00
|
|
|
|
|
|
|
# if we made it this far and this was a subscription_update
|
2018-08-17 03:41:22 +02:00
|
|
|
# it means something went wrong and now we're doing a more
|
2018-08-16 06:43:38 +02:00
|
|
|
# robust sync, turn off subscription update shortcut
|
|
|
|
subscription_update = False
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-10-15 04:16:51 +02:00
|
|
|
async def receive_header(self, response):
|
|
|
|
async with self._header_processing_lock:
|
2018-07-29 02:52:54 +02:00
|
|
|
header = response[0]
|
2018-10-15 04:16:51 +02:00
|
|
|
await self.update_headers(
|
2018-08-16 06:43:38 +02:00
|
|
|
height=header['height'], headers=header['hex'], subscription_update=True
|
|
|
|
)
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def subscribe_accounts(self):
|
|
|
|
if self.network.is_connected and self.accounts:
|
|
|
|
await asyncio.wait([
|
|
|
|
self.subscribe_account(a) for a in self.accounts
|
|
|
|
])
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def subscribe_account(self, account: baseaccount.BaseAccount):
|
|
|
|
for address_manager in account.address_managers.values():
|
|
|
|
await self.subscribe_addresses(address_manager, await address_manager.get_addresses())
|
2018-10-15 04:16:51 +02:00
|
|
|
await account.ensure_address_gap()
|
2018-06-12 16:02:04 +02:00
|
|
|
|
2018-11-20 00:04:07 +01:00
|
|
|
async def announce_addresses(self, address_manager: baseaccount.AddressManager, addresses: List[str]):
|
|
|
|
await self.subscribe_addresses(address_manager, addresses)
|
|
|
|
await self._on_address_controller.add(
|
|
|
|
AddressesGeneratedEvent(address_manager, addresses)
|
|
|
|
)
|
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def subscribe_addresses(self, address_manager: baseaccount.AddressManager, addresses: List[str]):
|
|
|
|
if self.network.is_connected and addresses:
|
|
|
|
await asyncio.wait([
|
|
|
|
self.subscribe_address(address_manager, address) for address in addresses
|
|
|
|
])
|
2018-06-25 15:54:35 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def subscribe_address(self, address_manager: baseaccount.AddressManager, address: str):
|
|
|
|
remote_status = await self.network.subscribe_address(address)
|
2018-12-07 02:03:22 +01:00
|
|
|
self._update_tasks.add(self.update_history(address, remote_status, address_manager))
|
2018-06-25 15:54:35 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
def process_status_update(self, update):
|
|
|
|
address, remote_status = update
|
2018-12-07 02:03:22 +01:00
|
|
|
self._update_tasks.add(self.update_history(address, remote_status))
|
2018-06-12 16:02:04 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def update_history(self, address, remote_status,
|
|
|
|
address_manager: baseaccount.AddressManager = None):
|
2018-06-25 15:54:35 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
async with self._address_update_locks.setdefault(address, asyncio.Lock()):
|
2018-06-25 15:54:35 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
local_status, local_history = await self.get_local_status_and_history(address)
|
2018-07-15 06:40:46 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
if local_status == remote_status:
|
|
|
|
return
|
2018-11-19 04:54:00 +01:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
remote_history = await self.network.get_history(address)
|
2018-11-19 04:54:00 +01:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
cache_tasks = []
|
|
|
|
synced_history = StringIO()
|
|
|
|
for i, (txid, remote_height) in enumerate(map(itemgetter('tx_hash', 'height'), remote_history)):
|
|
|
|
if i < len(local_history) and local_history[i] == (txid, remote_height):
|
|
|
|
synced_history.write(f'{txid}:{remote_height}:')
|
|
|
|
else:
|
|
|
|
cache_tasks.append(asyncio.ensure_future(
|
|
|
|
self.cache_transaction(txid, remote_height)
|
|
|
|
))
|
|
|
|
|
|
|
|
for task in cache_tasks:
|
|
|
|
tx = await task
|
|
|
|
|
|
|
|
check_db_for_txos = []
|
|
|
|
for txi in tx.inputs:
|
|
|
|
if txi.txo_ref.txo is not None:
|
|
|
|
continue
|
|
|
|
cache_item = self._tx_cache.get(txi.txo_ref.tx_ref.id)
|
|
|
|
if cache_item is not None:
|
|
|
|
if cache_item.tx is None:
|
|
|
|
await cache_item.has_tx.wait()
|
|
|
|
assert cache_item.tx is not None
|
|
|
|
txi.txo_ref = cache_item.tx.outputs[txi.txo_ref.position].ref
|
|
|
|
else:
|
2018-12-06 05:42:16 +01:00
|
|
|
check_db_for_txos.append(txi.txo_ref.id)
|
2018-12-05 17:02:52 +01:00
|
|
|
|
|
|
|
referenced_txos = {
|
|
|
|
txo.id: txo for txo in await self.db.get_txos(txoid__in=check_db_for_txos)
|
|
|
|
}
|
|
|
|
|
|
|
|
for txi in tx.inputs:
|
|
|
|
if txi.txo_ref.txo is not None:
|
|
|
|
continue
|
2018-12-06 05:42:16 +01:00
|
|
|
referenced_txo = referenced_txos.get(txi.txo_ref.id)
|
2018-12-05 17:02:52 +01:00
|
|
|
if referenced_txo is not None:
|
|
|
|
txi.txo_ref = referenced_txo.ref
|
|
|
|
|
|
|
|
synced_history.write(f'{tx.id}:{tx.height}:')
|
|
|
|
|
|
|
|
await self.db.save_transaction_io(
|
|
|
|
tx, address, self.address_to_hash160(address), synced_history.getvalue()
|
|
|
|
)
|
2018-07-15 06:40:46 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
await self._on_transaction_controller.add(TransactionEvent(address, tx))
|
2018-10-03 13:08:02 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
if address_manager is None:
|
|
|
|
address_manager = await self.get_address_manager_for_address(address)
|
2018-07-15 06:40:46 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
if address_manager is not None:
|
|
|
|
await address_manager.ensure_address_gap()
|
2018-07-15 06:40:46 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
async def cache_transaction(self, txid, remote_height):
|
|
|
|
cache_item = self._tx_cache.get(txid)
|
|
|
|
if cache_item is None:
|
|
|
|
cache_item = self._tx_cache[txid] = TransactionCacheItem()
|
|
|
|
elif cache_item.tx is not None and \
|
|
|
|
cache_item.tx.height >= remote_height and \
|
|
|
|
(cache_item.tx.is_verified or remote_height < 1):
|
|
|
|
return cache_item.tx # cached tx is already up-to-date
|
2018-07-17 05:58:29 +02:00
|
|
|
|
2018-12-05 17:02:52 +01:00
|
|
|
async with cache_item.lock:
|
2018-07-15 06:40:46 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
tx = cache_item.tx
|
2018-05-25 08:03:25 +02:00
|
|
|
|
2018-11-19 04:54:00 +01:00
|
|
|
if tx is None:
|
|
|
|
# check local db
|
|
|
|
tx = cache_item.tx = await self.db.get_transaction(txid=txid)
|
|
|
|
|
|
|
|
if tx is None:
|
|
|
|
# fetch from network
|
|
|
|
_raw = await self.network.get_transaction(txid)
|
|
|
|
if _raw:
|
|
|
|
tx = self.transaction_class(unhexlify(_raw))
|
|
|
|
await self.maybe_verify_transaction(tx, remote_height)
|
|
|
|
await self.db.insert_transaction(tx)
|
|
|
|
cache_item.tx = tx # make sure it's saved before caching it
|
|
|
|
return tx
|
|
|
|
|
|
|
|
if tx is None:
|
|
|
|
raise ValueError(f'Transaction {txid} was not in database and not on network.')
|
|
|
|
|
2018-11-19 05:07:54 +01:00
|
|
|
if remote_height > 0 and not tx.is_verified:
|
2018-11-19 04:54:00 +01:00
|
|
|
# tx from cache / db is not up-to-date
|
|
|
|
await self.maybe_verify_transaction(tx, remote_height)
|
|
|
|
await self.db.update_transaction(tx)
|
|
|
|
|
|
|
|
return tx
|
|
|
|
|
|
|
|
async def maybe_verify_transaction(self, tx, remote_height):
|
|
|
|
tx.height = remote_height
|
|
|
|
if 0 < remote_height <= len(self.headers):
|
|
|
|
merkle = await self.network.get_merkle(tx.id, remote_height)
|
|
|
|
merkle_root = self.get_root_of_merkle_tree(merkle['merkle'], merkle['pos'], tx.hash)
|
|
|
|
header = self.headers[remote_height]
|
|
|
|
tx.position = merkle['pos']
|
|
|
|
tx.is_verified = merkle_root == header['merkle_root']
|
|
|
|
|
2018-11-19 05:07:54 +01:00
|
|
|
async def get_address_manager_for_address(self, address) -> Optional[baseaccount.AddressManager]:
|
2018-11-19 04:54:00 +01:00
|
|
|
details = await self.db.get_address(address=address)
|
|
|
|
for account in self.accounts:
|
|
|
|
if account.id == details['account']:
|
|
|
|
return account.address_managers[details['chain']]
|
2018-11-19 05:07:54 +01:00
|
|
|
return None
|
2018-05-25 08:03:25 +02:00
|
|
|
|
|
|
|
def broadcast(self, tx):
|
2018-07-15 03:34:07 +02:00
|
|
|
return self.network.broadcast(hexlify(tx.raw).decode())
|
2018-11-07 20:42:17 +01:00
|
|
|
|
2018-12-05 07:13:31 +01:00
|
|
|
async def wait(self, tx: basetransaction.BaseTransaction, height=-1):
|
2018-11-07 20:42:17 +01:00
|
|
|
addresses = set()
|
|
|
|
for txi in tx.inputs:
|
|
|
|
if txi.txo_ref.txo is not None:
|
|
|
|
addresses.add(
|
|
|
|
self.hash160_to_address(txi.txo_ref.txo.script.values['pubkey_hash'])
|
|
|
|
)
|
|
|
|
for txo in tx.outputs:
|
|
|
|
addresses.add(
|
|
|
|
self.hash160_to_address(txo.script.values['pubkey_hash'])
|
|
|
|
)
|
|
|
|
records = await self.db.get_addresses(cols=('address',), address__in=addresses)
|
|
|
|
await asyncio.wait([
|
|
|
|
self.on_transaction.where(partial(
|
2018-12-05 17:06:19 +01:00
|
|
|
lambda a, e: a == e.address and e.tx.height >= height and e.tx.id == tx.id,
|
|
|
|
address_record['address']
|
2018-11-07 20:42:17 +01:00
|
|
|
)) for address_record in records
|
|
|
|
])
|