weixin_58911309 2024-05-27 19:30 采纳率: 0%
浏览 14
已结题

比特币ord程序wallet_constructor.rs文件支持一次性铸造1000个代币,并将它们分配到40个UTXO上(每个UTXO上分配25个代币),并设置找零地址

添加对铸造1000个代币的逻辑。
将1000个代币分配到40个UTXO上,每个UTXO上分配25个代币。
设置找零地址
第一次来这个平台,
加威信:TanWang2022 指导300元感谢

对以下是原文件代码进行完整修改:

use super::*;

#[derive(Clone)]
pub(crate) struct WalletConstructor {
  ord_client: reqwest::blocking::Client,
  name: String,
  no_sync: bool,
  rpc_url: Url,
  settings: Settings,
}

impl WalletConstructor {
  pub(crate) fn construct(
    name: String,
    no_sync: bool,
    settings: Settings,
    rpc_url: Url,
  ) -> Result<Wallet> {
    let mut headers = HeaderMap::new();
    headers.insert(
      header::ACCEPT,
      header::HeaderValue::from_static("application/json"),
    );

    if let Some((username, password)) = settings.credentials() {
      let credentials =
        base64::engine::general_purpose::STANDARD.encode(format!("{username}:{password}"));
      headers.insert(
        header::AUTHORIZATION,
        header::HeaderValue::from_str(&format!("Basic {credentials}")).unwrap(),
      );
    }

    Self {
      ord_client: reqwest::blocking::ClientBuilder::new()
        .timeout(None)
        .default_headers(headers.clone())
        .build()?,
      name,
      no_sync,
      rpc_url,
      settings,
    }
    .build()
  }

  pub(crate) fn build(self) -> Result<Wallet> {
    let database = Wallet::open_database(&self.name, &self.settings)?;

    let bitcoin_client = {
      let client =
        Wallet::check_version(self.settings.bitcoin_rpc_client(Some(self.name.clone()))?)?;

      if !client.list_wallets()?.contains(&self.name) {
        client.load_wallet(&self.name)?;
      }

      if client.get_wallet_info()?.private_keys_enabled {
        Wallet::check_descriptors(&self.name, client.list_descriptors(None)?.descriptors)?;
      }

      client
    };

    let chain_block_count = bitcoin_client.get_block_count().unwrap() + 1;

    if !self.no_sync {
      for i in 0.. {
        let response = self.get("/blockcount")?;

        if response
          .text()?
          .parse::<u64>()
          .expect("wallet failed to talk to server. Make sure `ord server` is running.")
          >= chain_block_count
        {
          break;
        } else if i == 20 {
          bail!("wallet failed to synchronize with `ord server` after {i} attempts");
        }
        std::thread::sleep(Duration::from_millis(50));
      }
    }

    let mut utxos = Self::get_utxos(&bitcoin_client)?;
    let locked_utxos = Self::get_locked_utxos(&bitcoin_client)?;
    utxos.extend(locked_utxos.clone());

    let output_info = self.get_output_info(utxos.clone().into_keys().collect())?;

    let inscriptions = output_info
      .iter()
      .flat_map(|(_output, info)| info.inscriptions.clone())
      .collect::<Vec<InscriptionId>>();

    let (inscriptions, inscription_info) = self.get_inscriptions(&inscriptions)?;

    let status = self.get_server_status()?;

    Ok(Wallet {
      bitcoin_client,
      database,
      has_rune_index: status.rune_index,
      has_sat_index: status.sat_index,
      inscription_info,
      inscriptions,
      locked_utxos,
      ord_client: self.ord_client,
      output_info,
      rpc_url: self.rpc_url,
      settings: self.settings,
      utxos,
    })
  }

  fn get_output_info(&self, outputs: Vec<OutPoint>) -> Result<BTreeMap<OutPoint, api::Output>> {
    let response = self.post("/outputs", &outputs)?;

    if !response.status().is_success() {
      bail!("wallet failed get outputs: {}", response.text()?);
    }

    let output_info: BTreeMap<OutPoint, api::Output> = outputs
      .into_iter()
      .zip(serde_json::from_str::<Vec<api::Output>>(&response.text()?)?)
      .collect();

    for (output, info) in &output_info {
      if !info.indexed {
        bail!("output in wallet but not in ord server: {output}");
      }
    }

    Ok(output_info)
  }

  fn get_inscriptions(
    &self,
    inscriptions: &Vec<InscriptionId>,
  ) -> Result<(
    BTreeMap<SatPoint, Vec<InscriptionId>>,
    BTreeMap<InscriptionId, api::Inscription>,
  )> {
    let response = self.post("/inscriptions", inscriptions)?;

    if !response.status().is_success() {
      bail!("wallet failed get inscriptions: {}", response.text()?);
    }

    let mut inscriptions = BTreeMap::new();
    let mut inscription_infos = BTreeMap::new();
    for info in serde_json::from_str::<Vec<api::Inscription>>(&response.text()?)? {
      inscriptions
        .entry(info.satpoint)
        .or_insert_with(Vec::new)
        .push(info.id);

      inscription_infos.insert(info.id, info);
    }

    Ok((inscriptions, inscription_infos))
  }

  fn get_utxos(bitcoin_client: &Client) -> Result<BTreeMap<OutPoint, TxOut>> {
    Ok(
      bitcoin_client
        .list_unspent(None, None, None, None, None)?
        .into_iter()
        .map(|utxo| {
          let outpoint = OutPoint::new(utxo.txid, utxo.vout);
          let txout = TxOut {
            script_pubkey: utxo.script_pub_key,
            value: utxo.amount.to_sat(),
          };

          (outpoint, txout)
        })
        .collect(),
    )
  }

  fn get_locked_utxos(bitcoin_client: &Client) -> Result<BTreeMap<OutPoint, TxOut>> {
    #[derive(Deserialize)]
    pub(crate) struct JsonOutPoint {
      txid: Txid,
      vout: u32,
    }

    let outpoints = bitcoin_client.call::<Vec<JsonOutPoint>>("listlockunspent", &[])?;

    let mut utxos = BTreeMap::new();

    for outpoint in outpoints {
      let Some(tx_out) = bitcoin_client.get_tx_out(&outpoint.txid, outpoint.vout, Some(false))?
      else {
        continue;
      };

      utxos.insert(
        OutPoint::new(outpoint.txid, outpoint.vout),
        TxOut {
          value: tx_out.value.to_sat(),
          script_pubkey: ScriptBuf::from_bytes(tx_out.script_pub_key.hex),
        },
      );
    }

    Ok(utxos)
  }

  fn get_server_status(&self) -> Result<api::Status> {
    let response = self.get("/status")?;

    if !response.status().is_success() {
      bail!("could not get status: {}", response.text()?)
    }

    Ok(serde_json::from_str(&response.text()?)?)
  }

  pub fn get(&self, path: &str) -> Result<reqwest::blocking::Response> {
    self
      .ord_client
      .get(self.rpc_url.join(path)?)
      .send()
      .map_err(|err| anyhow!(err))
  }

  pub fn post(&self, path: &str, body: &impl Serialize) -> Result<reqwest::blocking::Response> {
    self
      .ord_client
      .post(self.rpc_url.join(path)?)
      .json(body)
      .header(reqwest::header::ACCEPT, "application/json")
      .send()
      .map_err(|err| anyhow!(err))
  }
}


  • 写回答

17条回答 默认 最新

  • 阿里嘎多学长 2024-05-27 20:06
    关注

    以下内容由CHATGPT及阿里嘎多学长共同生成、有用望采纳:


    要实现您所描述的功能,我们需要在WalletConstructor结构体中添加一些新的逻辑来铸造代币,并将它们分配到UTXOs上。由于您提供的代码片段是一个Rust程序的一部分,并且涉及到比特币的ord程序,我将提供一个概念性的示例来展示如何实现这些功能。

    请注意,以下代码是一个示例,可能需要根据您的具体程序和ord程序的API进行调整。

    1. 铸造代币:首先,我们需要一个方法来铸造代币。这通常涉及到创建一个交易,该交易包含一个输出,其金额为铸造的代币数量。

    2. 分配到UTXOs:铸造完成后,我们需要将这些代币分配到40个UTXOs上。这可能涉及到创建多个输出,每个输出包含25个代币。

    3. 设置找零地址:在创建交易时,我们需要指定一个找零地址,以便将剩余的比特币返回给用户。

    4. 修改构造函数和build方法:我们需要修改constructbuild方法,以包含上述新逻辑。

    下面是一个简化的示例代码,展示了如何实现这些功能:

    // 假设我们有一个方法来铸造代币并返回一个包含新铸造代币的交易
    fn mint_tokens(bitcoin_client: &Client, amount: u64, change_address: &str) -> Result<Transaction, Error> {
        // 创建一个新的交易
        let mut transaction = Transaction::new();
    
        // 添加一个输出,用于铸造代币
        transaction.add_output(&Script::pay_to_address(amount, Address::from_str(change_address)?));
    
        // ... 其他逻辑来构建交易 ...
    
        Ok(transaction)
    }
    
    impl WalletConstructor {
        // ... 现有代码 ...
    
        // 添加铸造代币的逻辑
        pub(crate) fn mint_and_distribute_tokens(&mut self, amount: u64, change_address: &str) -> Result<(), Error> {
            let transaction = mint_tokens(&self.bitcoin_client, amount, change_address)?;
    
            // 广播交易
            self.bitcoin_client.send_transaction(&transaction)?;
    
            // 分配代币到40个UTXOs
            // 这里需要根据实际情况来分配代币
            // 例如,我们可以创建一个新的交易,将铸造的代币分配到40个输出上
            // 每个输出25个代币,剩余的作为找零返回到change_address
    
            // ... 分配逻辑 ...
    
            Ok(())
        }
    
        // 修改build方法以包含铸造和分配逻辑
        pub(crate) fn build(self) -> Result<Wallet> {
            // ... 现有逻辑 ...
    
            // 在构建钱包之前铸造代币并分配
            self.mint_and_distribute_tokens(1000, "your_change_address_here")?;
    
            // ... 继续构建钱包的其余逻辑 ...
        }
    }
    
    // ... 其他代码 ...
    

    注意:上述代码仅为示例,实际实现时需要根据ord程序的具体API和Rust的比特币库来编写。

    参考资料

    • Rust比特币库(如bitcoin crate)文档:https://docs.rs/bitcoin
    • ord程序的API文档(如果有的话)

    由于这是一个相对复杂的任务,如果您不熟悉比特币交易的构建或者Rust编程,我建议您查阅相关的文档和教程,或者寻求有经验的开发者的帮助。

    评论 编辑记录

报告相同问题?

问题事件

  • 已结题 (查看结题原因) 5月28日
  • 赞助了问题酬金15元 5月27日
  • 创建了问题 5月27日

悬赏问题

  • ¥15 java和硬件交互问题
  • ¥15 前台多人编辑时怎么让每个人保存刷新都互不干扰
  • ¥20 如何用Python删除单元格内连续出现的重复词?
  • ¥15 WangEditor嵌入到geeker-admin中,回车没有办法换行
  • ¥30 stm32f103c8t6制作万能红外遥控器
  • ¥15 有人会fastcrud写前端页面吗
  • ¥15 如何解除Uniaccess管控
  • ¥15 微信小程序跳转关联公众号
  • ¥15 Java AES 算法 加密采用24位向量报错如何处理?
  • ¥15 使用X11可以找到托盘句柄,监控到窗口点击事件但是如何在监听的同时获取托盘中应用的上下文菜单句柄