new.py 6.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168
  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. # 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-wallet
  9. # https://gitlab.com/mmgen/mmgen-wallet
  10. """
  11. proto.btc.tx.new: Bitcoin new transaction class
  12. """
  13. from ....tx.new import New as TxNew
  14. from ....obj import MMGenTxID
  15. from ....util import msg, fmt, make_chksum_6, die, suf
  16. from ....color import pink
  17. from .base import Base
  18. class New(Base, TxNew):
  19. usr_fee_prompt = 'Enter transaction fee: '
  20. fee_fail_fs = 'Network fee estimation for {c} confirmations failed ({t})'
  21. no_chg_msg = 'Warning: Change address will be deleted as transaction produces no change'
  22. msg_insufficient_funds = 'Selected outputs insufficient to fund this transaction ({} {} needed)'
  23. def process_data_output_arg(self, arg):
  24. if any(arg.startswith(pfx) for pfx in ('data:', 'hexdata:')):
  25. if hasattr(self, '_have_op_return_data'):
  26. die(1, 'Transaction may have at most one OP_RETURN data output!')
  27. self._have_op_return_data = True
  28. from .op_return_data import OpReturnData
  29. OpReturnData(self.proto, arg) # test data for validity
  30. return arg
  31. @property
  32. def relay_fee(self):
  33. kb_fee = self.proto.coin_amt(self.rpc.cached['networkinfo']['relayfee'])
  34. ret = kb_fee * self.estimate_size() / 1024
  35. self.cfg._util.vmsg(f'Relay fee: {kb_fee} {self.coin}/kB, for transaction: {ret} {self.coin}')
  36. return ret
  37. @property
  38. def network_estimated_fee_label(self):
  39. return 'Network-estimated ({}, {} conf{})'.format(
  40. self.cfg.fee_estimate_mode.upper(),
  41. pink(str(self.cfg.fee_estimate_confs)),
  42. suf(self.cfg.fee_estimate_confs))
  43. def warn_fee_estimate_fail(self, fe_type):
  44. if not hasattr(self, '_fee_estimate_fail_warning_shown'):
  45. msg(self.fee_fail_fs.format(
  46. c = self.cfg.fee_estimate_confs,
  47. t = fe_type))
  48. self._fee_estimate_fail_warning_shown = True
  49. def network_fee_to_unit_disp(self, net_fee):
  50. return '{} sat/byte'.format(net_fee.fee.to_unit('satoshi') // 1024)
  51. async def get_rel_fee_from_network(self):
  52. try:
  53. ret = await self.rpc.call(
  54. 'estimatesmartfee',
  55. self.cfg.fee_estimate_confs,
  56. self.cfg.fee_estimate_mode.upper())
  57. fee_per_kb = self.proto.coin_amt(ret['feerate']) if 'feerate' in ret else None
  58. fe_type = 'estimatesmartfee'
  59. except:
  60. args = self.rpc.daemon.estimatefee_args(self.rpc)
  61. ret = await self.rpc.call('estimatefee', *args)
  62. fee_per_kb = self.proto.coin_amt(ret)
  63. fe_type = 'estimatefee'
  64. if fee_per_kb is None:
  65. self.warn_fee_estimate_fail(fe_type)
  66. return self._net_fee(fee_per_kb, fe_type)
  67. # given tx size, rel fee and units, return absolute fee
  68. def fee_rel2abs(self, tx_size, amt_in_units, unit):
  69. return self.proto.coin_amt(int(amt_in_units * tx_size), from_unit=unit)
  70. # given network fee estimate in BTC/kB, return absolute fee using estimated tx size
  71. def fee_est2abs(self, net_fee):
  72. tx_size = self.estimate_size()
  73. ret = self.proto.coin_amt('1') * (net_fee.fee * self.cfg.fee_adjust * tx_size / 1024)
  74. if self.cfg.verbose:
  75. msg(fmt(f"""
  76. {net_fee.type.upper()} fee for {self.cfg.fee_estimate_confs} confirmations: {net_fee.fee} {self.coin}/kB
  77. TX size (estimated): {tx_size} bytes
  78. Fee adjustment factor: {self.cfg.fee_adjust:.2f}
  79. Absolute fee (net_fee.fee * adj_factor * tx_size / 1024): {ret} {self.coin}
  80. """).strip())
  81. return ret
  82. def convert_and_check_fee(self, fee, desc):
  83. abs_fee = self.feespec2abs(fee, self.estimate_size())
  84. if abs_fee is None:
  85. raise ValueError(f'{fee}: cannot convert {self.rel_fee_desc} to {self.coin}'
  86. + ' because transaction size is unknown')
  87. if abs_fee is False:
  88. err = f'{fee!r}: invalid TX fee (not a {self.coin} amount or {self.rel_fee_desc} specification)'
  89. elif abs_fee > self.proto.max_tx_fee:
  90. err = f'{abs_fee} {self.coin}: {desc} fee too large (maximum fee: {self.proto.max_tx_fee} {self.coin})'
  91. elif abs_fee < self.relay_fee:
  92. err = f'{abs_fee} {self.coin}: {desc} fee too small (less than relay fee of {self.relay_fee} {self.coin})'
  93. else:
  94. return abs_fee
  95. msg(err)
  96. return False
  97. async def get_input_addrs_from_inputs_opt(self):
  98. # Bitcoin full node, call doesn't go to the network, so just call listunspent with addrs=[]
  99. return []
  100. def update_change_output(self, funds_left):
  101. if funds_left == 0: # TODO: test
  102. msg(self.no_chg_msg)
  103. self.outputs.pop(self.chg_idx)
  104. else:
  105. self.update_output_amt(self.chg_idx, funds_left)
  106. def check_fee(self):
  107. fee = self.sum_inputs() - self.sum_outputs()
  108. if fee > self.proto.max_tx_fee:
  109. c = self.proto.coin
  110. die('MaxFeeExceeded', f'Transaction fee of {fee} {c} too high! (> {self.proto.max_tx_fee} {c})')
  111. def final_inputs_ok_msg(self, funds_left):
  112. return 'Transaction produces {} {} in change'.format(funds_left.hl(), self.coin)
  113. def check_chg_addr_is_wallet_addr(self):
  114. if len(self.nondata_outputs) > 1 and not self.chg_output.mmid:
  115. self._non_wallet_addr_confirm('Change address is not an MMGen wallet address!')
  116. async def create_serialized(self, *, locktime=None):
  117. if not self.is_bump:
  118. # Set all sequence numbers to the same value, in conformity with the behavior of most modern wallets:
  119. do_rbf = self.proto.cap('rbf') and not self.cfg.no_rbf
  120. seqnum_val = self.proto.max_int - (2 if do_rbf else 1 if locktime else 0)
  121. for i in self.inputs:
  122. i.sequence = seqnum_val
  123. if not self.is_swap:
  124. self.inputs.sort_bip69()
  125. self.outputs.sort_bip69()
  126. inputs_list = [{
  127. 'txid': e.txid,
  128. 'vout': e.vout,
  129. 'sequence': e.sequence
  130. } for e in self.inputs]
  131. outputs_dict = dict((e.addr, e.amt) if e.addr else ('data', e.data.hex()) for e in self.outputs)
  132. ret = await self.rpc.call('createrawtransaction', inputs_list, outputs_dict)
  133. if locktime and not self.is_bump:
  134. msg(f'Setting nLockTime to {self.info.strfmt_locktime(locktime)}!')
  135. assert isinstance(locktime, int), 'locktime value not an integer'
  136. self.locktime = locktime
  137. ret = ret[:-8] + bytes.fromhex(f'{locktime:08x}')[::-1].hex()
  138. # TxID is set only once!
  139. self.txid = MMGenTxID(make_chksum_6(bytes.fromhex(ret)).upper())
  140. self.update_serialized(ret)