xmrwallet.py 28 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955
  1. #!/usr/bin/env python3
  2. #
  3. # mmgen = Multi-Mode GENerator, command-line Bitcoin cold storage solution
  4. # Copyright (C)2013-2022 The MMGen Project <mmgen@tuta.io>
  5. #
  6. # This program is free software: you can redistribute it and/or modify
  7. # it under the terms of the GNU General Public License as published by
  8. # the Free Software Foundation, either version 3 of the License, or
  9. # (at your option) any later version.
  10. #
  11. # This program is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. # GNU General Public License for more details.
  15. #
  16. # You should have received a copy of the GNU General Public License
  17. # along with this program. If not, see <http://www.gnu.org/licenses/>.
  18. """
  19. xmrwallet.py - MoneroWalletOps class
  20. """
  21. import os,re,time,json
  22. from collections import namedtuple
  23. from .common import *
  24. from .objmethods import Hilite,InitErrors
  25. from .obj import CoinTxID
  26. from .seed import SeedID
  27. from .protocol import init_proto
  28. from .proto.common import b58a
  29. from .addr import CoinAddr,AddrIdx
  30. from .addrlist import KeyAddrList,AddrIdxList
  31. from .rpc import json_encoder
  32. from .base_proto.monero.rpc import MoneroRPCClientRaw,MoneroWalletRPCClient
  33. from .base_proto.monero.daemon import MoneroWalletDaemon
  34. xmrwallet_uarg_info = (
  35. lambda e,hp: {
  36. 'daemon': e('HOST:PORT', hp),
  37. 'tx_relay_daemon': e('HOST:PORT[:PROXY_HOST:PROXY_PORT]', rf'({hp})(?::({hp}))?'),
  38. 'newaddr_spec': e('WALLET_NUM[:ACCOUNT][,"label text"]', rf'(\d+)(?::(\d+))?(?:,(.*))?'),
  39. 'transfer_spec': e('SOURCE_WALLET_NUM:ACCOUNT:ADDRESS,AMOUNT', rf'(\d+):(\d+):([{b58a}]+),([0-9.]+)'),
  40. 'sweep_spec': e('SOURCE_WALLET_NUM:ACCOUNT[,DEST_WALLET_NUM]', r'(\d+):(\d+)(?:,(\d+))?'),
  41. })(
  42. namedtuple('uarg_info_entry',['annot','pat']),
  43. r'(?:[^:]+):(?:\d+)'
  44. )
  45. class XMRWalletAddrSpec(str,Hilite,InitErrors,MMGenObject):
  46. color = 'cyan'
  47. width = 0
  48. trunc_ok = False
  49. min_len = 5 # 1:0:0
  50. max_len = 14 # 9999:9999:9999
  51. def __new__(cls,arg1,arg2=None,arg3=None):
  52. if type(arg1) == cls:
  53. return arg1
  54. try:
  55. if isinstance(arg1,str):
  56. me = str.__new__(cls,arg1)
  57. m = re.fullmatch( '({n}):({n}):({n}|None)'.format(n=r'[0-9]{1,4}'), arg1 )
  58. assert m is not None, f'{arg1!r}: invalid XMRWalletAddrSpec'
  59. for e in m.groups():
  60. if len(e) != 1 and e[0] == '0':
  61. die(2,f'{e}: leading zeroes not permitted in XMRWalletAddrSpec element')
  62. me.wallet = AddrIdx(m[1])
  63. me.account = int(m[2])
  64. me.account_address = None if m[3] == 'None' else int(m[3])
  65. else:
  66. me = str.__new__(cls,f'{arg1}:{arg2}:{arg3}')
  67. for arg in [arg1,arg2] + ([] if arg3 is None else [arg3]):
  68. assert isinstance(arg,int), f'{arg}: XMRWalletAddrSpec component not of type int'
  69. assert arg is None or arg <= 9999, f'{arg}: XMRWalletAddrSpec component greater than 9999'
  70. me.wallet = AddrIdx(arg1)
  71. me.account = arg2
  72. me.account_address = arg3
  73. return me
  74. except Exception as e:
  75. return cls.init_fail(e,me)
  76. class MoneroMMGenTX:
  77. class Base:
  78. def make_chksum(self,keys=None):
  79. res = json.dumps(
  80. dict( (k,v) for k,v in self.data._asdict().items() if (not keys or k in keys) ),
  81. cls = json_encoder
  82. )
  83. return make_chksum_6(res)
  84. @property
  85. def base_chksum(self):
  86. return self.make_chksum(
  87. ('op','create_time','network','seed_id','source','dest','amount')
  88. )
  89. @property
  90. def full_chksum(self):
  91. return self.make_chksum(set(self.data._fields) - {'metadata'})
  92. xmrwallet_tx_data = namedtuple('xmrwallet_tx_data',[
  93. 'op',
  94. 'create_time',
  95. 'sign_time',
  96. 'network',
  97. 'seed_id',
  98. 'source',
  99. 'dest',
  100. 'dest_address',
  101. 'txid',
  102. 'amount',
  103. 'fee',
  104. 'blob',
  105. 'metadata',
  106. ])
  107. def get_info(self,indent=''):
  108. d = self.data
  109. if d.dest:
  110. to_entry = f'\n{indent} To: ' + (
  111. 'Wallet {}, account {}, address {}'.format(
  112. d.dest.wallet.hl(),
  113. red(f'#{d.dest.account}'),
  114. red(f'#{d.dest.account_address}')
  115. )
  116. )
  117. return fmt("""
  118. Transaction info [Seed ID: {}. Network: {}]:
  119. TxID: {}
  120. Type: {}
  121. From: Wallet {}, account {}{}
  122. Amt: {} XMR
  123. Fee: {} XMR
  124. Dest: {}
  125. """,strip_char='\t',indent=indent).format(
  126. d.seed_id.hl(), d.network.upper(),
  127. d.txid.hl(),
  128. blue(capfirst(d.op)),
  129. d.source.wallet.hl(),
  130. red(f'#{d.source.account}'),
  131. to_entry if d.dest else '',
  132. d.amount.hl(),
  133. d.fee.hl(),
  134. d.dest_address.hl()
  135. )
  136. def write(self,delete_metadata=False):
  137. dict_data = self.data._asdict()
  138. if delete_metadata:
  139. dict_data['metadata'] = None
  140. out = json.dumps(
  141. { 'MoneroMMGenTX': {
  142. 'base_chksum': self.base_chksum,
  143. 'full_chksum': self.full_chksum,
  144. 'data': dict_data,
  145. }
  146. },
  147. cls = json_encoder,
  148. )
  149. fn = '{}{}-XMR[{!s}]{}.sigtx'.format(
  150. self.base_chksum.upper(),
  151. (lambda s: f'-{s.upper()}' if s else '')(self.full_chksum),
  152. self.data.amount,
  153. (lambda s: '' if s == 'mainnet' else f'.{s}')(self.data.network),
  154. )
  155. from .fileutil import write_data_to_file
  156. write_data_to_file(fn,out,desc='MoneroMMGenTX data',ask_write=True,ask_write_default_yes=False)
  157. class NewSigned(Base):
  158. def __init__(self,*args,**kwargs):
  159. assert not args, 'Non-keyword args not permitted'
  160. d = namedtuple('kwargs_tuple',kwargs)(**kwargs)
  161. proto = init_proto( 'xmr', network=d.network, need_amt=True )
  162. now = int(time.time())
  163. self.data = self.xmrwallet_tx_data(
  164. op = d.op,
  165. create_time = now,
  166. sign_time = now,
  167. network = d.network,
  168. seed_id = SeedID(sid=d.seed_id),
  169. source = XMRWalletAddrSpec(d.source),
  170. dest = None if d.dest is None else XMRWalletAddrSpec(d.dest),
  171. dest_address = CoinAddr(proto,d.dest_address),
  172. txid = CoinTxID(d.txid),
  173. amount = proto.coin_amt(d.amount,from_unit='atomic'),
  174. fee = proto.coin_amt(d.fee,from_unit='atomic'),
  175. blob = d.blob,
  176. metadata = d.metadata,
  177. )
  178. class Signed(Base):
  179. def __init__(self,fn):
  180. from .fileutil import get_data_from_file
  181. self.fn = fn
  182. d_wrap = json.loads(get_data_from_file(fn))['MoneroMMGenTX']
  183. d = self.xmrwallet_tx_data(**d_wrap['data'])
  184. proto = init_proto( 'xmr', network=d.network, need_amt=True )
  185. self.data = self.xmrwallet_tx_data(
  186. op = d.op,
  187. create_time = d.create_time,
  188. sign_time = d.sign_time,
  189. network = d.network,
  190. seed_id = SeedID(sid=d.seed_id),
  191. source = XMRWalletAddrSpec(d.source),
  192. dest = None if d.dest is None else XMRWalletAddrSpec(d.dest),
  193. dest_address = CoinAddr(proto,d.dest_address),
  194. txid = CoinTxID(d.txid),
  195. amount = proto.coin_amt(d.amount),
  196. fee = proto.coin_amt(d.fee),
  197. blob = d.blob,
  198. metadata = d.metadata,
  199. )
  200. for k in ('base_chksum','full_chksum'):
  201. a = getattr(self,k)
  202. b = d_wrap[k]
  203. assert a == b, f'{k} mismatch: {a} != {b}'
  204. class MoneroWalletOps:
  205. ops = ('create','sync','list','new','transfer','sweep','relay')
  206. opts = (
  207. 'wallet_dir',
  208. 'daemon',
  209. 'tx_relay_daemon',
  210. 'use_internal_keccak_module',
  211. 'hash_preset',
  212. 'restore_height',
  213. 'no_start_wallet_daemon',
  214. 'no_stop_wallet_daemon',
  215. 'do_not_relay',
  216. )
  217. pat_opts = ('daemon','tx_relay_daemon')
  218. class base(MMGenObject):
  219. opts = ('wallet_dir',)
  220. def __init__(self,uarg_tuple,uopt_tuple):
  221. def gen_classes():
  222. for cls in type(self).__mro__:
  223. yield cls
  224. if cls.__name__ == 'base':
  225. break
  226. classes = tuple(gen_classes())
  227. self.opts = tuple(set(opt for cls in classes for opt in cls.opts))
  228. global uarg, uopt, uarg_info, fmt_amt, hl_amt
  229. uarg = uarg_tuple
  230. uopt = uopt_tuple
  231. uarg_info = xmrwallet_uarg_info
  232. def fmt_amt(amt):
  233. return self.proto.coin_amt(amt,from_unit='atomic').fmt(fs='5.12',color=True)
  234. def hl_amt(amt):
  235. return self.proto.coin_amt(amt,from_unit='atomic').hl()
  236. id_cur = None
  237. for cls in classes:
  238. if id(cls.check_uopts) != id_cur:
  239. cls.check_uopts(self)
  240. id_cur = id(cls.check_uopts)
  241. self.proto = init_proto( 'xmr', testnet=g.testnet, need_amt=True )
  242. def check_uopts(self):
  243. def check_pat_opt(name):
  244. val = getattr(uopt,name)
  245. if not re.fullmatch(uarg_info[name].pat,val,re.ASCII):
  246. die(1,'{!r}: invalid value for --{}: it must have format {!r}'.format(
  247. val,
  248. name.replace('_','-'),
  249. uarg_info[name].annot
  250. ))
  251. for opt in uopt._asdict():
  252. if getattr(uopt,opt) and not opt in self.opts:
  253. die(1,'Option --{} not supported for {!r} operation'.format(
  254. opt.replace('_','-'),
  255. uarg.op
  256. ))
  257. for opt in MoneroWalletOps.pat_opts:
  258. if getattr(uopt,opt):
  259. check_pat_opt(opt)
  260. def display_tx_relay_info(self,indent=''):
  261. m = re.fullmatch(uarg_info['tx_relay_daemon'].pat,uopt.tx_relay_daemon,re.ASCII)
  262. msg(fmt(f"""
  263. TX relay info:
  264. Host: {blue(m[1])}
  265. Proxy: {blue(m[2] or 'None')}
  266. """,strip_char='\t',indent=indent))
  267. def post_main(self):
  268. pass
  269. async def stop_wallet_daemon(self):
  270. pass
  271. class wallet(base):
  272. opts = (
  273. 'use_internal_keccak_module',
  274. 'hash_preset',
  275. 'daemon',
  276. 'no_start_wallet_daemon',
  277. 'no_stop_wallet_daemon',
  278. )
  279. wallet_exists = True
  280. def __init__(self,uarg_tuple,uopt_tuple):
  281. def wallet_exists(fn):
  282. try: os.stat(fn)
  283. except: return False
  284. else: return True
  285. def check_wallets():
  286. for d in self.addr_data:
  287. fn = self.get_wallet_fn(d)
  288. exists = wallet_exists(fn)
  289. if exists and not self.wallet_exists:
  290. die(1,f'Wallet {fn!r} already exists!')
  291. elif not exists and self.wallet_exists:
  292. die(1,f'Wallet {fn!r} not found!')
  293. super().__init__(uarg_tuple,uopt_tuple)
  294. self.kal = KeyAddrList(
  295. self.proto,
  296. uarg.infile,
  297. key_address_validity_check = True )
  298. self.create_addr_data()
  299. check_wallets()
  300. self.wd = MoneroWalletDaemon(
  301. proto = self.proto,
  302. wallet_dir = uopt.wallet_dir or '.',
  303. test_suite = g.test_suite,
  304. daemon_addr = uopt.daemon or None,
  305. )
  306. self.c = MoneroWalletRPCClient(daemon=self.wd,test_connection=False)
  307. if not uopt.no_start_wallet_daemon:
  308. run_session(self.c.restart_daemon())
  309. def create_addr_data(self):
  310. if uarg.wallets:
  311. idxs = AddrIdxList(uarg.wallets)
  312. self.addr_data = [d for d in self.kal.data if d.idx in idxs]
  313. if len(self.addr_data) != len(idxs):
  314. die(1,f'List {uarg.wallets!r} contains addresses not present in supplied key-address file')
  315. else:
  316. self.addr_data = self.kal.data
  317. async def stop_wallet_daemon(self):
  318. if not uopt.no_stop_wallet_daemon:
  319. await self.c.stop_daemon()
  320. def get_wallet_fn(self,d):
  321. return os.path.join(
  322. uopt.wallet_dir or '.','{}-{}-MoneroWallet{}{}'.format(
  323. self.kal.al_id.sid,
  324. d.idx,
  325. '.testnet' if g.testnet else '',
  326. '-α' if g.debug_utf8 else '' ))
  327. async def main(self):
  328. gmsg('\n{}ing {} wallet{}'.format(
  329. self.desc,
  330. len(self.addr_data),
  331. suf(self.addr_data) ))
  332. processed = 0
  333. for n,d in enumerate(self.addr_data): # [d.sec,d.addr,d.wallet_passwd,d.viewkey]
  334. fn = self.get_wallet_fn(d)
  335. gmsg('\n{}ing wallet {}/{} ({})'.format(
  336. self.desc,
  337. n+1,
  338. len(self.addr_data),
  339. os.path.basename(fn),
  340. ))
  341. processed += await self.process_wallet(
  342. d,
  343. fn,
  344. last = n == len(self.addr_data)-1 )
  345. gmsg(f'\n{processed} wallet{suf(processed)} {self.past}')
  346. return processed
  347. class rpc:
  348. def __init__(self,parent,d):
  349. self.parent = parent
  350. self.c = parent.c
  351. self.d = d
  352. self.fn = parent.get_wallet_fn(d)
  353. async def open_wallet(self,desc,refresh=True):
  354. gmsg_r(f'\n Opening {desc} wallet...')
  355. await self.c.call( # returns {}
  356. 'open_wallet',
  357. filename=os.path.basename(self.fn),
  358. password=self.d.wallet_passwd )
  359. gmsg('done')
  360. if refresh:
  361. gmsg_r(f' Refreshing {desc} wallet...')
  362. ret = await self.c.call('refresh')
  363. gmsg('done')
  364. if ret['received_money']:
  365. msg(' Wallet has received funds')
  366. async def close_wallet(self,desc):
  367. gmsg_r(f'\n Closing {desc} wallet...')
  368. await self.c.call('close_wallet')
  369. gmsg_r('done')
  370. async def stop_wallet(self,desc):
  371. msg(f'Stopping {self.c.daemon.desc} on port {self.c.daemon.bind_port}')
  372. gmsg_r(f'\n Stopping {desc} wallet...')
  373. await self.c.stop_daemon(quiet=True) # closes wallet
  374. gmsg_r('done')
  375. def print_accts(self,data,addrs_data,indent=' '):
  376. d = data['subaddress_accounts']
  377. msg('\n' + indent + f'Accounts of wallet {os.path.basename(self.fn)}:')
  378. fs = indent + ' {:6} {:18} {:<6} {:%s} {}' % max(len(e['label']) for e in d)
  379. msg(fs.format('Index ','Base Address','nAddrs','Label','Unlocked Balance'))
  380. for i,e in enumerate(d):
  381. msg(fs.format(
  382. str(e['account_index']),
  383. e['base_address'][:15] + '...',
  384. len(addrs_data[i]['addresses']),
  385. e['label'],
  386. fmt_amt(e['unlocked_balance']),
  387. ))
  388. async def get_accts(self,print=True):
  389. data = await self.c.call('get_accounts')
  390. addrs_data = [
  391. await self.c.call('get_address',account_index=i)
  392. for i in range(len(data['subaddress_accounts']))
  393. ]
  394. if print:
  395. self.print_accts(data,addrs_data)
  396. return ( data, addrs_data )
  397. async def create_acct(self,label=None):
  398. msg('\n Creating new account...')
  399. ret = await self.c.call(
  400. 'create_account',
  401. label = label or 'Sweep from {}:{} [{}]'.format(
  402. self.parent.source.idx,
  403. self.parent.account,
  404. make_timestr() ))
  405. msg(' Index: {}'.format( pink(str(ret['account_index'])) ))
  406. msg(' Address: {}'.format( cyan(ret['address']) ))
  407. return (ret['account_index'], ret['address'])
  408. def get_last_acct(self,accts_data):
  409. msg('\n Getting last account...')
  410. ret = accts_data['subaddress_accounts'][-1]
  411. msg(' Index: {}'.format( pink(str(ret['account_index'])) ))
  412. msg(' Address: {}'.format( cyan(ret['base_address']) ))
  413. return (ret['account_index'], ret['base_address'])
  414. async def print_addrs(self,accts_data,account):
  415. ret = await self.c.call('get_address',account_index=account)
  416. d = ret['addresses']
  417. msg('\n Addresses of account #{} ({}):'.format(
  418. account,
  419. accts_data['subaddress_accounts'][account]['label']))
  420. fs = ' {:6} {:18} {:%s} {}' % max( [len(e['label']) for e in d], default=0 )
  421. msg(fs.format('Index ','Address','Label','Used'))
  422. for e in d:
  423. msg(fs.format(
  424. str(e['address_index']),
  425. e['address'][:15] + '...',
  426. e['label'],
  427. e['used']
  428. ))
  429. async def create_new_addr(self,account,label=None):
  430. msg_r('\n Creating new address: ')
  431. ret = await self.c.call(
  432. 'create_address',
  433. account_index = account,
  434. label = label or f'Sweep from this account [{make_timestr()}]',
  435. )
  436. msg(cyan(ret['address']))
  437. return ret['address']
  438. async def get_last_addr(self,account,display=True):
  439. if display:
  440. msg('\n Getting last address:')
  441. ret = (await self.c.call(
  442. 'get_address',
  443. account_index = account,
  444. ))['addresses']
  445. addr = ret[-1]['address']
  446. if display:
  447. msg(' ' + cyan(addr))
  448. return ( addr, len(ret) - 1 )
  449. async def make_transfer_tx(self,account,addr,amt):
  450. res = await self.c.call(
  451. 'transfer',
  452. account_index = account,
  453. destinations = [{
  454. 'amount': amt.to_unit('atomic'),
  455. 'address': addr
  456. }],
  457. do_not_relay = True,
  458. get_tx_hex = True,
  459. get_tx_metadata = True
  460. )
  461. return MoneroMMGenTX.NewSigned(
  462. op = uarg.op,
  463. network = self.parent.proto.network,
  464. seed_id = self.parent.kal.al_id.sid,
  465. source = XMRWalletAddrSpec(self.parent.source.idx,self.parent.account,None),
  466. dest = None,
  467. dest_address = addr,
  468. txid = res['tx_hash'],
  469. amount = res['amount'],
  470. fee = res['fee'],
  471. blob = res['tx_blob'],
  472. metadata = res['tx_metadata'],
  473. )
  474. async def make_sweep_tx(self,account,dest_acct,dest_addr_idx,addr):
  475. res = await self.c.call(
  476. 'sweep_all',
  477. address = addr,
  478. account_index = account,
  479. do_not_relay = True,
  480. get_tx_hex = True,
  481. get_tx_metadata = True
  482. )
  483. if len(res['tx_hash_list']) > 1:
  484. die(3,'More than one TX required. Cannot perform this sweep')
  485. return MoneroMMGenTX.NewSigned(
  486. op = uarg.op,
  487. network = self.parent.proto.network,
  488. seed_id = self.parent.kal.al_id.sid,
  489. source = XMRWalletAddrSpec(self.parent.source.idx,self.parent.account,None),
  490. dest = XMRWalletAddrSpec(
  491. (self.parent.dest or self.parent.source).idx,
  492. dest_acct,
  493. dest_addr_idx),
  494. dest_address = addr,
  495. txid = res['tx_hash_list'][0],
  496. amount = res['amount_list'][0],
  497. fee = res['fee_list'][0],
  498. blob = res['tx_blob_list'][0],
  499. metadata = res['tx_metadata_list'][0],
  500. )
  501. async def relay_tx(self,tx_hex):
  502. ret = await self.c.call('relay_tx',hex=tx_hex)
  503. try:
  504. msg('\n Relayed {}'.format( CoinTxID(ret['tx_hash']).hl() ))
  505. except:
  506. msg(f'\n Server returned: {ret!s}')
  507. class create(wallet):
  508. name = 'create'
  509. desc = 'Creat'
  510. past = 'created'
  511. wallet_exists = False
  512. opts = ('restore_height',)
  513. def check_uopts(self):
  514. if int(uopt.restore_height) < 0:
  515. die(1,f"{uopt.restore_height}: invalid value for --restore-height (less than zero)")
  516. async def process_wallet(self,d,fn,last):
  517. msg_r('') # for pexpect
  518. from .xmrseed import xmrseed
  519. ret = await self.c.call(
  520. 'restore_deterministic_wallet',
  521. filename = os.path.basename(fn),
  522. password = d.wallet_passwd,
  523. seed = xmrseed().fromhex(d.sec.wif,tostr=True),
  524. restore_height = uopt.restore_height,
  525. language = 'English' )
  526. pp_msg(ret) if opt.debug else msg(' Address: {}'.format( ret['address'] ))
  527. return True
  528. class sync(wallet):
  529. name = 'sync'
  530. desc = 'Sync'
  531. past = 'synced'
  532. opts = ('rescan_blockchain',)
  533. def __init__(self,uarg_tuple,uopt_tuple):
  534. super().__init__(uarg_tuple,uopt_tuple)
  535. host,port = uopt.daemon.split(':') if uopt.daemon else ('localhost',self.wd.daemon_port)
  536. self.dc = MoneroRPCClientRaw(host=host, port=int(port), user=None, passwd=None)
  537. self.accts_data = {}
  538. async def process_wallet(self,d,fn,last):
  539. chain_height = (await self.dc.call('get_height'))['height']
  540. msg(f' Chain height: {chain_height}')
  541. t_start = time.time()
  542. msg_r(' Opening wallet...')
  543. await self.c.call(
  544. 'open_wallet',
  545. filename=os.path.basename(fn),
  546. password=d.wallet_passwd )
  547. msg('done')
  548. msg_r(' Getting wallet height (be patient, this could take a long time)...')
  549. wallet_height = (await self.c.call('get_height'))['height']
  550. msg_r('\r' + ' '*68 + '\r')
  551. msg(f' Wallet height: {wallet_height} ')
  552. behind = chain_height - wallet_height
  553. if behind > 1000:
  554. msg_r(f' Wallet is {behind} blocks behind chain tip. Please be patient. Syncing...')
  555. ret = await self.c.call('refresh')
  556. if behind > 1000:
  557. msg('done')
  558. if ret['received_money']:
  559. msg(' Wallet has received funds')
  560. for i in range(2):
  561. wallet_height = (await self.c.call('get_height'))['height']
  562. if wallet_height >= chain_height:
  563. break
  564. ymsg(f' Wallet failed to sync (wallet height [{wallet_height}] < chain height [{chain_height}])')
  565. if i or not uopt.rescan_blockchain:
  566. break
  567. msg_r(' Rescanning blockchain, please be patient...')
  568. await self.c.call('rescan_blockchain')
  569. await self.c.call('refresh')
  570. msg('done')
  571. t_elapsed = int(time.time() - t_start)
  572. bn = os.path.basename(fn)
  573. a,b = await self.rpc(self,d).get_accts(print=False)
  574. msg(' Balance: {} Unlocked balance: {}'.format(
  575. hl_amt(a['total_balance']),
  576. hl_amt(a['total_unlocked_balance']),
  577. ))
  578. self.accts_data[bn] = { 'accts': a, 'addrs': b }
  579. msg(f' Wallet height: {wallet_height}')
  580. msg(' Sync time: {:02}:{:02}'.format(
  581. t_elapsed // 60,
  582. t_elapsed % 60 ))
  583. if not last:
  584. await self.c.call('close_wallet')
  585. return wallet_height >= chain_height
  586. def post_main(self):
  587. d = self.accts_data
  588. op = type(self).__name__
  589. for wnum,k in enumerate(d):
  590. if op == 'sync':
  591. self.rpc(self,self.addr_data[wnum]).print_accts( d[k]['accts'], d[k]['addrs'], indent='')
  592. elif op == 'list':
  593. fs = ' {:2} {} {} {}'
  594. msg('\n' + green(f'Wallet {k}:'))
  595. for acct_num,acct in enumerate(d[k]['addrs']):
  596. msg('\n Account #{} [{} {}]'.format(
  597. acct_num,
  598. self.proto.coin_amt(
  599. d[k]['accts']['subaddress_accounts'][acct_num]['unlocked_balance'],
  600. from_unit='atomic').hl(),
  601. self.proto.coin_amt.hlc('XMR')
  602. ))
  603. msg(fs.format('','Address'.ljust(95),'Used ','Label'))
  604. for addr in acct['addresses']:
  605. msg(fs.format(
  606. addr['address_index'],
  607. CoinAddr(self.proto,addr['address']).hl(),
  608. ( yellow('True ') if addr['used'] else green('False') ),
  609. pink(addr['label']) ))
  610. col1_w = max(map(len,d)) + 1
  611. fs = '{:%s} {} {}' % col1_w
  612. tbals = [0,0]
  613. msg('\n'+fs.format('Wallet','Balance ','Unlocked Balance'))
  614. for k in d:
  615. b = d[k]['accts']['total_balance']
  616. ub = d[k]['accts']['total_unlocked_balance']
  617. msg(fs.format( k + ':', fmt_amt(b), fmt_amt(ub) ))
  618. tbals[0] += b
  619. tbals[1] += ub
  620. msg(fs.format( '-'*col1_w, '-'*18, '-'*18 ))
  621. msg(fs.format( 'TOTAL:', fmt_amt(tbals[0]), fmt_amt(tbals[1]) ))
  622. class list(sync):
  623. pass
  624. class sweep(wallet):
  625. name = 'sweep'
  626. desc = 'Sweep'
  627. past = 'swept'
  628. spec_id = 'sweep_spec'
  629. spec_key = ( (1,'source'), (3,'dest') )
  630. opts = ('do_not_relay','tx_relay_daemon')
  631. def create_addr_data(self):
  632. m = re.fullmatch(uarg_info[self.spec_id].pat,uarg.spec,re.ASCII)
  633. if not m:
  634. fs = "{!r}: invalid {!r} arg: for {} operation, it must have format {!r}"
  635. die(1,fs.format( uarg.spec, self.spec_id, self.name, uarg_info[self.spec_id].annot ))
  636. def gen():
  637. for i,k in self.spec_key:
  638. if m[i] == None:
  639. setattr(self,k,None)
  640. else:
  641. idx = int(m[i])
  642. try:
  643. res = [d for d in self.kal.data if d.idx == idx][0]
  644. except:
  645. die(1,'Supplied key-address file does not contain address {}:{}'.format(
  646. self.kal.al_id.sid,
  647. idx ))
  648. else:
  649. setattr(self,k,res)
  650. yield res
  651. self.addr_data = list(gen())
  652. self.account = None if m[2] is None else int(m[2])
  653. if self.name == 'transfer':
  654. self.dest_addr = CoinAddr(self.proto,m[3])
  655. self.amount = self.proto.coin_amt(m[4])
  656. elif self.name == 'new':
  657. self.label = m[3]
  658. def init_tx_relay_daemon(self):
  659. m = re.fullmatch(uarg_info['tx_relay_daemon'].pat,uopt.tx_relay_daemon,re.ASCII)
  660. wd2 = MoneroWalletDaemon(
  661. proto = self.proto,
  662. wallet_dir = uopt.wallet_dir or '.',
  663. test_suite = g.test_suite,
  664. daemon_addr = m[1],
  665. proxy = m[2] )
  666. if g.test_suite:
  667. wd2.usr_daemon_args = ['--daemon-ssl-allow-any-cert']
  668. wd2.start()
  669. self.c = MoneroWalletRPCClient(daemon=wd2)
  670. async def main(self):
  671. gmsg(f'\n{self.desc}ing account #{self.account} of wallet {self.source.idx}' + (
  672. f': {self.amount} XMR to {self.dest_addr}' if self.name == 'transfer'
  673. else ' to new address' if self.dest == None
  674. else f' to new account in wallet {self.dest.idx}' ))
  675. h = self.rpc(self,self.source)
  676. await h.open_wallet('source')
  677. accts_data = (await h.get_accts())[0]
  678. max_acct = len(accts_data['subaddress_accounts']) - 1
  679. if self.account > max_acct:
  680. die(1,f'{self.account}: requested account index out of bounds (>{max_acct})')
  681. await h.print_addrs(accts_data,self.account)
  682. if self.name == 'transfer':
  683. dest_addr = self.dest_addr
  684. elif self.dest == None:
  685. dest_acct = self.account
  686. if keypress_confirm(f'\nCreate new address for account #{self.account}?'):
  687. dest_addr_chk = await h.create_new_addr(self.account)
  688. elif keypress_confirm(f'Sweep to last existing address of account #{self.account}?'):
  689. dest_addr_chk = None
  690. else:
  691. die(1,'Exiting at user request')
  692. dest_addr,dest_addr_idx = await h.get_last_addr(self.account,display=not dest_addr_chk)
  693. assert dest_addr_chk in (None,dest_addr), 'dest_addr_chk1'
  694. await h.print_addrs(accts_data,self.account)
  695. else:
  696. await h.close_wallet('source')
  697. bn = os.path.basename(self.get_wallet_fn(self.dest))
  698. h2 = self.rpc(self,self.dest)
  699. await h2.open_wallet('destination')
  700. accts_data = (await h2.get_accts())[0]
  701. if keypress_confirm(f'\nCreate new account for wallet {bn!r}?'):
  702. dest_acct,dest_addr = await h2.create_acct()
  703. dest_addr_idx = 0
  704. await h2.get_accts()
  705. elif keypress_confirm(f'Sweep to last existing account of wallet {bn!r}?'):
  706. dest_acct,dest_addr_chk = h2.get_last_acct(accts_data)
  707. dest_addr,dest_addr_idx = await h2.get_last_addr(dest_acct,display=False)
  708. assert dest_addr_chk == dest_addr, 'dest_addr_chk2'
  709. else:
  710. die(1,'Exiting at user request')
  711. await h2.close_wallet('destination')
  712. await h.open_wallet('source',refresh=False)
  713. msg(f'\n Creating {self.name} transaction...')
  714. if self.name == 'transfer':
  715. new_tx = await h.make_transfer_tx(self.account,dest_addr,self.amount)
  716. elif self.name == 'sweep':
  717. new_tx = await h.make_sweep_tx(self.account,dest_acct,dest_addr_idx,dest_addr)
  718. msg('\n' + new_tx.get_info(indent=' '))
  719. if uopt.tx_relay_daemon:
  720. self.display_tx_relay_info(indent=' ')
  721. if uopt.do_not_relay:
  722. msg('Saving TX data to file')
  723. new_tx.write(delete_metadata=True)
  724. elif keypress_confirm(f'Relay {self.name} transaction?'):
  725. w_desc = 'source'
  726. if uopt.tx_relay_daemon:
  727. await h.stop_wallet('source')
  728. msg('')
  729. self.init_tx_relay_daemon()
  730. h = self.rpc(self,self.source)
  731. w_desc = 'TX relay source'
  732. await h.open_wallet(w_desc,refresh=False)
  733. msg_r(f'\n Relaying {self.name} transaction...')
  734. await h.relay_tx(new_tx.data.metadata)
  735. gmsg('\n\nAll done')
  736. else:
  737. die(1,'\nExiting at user request')
  738. return True
  739. class transfer(sweep):
  740. name = 'transfer'
  741. desc = 'Transfer'
  742. past = 'transferred'
  743. spec_id = 'transfer_spec'
  744. spec_key = ( (1,'source'), )
  745. class new(sweep):
  746. name = 'new'
  747. desc = 'New'
  748. past = 'address created'
  749. spec_id = 'newaddr_spec'
  750. spec_key = ( (1,'source'), )
  751. async def main(self):
  752. h = self.rpc(self,self.source)
  753. await h.open_wallet('Monero',refresh=True)
  754. label = '{a} [{b}]'.format(
  755. a = self.label or f"xmrwallet new {'account' if self.account == None else 'address'}",
  756. b = make_timestr() )
  757. if self.account == None:
  758. acct,addr = await h.create_acct(label=label)
  759. else:
  760. msg_r('\n Account index: {}'.format( pink(str(self.account)) ))
  761. addr = await h.create_new_addr(self.account,label=label)
  762. accts_data = (await h.get_accts())[0]
  763. if self.account != None:
  764. await h.print_addrs(accts_data,self.account)
  765. # wallet must be left open: otherwise the 'stop_wallet' RPC call used to stop the daemon will fail
  766. if uopt.no_stop_wallet_daemon:
  767. await h.close_wallet('Monero')
  768. msg('')
  769. class relay(base):
  770. name = 'relay'
  771. desc = 'Relay'
  772. past = 'relayed'
  773. opts = ('tx_relay_daemon',)
  774. def __init__(self,uarg_tuple,uopt_tuple):
  775. super().__init__(uarg_tuple,uopt_tuple)
  776. if uopt.tx_relay_daemon:
  777. m = re.fullmatch(uarg_info['tx_relay_daemon'].pat,uopt.tx_relay_daemon,re.ASCII)
  778. host,port = m[1].split(':')
  779. proxy = m[2]
  780. else:
  781. from .daemon import CoinDaemon
  782. md = CoinDaemon('xmr',test_suite=g.test_suite)
  783. host,port = md.host,md.rpc_port
  784. proxy = None
  785. self.dc = MoneroRPCClientRaw(
  786. host = host,
  787. port = int(port),
  788. user = None,
  789. passwd = None,
  790. proxy = proxy )
  791. self.tx = MoneroMMGenTX.Signed(uarg.infile)
  792. async def main(self):
  793. msg('\n' + self.tx.get_info())
  794. if uopt.tx_relay_daemon:
  795. self.display_tx_relay_info()
  796. if keypress_confirm('Relay transaction?'):
  797. res = await self.dc.call(
  798. 'send_raw_transaction',
  799. tx_as_hex = self.tx.data.blob
  800. )
  801. if res['status'] == 'OK':
  802. msg('Status: ' + green('OK'))
  803. if res['not_relayed']:
  804. ymsg('Transaction not relayed')
  805. return True
  806. else:
  807. die( 'RPCFailure', repr(res) )
  808. else:
  809. die(1,'Exiting at user request')