autosign.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614
  1. #!/usr/bin/env python3
  2. #
  3. # mmgen = Multi-Mode GENerator, a command-line cryptocurrency wallet
  4. # Copyright (C)2013-2023 The MMGen Project <mmgen@tuta.io>
  5. # Licensed under the GNU General Public License, Version 3:
  6. # https://www.gnu.org/licenses
  7. # Public project repositories:
  8. # https://github.com/mmgen/mmgen
  9. # https://gitlab.com/mmgen/mmgen
  10. """
  11. autosign: Auto-sign MMGen transactions, message files and XMR wallet output files
  12. """
  13. import sys,os,asyncio
  14. from pathlib import Path
  15. from subprocess import run,PIPE,DEVNULL
  16. from collections import namedtuple
  17. from .cfg import Config
  18. from .util import msg,msg_r,ymsg,rmsg,gmsg,bmsg,die,suf,fmt,fmt_list,async_run
  19. from .color import yellow,red,orange
  20. from .wallet import Wallet,get_wallet_cls
  21. from .filename import find_file_in_dir
  22. from .ui import keypress_confirm
  23. class AutosignConfig(Config):
  24. _set_ok = ('usr_randchars','_proto','outdir','passwd_file')
  25. class Signable:
  26. signables = ('transaction','message','xmr_transaction','xmr_wallet_outputs_file')
  27. class base:
  28. clean_all = False
  29. multiple_ok = True
  30. def __init__(self,parent):
  31. self.parent = parent
  32. self.cfg = parent.cfg
  33. self.dir = getattr(parent,self.dir_name)
  34. @property
  35. def unsigned(self):
  36. return self._unprocessed( '_unsigned', self.rawext, self.sigext )
  37. @property
  38. def unsubmitted(self):
  39. return self._unprocessed( '_unsubmitted', self.sigext, self.subext )
  40. def _unprocessed(self,attrname,rawext,sigext):
  41. if not hasattr(self,attrname):
  42. dirlist = tuple(self.dir.iterdir())
  43. names = tuple(f.name for f in dirlist)
  44. setattr(
  45. self,
  46. attrname,
  47. tuple(f for f in dirlist
  48. if f.name.endswith('.' + rawext)
  49. and f.name[:-len(rawext)] + sigext not in names) )
  50. return getattr(self,attrname)
  51. def print_bad_list(self,bad_files):
  52. msg('\n{a}\n{b}'.format(
  53. a = red(f'Failed {self.desc}s:'),
  54. b = ' {}\n'.format('\n '.join(self.gen_bad_list(sorted(bad_files,key=lambda f: f.name))))
  55. ))
  56. class transaction(base):
  57. desc = 'transaction'
  58. rawext = 'rawtx'
  59. sigext = 'sigtx'
  60. dir_name = 'tx_dir'
  61. fail_msg = 'failed to sign'
  62. async def sign(self,f):
  63. from .tx import UnsignedTX
  64. tx1 = UnsignedTX( cfg=self.cfg, filename=f )
  65. if tx1.proto.sign_mode == 'daemon':
  66. from .rpc import rpc_init
  67. tx1.rpc = await rpc_init( self.cfg, tx1.proto )
  68. from .tx.sign import txsign
  69. tx2 = await txsign( self.cfg, tx1, self.parent.wallet_files[:], None, None )
  70. if tx2:
  71. tx2.file.write(ask_write=False)
  72. return tx2
  73. else:
  74. return False
  75. def print_summary(self,txs):
  76. if self.cfg.full_summary:
  77. bmsg('\nAutosign summary:\n')
  78. msg_r('\n'.join(tx.info.format(terse=True) for tx in txs))
  79. return
  80. def gen():
  81. for tx in txs:
  82. non_mmgen = [o for o in tx.outputs if not o.mmid]
  83. if non_mmgen:
  84. yield (tx,non_mmgen)
  85. body = list(gen())
  86. if body:
  87. bmsg('\nAutosign summary:')
  88. fs = '{} {} {}'
  89. t_wid,a_wid = 6,44
  90. def gen():
  91. yield fs.format('TX ID ','Non-MMGen outputs'+' '*(a_wid-17),'Amount')
  92. yield fs.format('-'*t_wid, '-'*a_wid, '-'*7)
  93. for tx,non_mmgen in body:
  94. for nm in non_mmgen:
  95. yield fs.format(
  96. tx.txid.fmt( width=t_wid, color=True ) if nm is non_mmgen[0] else ' '*t_wid,
  97. nm.addr.fmt( width=a_wid, color=True ),
  98. nm.amt.hl() + ' ' + yellow(tx.coin))
  99. msg('\n' + '\n'.join(gen()))
  100. else:
  101. msg('\nNo non-MMGen outputs')
  102. def gen_bad_list(self,bad_files):
  103. for f in bad_files:
  104. yield red(f.name)
  105. class xmr_transaction(transaction):
  106. dir_name = 'xmr_tx_dir'
  107. desc = 'Monero transaction'
  108. subext = 'subtx'
  109. multiple_ok = False
  110. async def sign(self,f):
  111. from .xmrwallet import MoneroMMGenTX,MoneroWalletOps,xmrwallet_uargs
  112. tx1 = MoneroMMGenTX.Completed( self.parent.xmrwallet_cfg, f )
  113. m = MoneroWalletOps.sign(
  114. self.parent.xmrwallet_cfg,
  115. xmrwallet_uargs(
  116. infile = str(self.parent.wallet_files[0]), # MMGen wallet file
  117. wallets = str(tx1.src_wallet_idx),
  118. spec = None ),
  119. )
  120. tx2 = await m.main(f) # TODO: stop wallet daemon?
  121. tx2.write(ask_write=False)
  122. return tx2
  123. def print_summary(self,txs):
  124. bmsg('\nAutosign summary:\n')
  125. msg_r('\n'.join(tx.get_info() for tx in txs))
  126. class xmr_wallet_outputs_file(transaction):
  127. desc = 'Monero wallet outputs file'
  128. rawext = 'raw'
  129. sigext = 'sig'
  130. dir_name = 'xmr_outputs_dir'
  131. clean_all = True
  132. async def sign(self,f):
  133. from .xmrwallet import MoneroWalletOps,xmrwallet_uargs
  134. wallet_idx = MoneroWalletOps.wallet.get_idx_from_fn(f)
  135. m = MoneroWalletOps.export_key_images(
  136. self.parent.xmrwallet_cfg,
  137. xmrwallet_uargs(
  138. infile = str(self.parent.wallet_files[0]), # MMGen wallet file
  139. wallets = str(wallet_idx),
  140. spec = None ),
  141. )
  142. obj = await m.main( f, wallet_idx )
  143. obj.write()
  144. return obj
  145. def print_summary(self,txs):
  146. bmsg('\nAutosign summary:')
  147. msg(' ' + '\n '.join(tx.get_info() for tx in txs) + '\n')
  148. class message(base):
  149. desc = 'message file'
  150. rawext = 'rawmsg.json'
  151. sigext = 'sigmsg.json'
  152. dir_name = 'msg_dir'
  153. fail_msg = 'failed to sign or signed incompletely'
  154. async def sign(self,f):
  155. from .msg import UnsignedMsg,SignedMsg
  156. m = UnsignedMsg( self.cfg, infile=f )
  157. await m.sign( wallet_files=self.parent.wallet_files[:] )
  158. m = SignedMsg( self.cfg, data=m.__dict__ )
  159. m.write_to_file(
  160. outdir = self.dir.resolve(),
  161. ask_overwrite = False )
  162. if m.data.get('failed_sids'):
  163. die('MsgFileFailedSID',f'Failed Seed IDs: {fmt_list(m.data["failed_sids"],fmt="bare")}')
  164. return m
  165. def print_summary(self,messages):
  166. gmsg('\nSigned message files:')
  167. for m in messages:
  168. gmsg(' ' + m.signed_filename)
  169. def gen_bad_list(self,bad_files):
  170. for f in bad_files:
  171. sigfile = f.parent / ( f.name[:-len(self.rawext)] + self.sigext )
  172. yield orange(sigfile.name) if sigfile.exists() else red(f.name)
  173. class Autosign:
  174. dfl_mountpoint = '/mnt/mmgen_autosign'
  175. dfl_wallet_dir = '/dev/shm/autosign'
  176. old_dfl_mountpoint = '/mnt/tx'
  177. dev_disk_path = Path('/dev/disk/by-label/MMGEN_TX')
  178. old_dfl_mountpoint_errmsg = f"""
  179. Mountpoint '{old_dfl_mountpoint}' is no longer supported!
  180. Please rename '{old_dfl_mountpoint}' to '{dfl_mountpoint}'
  181. and update your fstab accordingly.
  182. """
  183. mountpoint_errmsg_fs = """
  184. Mountpoint '{}' does not exist or does not point
  185. to a directory! Please create the mountpoint and add an entry
  186. to your fstab as described in this script’s help text.
  187. """
  188. mn_fmts = {
  189. 'mmgen': 'words',
  190. 'bip39': 'bip39',
  191. }
  192. dfl_mn_fmt = 'mmgen'
  193. have_msg_dir = False
  194. def __init__(self,cfg):
  195. self.cfg = cfg
  196. if cfg.mnemonic_fmt:
  197. if cfg.mnemonic_fmt not in self.mn_fmts:
  198. die(1,'{!r}: invalid mnemonic format (must be one of: {})'.format(
  199. cfg.mnemonic_fmt,
  200. fmt_list( self.mn_fmts, fmt='no_spc' ) ))
  201. self.mountpoint = Path(cfg.mountpoint or self.dfl_mountpoint)
  202. self.wallet_dir = Path(cfg.wallet_dir or self.dfl_wallet_dir)
  203. self.tx_dir = self.mountpoint / 'tx'
  204. self.msg_dir = self.mountpoint / 'msg'
  205. self.keyfile = self.mountpoint / 'autosign.key'
  206. cfg.outdir = str(self.tx_dir)
  207. cfg.passwd_file = str(self.keyfile)
  208. if any(k in cfg._uopts for k in ('help','longhelp')):
  209. return
  210. if 'coin' in cfg._uopts:
  211. die(1,'--coin option not supported with this command. Use --coins instead')
  212. self.coins = cfg.coins.upper().split(',') if cfg.coins else []
  213. if cfg._args and cfg._args[0] == 'clean':
  214. return
  215. if cfg.xmrwallets and not 'XMR' in self.coins:
  216. self.coins.append('XMR')
  217. if not self.coins:
  218. ymsg('Warning: no coins specified, defaulting to BTC')
  219. self.coins = ['BTC']
  220. if 'XMR' in self.coins:
  221. self.xmr_dir = self.mountpoint / 'xmr'
  222. self.xmr_tx_dir = self.mountpoint / 'xmr' / 'tx'
  223. self.xmr_outputs_dir = self.mountpoint / 'xmr' / 'outputs'
  224. async def check_daemons_running(self):
  225. from .protocol import init_proto
  226. for coin in self.coins:
  227. proto = init_proto( self.cfg, coin, testnet=self.cfg.network=='testnet', need_amt=True )
  228. if proto.sign_mode == 'daemon':
  229. self.cfg._util.vmsg(f'Checking {coin} daemon')
  230. from .rpc import rpc_init
  231. from .exception import SocketError
  232. try:
  233. await rpc_init( self.cfg, proto )
  234. except SocketError as e:
  235. from .daemon import CoinDaemon
  236. d = CoinDaemon( self.cfg, proto=proto, test_suite=self.cfg.test_suite )
  237. die(2,
  238. f'\n{e}\nIs the {d.coind_name} daemon ({d.exec_fn}) running '
  239. + 'and listening on the correct port?' )
  240. @property
  241. def wallet_files(self):
  242. if not hasattr(self,'_wallet_files'):
  243. try:
  244. dirlist = self.wallet_dir.iterdir()
  245. except:
  246. die(1,f"Cannot open wallet directory '{self.wallet_dir}'. Did you run ‘mmgen-autosign setup’?")
  247. self._wallet_files = [f for f in dirlist if f.suffix == '.mmdat']
  248. if not self._wallet_files:
  249. die(1,'No wallet files present!')
  250. return self._wallet_files
  251. def do_mount(self,no_xmr_chk=False):
  252. from stat import S_ISDIR,S_IWUSR,S_IRUSR
  253. def check_dir(cdir):
  254. try:
  255. ds = cdir.stat()
  256. assert S_ISDIR(ds.st_mode), f"'{cdir}' is not a directory!"
  257. assert ds.st_mode & S_IWUSR|S_IRUSR == S_IWUSR|S_IRUSR, f"'{cdir}' is not read/write for this user!"
  258. except:
  259. die(1,f"'{cdir}' missing or not read/writable by user!")
  260. if not self.mountpoint.is_dir():
  261. def do_die(m):
  262. die(1,'\n' + yellow(fmt(m.strip(),indent=' ')))
  263. if Path(self.old_dfl_mountpoint).is_dir():
  264. do_die(self.old_dfl_mountpoint_errmsg)
  265. else:
  266. do_die(self.mountpoint_errmsg_fs.format(self.mountpoint))
  267. if not self.mountpoint.is_mount():
  268. if run( ['mount',self.mountpoint], stderr=DEVNULL, stdout=DEVNULL ).returncode == 0:
  269. msg(f"Mounting '{self.mountpoint}'")
  270. elif not self.cfg.test_suite:
  271. die(1,f"Unable to mount device at '{self.mountpoint}'")
  272. self.have_msg_dir = self.msg_dir.is_dir()
  273. check_dir(self.tx_dir)
  274. if self.have_msg_dir:
  275. check_dir(self.msg_dir)
  276. if 'XMR' in self.coins and not no_xmr_chk:
  277. check_dir(self.xmr_tx_dir)
  278. def do_umount(self):
  279. if self.mountpoint.is_mount():
  280. run( ['sync'], check=True )
  281. msg(f"Unmounting '{self.mountpoint}'")
  282. run( ['umount',self.mountpoint], check=True )
  283. bmsg('It is now safe to extract the removable device')
  284. def decrypt_wallets(self):
  285. msg(f"Unlocking wallet{suf(self.wallet_files)} with key from '{self.cfg.passwd_file}'")
  286. fails = 0
  287. for wf in self.wallet_files:
  288. try:
  289. Wallet( self.cfg, wf, ignore_in_fmt=True )
  290. except SystemExit as e:
  291. if e.code != 0:
  292. fails += 1
  293. return False if fails else True
  294. async def sign_all(self,target_name):
  295. target = getattr(Signable,target_name)(self)
  296. if target.unsigned:
  297. if len(target.unsigned) > 1 and not target.multiple_ok:
  298. die(f'AutosignTXError', 'Only one unsigned {target.desc} transaction allowed at a time!')
  299. good = []
  300. bad = []
  301. for f in target.unsigned:
  302. ret = None
  303. try:
  304. ret = await target.sign(f)
  305. except Exception as e:
  306. ymsg(f"An error occurred with {target.desc} '{f.name}':\n {type(e).__name__}: {e!s}")
  307. except:
  308. ymsg(f"An error occurred with {target.desc} '{f.name}'")
  309. good.append(ret) if ret else bad.append(f)
  310. self.cfg._util.qmsg('')
  311. await asyncio.sleep(0.3)
  312. msg(f'{len(good)} {target.desc}{suf(good)} signed')
  313. if bad:
  314. rmsg(f'{len(bad)} {target.desc}{suf(bad)} {target.fail_msg}')
  315. if good and not self.cfg.no_summary:
  316. target.print_summary(good)
  317. if bad:
  318. target.print_bad_list(bad)
  319. return not bad
  320. else:
  321. msg(f'No unsigned {target.desc}s')
  322. await asyncio.sleep(0.5)
  323. return True
  324. async def do_sign(self):
  325. if not self.cfg.stealth_led:
  326. self.led.set('busy')
  327. self.do_mount()
  328. key_ok = self.decrypt_wallets()
  329. if key_ok:
  330. if self.cfg.stealth_led:
  331. self.led.set('busy')
  332. ret1 = await self.sign_all('transaction')
  333. ret2 = await self.sign_all('message') if self.have_msg_dir else True
  334. # import XMR wallet outputs BEFORE signing transactions:
  335. ret3 = await self.sign_all('xmr_wallet_outputs_file') if 'XMR' in self.coins else True
  336. ret4 = await self.sign_all('xmr_transaction') if 'XMR' in self.coins else True
  337. ret = ret1 and ret2 and ret3 and ret4
  338. self.do_umount()
  339. self.led.set(('standby','off','error')[(not ret)*2 or bool(self.cfg.stealth_led)])
  340. return ret
  341. else:
  342. msg('Password is incorrect!')
  343. self.do_umount()
  344. if not self.cfg.stealth_led:
  345. self.led.set('error')
  346. return False
  347. def wipe_existing_key(self):
  348. try: self.keyfile.stat()
  349. except: pass
  350. else:
  351. from .fileutil import shred_file
  352. msg(f"\nShredding existing key '{self.keyfile}'")
  353. shred_file( self.keyfile, verbose=self.cfg.verbose )
  354. def create_key(self):
  355. desc = f"key file '{self.keyfile}'"
  356. msg('Creating ' + desc)
  357. try:
  358. self.keyfile.write_text( os.urandom(32).hex() )
  359. self.keyfile.chmod(0o400)
  360. except:
  361. die(2,'Unable to write ' + desc)
  362. msg('Wrote ' + desc)
  363. def gen_key(self,no_unmount=False):
  364. if not self.get_insert_status():
  365. die(1,'Removable device not present!')
  366. self.do_mount(no_xmr_chk=True)
  367. self.wipe_existing_key()
  368. self.create_key()
  369. if not no_unmount:
  370. self.do_umount()
  371. def setup(self):
  372. def remove_wallet_dir():
  373. msg(f"Deleting '{self.wallet_dir}'")
  374. import shutil
  375. try: shutil.rmtree(self.wallet_dir)
  376. except: pass
  377. def create_wallet_dir():
  378. try: self.wallet_dir.mkdir(parents=True)
  379. except: pass
  380. try: self.wallet_dir.stat()
  381. except: die(2,f"Unable to create wallet directory '{self.wallet_dir}'")
  382. remove_wallet_dir()
  383. create_wallet_dir()
  384. self.gen_key(no_unmount=True)
  385. wf = find_file_in_dir( get_wallet_cls('mmgen'), self.cfg.data_dir )
  386. if wf and keypress_confirm(
  387. cfg = self.cfg,
  388. prompt = f"Default wallet '{wf}' found.\nUse default wallet for autosigning?",
  389. default_yes = True ):
  390. from .cfg import Config
  391. ss_in = Wallet( Config(), wf )
  392. else:
  393. ss_in = Wallet( self.cfg, in_fmt=self.mn_fmts[self.cfg.mnemonic_fmt or self.dfl_mn_fmt] )
  394. ss_out = Wallet( self.cfg, ss=ss_in )
  395. ss_out.write_to_file( desc='autosign wallet', outdir=self.wallet_dir )
  396. @property
  397. def xmrwallet_cfg(self):
  398. if not hasattr(self,'_xmrwallet_cfg'):
  399. from .cfg import Config
  400. self._xmrwallet_cfg = Config({
  401. 'coin': 'xmr',
  402. 'wallet_rpc_user': 'autosigner',
  403. 'wallet_rpc_password': 'my very secret password',
  404. 'passwd_file': self.cfg.passwd_file,
  405. 'wallet_dir': str(self.wallet_dir),
  406. 'autosign': True,
  407. 'autosign_mountpoint': str(self.mountpoint),
  408. 'outdir': str(self.xmr_dir), # required by vkal.write()
  409. })
  410. return self._xmrwallet_cfg
  411. def xmr_setup(self):
  412. def create_signing_wallets():
  413. from .xmrwallet import MoneroWalletOps,xmrwallet_uargs
  414. if len(self.wallet_files) > 1:
  415. ymsg(f'Warning: more than one wallet file, using the first ({self.wallet_files[0]}) for xmrwallet generation')
  416. m = MoneroWalletOps.create_offline(
  417. self.xmrwallet_cfg,
  418. xmrwallet_uargs(
  419. infile = str(self.wallet_files[0]), # MMGen wallet file
  420. wallets = self.cfg.xmrwallets, # XMR wallet idxs
  421. spec = None ),
  422. )
  423. async_run(m.main())
  424. async_run(m.stop_wallet_daemon())
  425. import shutil
  426. try: shutil.rmtree(self.xmr_outputs_dir)
  427. except: pass
  428. self.xmr_outputs_dir.mkdir(parents=True)
  429. self.xmr_tx_dir.mkdir(exist_ok=True)
  430. self.clean_old_files()
  431. create_signing_wallets()
  432. def clean_old_files(self):
  433. def do_shred(f):
  434. nonlocal count
  435. msg_r('.')
  436. shred_file( f, verbose=self.cfg.verbose )
  437. count += 1
  438. def clean_dir(s_name):
  439. def clean_files(rawext,sigext):
  440. for f in s.dir.iterdir():
  441. if s.clean_all and (f.name.endswith(f'.{rawext}') or f.name.endswith(f'.{sigext}')):
  442. do_shred(f)
  443. elif f.name.endswith(f'.{sigext}'):
  444. raw = f.parent / ( f.name[:-len(sigext)] + rawext )
  445. if raw.is_file():
  446. do_shred(raw)
  447. s = getattr(Signable,s_name)(asi)
  448. msg_r(f"Cleaning directory '{s.dir}'..")
  449. if s.dir.is_dir():
  450. clean_files( s.rawext, s.sigext )
  451. if hasattr(s,'subext'):
  452. clean_files( s.rawext, s.subext )
  453. clean_files( s.sigext, s.subext )
  454. msg('done' if s.dir.is_dir() else 'skipped (no dir)')
  455. asi = get_autosign_obj( self.cfg, 'btc,xmr' )
  456. count = 0
  457. from .fileutil import shred_file
  458. for s_name in Signable.signables:
  459. clean_dir(s_name)
  460. bmsg(f'{count} file{suf(count)} shredded')
  461. def get_insert_status(self):
  462. if self.cfg.no_insert_check:
  463. return True
  464. try: self.dev_disk_path.stat()
  465. except: return False
  466. else: return True
  467. async def do_loop(self):
  468. n,prev_status = 0,False
  469. if not self.cfg.stealth_led:
  470. self.led.set('standby')
  471. while True:
  472. status = self.get_insert_status()
  473. if status and not prev_status:
  474. msg('Device insertion detected')
  475. await self.do_sign()
  476. prev_status = status
  477. if not n % 10:
  478. msg_r(f"\r{' '*17}\rWaiting")
  479. sys.stderr.flush()
  480. await asyncio.sleep(1)
  481. msg_r('.')
  482. n += 1
  483. def at_exit(self,exit_val,message=None):
  484. if message:
  485. msg(message)
  486. self.led.stop()
  487. sys.exit(int(exit_val))
  488. def init_exit_handler(self):
  489. def handler(arg1,arg2):
  490. self.at_exit(1,'\nCleaning up...')
  491. import signal
  492. signal.signal( signal.SIGTERM, handler )
  493. signal.signal( signal.SIGINT, handler )
  494. def init_led(self):
  495. from .led import LEDControl
  496. self.led = LEDControl(
  497. enabled = self.cfg.led,
  498. simulate = os.getenv('MMGEN_TEST_SUITE_AUTOSIGN_LED_SIMULATE') )
  499. self.led.set('off')
  500. def get_autosign_obj(cfg,coins=None):
  501. return Autosign(
  502. AutosignConfig({
  503. 'mountpoint': cfg.autosign_mountpoint or cfg.mountpoint,
  504. 'test_suite': cfg.test_suite,
  505. 'coins': coins if isinstance(coins,str) else ','.join(coins) if coins else 'btc',
  506. })
  507. )