lbry-sdk/lbry/console.py

164 lines
5.3 KiB
Python
Raw Normal View History

2020-05-21 00:05:49 +02:00
import os
from typing import Dict, Any
import tqdm
from lbry import __version__
from lbry.service.base import Service
from lbry.service.full_node import FullNode
from lbry.service.light_client import LightClient
2020-06-05 06:35:22 +02:00
class Console:
2020-05-21 00:05:49 +02:00
def __init__(self, service: Service):
self.service = service
def starting(self):
pass
def stopping(self):
pass
class Basic(Console):
def __init__(self, service: Service):
super().__init__(service)
self.service.sync.on_progress.listen(self.on_sync_progress)
def starting(self):
conf = self.service.conf
s = [f'LBRY v{__version__}']
if isinstance(self.service, FullNode):
s.append('Full Node')
elif isinstance(self.service, LightClient):
s.append('Light Client')
if conf.processes == -1:
2020-06-05 06:51:55 +02:00
s.append('Threads Only')
2020-06-05 06:35:22 +02:00
elif conf.processes == 0:
s.append(f'{os.cpu_count()} Process(es)')
2020-05-21 00:05:49 +02:00
else:
2020-06-05 06:35:22 +02:00
s.append(f'{conf.processes} Process(es)')
2020-05-21 00:05:49 +02:00
s.append(f'({os.cpu_count()} CPU(s) available)')
print(' '.join(s))
2020-06-05 06:35:22 +02:00
@staticmethod
def stopping():
2020-05-21 00:05:49 +02:00
print('bye.')
2020-06-05 06:35:22 +02:00
@staticmethod
def on_sync_progress(event):
2020-05-21 00:05:49 +02:00
print(event)
class Advanced(Basic):
2020-06-27 03:52:01 +02:00
FORMAT = '{l_bar}{bar}| {n_fmt:>8}/{total_fmt:>8} [{elapsed:>7}<{remaining:>8}, {rate_fmt:>17}]'
2020-05-21 00:05:49 +02:00
def __init__(self, service: Service):
super().__init__(service)
self.bars: Dict[Any, tqdm.tqdm] = {}
2020-06-27 03:52:01 +02:00
self.is_single_sync_bar = False
self.single_bar_relative_steps = 0
self.last_stats = ""
self.sync_steps = []
2020-05-21 00:05:49 +02:00
2020-06-27 03:52:01 +02:00
def get_or_create_bar(self, name, desc, unit, total, leave=False, bar_format=None, postfix=None, position=None):
2020-05-21 00:05:49 +02:00
bar = self.bars.get(name)
if bar is None:
bar = self.bars[name] = tqdm.tqdm(
2020-06-05 06:35:22 +02:00
desc=desc, unit=unit, total=total,
2020-06-27 03:52:01 +02:00
bar_format=bar_format or self.FORMAT, leave=leave,
postfix=postfix, position=position
2020-05-21 00:05:49 +02:00
)
return bar
2020-06-27 03:52:01 +02:00
def sync_start(self, d):
2020-06-05 06:35:22 +02:00
self.bars.clear()
2020-06-27 03:52:01 +02:00
self.sync_steps = d['sync_steps']
if d['ending_height']-d['starting_height'] > 0:
label = f"sync {d['starting_height']:,d}-{d['ending_height']:,d}"
else:
label = f"sync {d['ending_height']:,d}"
self.last_stats = f"{d['txs']:,d} txs, {d['claims']:,d} claims and {d['supports']:,d} supports"
self.get_or_create_bar(
"sync", label, "tasks", len(d['sync_steps']), True,
"{l_bar}{bar}| {postfix[0]:<55}", (self.last_stats,)
)
self.get_or_create_bar("read", "├─ blocks read", "blocks", d['blocks'], True)
self.get_or_create_bar("save", "└─┬ txs saved", "txs", d['txs'], True)
def update_progress(self, e, d):
if e in ('blockchain.sync.block.read', 'blockchain.sync.block.save'):
self.update_block_bars(e, d)
else:
self.update_steps_bar(e, d)
self.update_other_bars(e, d)
2020-05-21 00:05:49 +02:00
2020-06-27 03:52:01 +02:00
def update_steps_bar(self, e, d):
sync_bar = self.bars['sync']
if d['step'] == d['total']:
sync_done = (self.sync_steps.index(e)+1)-sync_bar.last_print_n
sync_bar.postfix = (f'finished: {e}',)
sync_bar.update(sync_done)
2020-05-21 00:05:49 +02:00
2020-06-27 03:52:01 +02:00
def update_block_bars(self, event, d):
2020-06-05 06:35:22 +02:00
bar_name = f"block-{d['block_file']}"
bar = self.bars.get(bar_name)
if bar is None:
return self.get_or_create_bar(
bar_name,
2020-06-27 03:52:01 +02:00
f" ├─ blk{d['block_file']:05}.dat reading", 'blocks', d['total']
2020-06-05 06:35:22 +02:00
)
2020-06-27 03:52:01 +02:00
if event.endswith("save") and bar.unit == "blocks":
bar.desc = f" ├─ blk{d['block_file']:05}.dat saving"
2020-06-05 06:35:22 +02:00
bar.unit = "txs"
bar.reset(d['total'])
return
2020-05-21 00:05:49 +02:00
diff = d['step']-bar.last_print_n
bar.update(diff)
2020-06-27 03:52:01 +02:00
if event.endswith("save") and d['step'] == d['total']:
2020-05-21 00:05:49 +02:00
bar.close()
2020-06-27 03:52:01 +02:00
total_bar = self.bars[event[-4:]]
total_bar.update(diff)
if total_bar.total == total_bar.last_print_n:
self.update_steps_bar(event, {'step': 1, 'total': 1})
if total_bar.desc.endswith('txs saved'):
total_bar.desc = "├─ txs saved"
total_bar.refresh()
def update_other_bars(self, e, d):
2020-06-27 03:52:01 +02:00
if d['total'] == 0:
return
bar = self.bars.get(e)
if not bar:
name = (
' '.join(e.split('.')[-2:])
.replace('support', 'suprt')
.replace('channels', 'chanls')
.replace('signatures', 'sigs')
)
bar = self.get_or_create_bar(e, f"├─ {name:>12}", d['unit'], d['total'], True)
diff = d['step']-bar.last_print_n
bar.update(diff)
2020-06-27 03:52:01 +02:00
#if d['step'] == d['total']:
#bar.close()
def sync_complete(self):
self.bars['sync'].postfix = (self.last_stats,)
for bar in self.bars.values():
2020-06-23 19:11:16 +02:00
bar.close()
2020-05-21 00:05:49 +02:00
def on_sync_progress(self, event):
e, d = event['event'], event.get('data', {})
2020-06-27 03:52:01 +02:00
if e.endswith("sync.start"):
self.sync_start(d)
elif e.endswith("sync.complete"):
self.sync_complete()
else:
2020-06-27 03:52:01 +02:00
self.update_progress(e, d)