file.py 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323
  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. tx.file: Transaction file operations for the MMGen suite
  20. """
  21. import os, json
  22. from ..util import ymsg, make_chksum_6, die
  23. from ..obj import MMGenObject, HexStr, MMGenTxID, CoinTxID, MMGenTxComment
  24. class txdata_json_encoder(json.JSONEncoder):
  25. def default(self, o):
  26. if type(o).__name__.endswith('Amt'):
  27. return str(o)
  28. elif type(o).__name__ == 'OpReturnData':
  29. return repr(o)
  30. else:
  31. return json.JSONEncoder.default(self, o)
  32. def json_dumps(data):
  33. return json.dumps(data, separators = (',', ':'), cls=txdata_json_encoder)
  34. def get_proto_from_coin_id(tx, coin_id, chain):
  35. coin, tokensym = coin_id.split(':') if ':' in coin_id else (coin_id, None)
  36. from ..protocol import CoinProtocol, init_proto
  37. network = CoinProtocol.Base.chain_name_to_network(tx.cfg, coin, chain)
  38. return init_proto(tx.cfg, coin, network=network, need_amt=True, tokensym=tokensym)
  39. def eval_io_data(tx, data, *, desc):
  40. if not (desc == 'outputs' and tx.proto.base_coin == 'ETH'): # ETH txs can have no outputs
  41. assert len(data), f'no {desc}!'
  42. for d in data:
  43. d['amt'] = tx.proto.coin_amt(d['amt'])
  44. io, io_list = {
  45. 'inputs': (tx.Input, tx.InputList),
  46. 'outputs': (tx.Output, tx.OutputList),
  47. }[desc]
  48. return io_list(parent=tx, data=[io(tx.proto, **d) for d in data])
  49. class MMGenTxFile(MMGenObject):
  50. data_label = 'MMGenTransaction'
  51. attrs = {
  52. 'chain': None,
  53. 'txid': MMGenTxID,
  54. 'send_amt': 'skip',
  55. 'timestamp': None,
  56. 'blockcount': None,
  57. 'serialized': None}
  58. extra_attrs = {
  59. 'locktime': None,
  60. 'comment': MMGenTxComment,
  61. 'coin_txid': CoinTxID,
  62. 'sent_timestamp': None,
  63. 'is_swap': None,
  64. 'swap_proto': None,
  65. 'swap_quote_expiry': None,
  66. 'swap_recv_addr_mmid': None}
  67. def __init__(self, tx):
  68. self.tx = tx
  69. self.fmt_data = None
  70. self.filename = None
  71. def parse(self, infile, *, metadata_only=False, quiet_open=False):
  72. tx = self.tx
  73. from ..fileutil import get_data_from_file
  74. data = get_data_from_file(tx.cfg, infile, desc=f'{tx.desc} data', quiet=quiet_open)
  75. if len(data) > tx.cfg.max_tx_file_size:
  76. die('MaxFileSizeExceeded',
  77. f'Transaction file size exceeds limit ({tx.cfg.max_tx_file_size} bytes)')
  78. return (self.parse_data_json if data[0] == '{' else self.parse_data_legacy)(data, metadata_only)
  79. def parse_data_json(self, data, metadata_only):
  80. tx = self.tx
  81. tx.file_format = 'json'
  82. outer_data = json.loads(data)
  83. data = outer_data[self.data_label]
  84. if outer_data['chksum'] != make_chksum_6(json_dumps(data)):
  85. chk = make_chksum_6(json_dumps(data))
  86. die(3, f'{self.data_label}: invalid checksum for TxID {data["txid"]} ({chk} != {outer_data["chksum"]})')
  87. tx.proto = get_proto_from_coin_id(tx, data['coin_id'], data['chain'])
  88. for k, v in self.attrs.items():
  89. if v != 'skip':
  90. setattr(tx, k, v(data[k]) if v else data[k])
  91. if metadata_only:
  92. return
  93. for k, v in self.extra_attrs.items():
  94. if k in data:
  95. setattr(tx, k, v(data[k]) if v else data[k])
  96. for k in ('inputs', 'outputs'):
  97. setattr(tx, k, eval_io_data(tx, data[k], desc=k))
  98. tx.check_txfile_hex_data()
  99. tx.parse_txfile_serialized_data() # Ethereum RLP or JSON data
  100. assert tx.proto.coin_amt(data['send_amt']) == tx.send_amt, f'{data["send_amt"]} != {tx.send_amt}'
  101. def parse_data_legacy(self, data, metadata_only):
  102. tx = self.tx
  103. tx.file_format = 'legacy'
  104. def deserialize(raw_data, *, desc):
  105. from ast import literal_eval
  106. try:
  107. return literal_eval(raw_data)
  108. except:
  109. if desc == 'inputs':
  110. ymsg('Warning: transaction data appears to be in old format')
  111. import re
  112. return literal_eval(re.sub(r"[A-Za-z]+?\(('.+?')\)", r'\1', raw_data))
  113. desc = 'data'
  114. try:
  115. tx_data = data.splitlines()
  116. assert len(tx_data) >= 5, 'number of lines less than 5'
  117. assert len(tx_data[0]) == 6, 'invalid length of first line'
  118. assert HexStr(tx_data.pop(0)) == make_chksum_6(' '.join(tx_data)), 'file data does not match checksum'
  119. if len(tx_data) == 7:
  120. desc = 'sent timestamp'
  121. (_, tx.sent_timestamp) = tx_data.pop(-1).split()
  122. assert _ == 'Sent', 'invalid sent timestamp line'
  123. if len(tx_data) == 6:
  124. assert len(tx_data[-1]) == 64, 'invalid coin TxID length'
  125. desc = 'coin TxID'
  126. tx.coin_txid = CoinTxID(tx_data.pop(-1))
  127. if len(tx_data) == 5:
  128. # rough check: allow for 4-byte utf8 characters + base58 (4 * 11 / 8 = 6 (rounded up))
  129. assert len(tx_data[-1]) < MMGenTxComment.max_len*6, 'invalid comment length'
  130. c = tx_data.pop(-1)
  131. if c != '-':
  132. desc = 'encoded comment (not base58)'
  133. from ..baseconv import baseconv
  134. comment = baseconv('b58').tobytes(c).decode()
  135. assert comment is not False, 'invalid comment'
  136. desc = 'comment'
  137. tx.comment = MMGenTxComment(comment)
  138. desc = 'number of lines' # four required lines
  139. io_data = {}
  140. (metadata, tx.serialized, io_data['inputs'], io_data['outputs']) = tx_data
  141. assert len(metadata) < 100, 'invalid metadata length' # rough check
  142. metadata = metadata.split()
  143. if metadata[-1].startswith('LT='):
  144. desc = 'locktime'
  145. tx.locktime = int(metadata.pop()[3:])
  146. desc = 'coin token in metadata'
  147. coin_id = metadata.pop(0) if len(metadata) == 6 else 'BTC'
  148. desc = 'chain token in metadata'
  149. tx.chain = metadata.pop(0).lower() if len(metadata) == 5 else 'mainnet'
  150. desc = 'coin_id or chain'
  151. tx.proto = get_proto_from_coin_id(tx, coin_id, tx.chain)
  152. desc = 'metadata (4 items)'
  153. (txid, send_amt, tx.timestamp, blockcount) = metadata
  154. desc = 'TxID in metadata'
  155. tx.txid = MMGenTxID(txid)
  156. desc = 'block count in metadata'
  157. tx.blockcount = int(blockcount)
  158. if metadata_only:
  159. return
  160. desc = 'transaction file hex data'
  161. tx.check_txfile_hex_data()
  162. desc = 'Ethereum RLP or JSON data'
  163. tx.parse_txfile_serialized_data()
  164. for k in ('inputs', 'outputs'):
  165. desc = f'{k} data'
  166. res = deserialize(io_data[k], desc=k)
  167. for d in res:
  168. if 'label' in d:
  169. d['comment'] = d['label']
  170. del d['label']
  171. setattr(tx, k, eval_io_data(tx, res, desc=k))
  172. desc = 'send amount in metadata'
  173. assert tx.proto.coin_amt(send_amt) == tx.send_amt, f'{send_amt} != {tx.send_amt}'
  174. except Exception as e:
  175. die(2, f'Invalid {desc} in transaction file: {e!s}')
  176. def make_filename(self):
  177. tx = self.tx
  178. def gen_filename():
  179. yield tx.txid
  180. if tx.coin != 'BTC':
  181. yield '-' + tx.dcoin
  182. yield f'[{tx.send_amt!s}'
  183. if tx.is_replaceable():
  184. yield ',{}'.format(tx.fee_abs2rel(tx.fee, to_unit=tx.fn_fee_unit))
  185. if tx.get_serialized_locktime():
  186. yield f',tl={tx.get_serialized_locktime()}'
  187. yield ']'
  188. if tx.proto.testnet:
  189. yield '.' + tx.proto.network
  190. yield '.' + tx.ext
  191. return ''.join(gen_filename())
  192. def format(self):
  193. tx = self.tx
  194. coin_id = tx.coin + ('' if tx.coin == tx.dcoin else ':'+tx.dcoin)
  195. def format_data_legacy():
  196. def amt_to_str(d):
  197. return {k: (str(d[k]) if k == 'amt' else d[k]) for k in d}
  198. lines = [
  199. '{}{} {} {} {} {}{}'.format(
  200. (f'{coin_id} ' if coin_id and tx.coin != 'BTC' else ''),
  201. tx.chain.upper(),
  202. tx.txid,
  203. tx.send_amt,
  204. tx.timestamp,
  205. tx.blockcount,
  206. (f' LT={tx.locktime}' if tx.locktime else ''),
  207. ),
  208. tx.serialized,
  209. ascii([amt_to_str(e._asdict()) for e in tx.inputs]),
  210. ascii([amt_to_str(e._asdict()) for e in tx.outputs])
  211. ]
  212. if tx.comment:
  213. from ..baseconv import baseconv
  214. lines.append(baseconv('b58').frombytes(tx.comment.encode(), tostr=True))
  215. if tx.coin_txid:
  216. if not tx.comment:
  217. lines.append('-') # keep old tx files backwards compatible
  218. lines.append(tx.coin_txid)
  219. if tx.sent_timestamp:
  220. lines.append(f'Sent {tx.sent_timestamp}')
  221. return '\n'.join([make_chksum_6(' '.join(lines))] + lines) + '\n'
  222. def format_data_json():
  223. data = json_dumps({
  224. 'coin_id': coin_id
  225. } | {
  226. k: getattr(tx, k) for k in self.attrs
  227. } | {
  228. 'inputs': [e._asdict() for e in tx.inputs],
  229. 'outputs': [{k:v for k,v in e._asdict().items() if not (type(v) is bool and v is False)}
  230. for e in tx.outputs]
  231. } | {
  232. k: getattr(tx, k) for k in self.extra_attrs if getattr(tx, k)
  233. })
  234. return '{{"{}":{},"chksum":"{}"}}'.format(self.data_label, data, make_chksum_6(data))
  235. fmt_data = {'json': format_data_json, 'legacy': format_data_legacy}[tx.file_format]()
  236. if len(fmt_data) > tx.cfg.max_tx_file_size:
  237. die('MaxFileSizeExceeded', f'Transaction file size exceeds limit ({tx.cfg.max_tx_file_size} bytes)')
  238. return fmt_data
  239. def write(self, *,
  240. add_desc = '',
  241. outdir = None,
  242. ask_write = True,
  243. ask_write_default_yes = False,
  244. ask_tty = True,
  245. ask_overwrite = True):
  246. if ask_write is False:
  247. ask_write_default_yes = True
  248. if not self.filename:
  249. self.filename = self.make_filename()
  250. if not self.fmt_data:
  251. self.fmt_data = self.format()
  252. from ..fileutil import write_data_to_file
  253. write_data_to_file(
  254. cfg = self.tx.cfg,
  255. outfile = os.path.join((outdir or ''), self.filename),
  256. data = self.fmt_data,
  257. desc = self.tx.desc + add_desc,
  258. ask_overwrite = ask_overwrite,
  259. ask_write = ask_write,
  260. ask_tty = ask_tty,
  261. ask_write_default_yes = ask_write_default_yes,
  262. ignore_opt_outdir = outdir)
  263. @classmethod
  264. def get_proto(cls, cfg, filename, *, quiet_open=False):
  265. from . import BaseTX
  266. tmp_tx = BaseTX(cfg=cfg)
  267. cls(tmp_tx).parse(filename, metadata_only=True, quiet_open=quiet_open)
  268. return tmp_tx.proto