diff --git a/components/zcash_address/CHANGELOG.md b/components/zcash_address/CHANGELOG.md index c8a3f620c..565e9b5d2 100644 --- a/components/zcash_address/CHANGELOG.md +++ b/components/zcash_address/CHANGELOG.md @@ -8,8 +8,8 @@ and this library adheres to Rust's notion of ## [Unreleased] ### Added -- `zcash_address::ZcashAddress::can_receive_memo` -- `zcash_address::unified::Address::can_receive_memo` +- `zcash_address::ZcashAddress::{can_receive_memo, can_receive_as}` +- `zcash_address::unified::Address::{can_receive_memo, has_receiver}` - Module `zcash_address::testing` under the `test-dependencies` feature. - Module `zcash_address::unified::address::testing` under the `test-dependencies` feature. diff --git a/components/zcash_address/src/kind/unified/address.rs b/components/zcash_address/src/kind/unified/address.rs index 417c73de7..736e81479 100644 --- a/components/zcash_address/src/kind/unified/address.rs +++ b/components/zcash_address/src/kind/unified/address.rs @@ -1,3 +1,5 @@ +use zcash_protocol::{PoolType, ShieldedProtocol}; + use super::{private::SealedItem, ParseError, Typecode}; use std::convert::{TryFrom, TryInto}; @@ -102,6 +104,17 @@ impl SealedItem for Receiver { pub struct Address(pub(crate) Vec); impl Address { + /// Returns whether this address has the ability to receive transfers of the given pool type. + pub fn has_receiver(&self, pool_type: PoolType) -> bool { + self.0.iter().any(|r| match r { + Receiver::Orchard(_) => pool_type == PoolType::Shielded(ShieldedProtocol::Orchard), + Receiver::Sapling(_) => pool_type == PoolType::Shielded(ShieldedProtocol::Sapling), + Receiver::P2pkh(_) => pool_type == PoolType::Transparent, + Receiver::P2sh(_) => pool_type == PoolType::Transparent, + Receiver::Unknown { .. } => false, + }) + } + /// Returns whether this address can receive a memo. pub fn can_receive_memo(&self) -> bool { self.0 diff --git a/components/zcash_address/src/lib.rs b/components/zcash_address/src/lib.rs index fcc4fff65..900d4c68d 100644 --- a/components/zcash_address/src/lib.rs +++ b/components/zcash_address/src/lib.rs @@ -142,6 +142,7 @@ pub use convert::{ pub use encoding::ParseError; pub use kind::unified; pub use zcash_protocol::consensus::NetworkType as Network; +use zcash_protocol::{PoolType, ShieldedProtocol}; /// A Zcash address. #[derive(Clone, Debug, PartialEq, Eq, Hash)] @@ -267,6 +268,18 @@ impl ZcashAddress { } } + /// Returns whether this address has the ability to receive transfers of the given pool type. + pub fn can_receive_as(&self, pool_type: PoolType) -> bool { + match &self.kind { + AddressKind::Sprout(_) => false, + AddressKind::Sapling(_) => pool_type == PoolType::Shielded(ShieldedProtocol::Sapling), + AddressKind::Unified(addr) => addr.has_receiver(pool_type), + AddressKind::P2pkh(_) => pool_type == PoolType::Transparent, + AddressKind::P2sh(_) => pool_type == PoolType::Transparent, + AddressKind::Tex(_) => pool_type == PoolType::Transparent, + } + } + /// Returns whether this address can receive a memo. pub fn can_receive_memo(&self) -> bool { match &self.kind { diff --git a/zcash_client_backend/CHANGELOG.md b/zcash_client_backend/CHANGELOG.md index 7538d2979..72d71e193 100644 --- a/zcash_client_backend/CHANGELOG.md +++ b/zcash_client_backend/CHANGELOG.md @@ -19,6 +19,12 @@ and this library adheres to Rust's notion of of the root module of the `zip321` crate. Several of the APIs of this module have changed as a consequence of this extraction; please see the `zip321` CHANGELOG for details. +- `zcash_client_backend::data_api`: + - `error::Error` has a new `Address` variant. + - `wallet::input_selection::InputSelectorError` has a new `Address` variant. +- `zcash_client_backend::proto::proposal::Proposal::{from_standard_proposal, + try_into_standard_proposal}` each no longer require a `consensus::Parameters` + argument. ## [0.12.1] - 2024-03-27 diff --git a/zcash_client_backend/src/data_api/error.rs b/zcash_client_backend/src/data_api/error.rs index 0641571bb..2c10db70c 100644 --- a/zcash_client_backend/src/data_api/error.rs +++ b/zcash_client_backend/src/data_api/error.rs @@ -4,6 +4,7 @@ use std::error; use std::fmt::{self, Debug, Display}; use shardtree::error::ShardTreeError; +use zcash_address::ConversionError; use zcash_primitives::transaction::components::amount::NonNegativeAmount; use zcash_primitives::transaction::{ builder, @@ -81,6 +82,9 @@ pub enum Error { /// full viewing key for an account. NoteMismatch(NoteId), + /// An error occurred parsing the address from a payment request. + Address(ConversionError<&'static str>), + #[cfg(feature = "transparent-inputs")] AddressNotRecognized(TransparentAddress), } @@ -145,6 +149,9 @@ where Error::NoSpendingKey(addr) => write!(f, "No spending key available for address: {}", addr), Error::NoteMismatch(n) => write!(f, "A note being spent ({:?}) does not correspond to either the internal or external full viewing key for the provided spending key.", n), + Error::Address(e) => { + write!(f, "An error occurred decoding the address from a payment request: {}.", e) + } #[cfg(feature = "transparent-inputs")] Error::AddressNotRecognized(_) => { write!(f, "The specified transparent address was not recognized as belonging to the wallet.") @@ -184,6 +191,12 @@ impl From for Error { } } +impl From> for Error { + fn from(value: ConversionError<&'static str>) -> Self { + Error::Address(value) + } +} + impl From> for Error { fn from(e: InputSelectorError) -> Self { match e { @@ -198,6 +211,7 @@ impl From> for Error required, }, InputSelectorError::SyncRequired => Error::ScanRequired, + InputSelectorError::Address(e) => Error::Address(e), } } } diff --git a/zcash_client_backend/src/data_api/wallet.rs b/zcash_client_backend/src/data_api/wallet.rs index 922d2544c..7d6b864f0 100644 --- a/zcash_client_backend/src/data_api/wallet.rs +++ b/zcash_client_backend/src/data_api/wallet.rs @@ -498,7 +498,7 @@ where DbT::NoteRef: Copy + Eq + Ord, { let request = zip321::TransactionRequest::new(vec![Payment { - recipient_address: to.clone(), + recipient_address: to.to_zcash_address(params), amount, memo, label: None, @@ -848,13 +848,16 @@ where // the transaction in payment index order, so we can use dead reckoning to // figure out which output it ended up being. let (prior_step, result) = &prior_step_results[input_ref.step_index()]; - let recipient_address = match &prior_step + let recipient_address = &prior_step .transaction_request() .payments() .get(&i) .expect("Payment step references are checked at construction") .recipient_address - { + .clone() + .convert_if_network(params.network_type())?; + + let recipient_taddr = match recipient_address { Address::Transparent(t) => Some(t), Address::Unified(uaddr) => uaddr.transparent(), _ => None, @@ -879,7 +882,7 @@ where .ok_or(Error::Proposal(ProposalError::ReferenceError(*input_ref)))? .vout[outpoint.n() as usize]; - add_transparent_input(recipient_address, outpoint, utxo.clone())?; + add_transparent_input(recipient_taddr, outpoint, utxo.clone())?; } proposal::StepOutputIndex::Change(_) => unreachable!(), } @@ -953,7 +956,11 @@ where (payment, output_pool) }) { - match &payment.recipient_address { + let recipient_address = payment + .recipient_address + .clone() + .convert_if_network::
(params.network_type())?; + match recipient_address { Address::Unified(ua) => { let memo = payment .memo @@ -1019,17 +1026,17 @@ where .map_or_else(MemoBytes::empty, |m| m.clone()); builder.add_sapling_output( sapling_external_ovk, - *addr, + addr, payment.amount, memo.clone(), )?; - sapling_output_meta.push((Recipient::Sapling(*addr), payment.amount, Some(memo))); + sapling_output_meta.push((Recipient::Sapling(addr), payment.amount, Some(memo))); } Address::Transparent(to) => { if payment.memo.is_some() { return Err(Error::MemoForbidden); } else { - builder.add_transparent_output(to, payment.amount)?; + builder.add_transparent_output(&to, payment.amount)?; } transparent_output_meta.push((to, payment.amount)); } @@ -1167,7 +1174,7 @@ where .map(|(index, _)| index) .expect("An output should exist in the transaction for each transparent payment."); - SentTransactionOutput::from_parts(output_index, Recipient::Transparent(*addr), value, None) + SentTransactionOutput::from_parts(output_index, Recipient::Transparent(addr), value, None) }); let mut outputs = vec![]; diff --git a/zcash_client_backend/src/data_api/wallet/input_selection.rs b/zcash_client_backend/src/data_api/wallet/input_selection.rs index 2042c963e..eccb021b7 100644 --- a/zcash_client_backend/src/data_api/wallet/input_selection.rs +++ b/zcash_client_backend/src/data_api/wallet/input_selection.rs @@ -8,6 +8,7 @@ use std::{ }; use nonempty::NonEmpty; +use zcash_address::ConversionError; use zcash_primitives::{ consensus::{self, BlockHeight}, transaction::{ @@ -48,6 +49,8 @@ pub enum InputSelectorError { Selection(SelectorErrT), /// Input selection attempted to generate an invalid transaction proposal. Proposal(ProposalError), + /// An error occurred parsing the address from a payment request. + Address(ConversionError<&'static str>), /// Insufficient funds were available to satisfy the payment request that inputs were being /// selected to attempt to satisfy. InsufficientFunds { @@ -59,6 +62,12 @@ pub enum InputSelectorError { SyncRequired, } +impl From> for InputSelectorError { + fn from(value: ConversionError<&'static str>) -> Self { + InputSelectorError::Address(value) + } +} + impl fmt::Display for InputSelectorError { fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result { match &self { @@ -79,6 +88,13 @@ impl fmt::Display for InputSelectorError { + write!( + f, + "An error occurred decoding the address from a payment request: {}.", + e + ) + } InputSelectorError::InsufficientFunds { available, required, @@ -344,7 +360,11 @@ where let mut orchard_outputs = vec![]; let mut payment_pools = BTreeMap::new(); for (idx, payment) in transaction_request.payments() { - match &payment.recipient_address { + let recipient_address = payment + .recipient_address + .clone() + .convert_if_network::
(params.network_type())?; + match recipient_address { Address::Transparent(addr) => { payment_pools.insert(*idx, PoolType::Transparent); transparent_outputs.push(TxOut { @@ -380,7 +400,7 @@ where } return Err(InputSelectorError::Selection( - GreedyInputSelectorError::UnsupportedAddress(Box::new(addr.clone())), + GreedyInputSelectorError::UnsupportedAddress(Box::new(addr)), )); } } diff --git a/zcash_client_backend/src/proposal.rs b/zcash_client_backend/src/proposal.rs index cb5e004f8..a7da6c618 100644 --- a/zcash_client_backend/src/proposal.rs +++ b/zcash_client_backend/src/proposal.rs @@ -377,7 +377,7 @@ impl Step { .payments() .get(idx) .iter() - .any(|payment| payment.recipient_address.has_receiver(*pool)) + .any(|payment| payment.recipient_address.can_receive_as(*pool)) { return Err(ProposalError::PaymentPoolsMismatch); } diff --git a/zcash_client_backend/src/proto.rs b/zcash_client_backend/src/proto.rs index f9706c08b..65d4c483c 100644 --- a/zcash_client_backend/src/proto.rs +++ b/zcash_client_backend/src/proto.rs @@ -13,7 +13,7 @@ use sapling::{self, note::ExtractedNoteCommitment, Node}; use zcash_note_encryption::{EphemeralKeyBytes, COMPACT_NOTE_SIZE}; use zcash_primitives::{ block::{BlockHash, BlockHeader}, - consensus::{self, BlockHeight, Parameters}, + consensus::BlockHeight, memo::{self, MemoBytes}, merkle_tree::read_commitment_tree, transaction::{components::amount::NonNegativeAmount, fees::StandardFeeRule, TxId}, @@ -485,17 +485,14 @@ impl From for proposal::ValuePool { impl proposal::Proposal { /// Serializes a [`Proposal`] based upon a supported [`StandardFeeRule`] to its protobuf /// representation. - pub fn from_standard_proposal( - params: &P, - value: &Proposal, - ) -> Self { + pub fn from_standard_proposal(value: &Proposal) -> Self { use proposal::proposed_input; use proposal::{PriorStepChange, PriorStepOutput, ReceivedOutput}; let steps = value .steps() .iter() .map(|step| { - let transaction_request = step.transaction_request().to_uri(params); + let transaction_request = step.transaction_request().to_uri(); let anchor_height = step .shielded_inputs() @@ -607,9 +604,8 @@ impl proposal::Proposal { /// Attempts to parse a [`Proposal`] based upon a supported [`StandardFeeRule`] from its /// protobuf representation. - pub fn try_into_standard_proposal( + pub fn try_into_standard_proposal( &self, - params: &P, wallet_db: &DbT, ) -> Result, ProposalDecodingError> where @@ -631,7 +627,7 @@ impl proposal::Proposal { let mut steps = Vec::with_capacity(self.steps.len()); for step in &self.steps { let transaction_request = - TransactionRequest::from_uri(params, &step.transaction_request)?; + TransactionRequest::from_uri(&step.transaction_request)?; let payment_pools = step .payment_output_pools diff --git a/zcash_client_sqlite/src/testing.rs b/zcash_client_sqlite/src/testing.rs index 32b25d7b6..89bde533b 100644 --- a/zcash_client_sqlite/src/testing.rs +++ b/zcash_client_sqlite/src/testing.rs @@ -1896,7 +1896,7 @@ fn check_proposal_serialization_roundtrip( db_data: &WalletDb, proposal: &Proposal, ) { - let proposal_proto = proposal::Proposal::from_standard_proposal(&db_data.params, proposal); - let deserialized_proposal = proposal_proto.try_into_standard_proposal(&db_data.params, db_data); + let proposal_proto = proposal::Proposal::from_standard_proposal(proposal); + let deserialized_proposal = proposal_proto.try_into_standard_proposal(db_data); assert_matches!(deserialized_proposal, Ok(r) if &r == proposal); } diff --git a/zcash_client_sqlite/src/testing/pool.rs b/zcash_client_sqlite/src/testing/pool.rs index 05860b777..1ae3d2215 100644 --- a/zcash_client_sqlite/src/testing/pool.rs +++ b/zcash_client_sqlite/src/testing/pool.rs @@ -169,7 +169,7 @@ pub(crate) fn send_single_step_proposed_transfer() { let to_extsk = T::sk(&[0xf5; 32]); let to: Address = T::sk_default_address(&to_extsk); let request = zip321::TransactionRequest::new(vec![Payment { - recipient_address: to, + recipient_address: to.to_zcash_address(&st.network()), amount: NonNegativeAmount::const_from_u64(10000), memo: None, // this should result in the creation of an empty memo label: None, @@ -338,7 +338,7 @@ pub(crate) fn send_multi_step_proposed_transfer() { // The first step will deshield to the wallet's default transparent address let to0 = Address::Transparent(account.usk().default_transparent_address().0); let request0 = zip321::TransactionRequest::new(vec![Payment { - recipient_address: to0, + recipient_address: to0.to_zcash_address(&st.network()), amount: NonNegativeAmount::const_from_u64(50000), memo: None, label: None, @@ -383,7 +383,7 @@ pub(crate) fn send_multi_step_proposed_transfer() { .0, ); let request1 = zip321::TransactionRequest::new(vec![Payment { - recipient_address: to1, + recipient_address: to1.to_zcash_address(&st.network()), amount: NonNegativeAmount::const_from_u64(40000), memo: None, label: None, @@ -1043,7 +1043,7 @@ pub(crate) fn external_address_change_spends_detected_in_restore_from_seed< let req = TransactionRequest::new(vec![ // payment to an external recipient Payment { - recipient_address: addr2, + recipient_address: addr2.to_zcash_address(&st.network()), amount: amount_sent, memo: None, label: None, @@ -1052,7 +1052,7 @@ pub(crate) fn external_address_change_spends_detected_in_restore_from_seed< }, // payment back to the originating wallet, simulating legacy change Payment { - recipient_address: addr, + recipient_address: addr.to_zcash_address(&st.network()), amount: amount_legacy_change, memo: None, label: None, @@ -1152,7 +1152,7 @@ pub(crate) fn zip317_spend() { // This first request will fail due to insufficient non-dust funds let req = TransactionRequest::new(vec![Payment { - recipient_address: T::fvk_default_address(&dfvk), + recipient_address: T::fvk_default_address(&dfvk).to_zcash_address(&st.network()), amount: NonNegativeAmount::const_from_u64(50000), memo: None, label: None, @@ -1177,7 +1177,7 @@ pub(crate) fn zip317_spend() { // This request will succeed, spending a single dust input to pay the 10000 // ZAT fee in addition to the 41000 ZAT output to the recipient let req = TransactionRequest::new(vec![Payment { - recipient_address: T::fvk_default_address(&dfvk), + recipient_address: T::fvk_default_address(&dfvk).to_zcash_address(&st.network()), amount: NonNegativeAmount::const_from_u64(41000), memo: None, label: None, @@ -1480,7 +1480,7 @@ pub(crate) fn pool_crossing_required(&self, params: &P) -> String { + pub fn to_zcash_address(&self, params: &P) -> ZcashAddress { let net = params.network_type(); match self { @@ -311,7 +311,10 @@ impl Address { }, Address::Unified(ua) => ua.to_address(net), } - .to_string() + } + + pub fn encode(&self, params: &P) -> String { + self.to_zcash_address(params).to_string() } pub fn has_receiver(&self, pool_type: PoolType) -> bool {