1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275
// Copyright (C) 2019-2023 Aleo Systems Inc.
// This file is part of the Aleo SDK library.
// The Aleo SDK library is free software: you can redistribute it and/or modify
// it under the terms of the GNU General Public License as published by
// the Free Software Foundation, either version 3 of the License, or
// (at your option) any later version.
// The Aleo SDK library is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License
// along with the Aleo SDK library. If not, see <https://www.gnu.org/licenses/>.
//! [![github]](https://github.com/AleoHQ/sdk) [![crates-io]](https://crates.io/crates/aleo-rust) [![docs-rs]](https://docs.rs/aleo-rust/latest/aleo_rust/)
//!
//! [github]: https://img.shields.io/badge/github-8da0cb?style=for-the-badge&labelColor=555555&logo=github
//! [crates-io]: https://img.shields.io/badge/crates.io-fc8d62?style=for-the-badge&labelColor=555555&logo=rust
//! [docs-rs]: https://img.shields.io/badge/docs.rs-66c2a5?style=for-the-badge&labelColor=555555&logo=docs.rs
//!
//! <br/>
//! The Aleo Rust SDK provides a set of tools for deploying and executing programs as well as
//! tools for communicating with the Aleo Network.
//!
//! # Aleo Network Interaction
//!
//! Users of the SDK can interact with the Aleo network via the [AleoAPIClient] struct.
//!
//! The Aleo Network has nodes within the network which provide a REST API for interacting with
//! the network. The AleoAPIClient struct provides a 1:1 mapping of those REST API endpoints as well
//! as several convenience methods for interacting with the network.
//!
//! Some key usages of the Aleo API client are:
//! * Finding records to spend in value transfers, program executions and program deployments
//! * Locating programs deployed on the network
//! * Sending transactions to the network
//! * Inspecting chain data such as block content, transaction content, etc.
//!
//! ### Example Usage
//! ```no_run
//! use aleo_rust::AleoAPIClient;
//! use snarkvm_console::{
//! account::PrivateKey,
//! network::Testnet3,
//! };
//! use rand::thread_rng;
//!
//! // Create a client that interacts with the testnet3 program
//! let api_client = AleoAPIClient::<Testnet3>::testnet3();
//!
//! // FIND A PROGRAM ON THE ALEO NETWORK
//! let hello = api_client.get_program("hello.aleo").unwrap();
//! println!("Hello program: {hello:?}");
//!
//! // FIND RECORDS THAT BELONG TO A PRIVATE KEY
//! let mut rng = thread_rng();
//! // Create a private key (in practice, this would be an existing user's private key)
//! let private_key = PrivateKey::new(&mut rng).unwrap();
//! // Get the latest block height
//! let end_height = api_client.latest_height().unwrap();
//! // Look back 1000 blocks
//! let start_height = end_height - 1000u32;
//! // Find records with these gate amounts (requires an account with a balance)
//! let amounts_to_find = vec![100u64, 200u64];
//! let records = api_client.get_unspent_records(&private_key, (start_height..end_height), None, Some(&amounts_to_find)).unwrap();
//!
//! ```
//! # Program Execution and Deployment
//!
//! The Aleo [ProgramManager] provides a set of tools for deploying and executing programs locally
//! and on the Aleo Network.
//!
//! The [RecordFinder] struct is used in conjunction with the ProgramManager to find records to
//! spend in value transfers and program execution/deployments fees.
//!
//! The program deployment and execution flow are shown in the example below.
//!
//! ### Example Usage
//! ```no_run
//! use aleo_rust::{
//! AleoAPIClient, Encryptor, ProgramManager, RecordFinder,
//! snarkvm_types::{Address, PrivateKey, Testnet3, Program},
//! TransferType
//! };
//! use rand::thread_rng;
//! use std::str::FromStr;
//!
//! // Create the necessary components to create the program manager
//! let mut rng = thread_rng();
//! // Create an api client to query the network state
//! let api_client = AleoAPIClient::<Testnet3>::testnet3();
//! // Create a private key (in practice, this would be a user's private key)
//! let private_key = PrivateKey::<Testnet3>::new(&mut rng).unwrap();
//! // Encrypt the private key with a password
//! let private_key_ciphertext = Encryptor::<Testnet3>::encrypt_private_key_with_secret(&private_key, "password").unwrap();
//!
//! // Create the program manager
//! // (Note: An optional local directory can be provided to manage local program data)
//! let mut program_manager = ProgramManager::<Testnet3>::new(None, Some(private_key_ciphertext), Some(api_client), None).unwrap();
//!
//! // ------------------
//! // EXECUTE PROGRAM STEPS
//! // ------------------
//!
//! let record_finder = RecordFinder::<Testnet3>::new(AleoAPIClient::testnet3());
//! // Set the fee for the deployment transaction (in units of microcredits)
//! let fee_microcredits = 300000;
//! // Find a record to fund the deployment fee (requires an account with a balance)
//! let fee_record = record_finder.find_one_record(&private_key, fee_microcredits).unwrap();
//!
//! // Execute the function `hello` of the hello.aleo program with the arguments 5u32 and 3u32.
//! // Specify 0 for the fee and provide a password to decrypt the private key stored in the program manager
//! program_manager.execute_program("hello.aleo", "hello", ["5u32", "3u32"].into_iter(), 0, fee_record, Some("password")).unwrap();
//!
//! // ------------------
//! // DEPLOY PROGRAM STEPS
//! // ------------------
//!
//! // Note - Deployment requires a mandatory deployment fee, so an account with an existing
//! // balance is required to deploy a program
//!
//! // Create a program name (note: change this to something unique)
//! let program_name = "yourownprogram.aleo";
//! // Create a test program
//! let test_program = format!("program {};\n\nfunction hello:\n input r0 as u32.public;\n input r1 as u32.private;\n add r0 r1 into r2;\n output r2 as u32.private;\n", program_name);
//! // Create a program object from the program string
//! let program = Program::from_str(&test_program).unwrap();
//! // Add the program to the program manager (this can also be done by providing a path to
//! // the program on disk when the program manager is created)
//! program_manager.add_program(&program).unwrap();
//! // Create a record finder to find records to fund the deployment fee
//! let record_finder = RecordFinder::<Testnet3>::new(AleoAPIClient::testnet3());
//! // Set the fee for the deployment transaction (in units of microcredits)
//! let fee_microcredits = 300000;
//! // Find a record to fund the deployment fee (requires an account with a balance)
//! let fee_record = record_finder.find_one_record(&private_key, fee_microcredits).unwrap();
//! // Deploy the program to the network
//! program_manager.deploy_program(program_name, fee_microcredits, fee_record, Some("password")).unwrap();
//!
//! // Wait several minutes.. then check the program exists on the network
//! let api_client = AleoAPIClient::<Testnet3>::testnet3();
//! let program_on_chain = api_client.get_program(program_name).unwrap();
//! let program_on_chain_name = program_on_chain.id().to_string();
//! assert_eq!(&program_on_chain_name, program_name);
//!
//! // ------------------
//! // TRANSFER STEPS
//! // ------------------
//!
//! // Create a recipient (in practice, the recipient would send their address to the sender)
//! let recipient_key = PrivateKey::<Testnet3>::new(&mut rng).unwrap();
//! let recipient_address = Address::try_from(recipient_key).unwrap();
//! // Create amount and fee (both in units of microcredits)
//! let amount = 30000;
//! let fee = 100;
//! // Find records to fund the transfer
//! let (amount_record, fee_record) = record_finder.find_amount_and_fee_records(amount, fee, &private_key).unwrap();
//! // Create a transfer
//! program_manager.transfer(amount, fee, recipient_address, TransferType::Private, Some("password"), Some(amount_record), fee_record).unwrap();
//!
//! ```
//! This API is currently under active development and is expected to change in the future in order
//! to provide a more streamlined experience for program execution and deployment.
//!
pub mod account;
#[doc(inline)]
pub use account::Encryptor;
#[cfg(feature = "full")]
pub mod api;
#[cfg(feature = "full")]
#[doc(inline)]
pub use api::AleoAPIClient;
#[cfg(feature = "full")]
pub mod program;
#[cfg(feature = "full")]
#[doc(inline)]
pub use program::{OnChainProgramState, ProgramManager, RecordFinder, TransferType};
#[cfg(test)]
#[cfg(feature = "full")]
pub mod test_utils;
#[cfg(test)]
#[cfg(feature = "full")]
pub use test_utils::*;
pub mod snarkvm_types {
//! Re-export of crucial types from the snarkVM crate
#[cfg(feature = "full")]
pub use snarkvm::{file::Manifest, package::Package};
pub use snarkvm_circuit_network::{Aleo, AleoV0};
pub use snarkvm_console::{
account::{Address, PrivateKey, Signature, ViewKey},
network::Testnet3,
prelude::{ToBytes, Uniform},
program::{
Ciphertext,
EntryType,
Identifier,
Literal,
Locator,
Network,
OutputID,
Plaintext,
PlaintextType,
ProgramID,
ProgramOwner,
Record,
Response,
Value,
ValueType,
},
types::Field,
};
pub use snarkvm_ledger_block::{Block, Deployment, Execution, Transaction};
pub use snarkvm_ledger_query::Query;
pub use snarkvm_ledger_store::{
helpers::memory::{BlockMemory, ConsensusMemory},
BlockStore,
ConsensusStore,
};
pub use snarkvm_synthesizer::{
cost_in_microcredits,
deployment_cost,
execution_cost,
snark::{Proof, ProvingKey, VerifyingKey},
Process,
Program,
Trace,
VM,
};
}
#[cfg(feature = "full")]
use snarkvm::{file::Manifest, package::Package};
pub use snarkvm_types::*;
use anyhow::{anyhow, bail, ensure, Error, Result};
use indexmap::{IndexMap, IndexSet};
use once_cell::sync::OnceCell;
use snarkvm_console::program::Entry;
#[cfg(feature = "full")]
use std::{
convert::TryInto,
fs::File,
io::Read,
ops::{Add, Range},
path::PathBuf,
};
use std::{iter::FromIterator, marker::PhantomData, str::FromStr};
/// A trait providing convenient methods for accessing the amount of Aleo present in a record
pub trait Credits {
/// Get the amount of credits in the record if the record possesses Aleo credits
fn credits(&self) -> Result<f64> {
Ok(self.microcredits()? as f64 / 1_000_000.0)
}
/// Get the amount of microcredits in the record if the record possesses Aleo credits
fn microcredits(&self) -> Result<u64>;
}
impl<N: Network> Credits for Record<N, Plaintext<N>> {
fn microcredits(&self) -> Result<u64> {
let amount = match self.find(&[Identifier::from_str("microcredits")?])? {
Entry::Private(Plaintext::Literal(Literal::<N>::U64(amount), _)) => amount,
_ => bail!("The record provided does not contain a microcredits field"),
};
Ok(*amount)
}
}