opts.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397
  1. #!/usr/bin/env python3
  2. #
  3. # MMGen Wallet, a terminal-based cryptocurrency wallet
  4. # Copyright (C)2013-2025 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. opts: command-line options processing for the MMGen Project
  20. """
  21. import sys, os, re
  22. from collections import namedtuple
  23. from .cfg import gc
  24. def negated_opts(opts, data={}):
  25. if data:
  26. return data
  27. else:
  28. data.update(dict(
  29. ((k[3:] if k.startswith('no-') else f'no-{k}'), v)
  30. for k, v in opts.items()
  31. if len(k) > 1 and not v.has_parm))
  32. return data
  33. def get_opt_by_substring(opt, opts):
  34. matches = [o for o in opts if o.startswith(opt)]
  35. if len(matches) == 1:
  36. return matches[0]
  37. if len(matches) > 1:
  38. from .util import die
  39. die('CmdlineOptError', f'--{opt}: ambiguous option (not unique substring)')
  40. def process_uopts(cfg, opts_data, opts, need_proto):
  41. from .util import die
  42. def get_uopts():
  43. nonlocal uargs
  44. idx = 1
  45. argv_len = len(sys.argv)
  46. while idx < argv_len:
  47. arg = sys.argv[idx]
  48. if len(arg) > 4096:
  49. raise RuntimeError(f'{len(arg)} bytes: command-line argument too long')
  50. if arg.startswith('--'):
  51. if len(arg) == 2:
  52. uargs = sys.argv[idx+1:]
  53. return
  54. opt, parm = arg[2:].split('=', 1) if '=' in arg else (arg[2:], None)
  55. if len(opt) < 2:
  56. die('CmdlineOptError', f'--{opt}: option name must be at least two characters long')
  57. if (
  58. (_opt := opt) in opts
  59. or (_opt := get_opt_by_substring(_opt, opts))):
  60. if opts[_opt].has_parm:
  61. if parm:
  62. yield (opts[_opt].name, parm)
  63. else:
  64. idx += 1
  65. if idx == argv_len or (parm := sys.argv[idx]).startswith('-'):
  66. die('CmdlineOptError', f'missing parameter for option --{_opt}')
  67. yield (opts[_opt].name, parm)
  68. else:
  69. if parm:
  70. die('CmdlineOptError', f'option --{_opt} requires no parameter')
  71. yield (opts[_opt].name, True)
  72. elif (
  73. (_opt := opt) in negated_opts(opts)
  74. or (_opt := get_opt_by_substring(_opt, negated_opts(opts)))):
  75. if parm:
  76. die('CmdlineOptError', f'option --{_opt} requires no parameter')
  77. yield (negated_opts(opts)[_opt].name, False)
  78. elif (
  79. need_proto
  80. and (not gc.cmd_caps or gc.cmd_caps.rpc)
  81. and any(opt.startswith(coin + '-') for coin in gc.rpc_coins)):
  82. opt_name = opt.replace('-', '_')
  83. from .protocol import init_proto
  84. try:
  85. refval = init_proto(cfg, opt.split('-', 1)[0], return_cls=True).get_opt_clsval(cfg, opt_name)
  86. except AttributeError:
  87. die('CmdlineOptError', f'--{opt}: unrecognized option')
  88. else:
  89. if refval is None: # None == no parm
  90. if parm:
  91. die('CmdlineOptError', f'option --{opt} requires no parameter')
  92. yield (opt_name, True)
  93. else:
  94. from .cfg import conv_type
  95. if parm:
  96. yield (opt_name,
  97. conv_type(opt_name, parm, refval, src='cmdline'))
  98. else:
  99. idx += 1
  100. if idx == argv_len or (parm := sys.argv[idx]).startswith('-'):
  101. die('CmdlineOptError', f'missing parameter for option --{opt}')
  102. yield (opt_name,
  103. conv_type(opt_name, parm, refval, src='cmdline'))
  104. else:
  105. die('CmdlineOptError', f'--{opt}: unrecognized option')
  106. elif arg[0] == '-' and len(arg) > 1:
  107. for j, sopt in enumerate(arg[1:], 2):
  108. if sopt in opts:
  109. if opts[sopt].has_parm:
  110. if arg[j:]:
  111. yield (opts[sopt].name, arg[j:])
  112. else:
  113. idx += 1
  114. if idx == argv_len or (parm := sys.argv[idx]).startswith('-'):
  115. die('CmdlineOptError', f'missing parameter for option -{sopt}')
  116. yield (opts[sopt].name, parm)
  117. break
  118. else:
  119. yield (opts[sopt].name, True)
  120. else:
  121. die('CmdlineOptError', f'-{sopt}: unrecognized option')
  122. else:
  123. uargs = sys.argv[idx:]
  124. return
  125. idx += 1
  126. uargs = []
  127. uopts = dict(get_uopts())
  128. if 'sets' in opts_data:
  129. for a_opt, a_val, b_opt, b_val in opts_data['sets']:
  130. if a_opt in uopts:
  131. u_val = uopts[a_opt]
  132. if (u_val and a_val == bool) or u_val == a_val:
  133. if b_opt in uopts and uopts[b_opt] != b_val:
  134. die(1,
  135. 'Option conflict:'
  136. + '\n --{}={}, with'.format(b_opt.replace('_', '-'), uopts[b_opt])
  137. + '\n --{}={}\n'.format(a_opt.replace('_', '-'), uopts[a_opt]))
  138. else:
  139. uopts[b_opt] = b_val
  140. return uopts, uargs
  141. cmd_opts_v1_pat = re.compile(r'^-([a-zA-Z0-9-]), --([a-zA-Z0-9-]{2,64})(=| )(.+)')
  142. cmd_opts_v2_pat = re.compile(r'^\t\t\t(.)(.) -([a-zA-Z0-9-]), --([a-z0-9-]{2,64})(=| )(.+)')
  143. cmd_opts_v2_help_pat = re.compile(r'^\t\t\t(.)(.) (?:-([a-zA-Z0-9-]), --([a-z0-9-]{2,64})(=| ))?(.+)')
  144. global_opts_pat = re.compile(r'^\t\t\t(.)(.) --([a-z0-9-]{2,64})(=| )(.+)')
  145. global_opts_help_pat = re.compile(r'^\t\t\t(.)(.) (?:--([{}a-zA-Z0-9-]{2,64})(=| ))?(.+)')
  146. opt_tuple = namedtuple('cmdline_option', ['name', 'has_parm'])
  147. def parse_opts(cfg, opts_data, global_opts_data, global_filter_codes, *, need_proto):
  148. def parse_v1():
  149. for line in opts_data['text']['options'].strip().splitlines():
  150. if m := cmd_opts_v1_pat.match(line):
  151. ret = opt_tuple(m[2].replace('-', '_'), m[3] == '=')
  152. yield (m[1], ret)
  153. yield (m[2], ret)
  154. def parse_v2():
  155. cmd_filter_codes = opts_data['filter_codes']
  156. coin_codes = global_filter_codes.coin
  157. for line in opts_data['text']['options'].splitlines():
  158. m = cmd_opts_v2_pat.match(line)
  159. if m and (coin_codes is None or m[1] in coin_codes) and m[2] in cmd_filter_codes:
  160. ret = opt_tuple(m[4].replace('-', '_'), m[5] == '=')
  161. yield (m[3], ret)
  162. yield (m[4], ret)
  163. def parse_global():
  164. coin_codes = global_filter_codes.coin
  165. cmd_codes = global_filter_codes.cmd
  166. for line in global_opts_data['text']['options'].splitlines():
  167. m = global_opts_pat.match(line)
  168. if m and (
  169. (coin_codes is None or m[1] in coin_codes) and
  170. (cmd_codes is None or m[2] in cmd_codes)):
  171. yield (m[3], opt_tuple(m[3].replace('-', '_'), m[4] == '='))
  172. opts = tuple((parse_v2 if 'filter_codes' in opts_data else parse_v1)()) + tuple(parse_global())
  173. uopts, uargs = process_uopts(cfg, opts_data, dict(opts), need_proto)
  174. return namedtuple('parsed_cmd_opts', ['user_opts', 'cmd_args', 'opts'])(
  175. uopts, # dict
  176. uargs, # list, callers can pop
  177. tuple(v.name for k, v in opts if len(k) > 1)
  178. )
  179. def opt_preproc_debug(po):
  180. d = (
  181. ('Cmdline', ' '.join(sys.argv), False),
  182. ('Filtered opts', po.filtered_opts, False),
  183. ('User-selected opts', po.user_opts, False),
  184. ('Cmd args', po.cmd_args, False),
  185. ('Opts', po.opts, True),
  186. )
  187. from .util import Msg, fmt_list
  188. Msg('\n=== opts.py debug ===')
  189. for label, data, pretty in d:
  190. Msg(' {:<20}: {}'.format(label, '\n' + fmt_list(data, fmt='col', indent=' '*8) if pretty else data))
  191. opts_data_dfl = {
  192. 'text': {
  193. 'desc': '',
  194. 'usage':'[options]',
  195. 'options': """
  196. -h, --help Print this help message
  197. --, --longhelp Print help message for long (global) options
  198. """
  199. }
  200. }
  201. def get_coin():
  202. for n, arg in enumerate(sys.argv[1:]):
  203. if len(arg) > 4096:
  204. raise RuntimeError(f'{len(arg)} bytes: command-line argument too long')
  205. if arg.startswith('--coin='):
  206. return arg.removeprefix('--coin=').lower()
  207. if arg == '--coin':
  208. if len(sys.argv) < n + 3:
  209. from .util import die
  210. die('CmdlineOptError', f'{arg}: missing parameter')
  211. return sys.argv[n + 2].lower()
  212. if arg == '-' or not arg.startswith('-'): # stop at first non-option
  213. return 'btc'
  214. return 'btc'
  215. class Opts:
  216. def __init__(
  217. self,
  218. cfg,
  219. *,
  220. opts_data,
  221. init_opts, # dict containing opts to pre-initialize
  222. parsed_opts,
  223. need_proto):
  224. if len(sys.argv) > 257:
  225. raise RuntimeError(f'{len(sys.argv) - 1}: too many command-line arguments')
  226. opts_data = opts_data or opts_data_dfl
  227. self.global_filter_codes = self.get_global_filter_codes(need_proto)
  228. self.opts_data = opts_data
  229. po = parsed_opts or parse_opts(
  230. cfg,
  231. opts_data,
  232. self.global_opts_data,
  233. self.global_filter_codes,
  234. need_proto = need_proto)
  235. cfg._args = po.cmd_args
  236. cfg._uopts = uopts = po.user_opts
  237. if init_opts: # initialize user opts to given value
  238. for uopt, val in init_opts.items():
  239. if uopt not in uopts:
  240. uopts[uopt] = val
  241. cfg._opts = self
  242. cfg._parsed_opts = po
  243. cfg._use_env = True
  244. cfg._use_cfg_file = not 'skip_cfg_file' in uopts
  245. # Make these available to usage():
  246. cfg._usage_data = opts_data['text'].get('usage2') or opts_data['text']['usage']
  247. cfg._usage_code = opts_data.get('code', {}).get('usage')
  248. cfg._help_pkg = self.help_pkg
  249. if os.getenv('MMGEN_DEBUG_OPTS'):
  250. opt_preproc_debug(po)
  251. for funcname in self.info_funcs:
  252. if funcname in uopts:
  253. import importlib
  254. getattr(importlib.import_module(self.help_pkg), funcname)(cfg) # exits
  255. class UserOpts(Opts):
  256. help_pkg = 'mmgen.help'
  257. info_funcs = ('version', 'show_hash_presets')
  258. global_opts_data = {
  259. # coin code : cmd code : opt : opt param : text
  260. 'text': {
  261. 'options': """
  262. -- --accept-defaults Accept defaults at all prompts
  263. hp --cashaddr=0|1 Display addresses in cashaddr format (default: 1)
  264. -c --coin=c Choose coin unit. Default: BTC. Current choice: {cu_dfl}
  265. er --token=t Specify an ERC20 token by address or symbol
  266. -- --color=0|1 Disable or enable color output (default: 1)
  267. -- --columns=N Force N columns of output with certain commands
  268. Rr --scroll Use the curses-like scrolling interface for
  269. + tracking wallet views
  270. -- --force-256-color Force 256-color output when color is enabled
  271. -- --pager Pipe output of certain commands to pager (WIP)
  272. -- --data-dir=path Specify {pnm} data directory location
  273. rr --daemon-data-dir=path Specify coin daemon data directory location
  274. Rr --daemon-id=ID Specify the coin daemon ID
  275. rr --ignore-daemon-version Ignore coin daemon version check
  276. rr --http-timeout=t Set HTTP timeout in seconds for JSON-RPC connections
  277. -- --no-license Suppress the GPL license prompt
  278. Rr --rpc-host=HOST Communicate with coin daemon running on host HOST
  279. rr --rpc-port=PORT Communicate with coin daemon listening on port PORT
  280. br --rpc-user=USER Authenticate to coin daemon using username USER
  281. br --rpc-password=PASS Authenticate to coin daemon using password PASS
  282. Rr --rpc-backend=backend Use backend 'backend' for JSON-RPC communications
  283. Rr --aiohttp-rpc-queue-len=N Use N simultaneous RPC connections with aiohttp
  284. -p --regtest=0|1 Disable or enable regtest mode
  285. -- --testnet=0|1 Disable or enable testnet
  286. -- --test-suite Use test suite configuration
  287. br --tw-name=NAME Specify alternate name for the BTC/LTC/BCH tracking
  288. + wallet (default: ‘{tw_name}’)
  289. -- --skip-cfg-file Skip reading the configuration file
  290. -- --version Print version information and exit
  291. -- --usage Print usage information and exit
  292. b- --bob Specify user ‘Bob’ in MMGen regtest mode
  293. b- --alice Specify user ‘Alice’ in MMGen regtest mode
  294. b- --carol Specify user ‘Carol’ in MMGen regtest mode
  295. rr COIN-SPECIFIC OPTIONS:
  296. rr For descriptions, refer to the non-prefixed versions of these options above
  297. rr Prefixed options override their non-prefixed counterparts
  298. rr OPTION SUPPORTED PREFIXES
  299. rr --PREFIX-ignore-daemon-version btc ltc bch eth etc xmr
  300. br --PREFIX-tw-name btc ltc bch
  301. Rr --PREFIX-rpc-host btc ltc bch eth etc
  302. rr --PREFIX-rpc-port btc ltc bch eth etc xmr
  303. br --PREFIX-rpc-user btc ltc bch
  304. br --PREFIX-rpc-password btc ltc bch
  305. Rr --PREFIX-max-tx-fee btc ltc bch eth etc
  306. Rr PROTO-SPECIFIC OPTIONS:
  307. Rr Option Supported Prefixes
  308. Rr --PREFIX-chain-names eth-mainnet eth-testnet etc-mainnet etc-testnet
  309. """,
  310. },
  311. 'code': {
  312. 'options': lambda proto, help_notes, s: s.format(
  313. pnm = gc.proj_name,
  314. cu_dfl = proto.coin,
  315. tw_name = help_notes('dfl_twname')),
  316. }
  317. }
  318. @staticmethod
  319. def get_global_filter_codes(need_proto):
  320. """
  321. Enable options based on the value of --coin and name of executable
  322. Both must produce a matching code list, or None, for the option to be enabled
  323. Coin codes:
  324. 'b' - Bitcoin or Bitcoin code fork supporting RPC
  325. 'R' - Bitcoin or Ethereum code fork supporting RPC
  326. 'e' - Ethereum or Ethereum code fork
  327. 'r' - coin supporting RPC
  328. 'h' - Bitcoin Cash
  329. '-' - other coin
  330. Cmd codes:
  331. 'p' - proto required
  332. 'c' - proto required, --coin recognized
  333. 'r' - RPC required
  334. '-' - no capabilities required
  335. """
  336. ret = namedtuple('global_filter_codes', ['coin', 'cmd'])
  337. if caps := gc.cmd_caps:
  338. coin = get_coin() if caps.use_coin_opt else None
  339. # a return value of None removes the filter, enabling all options for the given criterion
  340. return ret(
  341. coin = caps.coin_codes or (
  342. None if coin is None else
  343. ['-', 'r', 'R', 'b', 'h'] if coin == 'bch' else
  344. ['-', 'r', 'R', 'b'] if coin in gc.btc_fork_rpc_coins else
  345. ['-', 'r', 'R', 'e'] if coin in gc.eth_fork_coins else
  346. ['-', 'r'] if coin in gc.rpc_coins else
  347. ['-']),
  348. cmd = (
  349. ['-']
  350. + (['r'] if caps.rpc else [])
  351. + (['p', 'c'] if caps.proto and caps.use_coin_opt else ['p'] if caps.proto else [])
  352. ))
  353. else: # unmanaged command: enable everything
  354. return ret(None, None)