sui_graphql_rpc/types/gas.rs
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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0
use async_graphql::connection::Connection;
use async_graphql::connection::CursorType;
use async_graphql::connection::Edge;
use async_graphql::*;
use sui_types::{
base_types::SuiAddress as NativeSuiAddress,
effects::{TransactionEffects as NativeTransactionEffects, TransactionEffectsAPI},
gas::GasCostSummary as NativeGasCostSummary,
transaction::GasData,
};
use super::{address::Address, big_int::BigInt, object::Object, sui_address::SuiAddress};
use super::{cursor::Page, object::ObjectKey};
use crate::consistency::ConsistentIndexCursor;
use crate::error::Error;
use crate::types::cursor::JsonCursor;
type CGasPayment = JsonCursor<ConsistentIndexCursor>;
#[derive(Clone, Debug, PartialEq, Eq)]
pub(crate) struct GasInput {
pub owner: SuiAddress,
pub price: u64,
pub budget: u64,
pub payment_obj_keys: Vec<ObjectKey>,
/// The checkpoint sequence number at which this was viewed at
pub checkpoint_viewed_at: u64,
}
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub(crate) struct GasCostSummary {
pub computation_cost: u64,
pub storage_cost: u64,
pub storage_rebate: u64,
pub non_refundable_storage_fee: u64,
}
#[derive(Clone, Copy, Debug, PartialEq, Eq)]
pub(crate) struct GasEffects {
pub summary: GasCostSummary,
pub object_id: SuiAddress,
pub object_version: u64,
/// The checkpoint sequence number this was viewed at.
pub checkpoint_viewed_at: u64,
}
/// Configuration for this transaction's gas price and the coins used to pay for gas.
#[Object]
impl GasInput {
/// Address of the owner of the gas object(s) used
async fn gas_sponsor(&self) -> Option<Address> {
Some(Address {
address: self.owner,
checkpoint_viewed_at: self.checkpoint_viewed_at,
})
}
/// Objects used to pay for a transaction's execution and storage
async fn gas_payment(
&self,
ctx: &Context<'_>,
first: Option<u64>,
after: Option<CGasPayment>,
last: Option<u64>,
before: Option<CGasPayment>,
) -> Result<Connection<String, Object>> {
// A possible user error during dry run or execution would be to supply a gas payment that
// is not a Move object (i.e a package). Even though the transaction would fail to run, this
// service will still attempt to present execution results. If the return type of this field
// is a `MoveObject`, then GraphQL will fail on the top-level with an internal error.
// Instead, we return an `Object` here, so that the rest of the `TransactionBlock` will
// still be viewable.
let page = Page::from_params(ctx.data_unchecked(), first, after, last, before)?;
let mut connection = Connection::new(false, false);
// Return empty connection if no payment objects
if self.payment_obj_keys.is_empty() {
return Ok(connection);
}
let Some((prev, next, checkpoint_viewed_at, cs)) = page
.paginate_consistent_indices(self.payment_obj_keys.len(), self.checkpoint_viewed_at)?
else {
return Ok(connection);
};
connection.has_previous_page = prev;
connection.has_next_page = next;
// Collect cursors since we need them twice
let cursors: Vec<_> = cs.collect();
let objects = Object::query_many(
ctx,
cursors
.iter()
.map(|c| self.payment_obj_keys[c.ix].clone())
.collect(),
checkpoint_viewed_at,
)
.await?
.into_iter()
.map(|obj| obj.ok_or_else(|| Error::Internal("Gas object not found".to_string())))
.collect::<Result<Vec<_>, _>>()?;
for (c, obj) in cursors.into_iter().zip(objects) {
connection.edges.push(Edge::new(c.encode_cursor(), obj));
}
Ok(connection)
}
/// An unsigned integer specifying the number of native tokens per gas unit this transaction
/// will pay (in MIST).
async fn gas_price(&self) -> Option<BigInt> {
Some(BigInt::from(self.price))
}
/// The maximum number of gas units that can be expended by executing this transaction
async fn gas_budget(&self) -> Option<BigInt> {
Some(BigInt::from(self.budget))
}
}
/// Breakdown of gas costs in effects.
#[Object]
impl GasCostSummary {
/// Gas paid for executing this transaction (in MIST).
async fn computation_cost(&self) -> Option<BigInt> {
Some(BigInt::from(self.computation_cost))
}
/// Gas paid for the data stored on-chain by this transaction (in MIST).
async fn storage_cost(&self) -> Option<BigInt> {
Some(BigInt::from(self.storage_cost))
}
/// Part of storage cost that can be reclaimed by cleaning up data created by this transaction
/// (when objects are deleted or an object is modified, which is treated as a deletion followed
/// by a creation) (in MIST).
async fn storage_rebate(&self) -> Option<BigInt> {
Some(BigInt::from(self.storage_rebate))
}
/// Part of storage cost that is not reclaimed when data created by this transaction is cleaned
/// up (in MIST).
async fn non_refundable_storage_fee(&self) -> Option<BigInt> {
Some(BigInt::from(self.non_refundable_storage_fee))
}
}
/// Effects related to gas (costs incurred and the identity of the smashed gas object returned).
#[Object]
impl GasEffects {
async fn gas_object(&self, ctx: &Context<'_>) -> Result<Option<Object>> {
Object::query(
ctx,
self.object_id,
Object::at_version(self.object_version, self.checkpoint_viewed_at),
)
.await
.extend()
}
async fn gas_summary(&self) -> Option<&GasCostSummary> {
Some(&self.summary)
}
}
impl GasEffects {
/// `checkpoint_viewed_at` represents the checkpoint sequence number at which this `GasEffects`
/// was queried for. This is stored on `GasEffects` so that when viewing that entity's state, it
/// will be as if it was read at the same checkpoint.
pub(crate) fn from(effects: &NativeTransactionEffects, checkpoint_viewed_at: u64) -> Self {
let ((id, version, _digest), _owner) = effects.gas_object();
Self {
summary: GasCostSummary::from(effects.gas_cost_summary()),
object_id: SuiAddress::from(id),
object_version: version.value(),
checkpoint_viewed_at,
}
}
}
impl GasInput {
/// `checkpoint_viewed_at` represents the checkpoint sequence number at which this `GasInput`
/// was queried for. This is stored on `GasInput` so that when viewing that entity's state, it
/// will be as if it was read at the same checkpoint.
pub(crate) fn from(s: &GasData, checkpoint_viewed_at: u64) -> Self {
let payment_obj_keys = match s.owner {
NativeSuiAddress::ZERO => vec![], // system transactions do not have payment objects
_ => s
.payment
.iter()
.map(|o| ObjectKey {
object_id: o.0.into(),
version: o.1.value().into(),
})
.collect(),
};
Self {
owner: s.owner.into(),
price: s.price,
budget: s.budget,
payment_obj_keys,
checkpoint_viewed_at,
}
}
}
impl From<&NativeGasCostSummary> for GasCostSummary {
fn from(gcs: &NativeGasCostSummary) -> Self {
Self {
computation_cost: gcs.computation_cost,
storage_cost: gcs.storage_cost,
storage_rebate: gcs.storage_rebate,
non_refundable_storage_fee: gcs.non_refundable_storage_fee,
}
}
}