addr.py 6.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202
  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. addr: MMGen address-related types
  20. """
  21. from collections import namedtuple
  22. from .objmethods import HiliteStr, InitErrors, MMGenObject
  23. from .obj import ImmutableAttr, MMGenIdx, get_obj
  24. from .seed import SeedID
  25. from . import color as color_mod
  26. ati = namedtuple('addrtype_info',
  27. ['name', 'pubkey_type', 'compressed', 'gen_method', 'addr_fmt', 'wif_label', 'extra_attrs', 'desc'])
  28. class MMGenAddrType(HiliteStr, InitErrors, MMGenObject):
  29. width = 1
  30. trunc_ok = False
  31. color = 'blue'
  32. name = ImmutableAttr(str)
  33. pubkey_type = ImmutableAttr(str)
  34. compressed = ImmutableAttr(bool, set_none_ok=True)
  35. gen_method = ImmutableAttr(str, set_none_ok=True)
  36. addr_fmt = ImmutableAttr(str, set_none_ok=True)
  37. wif_label = ImmutableAttr(str, set_none_ok=True)
  38. extra_attrs = ImmutableAttr(tuple, set_none_ok=True)
  39. desc = ImmutableAttr(str)
  40. pkh_fmts = ('p2pkh', 'bech32', 'ethereum')
  41. mmtypes = {
  42. 'L': ati('legacy', 'std', False,'p2pkh', 'p2pkh', 'wif', (), 'Legacy uncompressed address'),
  43. 'C': ati('compressed','std', True, 'p2pkh', 'p2pkh', 'wif', (), 'Compressed P2PKH address'),
  44. 'S': ati('segwit', 'std', True, 'segwit', 'p2sh', 'wif', (), 'Segwit P2SH-P2WPKH address'),
  45. 'B': ati('bech32', 'std', True, 'bech32', 'bech32', 'wif', (), 'Native Segwit (Bech32) address'),
  46. 'E': ati('ethereum', 'std', False,'ethereum','p2pkh', 'privkey', ('wallet_passwd',),'Ethereum address'),
  47. 'Z': ati('zcash_z','zcash_z',False,'zcash_z', 'zcash_z', 'wif', ('viewkey',), 'Zcash z-address'),
  48. 'M': ati('monero', 'monero', False,'monero', 'monero', 'spendkey',('viewkey','wallet_passwd'),'Monero address'),
  49. }
  50. def __new__(cls, proto, id_str, errmsg=None):
  51. if isinstance(id_str, cls):
  52. return id_str
  53. try:
  54. id_str = id_str.replace('-', '_')
  55. for k, v in cls.mmtypes.items():
  56. if id_str in (k, v.name):
  57. if id_str == v.name:
  58. id_str = k
  59. me = str.__new__(cls, id_str)
  60. for k in v._fields:
  61. setattr(me, k, getattr(v, k))
  62. if me not in proto.mmtypes + ('P',):
  63. raise ValueError(f'{me.name!r}: invalid address type for {proto.name} protocol')
  64. me.proto = proto
  65. return me
  66. raise ValueError(f'{id_str}: unrecognized address type for protocol {proto.name}')
  67. except Exception as e:
  68. return cls.init_fail(
  69. e,
  70. f"{errmsg or ''}{id_str!r}: invalid value for {cls.__name__} ({e!s})",
  71. preformat = True)
  72. @classmethod
  73. def get_names(cls):
  74. return [v.name for v in cls.mmtypes.values()]
  75. def is_mmgen_addrtype(proto, id_str):
  76. return get_obj(MMGenAddrType, proto=proto, id_str=id_str, silent=True, return_bool=True)
  77. class MMGenPasswordType(MMGenAddrType):
  78. mmtypes = {
  79. 'P': ati('password', 'password', None, None, None, None, None, 'Password generated from MMGen seed')
  80. }
  81. class AddrIdx(MMGenIdx):
  82. max_digits = 7
  83. def is_addr_idx(s):
  84. return get_obj(AddrIdx, n=s, silent=True, return_bool=True)
  85. class AddrListID(HiliteStr, InitErrors, MMGenObject):
  86. width = 10
  87. trunc_ok = False
  88. color = 'yellow'
  89. def __new__(cls, sid=None, mmtype=None, proto=None, id_str=None):
  90. try:
  91. if id_str:
  92. a, b = id_str.split(':')
  93. sid = SeedID(sid=a)
  94. try:
  95. mmtype = MMGenAddrType(proto=proto, id_str=b)
  96. except:
  97. mmtype = MMGenPasswordType(proto=proto, id_str=b)
  98. else:
  99. assert isinstance(sid, SeedID), f'{sid!r} not a SeedID instance'
  100. if not isinstance(mmtype, (MMGenAddrType, MMGenPasswordType)):
  101. raise ValueError(f'{mmtype!r}: not an instance of MMGenAddrType or MMGenPasswordType')
  102. me = str.__new__(cls, sid+':'+mmtype)
  103. me.sid = sid
  104. me.mmtype = mmtype
  105. return me
  106. except Exception as e:
  107. return cls.init_fail(e, f'sid={sid}, mmtype={mmtype}, id_str={id_str}')
  108. def is_addrlist_id(proto, s):
  109. return get_obj(AddrListID, proto=proto, id_str=s, silent=True, return_bool=True)
  110. class MMGenID(HiliteStr, InitErrors, MMGenObject):
  111. color = 'orange'
  112. width = 0
  113. trunc_ok = False
  114. def __new__(cls, proto, id_str):
  115. try:
  116. ss = str(id_str).split(':')
  117. assert len(ss) in (2, 3), 'not 2 or 3 colon-separated items'
  118. t = proto.addr_type((ss[1], proto.dfl_mmtype)[len(ss)==2])
  119. me = str.__new__(cls, f'{ss[0]}:{t}:{ss[-1]}')
  120. me.sid = SeedID(sid=ss[0])
  121. me.idx = AddrIdx(ss[-1])
  122. me.mmtype = t
  123. assert t in proto.mmtypes, f'{t}: invalid address type for {proto.cls_name}'
  124. me.al_id = str.__new__(AddrListID, me.sid+':'+me.mmtype) # checks already done
  125. me.sort_key = f'{me.sid}:{me.mmtype}:{me.idx:0{me.idx.max_digits}}'
  126. me.proto = proto
  127. return me
  128. except Exception as e:
  129. return cls.init_fail(e, id_str)
  130. def is_mmgen_id(proto, s):
  131. return get_obj(MMGenID, proto=proto, id_str=s, silent=True, return_bool=True)
  132. class CoinAddr(HiliteStr, InitErrors, MMGenObject):
  133. color = 'cyan'
  134. hex_width = 40
  135. width = 1
  136. trunc_ok = False
  137. def __new__(cls, proto, addr):
  138. if isinstance(addr, cls):
  139. return addr
  140. try:
  141. ap = proto.decode_addr(addr)
  142. assert ap, f'coin address {addr!r} could not be parsed'
  143. if hasattr(ap, 'addr'):
  144. me = str.__new__(cls, ap.addr)
  145. me.views = ap.views
  146. me.view_pref = ap.view_pref
  147. else:
  148. me = str.__new__(cls, addr)
  149. me.views = [addr]
  150. me.view_pref = 0
  151. me.addr_fmt = ap.fmt
  152. me.bytes = ap.bytes
  153. me.ver_bytes = ap.ver_bytes
  154. me.proto = proto
  155. return me
  156. except Exception as e:
  157. return cls.init_fail(e, addr, objname=f'{proto.name} {proto.cls_name} address')
  158. @property
  159. def parsed(self):
  160. if not hasattr(self, '_parsed'):
  161. self._parsed = self.proto.parse_addr(self.ver_bytes, self.bytes, self.addr_fmt)
  162. return self._parsed
  163. # reimplement some HiliteStr methods:
  164. @classmethod
  165. def fmtc(cls, s, width, /, *, color=False):
  166. return super().fmtc(s[:width-2]+'..' if len(s) > width else s, width, color=color)
  167. def fmt(self, view_pref, width, /, *, color=False):
  168. s = self.views[view_pref]
  169. return super().fmtc(f'{s[:width-2]}..' if len(s) > width else s, width, color=color)
  170. def hl(self, view_pref, /, *, color=True):
  171. return getattr(color_mod, self.color)(self.views[view_pref]) if color else self.views[view_pref]
  172. def is_coin_addr(proto, s):
  173. return get_obj(CoinAddr, proto=proto, addr=s, silent=True, return_bool=True)
  174. class TokenAddr(CoinAddr):
  175. color = 'blue'
  176. def ViewKey(proto, viewkey_str):
  177. return proto.viewkey(viewkey_str)