lbry-sdk/torba/basedatabase.py

490 lines
17 KiB
Python
Raw Normal View History

2018-06-08 05:47:46 +02:00
import logging
from typing import Tuple, List, Sequence
2018-06-12 16:02:04 +02:00
2018-06-08 05:47:46 +02:00
import sqlite3
from twisted.internet import defer
from twisted.enterprise import adbapi
from torba.hash import TXRefImmutable
2018-10-05 01:33:14 +02:00
from torba.basetransaction import BaseTransaction
from torba.baseaccount import BaseAccount
2018-06-12 16:02:04 +02:00
2018-06-08 05:47:46 +02:00
log = logging.getLogger(__name__)
def constraints_to_sql(constraints, joiner=' AND ', prepend_key=''):
sql, values = [], {}
for key, constraint in constraints.items():
col, op, key = key, '=', key.replace('.', '_')
if key.startswith('$'):
values[key] = constraint
continue
elif key.endswith('__not'):
col, op = col[:-len('__not')], '!='
2018-08-04 03:26:53 +02:00
elif key.endswith('__lt'):
col, op = col[:-len('__lt')], '<'
2018-08-04 03:26:53 +02:00
elif key.endswith('__lte'):
col, op = col[:-len('__lte')], '<='
2018-08-04 03:26:53 +02:00
elif key.endswith('__gt'):
col, op = col[:-len('__gt')], '>'
2018-08-04 03:26:53 +02:00
elif key.endswith('__like'):
col, op = col[:-len('__like')], 'LIKE'
2018-10-03 13:08:02 +02:00
elif key.endswith('__in') or key.endswith('__not_in'):
if key.endswith('__in'):
col, op = col[:-len('__in')], 'IN'
2018-10-03 13:08:02 +02:00
else:
col, op = col[:-len('__not_in')], 'NOT IN'
if isinstance(constraint, (list, set)):
items = ', '.join(
"'{}'".format(item) if isinstance(item, str) else str(item)
for item in constraint
)
elif isinstance(constraint, str):
items = constraint
else:
raise ValueError("{} requires a list, set or string as constraint value.".format(col))
sql.append('{} {} ({})'.format(col, op, items))
2018-10-03 13:08:02 +02:00
continue
2018-08-04 03:26:53 +02:00
elif key.endswith('__any'):
where, subvalues = constraints_to_sql(constraint, ' OR ', key+'_')
sql.append('({})'.format(where))
values.update(subvalues)
2018-08-04 03:26:53 +02:00
continue
sql.append('{} {} :{}'.format(col, op, prepend_key+key))
values[prepend_key+key] = constraint
return joiner.join(sql) if sql else '', values
def query(select, **constraints):
sql = [select]
limit = constraints.pop('limit', None)
offset = constraints.pop('offset', None)
order_by = constraints.pop('order_by', None)
constraints.pop('my_account', None)
account = constraints.pop('account', None)
if account is not None:
if not isinstance(account, list):
account = [account]
constraints['account__in'] = [
(a.public_key.address if isinstance(a, BaseAccount) else a) for a in account
]
where, values = constraints_to_sql(constraints)
if where:
sql.append('WHERE')
sql.append(where)
if order_by is not None:
sql.append('ORDER BY')
if isinstance(order_by, str):
sql.append(order_by)
elif isinstance(order_by, list):
sql.append(', '.join(order_by))
else:
raise ValueError("order_by must be string or list")
if limit is not None:
sql.append('LIMIT {}'.format(limit))
2018-10-09 20:44:26 +02:00
if offset is not None:
sql.append('OFFSET {}'.format(offset))
return ' '.join(sql), values
def rows_to_dict(rows, fields):
if rows:
return [dict(zip(fields, r)) for r in rows]
else:
return []
def row_dict_or_default(rows, fields, default=None):
dicts = rows_to_dict(rows, fields)
return dicts[0] if dicts else default
2018-08-04 03:26:53 +02:00
class SQLiteMixin:
2018-06-11 15:33:32 +02:00
CREATE_TABLES_QUERY: Sequence[str] = ()
2018-06-11 15:33:32 +02:00
def __init__(self, path):
self._db_path = path
self.db: adbapi.ConnectionPool = None
2018-10-03 13:08:02 +02:00
self.ledger = None
2018-06-11 15:33:32 +02:00
def open(self):
2018-06-11 15:33:32 +02:00
log.info("connecting to database: %s", self._db_path)
self.db = adbapi.ConnectionPool(
'sqlite3', self._db_path, cp_min=1, cp_max=1, check_same_thread=False
)
return self.db.runInteraction(
lambda t: t.executescript(self.CREATE_TABLES_QUERY)
)
def close(self):
2018-06-11 15:33:32 +02:00
self.db.close()
return defer.succeed(True)
@staticmethod
def _insert_sql(table: str, data: dict) -> Tuple[str, List]:
2018-06-11 15:33:32 +02:00
columns, values = [], []
for column, value in data.items():
columns.append(column)
values.append(value)
2018-06-25 15:54:35 +02:00
sql = "INSERT INTO {} ({}) VALUES ({})".format(
2018-06-11 15:33:32 +02:00
table, ', '.join(columns), ', '.join(['?'] * len(values))
)
return sql, values
@staticmethod
def _update_sql(table: str, data: dict, where: str, constraints: list) -> Tuple[str, list]:
2018-06-25 15:54:35 +02:00
columns, values = [], []
for column, value in data.items():
columns.append("{} = ?".format(column))
values.append(value)
values.extend(constraints)
sql = "UPDATE {} SET {} WHERE {}".format(
table, ', '.join(columns), where
)
return sql, values
2018-07-17 05:58:29 +02:00
@staticmethod
def execute(t, sql, values):
log.debug(sql)
log.debug(values)
return t.execute(sql, values)
def run_operation(self, sql, values):
log.debug(sql)
log.debug(values)
return self.db.runOperation(sql, values)
def run_query(self, sql, values):
log.debug(sql)
log.debug(values)
return self.db.runQuery(sql, values)
2018-06-11 15:33:32 +02:00
class BaseDatabase(SQLiteMixin):
2018-06-08 05:47:46 +02:00
2018-06-11 15:33:32 +02:00
CREATE_PUBKEY_ADDRESS_TABLE = """
create table if not exists pubkey_address (
address text primary key,
account text not null,
2018-06-11 15:33:32 +02:00
chain integer not null,
position integer not null,
2018-07-15 06:40:46 +02:00
pubkey blob not null,
2018-06-11 15:33:32 +02:00
history text,
2018-06-14 02:57:57 +02:00
used_times integer not null default 0
2018-06-08 05:47:46 +02:00
);
"""
2018-10-10 04:52:43 +02:00
CREATE_PUBKEY_ADDRESS_INDEX = """
create index if not exists pubkey_address_account_idx on pubkey_address (account);
"""
2018-06-08 05:47:46 +02:00
CREATE_TX_TABLE = """
create table if not exists tx (
txid text primary key,
raw blob not null,
height integer not null,
position integer not null,
is_verified boolean not null default 0
);
"""
2018-06-08 05:47:46 +02:00
CREATE_TXO_TABLE = """
create table if not exists txo (
txid text references tx,
txoid text primary key,
address text references pubkey_address,
2018-06-11 15:33:32 +02:00
position integer not null,
2018-06-08 05:47:46 +02:00
amount integer not null,
script blob not null,
is_reserved boolean not null default 0
2018-06-08 05:47:46 +02:00
);
"""
2018-10-10 04:52:43 +02:00
CREATE_TXO_INDEX = """
create index if not exists txo_address_idx on txo (address);
"""
2018-06-08 05:47:46 +02:00
CREATE_TXI_TABLE = """
create table if not exists txi (
txid text references tx,
txoid text references txo,
address text references pubkey_address
2018-06-08 05:47:46 +02:00
);
"""
2018-10-10 04:52:43 +02:00
CREATE_TXI_INDEX = """
create index if not exists txi_address_idx on txi (address);
"""
2018-06-08 05:47:46 +02:00
CREATE_TABLES_QUERY = (
CREATE_TX_TABLE +
2018-06-11 15:33:32 +02:00
CREATE_PUBKEY_ADDRESS_TABLE +
2018-10-10 04:52:43 +02:00
CREATE_PUBKEY_ADDRESS_INDEX +
2018-06-08 05:47:46 +02:00
CREATE_TXO_TABLE +
2018-10-10 04:52:43 +02:00
CREATE_TXO_INDEX +
CREATE_TXI_TABLE +
CREATE_TXI_INDEX
2018-06-08 05:47:46 +02:00
)
@staticmethod
def txo_to_row(tx, address, txo):
return {
'txid': tx.id,
'txoid': txo.id,
'address': address,
'position': txo.position,
'amount': txo.amount,
'script': sqlite3.Binary(txo.script.source)
}
2018-10-03 13:08:02 +02:00
def save_transaction_io(self, save_tx, tx: BaseTransaction, address, txhash, history):
2018-06-25 15:54:35 +02:00
2018-06-11 15:33:32 +02:00
def _steps(t):
2018-06-25 15:54:35 +02:00
if save_tx == 'insert':
2018-07-17 05:58:29 +02:00
self.execute(t, *self._insert_sql('tx', {
'txid': tx.id,
2018-06-11 15:33:32 +02:00
'raw': sqlite3.Binary(tx.raw),
'height': tx.height,
'position': tx.position,
2018-10-03 13:08:02 +02:00
'is_verified': tx.is_verified
2018-06-11 15:33:32 +02:00
}))
2018-06-25 15:54:35 +02:00
elif save_tx == 'update':
2018-07-17 05:58:29 +02:00
self.execute(t, *self._update_sql("tx", {
2018-10-03 13:08:02 +02:00
'height': tx.height, 'position': tx.position, 'is_verified': tx.is_verified
}, 'txid = ?', (tx.id,)))
2018-06-14 02:57:57 +02:00
existing_txos = [r[0] for r in self.execute(t, *query(
"SELECT position FROM txo", txid=tx.id
)).fetchall()]
2018-06-14 02:57:57 +02:00
2018-06-12 16:02:04 +02:00
for txo in tx.outputs:
if txo.position in existing_txos:
2018-06-14 02:57:57 +02:00
continue
if txo.script.is_pay_pubkey_hash and txo.script.values['pubkey_hash'] == txhash:
2018-07-17 05:58:29 +02:00
self.execute(t, *self._insert_sql("txo", self.txo_to_row(tx, address, txo)))
2018-06-12 16:02:04 +02:00
elif txo.script.is_pay_script_hash:
# TODO: implement script hash payments
2018-06-25 15:54:35 +02:00
print('Database.save_transaction_io: pay script hash is not implemented!')
2018-06-12 16:02:04 +02:00
# lookup the address associated with each TXI (via its TXO)
txoid_to_address = {r[0]: r[1] for r in self.execute(t, *query(
"SELECT txoid, address FROM txo", txoid__in=[txi.txo_ref.id for txi in tx.inputs]
)).fetchall()}
# list of TXIs that have already been added
existing_txis = [r[0] for r in self.execute(t, *query(
"SELECT txoid FROM txi", txid=tx.id
)).fetchall()]
2018-06-14 02:57:57 +02:00
2018-06-12 16:02:04 +02:00
for txi in tx.inputs:
txoid = txi.txo_ref.id
new_txi = txoid not in existing_txis
address_matches = txoid_to_address.get(txoid) == address
if new_txi and address_matches:
2018-07-17 05:58:29 +02:00
self.execute(t, *self._insert_sql("txi", {
'txid': tx.id,
'txoid': txoid,
'address': address,
2018-06-12 16:02:04 +02:00
}))
2018-06-14 02:57:57 +02:00
2018-06-27 00:31:42 +02:00
self._set_address_history(t, address, history)
2018-06-25 15:54:35 +02:00
2018-06-11 15:33:32 +02:00
return self.db.runInteraction(_steps)
2018-06-08 05:47:46 +02:00
def reserve_outputs(self, txos, is_reserved=True):
txoids = [txo.id for txo in txos]
2018-07-17 05:58:29 +02:00
return self.run_operation(
"UPDATE txo SET is_reserved = ? WHERE txoid IN ({})".format(
', '.join(['?']*len(txoids))
), [is_reserved]+txoids
)
def release_outputs(self, txos):
return self.reserve_outputs(txos, is_reserved=False)
2018-08-17 03:46:02 +02:00
def rewind_blockchain(self, above_height): # pylint: disable=no-self-use
2018-08-17 03:41:22 +02:00
# TODO:
# 1. delete transactions above_height
# 2. update address histories removing deleted TXs
return defer.succeed(True)
def select_transactions(self, cols, account=None, **constraints):
if 'txid' not in constraints and account is not None:
constraints['$account'] = account.public_key.address
constraints['txid__in'] = """
SELECT txo.txid FROM txo
JOIN pubkey_address USING (address) WHERE pubkey_address.account = :$account
UNION
SELECT txi.txid FROM txi
JOIN pubkey_address USING (address) WHERE pubkey_address.account = :$account
2018-10-03 13:08:02 +02:00
"""
return self.run_query(*query("SELECT {} FROM tx".format(cols), **constraints))
2018-10-03 13:08:02 +02:00
@defer.inlineCallbacks
def get_transactions(self, my_account=None, **constraints):
my_account = my_account or constraints.get('account', None)
tx_rows = yield self.select_transactions(
'txid, raw, height, position, is_verified',
order_by=["height DESC", "position DESC"],
**constraints
2018-09-21 15:47:31 +02:00
)
2018-09-22 04:18:30 +02:00
txids, txs = [], []
2018-09-22 04:26:07 +02:00
for row in tx_rows:
txids.append(row[0])
2018-10-03 13:08:02 +02:00
txs.append(self.ledger.transaction_class(
2018-10-09 04:44:30 +02:00
raw=row[1], height=row[2], position=row[3], is_verified=bool(row[4])
))
2018-09-22 04:18:30 +02:00
annotated_txos = {
txo.id: txo for txo in
(yield self.get_txos(
my_account=my_account,
txid__in=txids
))
}
referenced_txos = {
txo.id: txo for txo in
(yield self.get_txos(
my_account=my_account,
txoid__in=query("SELECT txoid FROM txi", **{'txid__in': txids})[0]
))
}
2018-09-22 04:18:30 +02:00
for tx in txs:
for txi in tx.inputs:
txo = referenced_txos.get(txi.txo_ref.id)
if txo:
txi.txo_ref = txo.ref
2018-09-22 04:18:30 +02:00
for txo in tx.outputs:
_txo = annotated_txos.get(txo.id)
if _txo:
txo.update_annotations(_txo)
2018-10-05 01:42:29 +02:00
else:
txo.update_annotations(None)
2018-09-22 04:18:30 +02:00
return txs
2018-09-21 15:47:31 +02:00
2018-10-03 13:08:02 +02:00
@defer.inlineCallbacks
def get_transaction_count(self, **constraints):
constraints.pop('offset', None)
constraints.pop('limit', None)
constraints.pop('order_by', None)
count = yield self.select_transactions('count(*)', **constraints)
return count[0][0]
@defer.inlineCallbacks
def get_transaction(self, **constraints):
txs = yield self.get_transactions(limit=1, **constraints)
if txs:
return txs[0]
def select_txos(self, cols, **constraints):
return self.run_query(*query(
2018-10-08 16:53:53 +02:00
"SELECT {} FROM txo"
" JOIN pubkey_address USING (address)"
" JOIN tx USING (txid)".format(cols), **constraints
))
@defer.inlineCallbacks
def get_txos(self, my_account=None, **constraints):
my_account = my_account or constraints.get('account', None)
if isinstance(my_account, BaseAccount):
my_account = my_account.public_key.address
rows = yield self.select_txos(
"amount, script, txid, txo.position, chain, account", **constraints
2018-10-03 13:08:02 +02:00
)
output_class = self.ledger.transaction_class.output_class
return [
output_class(
amount=row[0],
script=output_class.script_class(row[1]),
tx_ref=TXRefImmutable.from_id(row[2]),
position=row[3],
is_change=row[4] == 1,
is_my_account=row[5] == my_account
2018-10-03 13:08:02 +02:00
) for row in rows
]
@defer.inlineCallbacks
def get_txo_count(self, **constraints):
constraints.pop('offset', None)
constraints.pop('limit', None)
constraints.pop('order_by', None)
count = yield self.select_txos('count(*)', **constraints)
return count[0][0]
@staticmethod
def constrain_utxo(constraints):
constraints['is_reserved'] = False
constraints['txoid__not_in'] = "SELECT txoid FROM txi"
def get_utxos(self, **constraints):
self.constrain_utxo(constraints)
2018-10-03 13:08:02 +02:00
return self.get_txos(**constraints)
def get_utxo_count(self, **constraints):
self.constrain_utxo(constraints)
return self.get_txo_count(**constraints)
@defer.inlineCallbacks
def get_balance(self, **constraints):
self.constrain_utxo(constraints)
balance = yield self.select_txos('SUM(amount)', **constraints)
return balance[0][0] or 0
def select_addresses(self, cols, **constraints):
return self.run_query(*query(
"SELECT {} FROM pubkey_address".format(cols), **constraints
))
@defer.inlineCallbacks
def get_addresses(self, cols=('address', 'account', 'chain', 'position', 'used_times'), **constraints):
addresses = yield self.select_addresses(', '.join(cols), **constraints)
return rows_to_dict(addresses, cols)
@defer.inlineCallbacks
def get_address_count(self, **constraints):
count = yield self.select_addresses('count(*)', **constraints)
return count[0][0]
@defer.inlineCallbacks
2018-10-09 04:44:30 +02:00
def get_address(self, **constraints):
addresses = yield self.get_addresses(
cols=('address', 'account', 'chain', 'position', 'pubkey', 'history', 'used_times'),
2018-10-09 04:44:30 +02:00
limit=1, **constraints
2018-06-08 05:47:46 +02:00
)
if addresses:
return addresses[0]
2018-06-08 05:47:46 +02:00
2018-06-11 15:33:32 +02:00
def add_keys(self, account, chain, keys):
sql = (
"insert into pubkey_address "
"(address, account, chain, position, pubkey) "
"values "
) + ', '.join(['(?, ?, ?, ?, ?)'] * len(keys))
2018-06-11 15:33:32 +02:00
values = []
for position, pubkey in keys:
values.append(pubkey.address)
values.append(account.public_key.address)
2018-06-11 15:33:32 +02:00
values.append(chain)
values.append(position)
2018-07-15 06:40:46 +02:00
values.append(sqlite3.Binary(pubkey.pubkey_bytes))
2018-07-17 05:58:29 +02:00
return self.run_operation(sql, values)
2018-06-11 15:33:32 +02:00
2018-07-17 05:58:29 +02:00
@classmethod
def _set_address_history(cls, t, address, history):
cls.execute(
t, "UPDATE pubkey_address SET history = ?, used_times = ? WHERE address = ?",
(history, history.count(':')//2, address)
2018-06-27 00:31:42 +02:00
)
def set_address_history(self, address, history):
return self.db.runInteraction(lambda t: self._set_address_history(t, address, history))