addrfile.py 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348
  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. addrfile.py: Address and password file classes for the MMGen suite
  20. """
  21. from .util import (
  22. msg,
  23. qmsg,
  24. qmsg_r,
  25. die,
  26. capfirst,
  27. keypress_confirm,
  28. )
  29. from .protocol import init_proto
  30. from .obj import MMGenObject,TwComment,WalletPassword,MMGenPWIDString
  31. from .seed import SeedID,is_seed_id
  32. from .key import PrivKey
  33. from .addr import ViewKey,AddrListID,MMGenAddrType,MMGenPasswordType,is_addr_idx
  34. from .addrlist import KeyList,AddrListData,dmsg_sc
  35. class AddrFile(MMGenObject):
  36. desc = 'addresses'
  37. ext = 'addrs'
  38. line_ctr = 0
  39. file_header = """
  40. # {pnm} address file
  41. #
  42. # This file is editable.
  43. # Everything following a hash symbol '#' is a comment and ignored by {pnm}.
  44. # A text label of {n} screen cells or less may be added to the right of each
  45. # address, and it will be appended to the tracking wallet label upon import.
  46. # The label may contain any printable ASCII symbol.
  47. """
  48. def __init__(self,parent):
  49. self.parent = parent
  50. self.infile = None
  51. def encrypt(self):
  52. from .crypto import mmgen_encrypt,mmenc_ext
  53. from .globalvars import g
  54. self.fmt_data = mmgen_encrypt(
  55. data = self.fmt_data.encode(),
  56. desc = f'new {self.parent.desc} list' )
  57. self.ext += f'.{mmenc_ext}'
  58. @property
  59. def filename(self):
  60. from .globalvars import g
  61. return '{}{x}{}.{}'.format(
  62. self.parent.id_str,
  63. ('.' + self.parent.proto.network) if self.parent.proto.testnet else '',
  64. self.ext,
  65. x = '-α' if g.debug_utf8 else '' )
  66. def write(self,fn=None,ask_tty=True,ask_write_default_yes=False,binary=False,desc=None):
  67. from .opts import opt
  68. from .fileutil import write_data_to_file
  69. write_data_to_file(
  70. fn or self.filename,
  71. self.fmt_data,
  72. desc or self.desc,
  73. ask_tty = self.parent.has_keys and not opt.quiet,
  74. binary = binary )
  75. def make_label(self):
  76. p = self.parent
  77. bc,mt = p.proto.base_coin,p.al_id.mmtype
  78. l_coin = [] if bc == 'BTC' else [p.proto.coin] if bc == 'ETH' else [bc]
  79. l_type = [] if mt == 'E' or (mt == 'L' and not p.proto.testnet) else [mt.name.upper()]
  80. l_tn = [] if not p.proto.testnet else [p.proto.network.upper()]
  81. lbl_p2 = ':'.join(l_coin+l_type+l_tn)
  82. return p.al_id.sid + ('',' ')[bool(lbl_p2)] + lbl_p2
  83. def format(self,add_comments=False):
  84. p = self.parent
  85. fh = (
  86. self.file_header_mn.format(p.pw_fmt.upper())
  87. if p.gen_passwds and p.pw_fmt in ('bip39','xmrseed') else
  88. self.file_header ).strip()
  89. from .globalvars import g
  90. out = [fh.format(pnm=g.proj_name,n=TwComment.max_screen_width) + '\n']
  91. if p.chksum:
  92. out.append(f'# {capfirst(p.desc)} data checksum for {p.id_str}: {p.chksum}')
  93. out.append('# Record this value to a secure location.\n')
  94. lbl = self.make_label()
  95. dmsg_sc('lbl',lbl[9:])
  96. out.append(f'{lbl} {{')
  97. fs = ' {:<%s} {:<34}{}' % len(str(p.data[-1].idx))
  98. for e in p.data:
  99. c = ' '+e.label if add_comments and e.label else ''
  100. if type(p) == KeyList:
  101. out.append(fs.format( e.idx, f'{p.al_id.mmtype.wif_label}: {e.sec.wif}', c ))
  102. elif type(p).__name__ == 'PasswordList':
  103. out.append(fs.format(e.idx,e.passwd,c))
  104. else: # First line with idx
  105. out.append(fs.format(e.idx,e.addr,c))
  106. if p.has_keys:
  107. from .opts import opt
  108. if opt.b16:
  109. out.append(fs.format( '', f'orig_hex: {e.sec.orig_bytes.hex()}', c ))
  110. out.append(fs.format( '', f'{p.al_id.mmtype.wif_label}: {e.sec.wif}', c ))
  111. for k in ('viewkey','wallet_passwd'):
  112. v = getattr(e,k)
  113. if v: out.append(fs.format( '', f'{k}: {v}', c ))
  114. out.append('}')
  115. self.fmt_data = '\n'.join([l.rstrip() for l in out]) + '\n'
  116. def get_line(self,lines):
  117. ret = lines.pop(0).split(None,2)
  118. self.line_ctr += 1
  119. if ret[0] == 'orig_hex:': # hacky
  120. ret = lines.pop(0).split(None,2)
  121. self.line_ctr += 1
  122. return ret if len(ret) == 3 else ret + ['']
  123. def parse_file_body(self,lines):
  124. p = self.parent
  125. ret = AddrListData()
  126. le = p.entry_type
  127. iifs = "{!r}: invalid identifier [expected '{}:']"
  128. while lines:
  129. idx,addr,lbl = self.get_line(lines)
  130. assert is_addr_idx(idx), f'invalid address index {idx!r}'
  131. p.check_format(addr)
  132. a = le(**{ 'proto': p.proto, 'idx':int(idx), p.main_attr:addr, 'label':lbl })
  133. if p.has_keys: # order: wif,(orig_hex),viewkey,wallet_passwd
  134. d = self.get_line(lines)
  135. assert d[0] == p.al_id.mmtype.wif_label+':', iifs.format(d[0],p.al_id.mmtype.wif_label)
  136. a.sec = PrivKey(proto=p.proto,wif=d[1])
  137. for k,dtype,add_proto in (
  138. ('viewkey',ViewKey,True),
  139. ('wallet_passwd',WalletPassword,False) ):
  140. if k in p.al_id.mmtype.extra_attrs:
  141. d = self.get_line(lines)
  142. assert d[0] == k+':', iifs.format(d[0],k)
  143. setattr(a,k,dtype( *((p.proto,d[1]) if add_proto else (d[1],)) ) )
  144. ret.append(a)
  145. if p.has_keys and p.ka_validity_chk != False:
  146. from .opts import opt
  147. if opt.yes or p.ka_validity_chk == True or keypress_confirm('Check key-to-address validity?'):
  148. from .addr import KeyGenerator,AddrGenerator
  149. kg = KeyGenerator(p.proto,p.al_id.mmtype.pubkey_type)
  150. ag = AddrGenerator(p.proto,p.al_id.mmtype)
  151. llen = len(ret)
  152. for n,e in enumerate(ret):
  153. qmsg_r(f'\rVerifying keys {n+1}/{llen}')
  154. assert e.addr == ag.to_addr(kg.gen_data(e.sec)),(
  155. f'Key doesn’t match address!\n {e.sec.wif}\n {e.addr}')
  156. qmsg(' - done')
  157. return ret
  158. def parse_file(self,fn,buf=[],exit_on_error=True):
  159. def parse_addrfile_label(lbl):
  160. """
  161. label examples:
  162. - Bitcoin legacy mainnet: no label
  163. - Bitcoin legacy testnet: 'LEGACY:TESTNET'
  164. - Bitcoin Segwit: 'SEGWIT'
  165. - Bitcoin Segwit testnet: 'SEGWIT:TESTNET'
  166. - Bitcoin Bech32 regtest: 'BECH32:REGTEST'
  167. - Litecoin legacy mainnet: 'LTC'
  168. - Litecoin Bech32 mainnet: 'LTC:BECH32'
  169. - Litecoin legacy testnet: 'LTC:LEGACY:TESTNET'
  170. - Ethereum mainnet: 'ETH'
  171. - Ethereum Classic mainnet: 'ETC'
  172. - Ethereum regtest: 'ETH:REGTEST'
  173. """
  174. lbl = lbl.lower()
  175. # remove the network component:
  176. if lbl.endswith(':testnet'):
  177. network = 'testnet'
  178. lbl = lbl[:-8]
  179. elif lbl.endswith(':regtest'):
  180. network = 'regtest'
  181. lbl = lbl[:-8]
  182. else:
  183. network = 'mainnet'
  184. from .proto.btc import mainnet
  185. if lbl in [MMGenAddrType(mainnet,key).name for key in mainnet.mmtypes]:
  186. coin,mmtype_key = ( 'BTC', lbl )
  187. elif ':' in lbl: # first component is coin, second is mmtype_key
  188. coin,mmtype_key = lbl.split(':')
  189. else: # only component is coin
  190. coin,mmtype_key = ( lbl, None )
  191. proto = init_proto(coin=coin,network=network)
  192. if mmtype_key == None:
  193. mmtype_key = proto.mmtypes[0]
  194. return ( proto, proto.addr_type(mmtype_key) )
  195. p = self.parent
  196. from .fileutil import get_lines_from_file
  197. lines = get_lines_from_file(fn,p.desc+' data',trim_comments=True)
  198. try:
  199. assert len(lines) >= 3, f'Too few lines in address file ({len(lines)})'
  200. ls = lines[0].split()
  201. assert 1 < len(ls) < 5, f'Invalid first line for {p.gen_desc} file: {lines[0]!r}'
  202. assert ls[-1] == '{', f'{ls!r}: invalid first line'
  203. ls.pop()
  204. assert lines[-1] == '}', f'{lines[-1]!r}: invalid last line'
  205. sid = ls.pop(0)
  206. assert is_seed_id(sid), f'{sid!r}: invalid Seed ID'
  207. if type(p).__name__ == 'PasswordList' and len(ls) == 2:
  208. ss = ls.pop().split(':')
  209. assert len(ss) == 2, f'{ss!r}: invalid password length specifier (must contain colon)'
  210. p.set_pw_fmt(ss[0])
  211. p.set_pw_len(ss[1])
  212. p.pw_id_str = MMGenPWIDString(ls.pop())
  213. modname,funcname = p.pw_info[p.pw_fmt].chk_func.split('.')
  214. import importlib
  215. p.chk_func = getattr(importlib.import_module('mmgen.'+modname),funcname)
  216. proto = init_proto('btc') # FIXME: dummy protocol
  217. mmtype = MMGenPasswordType(proto,'P')
  218. elif len(ls) == 1:
  219. proto,mmtype = parse_addrfile_label(ls[0])
  220. elif len(ls) == 0:
  221. proto = init_proto('btc')
  222. mmtype = proto.addr_type('L')
  223. else:
  224. raise ValueError(f'{lines[0]}: Invalid first line for {p.gen_desc} file {fn!r}')
  225. if type(p).__name__ != 'PasswordList':
  226. if proto.base_coin != p.proto.base_coin or proto.network != p.proto.network:
  227. """
  228. Having caller supply protocol and checking address file protocol against it here
  229. allows us to catch all mismatches in one place. This behavior differs from that of
  230. transaction files, which determine the protocol independently, requiring the caller
  231. to check for protocol mismatches (e.g. mmgen.tx.completed.check_correct_chain())
  232. """
  233. raise ValueError(
  234. f'{p.desc} file is '
  235. + f'{proto.base_coin} {proto.network} but protocol is '
  236. + f'{p.proto.base_coin} {p.proto.network}' )
  237. p.base_coin = proto.base_coin
  238. p.network = proto.network
  239. p.al_id = AddrListID(SeedID(sid=sid),mmtype)
  240. data = self.parse_file_body(lines[1:-1])
  241. assert isinstance(data,list),'Invalid file body data'
  242. except Exception as e:
  243. m = 'Invalid data in {} list file {!r}{} ({!s})'.format(
  244. p.desc,
  245. self.infile,
  246. (f', content line {self.line_ctr}' if self.line_ctr else ''),
  247. e )
  248. if exit_on_error:
  249. die(3,m)
  250. else:
  251. msg(m)
  252. return False
  253. return data
  254. class KeyAddrFile(AddrFile):
  255. desc = 'secret keys'
  256. ext = 'akeys'
  257. class KeyFile(KeyAddrFile):
  258. ext = 'keys'
  259. file_header = """
  260. # {pnm} key file
  261. #
  262. # This file is editable.
  263. # Everything following a hash symbol '#' is a comment and ignored by {pnm}.
  264. """
  265. class PasswordFile(AddrFile):
  266. desc = 'passwords'
  267. ext = 'pws'
  268. file_header = """
  269. # {pnm} password file
  270. #
  271. # This file is editable.
  272. # Everything following a hash symbol '#' is a comment and ignored by {pnm}.
  273. # A text label of {n} screen cells or less may be added to the right of each
  274. # password. The label may contain any printable ASCII symbol.
  275. #
  276. """
  277. file_header_mn = """
  278. # {{pnm}} {} password file
  279. #
  280. # This file is editable.
  281. # Everything following a hash symbol '#' is a comment and ignored by {{pnm}}.
  282. #
  283. """
  284. def get_line(self,lines):
  285. self.line_ctr += 1
  286. p = self.parent
  287. if p.pw_fmt in ('bip39','xmrseed'):
  288. ret = lines.pop(0).split(None,p.pw_len+1)
  289. if len(ret) > p.pw_len+1:
  290. m1 = f'extraneous text {ret[p.pw_len+1]!r} found after password'
  291. m2 = '[bare comments not allowed in BIP39 password files]'
  292. m = m1+' '+m2
  293. elif len(ret) < p.pw_len+1:
  294. m = f'invalid password length {len(ret)-1}'
  295. else:
  296. return (ret[0],' '.join(ret[1:p.pw_len+1]),'')
  297. raise ValueError(m)
  298. else:
  299. ret = lines.pop(0).split(None,2)
  300. return ret if len(ret) == 3 else ret + ['']
  301. def make_label(self):
  302. p = self.parent
  303. return f'{p.al_id.sid} {p.pw_id_str} {p.pw_fmt_disp}:{p.pw_len}'