diff --git a/Cargo.toml b/Cargo.toml index 2f4c22e..72d3f74 100644 --- a/Cargo.toml +++ b/Cargo.toml @@ -5,6 +5,7 @@ edition = "2021" [lib] crate-type = ["cdylib"] +path = "contracts/grant_contracts/src/lib.rs" [dependencies] soroban-sdk = "22.0.0" diff --git a/contracts/grant_contracts/Cargo.toml b/contracts/grant_contracts/Cargo.toml index ceb9253..456522b 100644 --- a/contracts/grant_contracts/Cargo.toml +++ b/contracts/grant_contracts/Cargo.toml @@ -14,6 +14,12 @@ soroban-sdk = "22.0.0" [dev-dependencies] soroban-sdk = { version = "22.0.0", features = ["testutils"] } +# Pin arbitrary to 1.2.x for compatibility with stellar-xdr 20.1.0 +# (stellar-xdr's Arbitrary derive fails with arbitrary 1.3+ / derive_arbitrary 1.4+ which add try_size_hint) +[patch.crates-io] +arbitrary = { version = "=1.2.3" } +derive_arbitrary = { version = "=1.2.0" } + [profile.release] opt-level = "z" lto = true diff --git a/contracts/grant_contracts/src/governance.rs b/contracts/grant_contracts/src/governance.rs new file mode 100644 index 0000000..c9db35c --- /dev/null +++ b/contracts/grant_contracts/src/governance.rs @@ -0,0 +1,351 @@ +#![no_std] + +use soroban_sdk::{ + contract, + contracterror, + contractimpl, + contracttype, + symbol_short, + token, + Address, + Env, + Vec, + Map, +}; + +#[derive(Clone, Debug, Eq, PartialEq)] +#[contracttype] +pub enum ProposalStatus { + Active, + Passed, + Rejected, + Executed, +} + +#[derive(Clone, Debug)] +#[contracttype] +pub struct Proposal { + pub id: u64, + pub proposer: Address, + pub title: soroban_sdk::String, + pub description: soroban_sdk::String, + pub voting_deadline: u64, + pub status: ProposalStatus, + pub yes_votes: i128, + pub no_votes: i128, + pub total_voting_power: i128, + pub created_at: u64, +} + +#[derive(Clone, Debug)] +#[contracttype] +pub struct Vote { + pub voter: Address, + pub proposal_id: u64, + pub weight: i128, + pub voting_power: i128, + pub voted_at: u64, +} + +#[derive(Clone, Debug)] +#[contracttype] +pub struct VotingPower { + pub address: Address, + pub token_balance: i128, + pub voting_power: i128, + pub last_updated: u64, +} + +#[derive(Clone)] +#[contracttype] +pub enum GovernanceDataKey { + Proposal(u64), + Vote(Address, u64), + VotingPower(Address), + ProposalIds, + GovernanceToken, + VotingThreshold, + QuorumThreshold, +} + +#[contracterror] +#[derive(Clone, Copy, Eq, PartialEq, Debug)] +#[repr(u32)] +pub enum GovernanceError { + NotInitialized = 101, + AlreadyInitialized = 102, + NotAuthorized = 103, + ProposalNotFound = 104, + ProposalAlreadyExists = 105, + VotingEnded = 106, + InvalidWeight = 107, + InvalidAmount = 108, + MathOverflow = 109, + QuorumNotMet = 110, + ThresholdNotMet = 111, + AlreadyVoted = 112, +} + +pub struct GovernanceContract; + +#[contractimpl] +impl GovernanceContract { + pub fn initialize( + env: Env, + governance_token: Address, + voting_threshold: i128, + quorum_threshold: i128 + ) -> Result<(), GovernanceError> { + if env.storage().instance().has(&GovernanceDataKey::GovernanceToken) { + return Err(GovernanceError::AlreadyInitialized); + } + + env.storage().instance().set(&GovernanceDataKey::GovernanceToken, &governance_token); + env.storage().instance().set(&GovernanceDataKey::VotingThreshold, &voting_threshold); + env.storage().instance().set(&GovernanceDataKey::QuorumThreshold, &quorum_threshold); + env.storage().instance().set(&GovernanceDataKey::ProposalIds, &Vec::::new(&env)); + + Ok(()) + } + + pub fn create_proposal( + env: Env, + proposer: Address, + title: soroban_sdk::String, + description: soroban_sdk::String, + voting_period: u64 + ) -> Result { + proposer.require_auth(); + + let now = env.ledger().timestamp(); + let voting_deadline = now.checked_add(voting_period).ok_or(GovernanceError::MathOverflow)?; + + let mut proposal_ids = Self::get_proposal_ids(&env)?; + let proposal_id = if proposal_ids.is_empty() { + 0 + } else { + let last_id = proposal_ids.get(proposal_ids.len() - 1).unwrap(); + last_id.checked_add(1).ok_or(GovernanceError::MathOverflow)? + }; + + let proposal = Proposal { + id: proposal_id, + proposer: proposer.clone(), + title, + description, + voting_deadline, + status: ProposalStatus::Active, + yes_votes: 0, + no_votes: 0, + total_voting_power: 0, + created_at: now, + }; + + env.storage().instance().set(&GovernanceDataKey::Proposal(proposal_id), &proposal); + proposal_ids.push_back(proposal_id); + env.storage().instance().set(&GovernanceDataKey::ProposalIds, &proposal_ids); + + env.events().publish((symbol_short!("prop_new"), proposal_id), (proposer, voting_deadline)); + + Ok(proposal_id) + } + + pub fn quadratic_vote( + env: Env, + voter: Address, + proposal_id: u64, + weight: i128 + ) -> Result<(), GovernanceError> { + voter.require_auth(); + + if weight <= 0 { + return Err(GovernanceError::InvalidWeight); + } + + let mut proposal = Self::get_proposal(&env, proposal_id)?; + let now = env.ledger().timestamp(); + + if now >= proposal.voting_deadline { + return Err(GovernanceError::VotingEnded); + } + + if proposal.status != ProposalStatus::Active { + return Err(GovernanceError::VotingEnded); + } + + // Check if already voted + if env.storage().instance().has(&GovernanceDataKey::Vote(voter.clone(), proposal_id)) { + return Err(GovernanceError::AlreadyVoted); + } + + let voting_power = Self::calculate_voting_power(&env, &voter)?; + let vote_weight = weight.checked_mul(voting_power).ok_or(GovernanceError::MathOverflow)?; + + let vote = Vote { + voter: voter.clone(), + proposal_id, + weight, + voting_power, + voted_at: now, + }; + + env.storage().instance().set(&GovernanceDataKey::Vote(voter.clone(), proposal_id), &vote); + + // Update proposal vote counts (quadratic voting: weight^2) + let quadratic_weight = weight.checked_mul(weight).ok_or(GovernanceError::MathOverflow)?; + + proposal.yes_votes = proposal.yes_votes + .checked_add(quadratic_weight) + .ok_or(GovernanceError::MathOverflow)?; + + proposal.total_voting_power = proposal.total_voting_power + .checked_add(voting_power) + .ok_or(GovernanceError::MathOverflow)?; + + env.storage().instance().set(&GovernanceDataKey::Proposal(proposal_id), &proposal); + + env.events().publish( + (symbol_short!("quad_vote"), proposal_id), + (voter, weight, voting_power, quadratic_weight) + ); + + Ok(()) + } + + pub fn calculate_voting_power(env: &Env, address: &Address) -> Result { + let governance_token = Self::get_governance_token(env)?; + let token_client = token::Client::new(env, &governance_token); + let token_balance = token_client.balance(address); + + // Quadratic voting: voting_power = sqrt(token_balance) + // Using integer approximation of square root + let voting_power = Self::integer_sqrt(token_balance); + + // Update cached voting power + let voting_power_record = VotingPower { + address: address.clone(), + token_balance, + voting_power, + last_updated: env.ledger().timestamp(), + }; + + env.storage() + .instance() + .set(&GovernanceDataKey::VotingPower(address.clone()), &voting_power_record); + + Ok(voting_power) + } + + fn integer_sqrt(n: i128) -> i128 { + if n <= 0 { + return 0; + } + + let mut x = n; + let mut y = (x + 1) / 2; + + while y < x { + x = y; + y = (x + n / x) / 2; + } + + x + } + + pub fn execute_proposal(env: Env, proposal_id: u64) -> Result<(), GovernanceError> { + let mut proposal = Self::get_proposal(&env, proposal_id)?; + let now = env.ledger().timestamp(); + + if now < proposal.voting_deadline { + return Err(GovernanceError::VotingEnded); + } + + if proposal.status != ProposalStatus::Active { + return Err(GovernanceError::VotingEnded); + } + + let quorum_threshold = Self::get_quorum_threshold(&env)?; + let voting_threshold = Self::get_voting_threshold(&env)?; + + // Check quorum + if proposal.total_voting_power < quorum_threshold { + proposal.status = ProposalStatus::Rejected; + env.storage().instance().set(&GovernanceDataKey::Proposal(proposal_id), &proposal); + return Err(GovernanceError::QuorumNotMet); + } + + // Check voting threshold (simple majority for now) + let total_votes = proposal.yes_votes.checked_add(proposal.no_votes).unwrap_or(0); + if total_votes == 0 || proposal.yes_votes < voting_threshold { + proposal.status = ProposalStatus::Rejected; + env.storage().instance().set(&GovernanceDataKey::Proposal(proposal_id), &proposal); + return Err(GovernanceError::ThresholdNotMet); + } + + proposal.status = ProposalStatus::Executed; + env.storage().instance().set(&GovernanceDataKey::Proposal(proposal_id), &proposal); + + env.events().publish( + (symbol_short!("prop_exec"), proposal_id), + (proposal.yes_votes, proposal.no_votes) + ); + + Ok(()) + } + + // Helper functions + fn get_proposal_ids(env: &Env) -> Result, GovernanceError> { + env.storage() + .instance() + .get(&GovernanceDataKey::ProposalIds) + .ok_or(GovernanceError::NotInitialized) + } + + fn get_proposal(env: &Env, proposal_id: u64) -> Result { + env.storage() + .instance() + .get(&GovernanceDataKey::Proposal(proposal_id)) + .ok_or(GovernanceError::ProposalNotFound) + } + + fn get_governance_token(env: &Env) -> Result { + env.storage() + .instance() + .get(&GovernanceDataKey::GovernanceToken) + .ok_or(GovernanceError::NotInitialized) + } + + fn get_voting_threshold(env: &Env) -> Result { + env.storage() + .instance() + .get(&GovernanceDataKey::VotingThreshold) + .ok_or(GovernanceError::NotInitialized) + } + + fn get_quorum_threshold(env: &Env) -> Result { + env.storage() + .instance() + .get(&GovernanceDataKey::QuorumThreshold) + .ok_or(GovernanceError::NotInitialized) + } + + // View functions + pub fn get_proposal_info(env: Env, proposal_id: u64) -> Result { + Self::get_proposal(&env, proposal_id) + } + + pub fn get_voter_power(env: Env, voter: Address) -> Result { + Self::calculate_voting_power(&env, &voter) + } + + pub fn get_vote_info( + env: Env, + voter: Address, + proposal_id: u64 + ) -> Result { + env.storage() + .instance() + .get(&GovernanceDataKey::Vote(voter, proposal_id)) + .ok_or(GovernanceError::ProposalNotFound) + } +} diff --git a/contracts/grant_contracts/src/lib.rs b/contracts/grant_contracts/src/lib.rs index 899da32..b24f22e 100644 --- a/contracts/grant_contracts/src/lib.rs +++ b/contracts/grant_contracts/src/lib.rs @@ -2,10 +2,20 @@ #[panic_handler] fn panic(_info: &core::panic::PanicInfo) -> ! { - loop {} + loop { + } } use soroban_sdk::{ + contract, + contracterror, + contractimpl, + contracttype, + symbol_short, + token, + vec, + Address, + Env, contract, contracterror, contractimpl, contracttype, symbol_short, token, Address, Env, Vec, vec, }; @@ -15,7 +25,15 @@ const RENT_RESERVE_XLM: i128 = 5 * 10i128.pow(XLM_DECIMALS); // 5 XLM contract, contracterror, contractimpl, contracttype, symbol_short, Address, Env, Vec, vec, contract, contracterror, contractimpl, contracttype, symbol_short, token, vec, Address, Env, Vec, +}; + pub mod optimized; +pub mod benchmarks; +pub mod self_terminate; +pub mod multi_token; +pub mod yield_treasury; +pub mod yield_enhanced; +pub mod governance; // pub mod benchmarks; // pub mod self_terminate; // pub mod multi_token; @@ -27,37 +45,81 @@ pub mod optimized; // Re-export optimized implementation as the main contract pub use optimized::{ - GrantContract, Grant, Error, DataKey, - STATUS_ACTIVE, STATUS_PAUSED, STATUS_COMPLETED, STATUS_CANCELLED, - STATUS_REVOCABLE, STATUS_MILESTONE_BASED, STATUS_AUTO_RENEW, STATUS_EMERGENCY_PAUSE, - has_status, set_status, clear_status, toggle_status, + GrantContract, + Grant, + Error, + DataKey, + STATUS_ACTIVE, + STATUS_PAUSED, + STATUS_COMPLETED, + STATUS_CANCELLED, + STATUS_REVOCABLE, + STATUS_MILESTONE_BASED, + STATUS_AUTO_RENEW, + STATUS_EMERGENCY_PAUSE, + has_status, + set_status, + clear_status, + toggle_status, }; // Re-export self-termination implementation pub use self_terminate::{ - GrantContract as SelfTerminateContract, SelfTerminateResult, SelfTerminateError, - STATUS_SELF_TERMINATED, is_self_terminated, can_be_self_terminated, + GrantContract as SelfTerminateContract, + SelfTerminateResult, + SelfTerminateError, + STATUS_SELF_TERMINATED, + is_self_terminated, + can_be_self_terminated, validate_self_terminate_transition, }; // Re-export multi-token implementation pub use multi_token::{ - GrantContract as MultiTokenContract, TokenBalance, TokenWithdrawal, MultiTokenWithdrawResult, - MultiTokenGrant, MultiTokenError, create_token_balance, create_token_withdrawal, + GrantContract as MultiTokenContract, + TokenBalance, + TokenWithdrawal, + MultiTokenWithdrawResult, + MultiTokenGrant, + MultiTokenError, + create_token_balance, + create_token_withdrawal, }; // Re-export yield treasury implementation pub use yield_treasury::{ - YieldTreasuryContract, YieldPosition, TreasuryConfig, YieldMetrics, - YIELD_STATUS_INACTIVE, YIELD_STATUS_INVESTING, YIELD_STATUS_INVESTED, - YIELD_STATUS_DIVESTING, YIELD_STATUS_EMERGENCY, - YIELD_STRATEGY_STELLAR_AQUA, YIELD_STRATEGY_STELLAR_USDC, YIELD_STRATEGY_LIQUIDITY_POOL, + YieldTreasuryContract, + YieldPosition, + TreasuryConfig, + YieldMetrics, + YIELD_STATUS_INACTIVE, + YIELD_STATUS_INVESTING, + YIELD_STATUS_INVESTED, + YIELD_STATUS_DIVESTING, + YIELD_STATUS_EMERGENCY, + YIELD_STRATEGY_STELLAR_AQUA, + YIELD_STRATEGY_STELLAR_USDC, + YIELD_STRATEGY_LIQUIDITY_POOL, YieldError, }; // Re-export yield-enhanced implementation pub use yield_enhanced::{ - YieldEnhancedGrantContract, EnhancedGrant, EnhancedDataKey, EnhancedError, + YieldEnhancedGrantContract, + EnhancedGrant, + EnhancedDataKey, + EnhancedError, +}; + +// Re-export governance implementation +pub use governance::{ + GovernanceContract, + Proposal, + Vote, + VotingPower, + ProposalStatus, + GovernanceError, + GovernanceDataKey, }; #[cfg(test)] @@ -68,6 +130,8 @@ pub use test_self_terminate::*; pub use test_multi_token::*; #[cfg(test)] pub use test_yield::*; +#[cfg(test)] +pub use test_governance::*; /// Scaling factor for high-precision flow rate calculations. /// This prevents zero flow rates when dealing with low-decimal tokens. /// Flow rates are stored as scaled values (multiplied by this factor). @@ -76,7 +140,6 @@ pub const SCALING_FACTOR: i128 = 10_000_000; // 1e7 #[contract] pub struct GrantContract; - #[derive(Clone, Debug, Eq, PartialEq)] #[contracttype] pub enum GrantStatus { @@ -125,8 +188,6 @@ enum DataKey { GrantIds, /// DAO treasury; slashed funds are sent here. Treasury, - /// All grant IDs ever created (for computing total_allocated_funds). - GrantIds, Oracle, Grant(u64), RecipientGrants(Address), @@ -149,27 +210,19 @@ pub enum Error { InsufficientReserve = 10, /// Rescue amount would leave less than total allocated funds in the contract. RescueWouldViolateAllocated = 10, - GranteeMismatch = 10, - /// Rescue amount would leave less than total allocated funds in the contract. - RescueWouldViolateAllocated = 10, + GranteeMismatch = 11, /// Grant has been active (claimed) within the inactivity threshold; cannot slash yet. - GrantNotInactive = 11, + GrantNotInactive = 12, } const RATE_INCREASE_TIMELOCK_SECS: u64 = 48 * 60 * 60; fn read_admin(env: &Env) -> Result { - env.storage() - .instance() - .get(&DataKey::Admin) - .ok_or(Error::NotInitialized) + env.storage().instance().get(&DataKey::Admin).ok_or(Error::NotInitialized) } fn read_oracle(env: &Env) -> Result { - env.storage() - .instance() - .get(&DataKey::Oracle) - .ok_or(Error::NotInitialized) + env.storage().instance().get(&DataKey::Oracle).ok_or(Error::NotInitialized) } fn require_admin_auth(env: &Env) -> Result<(), Error> { @@ -185,10 +238,7 @@ fn require_oracle_auth(env: &Env) -> Result<(), Error> { } fn read_grant(env: &Env, grant_id: u64) -> Result { - env.storage() - .instance() - .get(&DataKey::Grant(grant_id)) - .ok_or(Error::GrantNotFound) + env.storage().instance().get(&DataKey::Grant(grant_id)).ok_or(Error::GrantNotFound) } fn write_grant(env: &Env, grant_id: u64, grant: &Grant) { @@ -196,17 +246,11 @@ fn write_grant(env: &Env, grant_id: u64, grant: &Grant) { } fn read_grant_token(env: &Env) -> Result { - env.storage() - .instance() - .get(&DataKey::GrantToken) - .ok_or(Error::NotInitialized) + env.storage().instance().get(&DataKey::GrantToken).ok_or(Error::NotInitialized) } fn read_treasury(env: &Env) -> Result { - env.storage() - .instance() - .get(&DataKey::Treasury) - .ok_or(Error::NotInitialized) + env.storage().instance().get(&DataKey::Treasury).ok_or(Error::NotInitialized) } fn read_grant_ids(env: &Env) -> Vec { @@ -224,8 +268,7 @@ fn total_allocated_funds(env: &Env) -> Result { let grant_id = ids.get(i).unwrap(); if let Some(grant) = env.storage().instance().get::<_, Grant>(&DataKey::Grant(grant_id)) { if grant.status == GrantStatus::Active { - let remaining = grant - .total_amount + let remaining = grant.total_amount .checked_sub(grant.withdrawn) .ok_or(Error::MathOverflow)?; total = total.checked_add(remaining).ok_or(Error::MathOverflow)?; @@ -233,21 +276,15 @@ fn total_allocated_funds(env: &Env) -> Result { } } Ok(total) - env.storage() - .instance() - .set(&DataKey::Grant(grant_id), grant); } - - - fn calculate_warmup_multiplier(grant: &Grant, now: u64) -> i128 { if grant.warmup_duration == 0 { return 10000; // 100% in basis points } let warmup_end = grant.start_time + grant.warmup_duration; - + if now >= warmup_end { return 10000; // 100% after warmup period } @@ -258,10 +295,10 @@ fn calculate_warmup_multiplier(grant: &Grant, now: u64) -> i128 { // Linear interpolation from 25% to 100% over warmup_duration let elapsed_warmup = now - grant.start_time; - let progress = (elapsed_warmup as i128 * 10000) / (grant.warmup_duration as i128); - + let progress = ((elapsed_warmup as i128) * 10000) / (grant.warmup_duration as i128); + // 25% + (75% * progress) - 2500 + (7500 * progress / 10000) + 2500 + (7500 * progress) / 10000 } fn settle_grant(grant: &mut Grant, now: u64) -> Result<(), Error> { @@ -293,19 +330,12 @@ fn settle_grant(grant: &mut Grant, now: u64) -> Result<(), Error> { let activation_ts = grant.effective_timestamp; if cursor < activation_ts { - let pre_end = if now < activation_ts { - now - } else { - activation_ts - }; + let pre_end = if now < activation_ts { now } else { activation_ts }; let pre_elapsed = pre_end - cursor; - let pre_accrued = grant - .flow_rate + let pre_accrued = grant.flow_rate .checked_mul(i128::from(pre_elapsed)) .ok_or(Error::MathOverflow)?; - accrued = accrued - .checked_add(pre_accrued) - .ok_or(Error::MathOverflow)?; + accrued = accrued.checked_add(pre_accrued).ok_or(Error::MathOverflow)?; cursor = pre_end; } @@ -319,65 +349,40 @@ fn settle_grant(grant: &mut Grant, now: u64) -> Result<(), Error> { if cursor < now { let post_elapsed = now - cursor; - let post_accrued = grant - .flow_rate + let post_accrued = grant.flow_rate .checked_mul(i128::from(post_elapsed)) .ok_or(Error::MathOverflow)?; - accrued = accrued - .checked_add(post_accrued) - .ok_or(Error::MathOverflow)?; + accrued = accrued.checked_add(post_accrued).ok_or(Error::MathOverflow)?; } let elapsed_i128 = i128::from(elapsed); - + // Calculate accrued amount with warmup multiplier - let base_accrued = grant // Flow rate is stored as a scaled value, so we divide by SCALING_FACTOR // to get the actual accrued amount in token units - let scaled_accrued = grant - .flow_rate - .checked_mul(elapsed_i128) - .ok_or(Error::MathOverflow)?; - let accrued = scaled_accrued - .checked_div(SCALING_FACTOR) - .ok_or(Error::MathOverflow)?; + let scaled_accrued = grant.flow_rate.checked_mul(elapsed_i128).ok_or(Error::MathOverflow)?; + let accrued = scaled_accrued.checked_div(SCALING_FACTOR).ok_or(Error::MathOverflow)?; // Apply warmup multiplier if within warmup period let multiplier = calculate_warmup_multiplier(grant, now); - let accrued = base_accrued + let accrued = accrued .checked_mul(multiplier) .ok_or(Error::MathOverflow)? .checked_div(10000) .ok_or(Error::MathOverflow)?; - let accounted = grant - .withdrawn - .checked_add(grant.claimable) - .ok_or(Error::MathOverflow)?; + let accounted = grant.withdrawn.checked_add(grant.claimable).ok_or(Error::MathOverflow)?; if accounted > grant.total_amount { return Err(Error::InvalidState); } - let remaining = grant - .total_amount - .checked_sub(accounted) - .ok_or(Error::MathOverflow)?; + let remaining = grant.total_amount.checked_sub(accounted).ok_or(Error::MathOverflow)?; - let delta = if accrued > remaining { - remaining - } else { - accrued - }; + let delta = if accrued > remaining { remaining } else { accrued }; - grant.claimable = grant - .claimable - .checked_add(delta) - .ok_or(Error::MathOverflow)?; + grant.claimable = grant.claimable.checked_add(delta).ok_or(Error::MathOverflow)?; - let new_accounted = grant - .withdrawn - .checked_add(grant.claimable) - .ok_or(Error::MathOverflow)?; + let new_accounted = grant.withdrawn.checked_add(grant.claimable).ok_or(Error::MathOverflow)?; if new_accounted == grant.total_amount { grant.status = GrantStatus::Completed; @@ -414,8 +419,8 @@ impl GrantContract { admin: Address, grant_token: Address, treasury: Address, + oracle_address: Address ) -> Result<(), Error> { - pub fn initialize(env: Env, admin: Address, oracle_address: Address) -> Result<(), Error> { if env.storage().instance().has(&DataKey::Admin) { return Err(Error::AlreadyInitialized); } @@ -424,16 +429,10 @@ impl GrantContract { env.storage().instance().set(&DataKey::NativeToken, &native_token); env.storage().instance().set(&DataKey::GrantToken, &grant_token); - env.storage() - .instance() - .set(&DataKey::GrantIds, &Vec::::new(&env)); + env.storage().instance().set(&DataKey::GrantIds, &Vec::::new(&env)); env.storage().instance().set(&DataKey::Treasury, &treasury); - env.storage() - .instance() - .set(&DataKey::GrantIds, &Vec::::new(&env)); - env.storage() - .instance() - .set(&DataKey::Oracle, &oracle_address); + env.storage().instance().set(&DataKey::GrantIds, &Vec::::new(&env)); + env.storage().instance().set(&DataKey::Oracle, &oracle_address); Ok(()) } @@ -443,7 +442,7 @@ impl GrantContract { recipient: Address, total_amount: i128, flow_rate: i128, - warmup_duration: u64, + warmup_duration: u64 ) -> Result<(), Error> { require_admin_auth(&env)?; @@ -608,19 +607,10 @@ impl GrantContract { return Err(Error::InvalidAmount); } - grant.claimable = grant - .claimable - .checked_sub(amount) - .ok_or(Error::MathOverflow)?; - grant.withdrawn = grant - .withdrawn - .checked_add(amount) - .ok_or(Error::MathOverflow)?; + grant.claimable = grant.claimable.checked_sub(amount).ok_or(Error::MathOverflow)?; + grant.withdrawn = grant.withdrawn.checked_add(amount).ok_or(Error::MathOverflow)?; - let accounted = grant - .withdrawn - .checked_add(grant.claimable) - .ok_or(Error::MathOverflow)?; + let accounted = grant.withdrawn.checked_add(grant.claimable).ok_or(Error::MathOverflow)?; if accounted > grant.total_amount { return Err(Error::InvalidState); @@ -663,10 +653,7 @@ impl GrantContract { return Err(Error::GrantNotInactive); } - let remaining = grant - .total_amount - .checked_sub(grant.withdrawn) - .ok_or(Error::MathOverflow)?; + let remaining = grant.total_amount.checked_sub(grant.withdrawn).ok_or(Error::MathOverflow)?; grant.flow_rate = 0; grant.status = GrantStatus::Cancelled; @@ -681,8 +668,6 @@ impl GrantContract { } Ok(()) - write_grant(&env, grant_id, &grant); - Ok(()) } pub fn propose_rate_change(env: Env, grant_id: u64, new_rate: i128) -> Result<(), Error> { @@ -717,7 +702,7 @@ impl GrantContract { env.events().publish( (symbol_short!("rateprop"), grant_id), - (old_rate, new_rate, grant.effective_timestamp), + (old_rate, new_rate, grant.effective_timestamp) ); return Ok(()); @@ -732,7 +717,7 @@ impl GrantContract { env.events().publish( (symbol_short!("rateupdt"), grant_id), - (old_rate, new_rate, grant.rate_updated_at), + (old_rate, new_rate, grant.rate_updated_at) ); Ok(()) @@ -761,19 +746,19 @@ impl GrantContract { Self::propose_rate_change(env, grant_id, new_rate) } /// Emergency function: DAO Admin can reassign a grantee's recipient address. -/// Strictly restricted to the Admin — grantees have zero access to this. -/// Intended only for key-loss recovery scenarios. -/// -/// # Arguments -/// * `grant_id` — the grant whose recipient is being replaced -/// * `old` — must match the currently stored recipient (prevents accidental -/// overwrites when multiple admins race on the same grant) -/// * `new` — the replacement address that will own all future withdrawals + /// Strictly restricted to the Admin — grantees have zero access to this. + /// Intended only for key-loss recovery scenarios. + /// + /// # Arguments + /// * `grant_id` — the grant whose recipient is being replaced + /// * `old` — must match the currently stored recipient (prevents accidental + /// overwrites when multiple admins race on the same grant) + /// * `new` — the replacement address that will own all future withdrawals pub fn reassign_grantee( env: Env, grant_id: u64, old: Address, - new: Address, + new: Address ) -> Result<(), Error> { // Only the DAO Admin may call this — grantees have no path to this function require_admin_auth(&env)?; @@ -792,13 +777,17 @@ impl GrantContract { env.events().publish( (symbol_short!("reasign"), grant_id), - (old, new, env.ledger().timestamp()), + (old, new, env.ledger().timestamp()) + ); + Ok(()) + } + /// Rescue stray tokens sent directly to the contract. Admin-only. Ensures contract_balance - amount >= total_allocated_funds for the grant token. pub fn rescue_tokens( env: Env, token_address: Address, amount: i128, - to: Address, + to: Address ) -> Result<(), Error> { require_admin_auth(&env)?; @@ -830,14 +819,15 @@ impl GrantContract { 0 }; - let after_rescue = contract_balance - .checked_sub(amount) - .ok_or(Error::MathOverflow)?; + let after_rescue = contract_balance.checked_sub(amount).ok_or(Error::MathOverflow)?; if after_rescue < total_allocated { return Err(Error::RescueWouldViolateAllocated); } client.transfer(&contract, &to, amount); + Ok(()) + } + pub fn update_rate(env: Env, grant_id: u64, new_rate: i128) -> Result<(), Error> { Self::propose_rate_change(env, grant_id, new_rate) } @@ -863,15 +853,11 @@ impl GrantContract { } let old_rate = grant.flow_rate; - grant.flow_rate = grant - .flow_rate - .checked_mul(multiplier) - .ok_or(Error::MathOverflow)?; + grant.flow_rate = grant.flow_rate.checked_mul(multiplier).ok_or(Error::MathOverflow)?; grant.rate_updated_at = now; if grant.pending_rate > 0 { - grant.pending_rate = grant - .pending_rate + grant.pending_rate = grant.pending_rate .checked_mul(multiplier) .ok_or(Error::MathOverflow)?; } @@ -880,7 +866,7 @@ impl GrantContract { env.events().publish( (symbol_short!("kpimul"), grant_id), - (old_rate, grant.flow_rate, multiplier), + (old_rate, grant.flow_rate, multiplier) ); Ok(()) diff --git a/contracts/grant_contracts/src/test.rs b/contracts/grant_contracts/src/test.rs index 64d8d93..f3ac582 100644 --- a/contracts/grant_contracts/src/test.rs +++ b/contracts/grant_contracts/src/test.rs @@ -469,6 +469,10 @@ fn test_apply_kpi_multiplier_settles_before_updating_rate() { #[test] fn test_propose_rate_change_rejects_invalid_rate_and_inactive_states() { +} + +#[test] +fn test_apply_kpi_multiplier_rejects_invalid_multiplier_and_inactive_states() { let env = Env::default(); let admin = Address::generate(&env); let oracle = Address::generate(&env); diff --git a/contracts/grant_contracts/src/test_governance.rs b/contracts/grant_contracts/src/test_governance.rs new file mode 100644 index 0000000..fe34b6a --- /dev/null +++ b/contracts/grant_contracts/src/test_governance.rs @@ -0,0 +1,357 @@ +#[cfg(test)] +mod tests { + use super::*; + use soroban_sdk::{ testutils::Address as _, Address, Env, String }; + + fn create_test_env() -> (Env, Address, Address) { + let env = Env::default(); + env.mock_all_auths(); + + let admin = Address::generate(&env); + let governance_token = Address::generate(&env); + + (env, admin, governance_token) + } + + fn setup_governance(env: &Env, governance_token: &Address) { + GovernanceContract::initialize( + env.clone(), + governance_token.clone(), + 1000, // voting_threshold + 500 // quorum_threshold + ).unwrap(); + } + + #[test] + fn test_initialize_governance() { + let (env, _admin, governance_token) = create_test_env(); + + let result = GovernanceContract::initialize( + env.clone(), + governance_token.clone(), + 1000, + 500 + ); + + assert!(result.is_ok()); + + // Test duplicate initialization + let result = GovernanceContract::initialize(env.clone(), governance_token, 1000, 500); + + assert!(matches!(result, Err(GovernanceError::AlreadyInitialized))); + } + + #[test] + fn test_create_proposal() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; // 1 day + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title.clone(), + description.clone(), + voting_period + ).unwrap(); + + assert_eq!(proposal_id, 0); + + let proposal = GovernanceContract::get_proposal_info(env.clone(), proposal_id).unwrap(); + assert_eq!(proposal.id, proposal_id); + assert_eq!(proposal.proposer, admin); + assert_eq!(proposal.title, title); + assert_eq!(proposal.description, description); + assert_eq!(proposal.status, ProposalStatus::Active); + assert_eq!(proposal.yes_votes, 0); + assert_eq!(proposal.no_votes, 0); + } + + #[test] + fn test_quadratic_voting_power_calculation() { + let (env, _admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + + // Mock token balance - in real implementation this would come from token contract + // For testing, we'll test the sqrt calculation directly + let test_cases = vec![ + (0, 0), // sqrt(0) = 0 + (1, 1), // sqrt(1) = 1 + (4, 2), // sqrt(4) = 2 + (9, 3), // sqrt(9) = 3 + (16, 4), // sqrt(16) = 4 + (25, 5), // sqrt(25) = 5 + (100, 10), // sqrt(100) = 10 + (1000, 31) // sqrt(1000) ≈ 31.62 -> 31 + ]; + + for (token_balance, expected_voting_power) in test_cases { + let calculated_power = GovernanceContract::integer_sqrt(token_balance); + assert_eq!(calculated_power, expected_voting_power); + } + } + + #[test] + fn test_quadratic_vote() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // Test voting with weight 1 (quadratic: 1^2 = 1) + let result = GovernanceContract::quadratic_vote( + env.clone(), + voter.clone(), + proposal_id, + 1 // weight + ); + + assert!(result.is_ok()); + + let proposal = GovernanceContract::get_proposal_info(env.clone(), proposal_id).unwrap(); + assert_eq!(proposal.yes_votes, 1); // 1^2 = 1 + + // Test voting with weight 3 (quadratic: 3^2 = 9) + let voter2 = Address::generate(&env); + let result = GovernanceContract::quadratic_vote( + env.clone(), + voter2.clone(), + proposal_id, + 3 // weight + ); + + assert!(result.is_ok()); + + let proposal = GovernanceContract::get_proposal_info(env.clone(), proposal_id).unwrap(); + assert_eq!(proposal.yes_votes, 10); // 1^2 + 3^2 = 1 + 9 = 10 + } + + #[test] + fn test_double_voting_prevention() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // First vote should succeed + let result = GovernanceContract::quadratic_vote(env.clone(), voter.clone(), proposal_id, 1); + assert!(result.is_ok()); + + // Second vote should fail + let result = GovernanceContract::quadratic_vote(env.clone(), voter.clone(), proposal_id, 2); + assert!(matches!(result, Err(GovernanceError::AlreadyVoted))); + } + + #[test] + fn test_invalid_weight() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // Test with zero weight + let result = GovernanceContract::quadratic_vote(env.clone(), voter.clone(), proposal_id, 0); + assert!(matches!(result, Err(GovernanceError::InvalidWeight))); + + // Test with negative weight + let result = GovernanceContract::quadratic_vote( + env.clone(), + voter.clone(), + proposal_id, + -1 + ); + assert!(matches!(result, Err(GovernanceError::InvalidWeight))); + } + + #[test] + fn test_proposal_execution() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter1 = Address::generate(&env); + let voter2 = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // Add votes to meet threshold + GovernanceContract::quadratic_vote(env.clone(), voter1, proposal_id, 10).unwrap(); // 10^2 = 100 + GovernanceContract::quadratic_vote(env.clone(), voter2, proposal_id, 10).unwrap(); // 10^2 = 100 + + // Try to execute before voting deadline + let result = GovernanceContract::execute_proposal(env.clone(), proposal_id); + assert!(matches!(result, Err(GovernanceError::VotingEnded))); + + // Advance time past voting deadline + env.ledger().set_timestamp(env.ledger().timestamp() + voting_period + 1); + + // Execute proposal + let result = GovernanceContract::execute_proposal(env.clone(), proposal_id); + assert!(result.is_ok()); + + let proposal = GovernanceContract::get_proposal_info(env.clone(), proposal_id).unwrap(); + assert_eq!(proposal.status, ProposalStatus::Executed); + } + + #[test] + fn test_quorum_not_met() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // Add small vote that doesn't meet quorum + GovernanceContract::quadratic_vote(env.clone(), voter, proposal_id, 1).unwrap(); // 1^2 = 1 + + // Advance time past voting deadline + env.ledger().set_timestamp(env.ledger().timestamp() + voting_period + 1); + + // Try to execute - should fail due to quorum not met + let result = GovernanceContract::execute_proposal(env.clone(), proposal_id); + assert!(matches!(result, Err(GovernanceError::QuorumNotMet))); + + let proposal = GovernanceContract::get_proposal_info(env.clone(), proposal_id).unwrap(); + assert_eq!(proposal.status, ProposalStatus::Rejected); + } + + #[test] + fn test_voting_power_caching() { + let (env, _admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + + // Calculate voting power + let power1 = GovernanceContract::get_voter_power(env.clone(), voter.clone()).unwrap(); + + // Check if voting power is cached + let cached_power = env + .storage() + .instance() + .get::(&GovernanceDataKey::VotingPower(voter)) + .unwrap(); + + assert_eq!(cached_power.voting_power, power1); + assert_eq!(cached_power.address, voter); + } + + #[test] + fn test_get_vote_info() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // Cast a vote + let weight = 5; + GovernanceContract::quadratic_vote( + env.clone(), + voter.clone(), + proposal_id, + weight + ).unwrap(); + + // Get vote info + let vote_info = GovernanceContract::get_vote_info( + env.clone(), + voter.clone(), + proposal_id + ).unwrap(); + + assert_eq!(vote_info.voter, voter); + assert_eq!(vote_info.proposal_id, proposal_id); + assert_eq!(vote_info.weight, weight); + assert!(vote_info.voting_power > 0); + } + + #[test] + fn test_get_nonexistent_vote_info() { + let (env, admin, governance_token) = create_test_env(); + setup_governance(&env, &governance_token); + + let voter = Address::generate(&env); + let title = soroban_sdk::String::from_str(&env, "Test Proposal"); + let description = soroban_sdk::String::from_str(&env, "Test Description"); + let voting_period = 86400; + + let proposal_id = GovernanceContract::create_proposal( + env.clone(), + admin.clone(), + title, + description, + voting_period + ).unwrap(); + + // Try to get vote info for a vote that doesn't exist + let result = GovernanceContract::get_vote_info(env.clone(), voter.clone(), proposal_id); + assert!(matches!(result, Err(GovernanceError::ProposalNotFound))); + } +} diff --git a/contracts/grant_contracts/target/.rustc_info.json b/contracts/grant_contracts/target/.rustc_info.json index 58786e2..1377135 100644 --- a/contracts/grant_contracts/target/.rustc_info.json +++ b/contracts/grant_contracts/target/.rustc_info.json @@ -1 +1 @@ -{"rustc_fingerprint":5941732946126326561,"outputs":{"7971740275564407648":{"success":true,"status":"","code":0,"stdout":"___.exe\nlib___.rlib\n___.dll\n___.dll\n___.lib\n___.dll\nC:\\Users\\googl\\.rustup\\toolchains\\stable-x86_64-pc-windows-msvc\npacked\n___\ndebug_assertions\npanic=\"unwind\"\nproc_macro\ntarget_abi=\"\"\ntarget_arch=\"x86_64\"\ntarget_endian=\"little\"\ntarget_env=\"msvc\"\ntarget_family=\"windows\"\ntarget_feature=\"cmpxchg16b\"\ntarget_feature=\"fxsr\"\ntarget_feature=\"sse\"\ntarget_feature=\"sse2\"\ntarget_feature=\"sse3\"\ntarget_has_atomic=\"128\"\ntarget_has_atomic=\"16\"\ntarget_has_atomic=\"32\"\ntarget_has_atomic=\"64\"\ntarget_has_atomic=\"8\"\ntarget_has_atomic=\"ptr\"\ntarget_os=\"windows\"\ntarget_pointer_width=\"64\"\ntarget_vendor=\"pc\"\nwindows\n","stderr":""},"17747080675513052775":{"success":true,"status":"","code":0,"stdout":"rustc 1.93.0 (254b59607 2026-01-19)\nbinary: rustc\ncommit-hash: 254b59607d4417e9dffbc307138ae5c86280fe4c\ncommit-date: 2026-01-19\nhost: x86_64-pc-windows-msvc\nrelease: 1.93.0\nLLVM version: 21.1.8\n","stderr":""}},"successes":{}} \ No newline at end of file +{"rustc_fingerprint":493090958552944447,"outputs":{"17747080675513052775":{"success":true,"status":"","code":0,"stdout":"rustc 1.93.1 (01f6ddf75 2026-02-11) (Homebrew)\nbinary: rustc\ncommit-hash: 01f6ddf7588f42ae2d7eb0a2f21d44e8e96674cf\ncommit-date: 2026-02-11\nhost: aarch64-apple-darwin\nrelease: 1.93.1\nLLVM version: 21.1.8\n","stderr":""},"7971740275564407648":{"success":true,"status":"","code":0,"stdout":"___\nlib___.rlib\nlib___.dylib\nlib___.dylib\nlib___.a\nlib___.dylib\n/opt/homebrew/Cellar/rust/1.93.1\noff\npacked\nunpacked\n___\ndebug_assertions\npanic=\"unwind\"\nproc_macro\ntarget_abi=\"\"\ntarget_arch=\"aarch64\"\ntarget_endian=\"little\"\ntarget_env=\"\"\ntarget_family=\"unix\"\ntarget_feature=\"aes\"\ntarget_feature=\"crc\"\ntarget_feature=\"dit\"\ntarget_feature=\"dotprod\"\ntarget_feature=\"dpb\"\ntarget_feature=\"dpb2\"\ntarget_feature=\"fcma\"\ntarget_feature=\"fhm\"\ntarget_feature=\"flagm\"\ntarget_feature=\"fp16\"\ntarget_feature=\"frintts\"\ntarget_feature=\"jsconv\"\ntarget_feature=\"lor\"\ntarget_feature=\"lse\"\ntarget_feature=\"neon\"\ntarget_feature=\"paca\"\ntarget_feature=\"pacg\"\ntarget_feature=\"pan\"\ntarget_feature=\"pmuv3\"\ntarget_feature=\"ras\"\ntarget_feature=\"rcpc\"\ntarget_feature=\"rcpc2\"\ntarget_feature=\"rdm\"\ntarget_feature=\"sb\"\ntarget_feature=\"sha2\"\ntarget_feature=\"sha3\"\ntarget_feature=\"ssbs\"\ntarget_feature=\"vh\"\ntarget_has_atomic=\"128\"\ntarget_has_atomic=\"16\"\ntarget_has_atomic=\"32\"\ntarget_has_atomic=\"64\"\ntarget_has_atomic=\"8\"\ntarget_has_atomic=\"ptr\"\ntarget_os=\"macos\"\ntarget_pointer_width=\"64\"\ntarget_vendor=\"apple\"\nunix\n","stderr":""}},"successes":{}} \ No newline at end of file diff --git a/src/lib.rs b/src/lib.rs index ec6bbf5..5b84efd 100644 --- a/src/lib.rs +++ b/src/lib.rs @@ -1,7 +1 @@ -#![allow(unexpected_cfgs)] -#![no_std] - -#[panic_handler] -fn panic(_info: &core::panic::PanicInfo) -> ! { - loop {} -} +// This file is intentionally left empty as the main contract logic is in contracts/grant_contracts/src/lib.rs diff --git a/target/flycheck0/stderr b/target/flycheck0/stderr index 041c181..b731801 100644 --- a/target/flycheck0/stderr +++ b/target/flycheck0/stderr @@ -1,3 +1,11 @@ + 0.083471125s INFO prepare_target{force=false package_id=grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) target="grant_contracts"}: cargo::core::compiler::fingerprint: fingerprint dirty for grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts)/Check { test: true }/TargetInner { name_inferred: true, ..: lib_target("grant_contracts", ["cdylib"], "/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs", Edition2021) } + 0.083500125s INFO prepare_target{force=false package_id=grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) target="grant_contracts"}: cargo::core::compiler::fingerprint: dirty: PathToSourceChanged + 0.105668458s INFO prepare_target{force=false package_id=grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) target="grant_contracts"}: cargo::core::compiler::fingerprint: fingerprint dirty for grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts)/Check { test: false }/TargetInner { name_inferred: true, ..: lib_target("grant_contracts", ["cdylib"], "/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs", Edition2021) } + 0.105694583s INFO prepare_target{force=false package_id=grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) target="grant_contracts"}: cargo::core::compiler::fingerprint: dirty: PathToSourceChanged + Checking grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) +error: could not compile `grant_contracts` (lib test) due to 3 previous errors +warning: build failed, waiting for other jobs to finish... +error: could not compile `grant_contracts` (lib) due to 3 previous errors 0.121123917s INFO prepare_target{force=false package_id=grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) target="grant_contracts"}: cargo::core::compiler::fingerprint: fingerprint error for grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts)/Check { test: true }/TargetInner { name_inferred: true, ..: lib_target("grant_contracts", ["cdylib"], "/Users/apple/dev/opensource/contracts/src/lib.rs", Edition2021) } 0.121147209s INFO prepare_target{force=false package_id=grant_contracts v0.1.0 (/Users/apple/dev/opensource/contracts) target="grant_contracts"}: cargo::core::compiler::fingerprint: err: failed to read `/Users/apple/dev/opensource/contracts/target/debug/.fingerprint/grant_contracts-863cbacc63babafa/test-lib-grant_contracts` diff --git a/target/flycheck0/stdout b/target/flycheck0/stdout index 3448be5..0579a29 100644 --- a/target/flycheck0/stdout +++ b/target/flycheck0/stdout @@ -1,5 +1,7 @@ {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#proc-macro2@1.0.106","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.106/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/proc-macro2-1.0.106/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","proc-macro"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/proc-macro2-8e889234e93c8a80/build-script-build"],"executable":null,"fresh":true} {"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#proc-macro2@1.0.106","linked_libs":[],"linked_paths":[],"cfgs":["wrap_proc_macro","proc_macro_span_location","proc_macro_span_file"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/proc-macro2-920e1c20adb7ba1d/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#quote@1.0.44","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.44/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.44/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","proc-macro"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/quote-76f777ff81ce60ec/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#unicode-ident@1.0.24","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.24/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"unicode_ident","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.24/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libunicode_ident-6e6833916f2a7d5d.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libunicode_ident-6e6833916f2a7d5d.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#unicode-ident@1.0.24","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.24/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"unicode_ident","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/unicode-ident-1.0.24/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libunicode_ident-6e6833916f2a7d5d.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libunicode_ident-6e6833916f2a7d5d.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#quote@1.0.44","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.44/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.44/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","proc-macro"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/quote-76f777ff81ce60ec/build-script-build"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#version_check@0.9.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/version_check-0.9.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"version_check","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/version_check-0.9.5/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libversion_check-90d272c47678e0e8.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libversion_check-90d272c47678e0e8.rmeta"],"executable":null,"fresh":true} @@ -18,12 +20,24 @@ {"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_json@1.0.108","linked_libs":[],"linked_paths":[],"cfgs":["limb_width_64"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/serde_json-645624201b986f73/out"} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itoa@1.0.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itoa","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.17/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitoa-96128d5ba04e5964.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libitoa-96128d5ba04e5964.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-traits@0.2.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-traits-0.2.17/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-traits-0.2.17/build.rs","edition":"2018","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/num-traits-fdb311dfa4fd8f93/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cfg-if@1.0.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cfg_if","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcfg_if-d18520ebb57900da.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cfg-if@1.0.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cfg_if","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcfg_if-b94ec1825bab331f.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#quote@1.0.44","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.44/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"quote","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/quote-1.0.44/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","proc-macro"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libquote-0e25843752100c45.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libquote-0e25843752100c45.rmeta"],"executable":null,"fresh":true} {"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#generic-array@0.14.9","linked_libs":[],"linked_paths":[],"cfgs":["relaxed_coherence","ga_is_deprecated"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/generic-array-84083fcba275d1b5/out"} {"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-traits@0.2.17","linked_libs":[],"linked_paths":[],"cfgs":["has_to_int_unchecked","has_reverse_bits","has_leading_trailing_ones","has_div_euclid","has_copysign","has_is_subnormal","has_int_to_from_bytes","has_float_to_from_bytes"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/num-traits-399dd1822295a5b5/out"} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#libc@0.2.182","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libc-0.2.182/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"libc","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libc-0.2.182/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/liblibc-31d7219afc152d30.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#libc@0.2.182","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libc-0.2.182/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"libc","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libc-0.2.182/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/liblibc-4acfd3515cf4e1e7.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cfg-if@1.0.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cfg_if","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcfg_if-b94ec1825bab331f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#typenum@1.19.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"typenum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libtypenum-87bfe6b5b4122b4b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#typenum@1.19.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"typenum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libtypenum-56fe5c482f0d8fab.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#subtle@2.6.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/subtle-2.6.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"subtle","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/subtle-2.6.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["i128"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsubtle-60007563ff772443.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#subtle@2.6.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/subtle-2.6.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"subtle","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/subtle-2.6.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["i128"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsubtle-0e6e54d29eb50c64.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#syn@2.0.117","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.117/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"syn","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-2.0.117/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["clone-impls","default","derive","extra-traits","full","parsing","printing","proc-macro","visit"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsyn-0359250d725141d3.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsyn-0359250d725141d3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#const-oid@0.9.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/const-oid-0.9.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"const_oid","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/const-oid-0.9.6/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libconst_oid-1b9d4d9dd7b87557.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror@1.0.55","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/thiserror-19e53a9e3f1b3fae/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#fnv@1.0.7","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/fnv-1.0.7/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"fnv","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/fnv-1.0.7/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libfnv-b1e2555e06ae3844.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libfnv-b1e2555e06ae3844.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ident_case@1.0.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ident_case-1.0.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ident_case","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ident_case-1.0.1/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libident_case-68d8f77bd60a18b8.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libident_case-68d8f77bd60a18b8.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#strsim@0.11.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/strsim-0.11.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"strsim","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/strsim-0.11.1/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstrsim-51a814ba21c75ed5.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libstrsim-51a814ba21c75ed5.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cfg-if@1.0.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cfg_if","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcfg_if-d18520ebb57900da.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#typenum@1.19.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"typenum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libtypenum-87bfe6b5b4122b4b.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#typenum@1.19.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"typenum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libtypenum-56fe5c482f0d8fab.rmeta"],"executable":null,"fresh":true} @@ -42,6 +56,66 @@ {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zeroize_derive@1.4.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zeroize_derive-1.4.3/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"zeroize_derive","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zeroize_derive-1.4.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzeroize_derive-cdeb65572513ae4a.dylib"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_derive@1.0.192","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.192/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"serde_derive","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_derive-1.0.192/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_derive-8f1b6bc154a85a46.dylib"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy-derive@0.7.35","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-derive-0.7.35/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"zerocopy_derive","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-derive-0.7.35/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzerocopy_derive-ef4d3cdd535aad4e.dylib"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror@1.0.55","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/thiserror-c9872c436406d150/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror-impl@1.0.55","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.55/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"thiserror_impl","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.55/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libthiserror_impl-0a97bbb1ca60de36.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#darling_core@0.20.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling_core-0.20.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"darling_core","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling_core-0.20.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["strsim","suggestions"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling_core-443f4fc710d43554.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling_core-443f4fc710d43554.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#paste@1.0.15","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/paste-1.0.15/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/paste-1.0.15/build.rs","edition":"2018","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/paste-48edf56492371795/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#syn@1.0.109","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-1.0.109/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-1.0.109/build.rs","edition":"2018","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["clone-impls","default","derive","extra-traits","full","parsing","printing","proc-macro","quote","visit"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/syn-9b4fa95f9a915eed/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rand_core@0.6.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_core-0.6.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rand_core","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_core-0.6.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","getrandom","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librand_core-fcfe2d653a9d0707.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rand_core@0.6.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_core-0.6.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rand_core","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_core-0.6.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","getrandom","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librand_core-c6304b3e947f3595.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde@1.0.192","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.192/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.192/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","derive","serde_derive","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde-fc80c2ed971edb85.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libserde-fc80c2ed971edb85.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zeroize@1.8.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zeroize-1.8.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"zeroize","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zeroize-1.8.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","zeroize_derive"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzeroize-30b2bd9521963dbc.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zeroize@1.8.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zeroize-1.8.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"zeroize","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zeroize-1.8.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","zeroize_derive"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzeroize-2a782f5bcc1d21fc.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#paste@1.0.15","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/paste-4094698073353dde/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#darling_macro@0.20.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling_macro-0.20.10/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"darling_macro","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling_macro-0.20.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling_macro-2e3abbbcd6ca840c.dylib"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#syn@1.0.109","linked_libs":[],"linked_paths":[],"cfgs":["syn_disable_nightly_tests"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/syn-59bb6bca43892a13/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-traits@0.2.17","linked_libs":[],"linked_paths":[],"cfgs":["has_to_int_unchecked","has_reverse_bits","has_leading_trailing_ones","has_div_euclid","has_copysign","has_is_subnormal","has_int_to_from_bytes","has_float_to_from_bytes"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/num-traits-8831fdc1347c0dfc/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/build.rs","edition":"2015","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/num-integer-98cf2dec3af427ca/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#semver@1.0.27","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/semver-1.0.27/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"semver","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/semver-1.0.27/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsemver-e7638465c17fb953.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsemver-e7638465c17fb953.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/build.rs","edition":"2018","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/num-bigint-f34d8e1ed8a7c37c/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_json@1.0.108","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.108/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde_json","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.108/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_json-514a4fcdc3cd2cca.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_json-514a4fcdc3cd2cca.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#generic-array@0.14.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"generic_array","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["more_lengths","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libgeneric_array-37746cfaaff8c684.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#generic-array@0.14.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"generic_array","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["more_lengths","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libgeneric_array-2281d7044d80d9a7.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#syn@1.0.109","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-1.0.109/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"syn","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/syn-1.0.109/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["clone-impls","default","derive","extra-traits","full","parsing","printing","proc-macro","quote","visit"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsyn-874476cb5fcca5b6.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsyn-874476cb5fcca5b6.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#paste@1.0.15","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/paste-1.0.15/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"paste","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/paste-1.0.15/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libpaste-3718b7a307b97280.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#darling@0.20.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling-0.20.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"darling","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling-0.20.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","suggestions"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling-b78ac6ba63146dfa.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling-b78ac6ba63146dfa.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","linked_libs":[],"linked_paths":[],"cfgs":["has_i128"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/num-integer-a9bcd2abbfc5cce8/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-traits@0.2.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-traits-0.2.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_traits","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-traits-0.2.17/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_traits-5c12352453c81a75.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_traits-5c12352453c81a75.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/build.rs","edition":"2015","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/num-integer-897c4e65cf9cf610/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy@0.8.39","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.8.39/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.8.39/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["simd"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/zerocopy-d59573b703e2135a/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#crate-git-revision@0.0.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crate-git-revision-0.0.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"crate_git_revision","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crate-git-revision-0.0.6/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcrate_git_revision-1ae2e5db621ec9e4.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libcrate_git_revision-1ae2e5db621ec9e4.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#crypto-common@0.1.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-common-0.1.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"crypto_common","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-common-0.1.6/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcrypto_common-da9fc7c167e2eaa2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#crypto-common@0.1.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-common-0.1.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"crypto_common","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-common-0.1.6/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcrypto_common-76997e5d0ed358c3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#block-buffer@0.10.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/block-buffer-0.10.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"block_buffer","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/block-buffer-0.10.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libblock_buffer-8be611db26356ac2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#block-buffer@0.10.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/block-buffer-0.10.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"block_buffer","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/block-buffer-0.10.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libblock_buffer-923a8b2c11d93b2b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_with_macros@3.12.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with_macros-3.12.0/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"serde_with_macros","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with_macros-3.12.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_with_macros-33336a32c6c991a3.dylib"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","linked_libs":[],"linked_paths":[],"cfgs":["has_i128"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/num-integer-2fccea4ee07c9e3c/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy@0.8.39","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/zerocopy-59723063afe34873/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","linked_libs":[],"linked_paths":[],"cfgs":["u64_digit","has_try_from"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/num-bigint-bbe546d3be344910/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/build.rs","edition":"2018","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/num-bigint-cb2c04a952df28b7/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#digest@0.10.7","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/digest-0.10.7/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"digest","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/digest-0.10.7/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","block-buffer","const-oid","core-api","default","mac","oid","std","subtle"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdigest-4e695ca08b66f506.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-strkey@0.0.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/stellar-strkey-55ace31759719cb8/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#digest@0.10.7","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/digest-0.10.7/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"digest","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/digest-0.10.7/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","block-buffer","const-oid","core-api","default","mac","oid","std","subtle"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdigest-9b461269572ea822.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","linked_libs":[],"linked_paths":[],"cfgs":["u64_digit","has_try_from"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/num-bigint-a149d1b2395804ef/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_integer","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_integer-8263e3193b226fc7.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_integer-8263e3193b226fc7.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rustc_version@0.4.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustc_version-0.4.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rustc_version","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rustc_version-0.4.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librustc_version-f69c81487cc9f0bc.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/librustc_version-f69c81487cc9f0bc.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ahash@0.8.12","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ahash-0.8.12/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ahash-0.8.12/build.rs","edition":"2018","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/ahash-9c9738e1545028b2/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-serialize-derive@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-serialize-derive-0.4.2/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"ark_serialize_derive","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-serialize-derive-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_serialize_derive-51d3065a53a268be.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","curr","hex","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/stellar-xdr-536a893df16631f0/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror@1.0.55","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"thiserror","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libthiserror-967bb84550c9e2d9.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libthiserror-967bb84550c9e2d9.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-strkey@0.0.9","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[["GIT_REVISION","9b58e04ec31afd40e352c8179376729c2852a430"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/stellar-strkey-58877f7703dcb2ed/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#ahash@0.8.12","linked_libs":[],"linked_paths":[],"cfgs":["folded_multiply"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/ahash-00b63c5eb08d7dac/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_bigint","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_bigint-884d8430a2d4fd89.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_bigint-884d8430a2d4fd89.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#data-encoding@2.10.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/data-encoding-2.10.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"data_encoding","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/data-encoding-2.10.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdata_encoding-b581707967603975.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libdata_encoding-b581707967603975.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#libm@0.2.16","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libm-0.2.16/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libm-0.2.16/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arch","default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/libm-b64bb7424b012885/build-script-build"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[["GIT_REVISION","e13922970800d95b523413018b2279df42df3442"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/stellar-xdr-91a2fdc4e1dd8fdc/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_with@3.12.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with-3.12.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde_with","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with-3.12.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","macros","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_with-579badce6a480414.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_with-579badce6a480414.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-ff-asm@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-asm-0.4.2/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"ark_ff_asm","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-asm-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_ff_asm-f5a427d97d67a1c8.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#derivative@2.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/derivative-2.2.0/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"derivative","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/derivative-2.2.0/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["use_core"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libderivative-50ab45864fb440a8.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hex@0.4.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-0.4.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hex","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-0.4.3/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhex-9dde7bd7a3d44563.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libhex-9dde7bd7a3d44563.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-strkey@0.0.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_strkey","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_strkey-db7e88c4ebd61a3e.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_strkey-db7e88c4ebd61a3e.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#libm@0.2.16","linked_libs":[],"linked_paths":[],"cfgs":["arch_enabled"],"env":[["CFG_CARGO_FEATURES","[\"arch\", \"default\"]"],["CFG_OPT_LEVEL","0"],["CFG_TARGET_FEATURES","[\"aes\", \"crc\", \"dit\", \"dotprod\", \"dpb\", \"dpb2\", \"fcma\", \"fhm\", \"flagm\", \"fp16\", \"frintts\", \"jsconv\", \"lor\", \"lse\", \"neon\", \"paca\", \"pacg\", \"pan\", \"pmuv3\", \"ras\", \"rcpc\", \"rcpc2\", \"rdm\", \"sb\", \"sha2\", \"sha3\", \"ssbs\", \"vh\"]"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/libm-f0286cc8282527a5/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-ff-macros@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-macros-0.4.2/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"ark_ff_macros","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-macros-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_ff_macros-afd15231273869d0.dylib"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#darling_core@0.20.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling_core-0.20.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"darling_core","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/darling_core-0.20.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["strsim","suggestions"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling_core-443f4fc710d43554.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libdarling_core-443f4fc710d43554.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror-impl@1.0.55","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.55/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"thiserror_impl","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-impl-1.0.55/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libthiserror_impl-0a97bbb1ca60de36.dylib"],"executable":null,"fresh":true} {"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror@1.0.55","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/thiserror-c9872c436406d150/out"} @@ -99,6 +173,206 @@ {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-traits@0.2.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-traits-0.2.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_traits","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-traits-0.2.17/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_traits-9ffae38c74369eaa.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#either@1.15.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/either-1.15.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"either","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/either-1.15.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std","use_std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libeither-b81f46db3027221b.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libeither-b81f46db3027221b.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#derive_arbitrary@1.3.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/derive_arbitrary-1.3.2/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"derive_arbitrary","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/derive_arbitrary-1.3.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libderive_arbitrary-15fa41f246de810e.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#byteorder@1.5.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/byteorder-1.5.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"byteorder","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/byteorder-1.5.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbyteorder-7038b57039ac1286.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#byteorder@1.5.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/byteorder-1.5.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"byteorder","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/byteorder-1.5.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbyteorder-1dadd4935c2f6ede.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_xdr","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","curr","hex","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_xdr-f02bfc568c0819f3.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_xdr-f02bfc568c0819f3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itertools@0.10.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itertools","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","use_alloc","use_std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitertools-4d84232d3fe61d7d.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libitertools-4d84232d3fe61d7d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy@0.7.35","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.7.35/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"zerocopy","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.7.35/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["byteorder","default","derive","simd","zerocopy-derive"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzerocopy-8a4d4ed9653f2345.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy@0.7.35","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.7.35/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"zerocopy","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.7.35/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["byteorder","default","derive","simd","zerocopy-derive"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzerocopy-45b63c03a53f822a.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#curve25519-dalek@4.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/curve25519-dalek-4.1.3/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/curve25519-dalek-4.1.3/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","digest","precomputed-tables","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/curve25519-dalek-6ea816339fb55561/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","arbitrary","base64","curr","hex","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/stellar-xdr-bd82d9a06caeb143/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-derive@0.4.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-derive-0.4.1/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"num_derive","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-derive-0.4.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_derive-b363513d6ab7ca80.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#generic-array@0.14.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/build.rs","edition":"2015","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["more_lengths"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/generic-array-a374b8fef2f3f122/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["serde","shallow-val-hash","std","testutils","wasmi"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/soroban-env-common-ba8098250e79b680/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#typenum@1.19.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"typenum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/typenum-1.19.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libtypenum-cf8c86bb36952e38.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libtypenum-cf8c86bb36952e38.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ppv-lite86@0.2.20","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ppv-lite86-0.2.20/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ppv_lite86","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ppv-lite86-0.2.20/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["simd","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libppv_lite86-684adb529caca43b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-macros@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-macros-22.1.3/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"soroban_env_macros","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-macros-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_macros-0b1ce2647fffe29a.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ppv-lite86@0.2.20","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ppv-lite86-0.2.20/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ppv_lite86","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ppv-lite86-0.2.20/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["simd","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libppv_lite86-788dada666f44641.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[["GIT_REVISION","e13922970800d95b523413018b2279df42df3442"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/stellar-xdr-7f14e92fff79d26e/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#curve25519-dalek@4.1.3","linked_libs":[],"linked_paths":[],"cfgs":["curve25519_dalek_bits=\"64\"","curve25519_dalek_backend=\"serial\""],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/curve25519-dalek-cfcf7bb01bb39e3d/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#generic-array@0.14.9","linked_libs":[],"linked_paths":[],"cfgs":["relaxed_coherence","ga_is_deprecated"],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/generic-array-06d0cdb1c4f1801e/out"} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[["GIT_REVISION","c535e4ceab647d9b14b546045fcf73573e491256"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/soroban-env-common-cbea36eb22f3897e/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_integer","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_integer-8ef2cf0c6d2d8185.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-integer@0.1.45","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_integer","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-integer-0.1.45/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","i128","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_integer-c045acfb0744ff33.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#der@0.7.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/der-0.7.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"der","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/der-0.7.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["oid","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libder-c9afd52f55f13e30.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rand_chacha@0.3.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_chacha-0.3.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rand_chacha","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_chacha-0.3.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librand_chacha-a5dd75e7f562dcb2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rand_chacha@0.3.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_chacha-0.3.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rand_chacha","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand_chacha-0.3.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librand_chacha-323688f25f67cbba.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#generic-array@0.14.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"generic_array","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/generic-array-0.14.9/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["more_lengths"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libgeneric_array-686166db43868a95.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libgeneric_array-686166db43868a95.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#der@0.7.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/der-0.7.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"der","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/der-0.7.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["oid","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libder-cd6d586d1ae63385.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ff@0.13.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ff-0.13.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ff","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ff-0.13.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libff-b0cd85de2608aa05.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ff@0.13.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ff-0.13.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ff","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ff-0.13.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libff-88b6eca6ca41445c.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cpufeatures@0.2.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cpufeatures-0.2.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cpufeatures","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cpufeatures-0.2.17/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcpufeatures-2f303aeb6de842a2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cpufeatures@0.2.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cpufeatures-0.2.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cpufeatures","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cpufeatures-0.2.17/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcpufeatures-715dd1a4284b1e27.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#base16ct@0.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base16ct-0.2.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"base16ct","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base16ct-0.2.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbase16ct-20dfaad28db086fa.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#base16ct@0.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base16ct-0.2.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"base16ct","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base16ct-0.2.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbase16ct-d842c213d1221789.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rand@0.8.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand-0.8.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rand","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand-0.8.5/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","getrandom","libc","rand_chacha","std","std_rng"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librand-0da05c6c4bd786eb.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rand@0.8.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand-0.8.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rand","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rand-0.8.5/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","getrandom","libc","rand_chacha","std","std_rng"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librand-4ecc082eaa6e0b39.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sec1@0.7.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sec1-0.7.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sec1","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sec1-0.7.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","der","point","subtle","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsec1-647ab474d06d7ade.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#group@0.13.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/group-0.13.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"group","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/group-0.13.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libgroup-086c567282a4a39c.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sec1@0.7.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sec1-0.7.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sec1","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sec1-0.7.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","der","point","subtle","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsec1-4cdb001fed8a4710.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#group@0.13.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/group-0.13.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"group","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/group-0.13.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libgroup-60ea931ccdfd1acb.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_bigint","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_bigint-a704ec796e71c9fe.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#num-bigint@0.4.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"num_bigint","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/num-bigint-0.4.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libnum_bigint-eae90650d5dbc973.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#signature@2.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/signature-2.2.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"signature","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/signature-2.2.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","digest","rand_core","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsignature-28593f2f76f10a91.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#signature@2.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/signature-2.2.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"signature","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/signature-2.2.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","digest","rand_core","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsignature-9fa19a765cbd354b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-std@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-std-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_std","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-std-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_std-178bedb12e79edf7.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-std@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-std-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_std","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-std-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_std-f7be4383d672c49f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy@0.8.39","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.8.39/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"zerocopy","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.8.39/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["simd"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzerocopy-2355ade455407f99.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#zerocopy@0.8.39","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.8.39/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"zerocopy","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/zerocopy-0.8.39/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["simd"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libzerocopy-e38c55d7a0743add.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#crypto-bigint@0.5.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-bigint-0.5.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"crypto_bigint","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-bigint-0.5.5/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["generic-array","rand_core","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcrypto_bigint-77bb31cf659350d3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#crypto-bigint@0.5.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-bigint-0.5.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"crypto_bigint","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-bigint-0.5.5/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["generic-array","rand_core","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcrypto_bigint-63d368341db08bee.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde@1.0.192","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.192/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.192/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","derive","serde_derive","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde-ac42de77503d040c.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde@1.0.192","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.192/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde-1.0.192/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","derive","serde_derive","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde-0b27f88f83fafa35.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#equivalent@1.0.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"equivalent","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libequivalent-b43d4c595fc12635.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libequivalent-b43d4c595fc12635.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hashbrown@0.15.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.15.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hashbrown","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.15.5/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhashbrown-8bd18cffda52c58d.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libhashbrown-8bd18cffda52c58d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#once_cell@1.21.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"once_cell","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","race"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libonce_cell-6e0bb8a733494ca4.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#either@1.15.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/either-1.15.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"either","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/either-1.15.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libeither-d9b70ccda6baeae6.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#once_cell@1.21.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"once_cell","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/once_cell-1.21.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","race"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libonce_cell-ece1652d04ef546b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#either@1.15.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/either-1.15.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"either","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/either-1.15.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libeither-39b6376a88baa721.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-host@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-host-22.1.3/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-host-22.1.3/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["recording_mode","testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/soroban-env-host-0f6332258a6d8435/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-serialize@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-serialize-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_serialize","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-serialize-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["ark-serialize-derive","default","derive"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_serialize-f74a24b60b16f8c9.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#elliptic-curve@0.13.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/elliptic-curve-0.13.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"elliptic_curve","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/elliptic-curve-0.13.8/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","digest","ff","group","hazmat","sec1"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libelliptic_curve-91463effe765c9aa.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#indexmap@2.11.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.11.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"indexmap","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.11.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libindexmap-3934b2b60c4bc2bf.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libindexmap-3934b2b60c4bc2bf.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-serialize@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-serialize-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_serialize","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-serialize-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["ark-serialize-derive","default","derive"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_serialize-d3fcb9916109555f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#elliptic-curve@0.13.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/elliptic-curve-0.13.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"elliptic_curve","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/elliptic-curve-0.13.8/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","digest","ff","group","hazmat","sec1"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libelliptic_curve-e83111eeb5abbd53.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itertools@0.10.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itertools","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":false},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitertools-cdf830b1c6be9b81.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ahash@0.8.12","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ahash-0.8.12/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ahash","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ahash-0.8.12/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libahash-9b9080df8dab3ef5.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ahash@0.8.12","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ahash-0.8.12/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ahash","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ahash-0.8.12/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libahash-d6866c337f38c10a.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-host@22.1.3","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/soroban-env-host-73641a019e67d269/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itertools@0.10.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itertools","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":false},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitertools-dc87c49e0e5fcc01.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#crypto-common@0.1.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-common-0.1.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"crypto_common","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/crypto-common-0.1.6/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcrypto_common-41d2f77dde39390b.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libcrypto_common-41d2f77dde39390b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#block-buffer@0.10.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/block-buffer-0.10.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"block_buffer","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/block-buffer-0.10.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libblock_buffer-546e7c10b1b09d18.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libblock_buffer-546e7c10b1b09d18.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-builtin-sdk-macros@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-builtin-sdk-macros-22.1.3/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"soroban_builtin_sdk_macros","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-builtin-sdk-macros-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_builtin_sdk_macros-054da778fdd29e5f.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hmac@0.12.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hmac-0.12.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hmac","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hmac-0.12.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["reset"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhmac-0f31ed390e54f914.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hmac@0.12.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hmac-0.12.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hmac","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hmac-0.12.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["reset"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhmac-d253efa7cb98c83e.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#libc@0.2.182","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libc-0.2.182/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"libc","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libc-0.2.182/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/liblibc-731a446c59e9fec1.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/liblibc-731a446c59e9fec1.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#prettyplease@0.2.15","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/prettyplease-0.2.15/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/prettyplease-0.2.15/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/prettyplease-81742a60bc71f371/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#digest@0.10.7","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/digest-0.10.7/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"digest","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/digest-0.10.7/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","block-buffer","core-api","default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdigest-1a93e67acaaf94f3.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libdigest-1a93e67acaaf94f3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rfc6979@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rfc6979-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rfc6979","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rfc6979-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librfc6979-035ae0427c4547e3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-ff@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_ff","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_ff-95fcc972bf1b58e4.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#rfc6979@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rfc6979-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"rfc6979","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/rfc6979-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/librfc6979-5f91d99a8d8e466d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hashbrown@0.13.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.13.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hashbrown","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.13.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["ahash","default","inline-more"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhashbrown-18b3430db88ac62a.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-ff@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_ff","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ff-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_ff-52195e2a65374bc9.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hashbrown@0.13.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.13.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hashbrown","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.13.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["ahash","default","inline-more"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhashbrown-bc2df3a7eb585a16.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmparser@0.116.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-0.116.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmparser","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-0.116.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmparser-67dc5e07034ae4e0.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmparser-67dc5e07034ae4e0.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#prettyplease@0.2.15","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/prettyplease-a2d28b1a23b0528b/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cpufeatures@0.2.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cpufeatures-0.2.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cpufeatures","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cpufeatures-0.2.17/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcpufeatures-3d86af940d5ead87.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libcpufeatures-3d86af940d5ead87.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hex@0.4.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-0.4.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hex","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-0.4.3/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhex-59e551e984687bee.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hex@0.4.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-0.4.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hex","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-0.4.3/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhex-e32c1f9bf22f740e.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sha2@0.10.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha2-0.10.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sha2","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha2-0.10.8/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsha2-4e92173cb11bc6af.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sha2@0.10.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha2-0.10.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sha2","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha2-0.10.8/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsha2-79af081587f45979.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#libm@0.2.16","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libm-0.2.16/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"libm","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libm-0.2.16/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arch","default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/liblibm-751120554e49e04d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#libm@0.2.16","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libm-0.2.16/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"libm","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/libm-0.2.16/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arch","default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/liblibm-5801eceac371887d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/soroban-env-common-b5a6f108cc40e8c1/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror@1.0.55","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"thiserror","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libthiserror-8a785d3ff9df71f2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#thiserror@1.0.55","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"thiserror","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/thiserror-1.0.55/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libthiserror-503d02438ca6b8a8.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#indexmap-nostd@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-nostd-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"indexmap_nostd","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-nostd-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libindexmap_nostd-781b4bd54c13d86e.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#indexmap-nostd@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-nostd-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"indexmap_nostd","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-nostd-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libindexmap_nostd-d83d5a6ce9d9d178.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#data-encoding@2.10.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/data-encoding-2.10.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"data_encoding","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/data-encoding-2.10.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdata_encoding-1c56b3e301c1349d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#equivalent@1.0.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"equivalent","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libequivalent-4c2b8cfccd05df39.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#data-encoding@2.10.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/data-encoding-2.10.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"data_encoding","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/data-encoding-2.10.0/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdata_encoding-2ff34004e3bf6a85.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#base64@0.13.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base64-0.13.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"base64","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base64-0.13.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbase64-0f76e7c8c524093f.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libbase64-0f76e7c8c524093f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hashbrown@0.15.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.15.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hashbrown","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.15.5/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhashbrown-c7b6b018ce587e53.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#equivalent@1.0.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"equivalent","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/equivalent-1.0.2/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libequivalent-54761f480d373799.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#downcast-rs@1.2.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/downcast-rs-1.2.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"downcast_rs","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/downcast-rs-1.2.1/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdowncast_rs-4458cc654ae43c46.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#cfg-if@1.0.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"cfg_if","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/cfg-if-1.0.4/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcfg_if-31009e18ed228aa2.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libcfg_if-31009e18ed228aa2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hashbrown@0.15.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.15.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hashbrown","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hashbrown-0.15.5/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhashbrown-eb4c05d2f0b7f7bf.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#downcast-rs@1.2.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/downcast-rs-1.2.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"downcast_rs","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/downcast-rs-1.2.1/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libdowncast_rs-2dfd2a24b0ca62d6.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#indexmap@2.11.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.11.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"indexmap","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.11.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libindexmap-a8c5e990db6cbf21.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmparser-nostd@0.100.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-nostd-0.100.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmparser_nostd","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-nostd-0.100.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmparser_nostd-b0a3b487a69eb5af.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-strkey@0.0.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_strkey","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_strkey-95cb7d091f5cedb6.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-strkey@0.0.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_strkey","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-strkey-0.0.9/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_strkey-c9616e6e6052fcd5.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-spec@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-spec-22.0.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_spec","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-spec-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_spec-7b8bef86da10ee94.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_spec-7b8bef86da10ee94.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmparser-nostd@0.100.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-nostd-0.100.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmparser_nostd","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-nostd-0.100.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmparser_nostd-a01e0564c30a8511.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmi_core@0.13.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_core-0.13.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmi_core","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_core-0.13.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmi_core-500deab3b6e818df.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sha2@0.10.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha2-0.10.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sha2","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha2-0.10.8/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsha2-3377259b4bc061b6.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsha2-3377259b4bc061b6.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmi_core@0.13.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_core-0.13.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmi_core","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_core-0.13.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmi_core-a6ccc239b57438e5.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#indexmap@2.11.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.11.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"indexmap","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/indexmap-2.11.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libindexmap-b8183e4ca35223d1.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#prettyplease@0.2.15","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/prettyplease-0.2.15/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"prettyplease","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/prettyplease-0.2.15/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libprettyplease-e09f0841cc1ebe39.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libprettyplease-e09f0841cc1ebe39.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_with@3.12.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with-3.12.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde_with","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with-3.12.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","hex","macros","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_with-4055bab0b827123d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_with@3.12.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with-3.12.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde_with","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_with-3.12.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","hex","macros","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_with-8350b517f2178ca9.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[["GIT_REVISION","c535e4ceab647d9b14b546045fcf73573e491256"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/soroban-env-common-790d68a9641502e5/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-poly@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-poly-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_poly","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-poly-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_poly-bdaaab5f0fac693b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ecdsa@0.16.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ecdsa-0.16.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ecdsa","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ecdsa-0.16.9/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","der","digest","hazmat","rfc6979","signing","verifying"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libecdsa-f1d8715c74a7458e.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-poly@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-poly-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_poly","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-poly-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_poly-9810457c128c6d85.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ecdsa@0.16.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ecdsa-0.16.9/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ecdsa","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ecdsa-0.16.9/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","der","digest","hazmat","rfc6979","signing","verifying"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libecdsa-39ccd36f4fcae080.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#arbitrary@1.3.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/arbitrary-1.3.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"arbitrary","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/arbitrary-1.3.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["derive","derive_arbitrary"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libarbitrary-75f37b1605bcf90e.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#arbitrary@1.3.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/arbitrary-1.3.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"arbitrary","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/arbitrary-1.3.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["derive","derive_arbitrary"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libarbitrary-d0aabc87c2fbbdc8.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk-macros@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-macros-22.0.10/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-macros-22.0.10/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/soroban-sdk-macros-c91c2ad5f9767f52/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#smallvec@1.15.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/smallvec-1.15.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"smallvec","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/smallvec-1.15.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["union"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsmallvec-c762dd643268e129.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#semver@1.0.27","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/semver-1.0.27/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"semver","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/semver-1.0.27/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsemver-68646a4626ffd5a1.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#escape-bytes@0.1.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/escape-bytes-0.1.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"escape_bytes","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/escape-bytes-0.1.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libescape_bytes-0ccda6dfb269c7db.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmi_arena@0.4.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_arena-0.4.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmi_arena","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_arena-0.4.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmi_arena-26448ae14b1b98f0.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#smallvec@1.15.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/smallvec-1.15.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"smallvec","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/smallvec-1.15.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["union"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsmallvec-c94db3fa2b38696d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#spin@0.9.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/spin-0.9.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"spin","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/spin-0.9.8/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["mutex","rwlock","spin_mutex","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libspin-6faa1be94f7925fe.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ethnum@1.5.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ethnum-1.5.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ethnum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ethnum-1.5.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libethnum-18eefbc189bd11ba.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libethnum-18eefbc189bd11ba.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#semver@1.0.27","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/semver-1.0.27/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"semver","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/semver-1.0.27/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsemver-f0cacf08872bd3e2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmi_arena@0.4.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_arena-0.4.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmi_arena","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmi_arena-0.4.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmi_arena-b1e08b1e92d4ffb0.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#base64@0.13.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base64-0.13.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"base64","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base64-0.13.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbase64-6fd2114107210274.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#escape-bytes@0.1.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/escape-bytes-0.1.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"escape_bytes","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/escape-bytes-0.1.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libescape_bytes-9db744eb0fa48008.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#base64@0.13.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base64-0.13.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"base64","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/base64-0.13.1/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbase64-7a4785c8b8a74020.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#static_assertions@1.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/static_assertions-1.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"static_assertions","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/static_assertions-1.1.0/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstatic_assertions-3496a4c0cd42d22a.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libstatic_assertions-3496a4c0cd42d22a.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#spin@0.9.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/spin-0.9.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"spin","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/spin-0.9.8/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["mutex","rwlock","spin_mutex","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libspin-dff9982e9005b2f4.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk-macros@22.0.10","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[["RUSTC_VERSION","1.93.1"],["GIT_REVISION","9a1b75b509a5053b676b09fdbd224fe8c5f2fcd5"]],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/soroban-sdk-macros-abf2b0b6397b63e0/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmparser@0.116.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-0.116.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmparser","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-0.116.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmparser-526b1010b4f06976.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-wasmi@0.31.1-soroban.20.0.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-wasmi-0.31.1-soroban.20.0.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_wasmi","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-wasmi-0.31.1-soroban.20.0.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_wasmi-8e35f463fb7c136f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_xdr","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","arbitrary","base64","curr","hex","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_xdr-dacf5876532146c9.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_xdr","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","arbitrary","base64","curr","hex","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_xdr-746b5943ae4b4ecc.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_env_common","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_common-d2477aa86f85f8f3.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_common-d2477aa86f85f8f3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#wasmparser@0.116.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-0.116.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"wasmparser","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/wasmparser-0.116.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libwasmparser-46ee37597728b479.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-wasmi@0.31.1-soroban.20.0.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-wasmi-0.31.1-soroban.20.0.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_wasmi","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-wasmi-0.31.1-soroban.20.0.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_wasmi-ccbb379ed95cb6af.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-spec-rust@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-spec-rust-22.0.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_spec_rust","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-spec-rust-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_spec_rust-51af7fb4b674e5f9.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_spec_rust-51af7fb4b674e5f9.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-ec@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ec-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_ec","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ec-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_ec-b2ea1ab9a8539330.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-ec@0.4.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ec-0.4.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_ec","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-ec-0.4.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_ec-3b1df43ddde39f2d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#primeorder@0.13.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/primeorder-0.13.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"primeorder","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/primeorder-0.13.6/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libprimeorder-827fea5ef8088b64.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#primeorder@0.13.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/primeorder-0.13.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"primeorder","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/primeorder-0.13.6/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libprimeorder-54398b7619399ed6.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ed25519@2.2.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-2.2.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ed25519","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-2.2.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libed25519-a66075040f025155.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ed25519@2.2.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-2.2.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ed25519","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-2.2.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libed25519-b0a1085c4f0a8ce4.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#keccak@0.1.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/keccak-0.1.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"keccak","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/keccak-0.1.6/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libkeccak-f9e82a7ad7a6db06.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#keccak@0.1.6","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/keccak-0.1.6/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"keccak","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/keccak-0.1.6/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libkeccak-9aa6d20525907bd5.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#curve25519-dalek@4.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/curve25519-dalek-4.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"curve25519_dalek","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/curve25519-dalek-4.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","digest","precomputed-tables","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcurve25519_dalek-ec0c507430992c3b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#curve25519-dalek@4.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/curve25519-dalek-4.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"curve25519_dalek","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/curve25519-dalek-4.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","digest","precomputed-tables","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libcurve25519_dalek-f98d59dc64b50f2c.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-22.0.10/Cargo.toml","target":{"kind":["custom-build"],"crate_types":["bin"],"name":"build-script-build","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-22.0.10/build.rs","edition":"2021","doc":false,"doctest":false,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/build/soroban-sdk-ed5e03e8271ae646/build-script-build"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#static_assertions@1.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/static_assertions-1.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"static_assertions","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/static_assertions-1.1.0/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstatic_assertions-8b5150b9d06a2060.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ethnum@1.5.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ethnum-1.5.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ethnum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ethnum-1.5.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libethnum-a84259f29571ed3f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ethnum@1.5.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ethnum-1.5.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ethnum","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ethnum-1.5.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libethnum-c340d9e784a47181.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#static_assertions@1.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/static_assertions-1.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"static_assertions","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/static_assertions-1.1.0/src/lib.rs","edition":"2015","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstatic_assertions-5089dfd749b518af.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sha3@0.10.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha3-0.10.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sha3","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha3-0.10.8/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsha3-7bca84de96621412.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ed25519-dalek@2.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-dalek-2.2.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ed25519_dalek","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-dalek-2.2.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","fast","rand_core","std","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libed25519_dalek-106cc4fa3af80a8b.rmeta"],"executable":null,"fresh":true} +{"reason":"build-script-executed","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk@22.0.10","linked_libs":[],"linked_paths":[],"cfgs":[],"env":[],"out_dir":"/Users/apple/dev/opensource/contracts/target/debug/build/soroban-sdk-f4d0a02cfa6cc190/out"} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#sha3@0.10.8","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha3-0.10.8/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"sha3","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/sha3-0.10.8/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsha3-c46cc699dfc95f87.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_env_common","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["serde","shallow-val-hash","std","testutils","wasmi"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_common-4f54e94d8422b193.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ed25519-dalek@2.2.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-dalek-2.2.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ed25519_dalek","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ed25519-dalek-2.2.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","default","fast","rand_core","std","zeroize"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libed25519_dalek-203f90b8fa68df9d.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#p256@0.13.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/p256-0.13.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"p256","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/p256-0.13.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","digest","ecdsa","ecdsa-core","sha2","sha256"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libp256-2a9f7f17050fccde.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-bls12-381@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-bls12-381-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_bls12_381","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-bls12-381-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["curve","default","scalar_field"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_bls12_381-832e1275106450b1.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-common@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_env_common","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-common-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["serde","shallow-val-hash","std","testutils","wasmi"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_common-93f870286aaf5464.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#p256@0.13.2","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/p256-0.13.2/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"p256","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/p256-0.13.2/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","digest","ecdsa","ecdsa-core","sha2","sha256"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libp256-cb77980985fb41c0.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk-macros@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-macros-22.0.10/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"soroban_sdk_macros","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-macros-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_sdk_macros-037b2a0ae3feb44b.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ark-bls12-381@0.4.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-bls12-381-0.4.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ark_bls12_381","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ark-bls12-381-0.4.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["curve","default","scalar_field"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libark_bls12_381-877d687b15fd872c.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#k256@0.13.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/k256-0.13.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"k256","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/k256-0.13.4/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","digest","ecdsa","ecdsa-core","sha2","sha256"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libk256-c6d5d6d46f34fda9.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#k256@0.13.4","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/k256-0.13.4/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"k256","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/k256-0.13.4/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["arithmetic","digest","ecdsa","ecdsa-core","sha2","sha256"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libk256-1e88c17344944641.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#bytes-lit@0.0.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-lit-0.0.5/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"bytes_lit","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/bytes-lit-0.0.5/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbytes_lit-53b02c1482429660.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ctor@0.2.9","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ctor-0.2.9/Cargo.toml","target":{"kind":["proc-macro"],"crate_types":["proc-macro"],"name":"ctor","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ctor-0.2.9/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libctor-c113827a2f2fcd05.dylib"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ryu@1.0.23","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.23/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ryu","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.23/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libryu-378e7eabc6c60ecb.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hex-literal@0.4.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-literal-0.4.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hex_literal","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-literal-0.4.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhex_literal-65d4557f6bd0fe16.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#ryu@1.0.23","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.23/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"ryu","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/ryu-1.0.23/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libryu-46581aef44c6ff77.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itoa@1.0.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itoa","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.17/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitoa-b9dd36ce5d933961.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itoa@1.0.17","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.17/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itoa","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itoa-1.0.17/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitoa-a8a1d608683c6fe3.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#hex-literal@0.4.1","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-literal-0.4.1/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"hex_literal","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/hex-literal-0.4.1/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libhex_literal-0754471b15cf57ab.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-host@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-host-22.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_env_host","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-host-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["recording_mode","testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_host-d92936c9914b7361.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_json@1.0.108","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.108/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde_json","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.108/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_json-87b7358905e4ab3b.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-env-host@22.1.3","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-host-22.1.3/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_env_host","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-env-host-22.1.3/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["recording_mode","testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_env_host-12e6ea21365c096e.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#serde_json@1.0.108","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.108/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"serde_json","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/serde_json-1.0.108/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libserde_json-aa4f1e071c456a3f.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-ledger-snapshot@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-ledger-snapshot-22.0.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_ledger_snapshot","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-ledger-snapshot-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_ledger_snapshot-268179bd85b4f965.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-ledger-snapshot@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-ledger-snapshot-22.0.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_ledger_snapshot","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-ledger-snapshot-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_ledger_snapshot-51b97fa4f5cc6365.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-22.0.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_sdk","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_sdk-978c5bd4512cdcc2.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#soroban-sdk@22.0.10","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-22.0.10/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"soroban_sdk","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/soroban-sdk-22.0.10/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["testutils"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libsoroban_sdk-06dd7d1b2c5afa84.rmeta"],"executable":null,"fresh":true} +{"reason":"compiler-message","package_id":"path+file:///Users/apple/dev/opensource/contracts#grant_contracts@0.1.0","manifest_path":"/Users/apple/dev/opensource/contracts/Cargo.toml","target":{"kind":["cdylib"],"crate_types":["cdylib"],"name":"grant_contracts","src_path":"/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"message":{"$message_type":"diagnostic","message":"mismatched closing delimiter: `)`","code":null,"level":"error","spans":[{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":16649,"byte_end":16650,"line_start":483,"line_end":483,"column_start":5,"column_end":6,"is_primary":true,"text":[{"text":" );","highlight_start":5,"highlight_end":6}],"label":"mismatched closing delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":15384,"byte_end":15385,"line_start":450,"line_end":450,"column_start":79,"column_end":80,"is_primary":true,"text":[{"text":"fn test_apply_kpi_multiplier_rejects_invalid_multiplier_and_inactive_states() {","highlight_start":79,"highlight_end":80}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[1m\u001b[91merror\u001b[0m\u001b[1m: mismatched closing delimiter: `)`\u001b[0m\n \u001b[1m\u001b[94m--> \u001b[0mcontracts/grant_contracts/src/test.rs:450:79\n \u001b[1m\u001b[94m|\u001b[0m\n\u001b[1m\u001b[94m450\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_apply_kpi_multiplier_rejects_invalid_multiplier_and_inactive_states() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n\u001b[1m\u001b[94m483\u001b[0m \u001b[1m\u001b[94m|\u001b[0m );\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91mmismatched closing delimiter\u001b[0m\n\n"}} +{"reason":"compiler-message","package_id":"path+file:///Users/apple/dev/opensource/contracts#grant_contracts@0.1.0","manifest_path":"/Users/apple/dev/opensource/contracts/Cargo.toml","target":{"kind":["cdylib"],"crate_types":["cdylib"],"name":"grant_contracts","src_path":"/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"message":{"$message_type":"diagnostic","message":"mismatched closing delimiter: `)`","code":null,"level":"error","spans":[{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":16649,"byte_end":16650,"line_start":483,"line_end":483,"column_start":5,"column_end":6,"is_primary":true,"text":[{"text":" );","highlight_start":5,"highlight_end":6}],"label":"mismatched closing delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":15384,"byte_end":15385,"line_start":450,"line_end":450,"column_start":79,"column_end":80,"is_primary":true,"text":[{"text":"fn test_apply_kpi_multiplier_rejects_invalid_multiplier_and_inactive_states() {","highlight_start":79,"highlight_end":80}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[1m\u001b[91merror\u001b[0m\u001b[1m: mismatched closing delimiter: `)`\u001b[0m\n \u001b[1m\u001b[94m--> \u001b[0mcontracts/grant_contracts/src/test.rs:450:79\n \u001b[1m\u001b[94m|\u001b[0m\n\u001b[1m\u001b[94m450\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_apply_kpi_multiplier_rejects_invalid_multiplier_and_inactive_states() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n\u001b[1m\u001b[94m483\u001b[0m \u001b[1m\u001b[94m|\u001b[0m );\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91mmismatched closing delimiter\u001b[0m\n\n"}} +{"reason":"compiler-message","package_id":"path+file:///Users/apple/dev/opensource/contracts#grant_contracts@0.1.0","manifest_path":"/Users/apple/dev/opensource/contracts/Cargo.toml","target":{"kind":["cdylib"],"crate_types":["cdylib"],"name":"grant_contracts","src_path":"/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"message":{"$message_type":"diagnostic","message":"mismatched closing delimiter: `)`","code":null,"level":"error","spans":[{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":17428,"byte_end":17429,"line_start":507,"line_end":507,"column_start":5,"column_end":6,"is_primary":true,"text":[{"text":" );","highlight_start":5,"highlight_end":6}],"label":"mismatched closing delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":10659,"byte_end":10660,"line_start":307,"line_end":307,"column_start":51,"column_end":52,"is_primary":true,"text":[{"text":"fn test_propose_rate_change_requires_admin_auth() {","highlight_start":51,"highlight_end":52}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[1m\u001b[91merror\u001b[0m\u001b[1m: mismatched closing delimiter: `)`\u001b[0m\n \u001b[1m\u001b[94m--> \u001b[0mcontracts/grant_contracts/src/test.rs:307:51\n \u001b[1m\u001b[94m|\u001b[0m\n\u001b[1m\u001b[94m307\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_propose_rate_change_requires_admin_auth() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n\u001b[1m\u001b[94m507\u001b[0m \u001b[1m\u001b[94m|\u001b[0m );\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91mmismatched closing delimiter\u001b[0m\n\n"}} +{"reason":"compiler-message","package_id":"path+file:///Users/apple/dev/opensource/contracts#grant_contracts@0.1.0","manifest_path":"/Users/apple/dev/opensource/contracts/Cargo.toml","target":{"kind":["cdylib"],"crate_types":["cdylib"],"name":"grant_contracts","src_path":"/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"message":{"$message_type":"diagnostic","message":"mismatched closing delimiter: `)`","code":null,"level":"error","spans":[{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":17428,"byte_end":17429,"line_start":507,"line_end":507,"column_start":5,"column_end":6,"is_primary":true,"text":[{"text":" );","highlight_start":5,"highlight_end":6}],"label":"mismatched closing delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":10659,"byte_end":10660,"line_start":307,"line_end":307,"column_start":51,"column_end":52,"is_primary":true,"text":[{"text":"fn test_propose_rate_change_requires_admin_auth() {","highlight_start":51,"highlight_end":52}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[1m\u001b[91merror\u001b[0m\u001b[1m: mismatched closing delimiter: `)`\u001b[0m\n \u001b[1m\u001b[94m--> \u001b[0mcontracts/grant_contracts/src/test.rs:307:51\n \u001b[1m\u001b[94m|\u001b[0m\n\u001b[1m\u001b[94m307\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_propose_rate_change_requires_admin_auth() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n\u001b[1m\u001b[94m507\u001b[0m \u001b[1m\u001b[94m|\u001b[0m );\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m \u001b[1m\u001b[91mmismatched closing delimiter\u001b[0m\n\n"}} +{"reason":"compiler-message","package_id":"path+file:///Users/apple/dev/opensource/contracts#grant_contracts@0.1.0","manifest_path":"/Users/apple/dev/opensource/contracts/Cargo.toml","target":{"kind":["cdylib"],"crate_types":["cdylib"],"name":"grant_contracts","src_path":"/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"message":{"$message_type":"diagnostic","message":"this file contains an unclosed delimiter","code":null,"level":"error","spans":[{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":4234,"byte_end":4235,"line_start":122,"line_end":122,"column_start":57,"column_end":58,"is_primary":false,"text":[{"text":"fn test_withdraw_respects_timelock_for_rate_increases() {","highlight_start":57,"highlight_end":58}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":23413,"byte_end":23414,"line_start":680,"line_end":680,"column_start":40,"column_end":41,"is_primary":false,"text":[{"text":"fn test_warmup_period_linear_scaling() {","highlight_start":40,"highlight_end":41}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":29733,"byte_end":29734,"line_start":850,"line_end":850,"column_start":34,"column_end":35,"is_primary":false,"text":[{"text":"fn test_warmup_with_withdrawal() {","highlight_start":34,"highlight_end":35}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":30042,"byte_end":30043,"line_start":859,"line_end":859,"column_start":26,"column_end":27,"is_primary":false,"text":[{"text":" assert_contract_error(","highlight_start":26,"highlight_end":27}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":34099,"byte_end":34100,"line_start":976,"line_end":976,"column_start":68,"column_end":69,"is_primary":false,"text":[{"text":"fn test_slash_inactive_grant_updates_last_claim_time_on_withdraw() {","highlight_start":68,"highlight_end":69}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":40249,"byte_end":40249,"line_start":1150,"line_end":1150,"column_start":3,"column_end":3,"is_primary":true,"text":[{"text":"}","highlight_start":3,"highlight_end":3}],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[1m\u001b[91merror\u001b[0m\u001b[1m: this file contains an unclosed delimiter\u001b[0m\n \u001b[1m\u001b[94m--> \u001b[0mcontracts/grant_contracts/src/test.rs:1150:3\n \u001b[1m\u001b[94m|\u001b[0m\n \u001b[1m\u001b[94m122\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_withdraw_respects_timelock_for_rate_increases() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m680\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_warmup_period_linear_scaling() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m850\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_warmup_with_withdrawal() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m859\u001b[0m \u001b[1m\u001b[94m|\u001b[0m assert_contract_error(\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m976\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_slash_inactive_grant_updates_last_claim_time_on_withdraw() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n\u001b[1m\u001b[94m1150\u001b[0m \u001b[1m\u001b[94m|\u001b[0m }\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m\n\n"}} +{"reason":"compiler-message","package_id":"path+file:///Users/apple/dev/opensource/contracts#grant_contracts@0.1.0","manifest_path":"/Users/apple/dev/opensource/contracts/Cargo.toml","target":{"kind":["cdylib"],"crate_types":["cdylib"],"name":"grant_contracts","src_path":"/Users/apple/dev/opensource/contracts/contracts/grant_contracts/src/lib.rs","edition":"2021","doc":true,"doctest":false,"test":true},"message":{"$message_type":"diagnostic","message":"this file contains an unclosed delimiter","code":null,"level":"error","spans":[{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":4234,"byte_end":4235,"line_start":122,"line_end":122,"column_start":57,"column_end":58,"is_primary":false,"text":[{"text":"fn test_withdraw_respects_timelock_for_rate_increases() {","highlight_start":57,"highlight_end":58}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":23413,"byte_end":23414,"line_start":680,"line_end":680,"column_start":40,"column_end":41,"is_primary":false,"text":[{"text":"fn test_warmup_period_linear_scaling() {","highlight_start":40,"highlight_end":41}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":29733,"byte_end":29734,"line_start":850,"line_end":850,"column_start":34,"column_end":35,"is_primary":false,"text":[{"text":"fn test_warmup_with_withdrawal() {","highlight_start":34,"highlight_end":35}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":30042,"byte_end":30043,"line_start":859,"line_end":859,"column_start":26,"column_end":27,"is_primary":false,"text":[{"text":" assert_contract_error(","highlight_start":26,"highlight_end":27}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":34099,"byte_end":34100,"line_start":976,"line_end":976,"column_start":68,"column_end":69,"is_primary":false,"text":[{"text":"fn test_slash_inactive_grant_updates_last_claim_time_on_withdraw() {","highlight_start":68,"highlight_end":69}],"label":"unclosed delimiter","suggested_replacement":null,"suggestion_applicability":null,"expansion":null},{"file_name":"contracts/grant_contracts/src/test.rs","byte_start":40249,"byte_end":40249,"line_start":1150,"line_end":1150,"column_start":3,"column_end":3,"is_primary":true,"text":[{"text":"}","highlight_start":3,"highlight_end":3}],"label":null,"suggested_replacement":null,"suggestion_applicability":null,"expansion":null}],"children":[],"rendered":"\u001b[1m\u001b[91merror\u001b[0m\u001b[1m: this file contains an unclosed delimiter\u001b[0m\n \u001b[1m\u001b[94m--> \u001b[0mcontracts/grant_contracts/src/test.rs:1150:3\n \u001b[1m\u001b[94m|\u001b[0m\n \u001b[1m\u001b[94m122\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_withdraw_respects_timelock_for_rate_increases() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m680\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_warmup_period_linear_scaling() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m850\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_warmup_with_withdrawal() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m859\u001b[0m \u001b[1m\u001b[94m|\u001b[0m assert_contract_error(\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n \u001b[1m\u001b[94m976\u001b[0m \u001b[1m\u001b[94m|\u001b[0m fn test_slash_inactive_grant_updates_last_claim_time_on_withdraw() {\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[94m-\u001b[0m \u001b[1m\u001b[94munclosed delimiter\u001b[0m\n\u001b[1m\u001b[94m...\u001b[0m\n\u001b[1m\u001b[94m1150\u001b[0m \u001b[1m\u001b[94m|\u001b[0m }\n \u001b[1m\u001b[94m|\u001b[0m \u001b[1m\u001b[91m^\u001b[0m\n\n"}} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#stellar-xdr@22.1.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"stellar_xdr","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/stellar-xdr-22.1.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["alloc","curr","hex","serde","std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_xdr-f02bfc568c0819f3.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libstellar_xdr-f02bfc568c0819f3.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#itertools@0.10.5","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"itertools","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/itertools-0.10.5/src/lib.rs","edition":"2018","doc":true,"doctest":true,"test":false},"profile":{"opt_level":"0","debuginfo":0,"debug_assertions":true,"overflow_checks":true,"test":false},"features":["default","use_alloc","use_std"],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libitertools-4d84232d3fe61d7d.rlib","/Users/apple/dev/opensource/contracts/target/debug/deps/libitertools-4d84232d3fe61d7d.rmeta"],"executable":null,"fresh":true} {"reason":"compiler-artifact","package_id":"registry+https://github.com/rust-lang/crates.io-index#byteorder@1.5.0","manifest_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/byteorder-1.5.0/Cargo.toml","target":{"kind":["lib"],"crate_types":["lib"],"name":"byteorder","src_path":"/Users/apple/.cargo/registry/src/index.crates.io-1949cf8c6b5b557f/byteorder-1.5.0/src/lib.rs","edition":"2021","doc":true,"doctest":true,"test":true},"profile":{"opt_level":"0","debuginfo":2,"debug_assertions":true,"overflow_checks":true,"test":false},"features":[],"filenames":["/Users/apple/dev/opensource/contracts/target/debug/deps/libbyteorder-1dadd4935c2f6ede.rmeta"],"executable":null,"fresh":true}