use crate::coin::Coin;
use crate::coin::CoinMetadata;
use crate::coin::TreasuryCap;
use crate::coin::COIN_MODULE_NAME;
use crate::coin::COIN_STRUCT_NAME;
pub use crate::committee::EpochId;
use crate::crypto::{
AuthorityPublicKeyBytes, DefaultHash, PublicKey, SignatureScheme, SuiPublicKey, SuiSignature,
};
pub use crate::digests::{ObjectDigest, TransactionDigest, TransactionEffectsDigest};
use crate::dynamic_field::DynamicFieldInfo;
use crate::dynamic_field::DynamicFieldType;
use crate::effects::TransactionEffects;
use crate::effects::TransactionEffectsAPI;
use crate::epoch_data::EpochData;
use crate::error::ExecutionErrorKind;
use crate::error::SuiError;
use crate::error::{ExecutionError, SuiResult};
use crate::gas_coin::GasCoin;
use crate::gas_coin::GAS;
use crate::governance::StakedSui;
use crate::governance::STAKED_SUI_STRUCT_NAME;
use crate::governance::STAKING_POOL_MODULE_NAME;
use crate::id::RESOLVED_SUI_ID;
use crate::messages_checkpoint::CheckpointTimestamp;
use crate::multisig::MultiSigPublicKey;
use crate::object::{Object, Owner};
use crate::parse_sui_struct_tag;
use crate::signature::GenericSignature;
use crate::sui_serde::Readable;
use crate::sui_serde::{to_sui_struct_tag_string, HexAccountAddress};
use crate::transaction::Transaction;
use crate::transaction::VerifiedTransaction;
use crate::zk_login_authenticator::ZkLoginAuthenticator;
use crate::MOVE_STDLIB_ADDRESS;
use crate::SUI_CLOCK_OBJECT_ID;
use crate::SUI_FRAMEWORK_ADDRESS;
use crate::SUI_SYSTEM_ADDRESS;
use anyhow::anyhow;
use fastcrypto::encoding::decode_bytes_hex;
use fastcrypto::encoding::{Encoding, Hex};
use fastcrypto::hash::HashFunction;
use fastcrypto::traits::AllowedRng;
use fastcrypto_zkp::bn254::zk_login::ZkLoginInputs;
use move_binary_format::file_format::SignatureToken;
use move_binary_format::CompiledModule;
use move_bytecode_utils::resolve_struct;
use move_core_types::account_address::AccountAddress;
use move_core_types::annotated_value as A;
use move_core_types::ident_str;
use move_core_types::identifier::IdentStr;
use move_core_types::language_storage::ModuleId;
use move_core_types::language_storage::StructTag;
use move_core_types::language_storage::TypeTag;
use rand::Rng;
use schemars::JsonSchema;
use serde::ser::Error;
use serde::ser::SerializeSeq;
use serde::Serializer;
use serde::{Deserialize, Serialize};
use serde_with::serde_as;
use shared_crypto::intent::HashingIntentScope;
use std::cmp::max;
use std::convert::{TryFrom, TryInto};
use std::fmt;
use std::str::FromStr;
use sui_protocol_config::ProtocolConfig;
#[cfg(test)]
#[path = "unit_tests/base_types_tests.rs"]
mod base_types_tests;
#[derive(
Eq,
PartialEq,
Ord,
PartialOrd,
Copy,
Clone,
Hash,
Default,
Debug,
Serialize,
Deserialize,
JsonSchema,
)]
#[cfg_attr(feature = "fuzzing", derive(proptest_derive::Arbitrary))]
pub struct SequenceNumber(u64);
impl SequenceNumber {
pub fn one_before(&self) -> Option<SequenceNumber> {
if self.0 == 0 {
None
} else {
Some(SequenceNumber(self.0 - 1))
}
}
pub fn next(&self) -> SequenceNumber {
SequenceNumber(self.0 + 1)
}
}
pub type TxSequenceNumber = u64;
impl fmt::Display for SequenceNumber {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "{:#x}", self.0)
}
}
pub type VersionNumber = SequenceNumber;
#[derive(Eq, PartialEq, Ord, PartialOrd, Clone, Hash, Default, Debug, Serialize, Deserialize)]
pub struct UserData(pub Option<[u8; 32]>);
pub type AuthorityName = AuthorityPublicKeyBytes;
pub trait ConciseableName<'a> {
type ConciseTypeRef: std::fmt::Debug;
type ConciseType: std::fmt::Debug;
fn concise(&'a self) -> Self::ConciseTypeRef;
fn concise_owned(&self) -> Self::ConciseType;
}
#[serde_as]
#[derive(Eq, PartialEq, Clone, Copy, PartialOrd, Ord, Hash, Serialize, Deserialize, JsonSchema)]
pub struct ObjectID(
#[schemars(with = "Hex")]
#[serde_as(as = "Readable<HexAccountAddress, _>")]
AccountAddress,
);
#[serde_as]
#[derive(Debug, Eq, PartialEq, Clone, Copy, PartialOrd, Ord, Hash, Serialize, Deserialize)]
pub enum FullObjectID {
Fastpath(ObjectID),
Consensus(ConsensusObjectSequenceKey),
}
impl FullObjectID {
pub fn new(object_id: ObjectID, start_version: Option<SequenceNumber>) -> Self {
if let Some(start_version) = start_version {
Self::Consensus((object_id, start_version))
} else {
Self::Fastpath(object_id)
}
}
pub fn id(&self) -> ObjectID {
match &self {
FullObjectID::Fastpath(object_id) => *object_id,
FullObjectID::Consensus(consensus_object_sequence_key) => {
consensus_object_sequence_key.0
}
}
}
}
pub type VersionDigest = (SequenceNumber, ObjectDigest);
pub type ObjectRef = (ObjectID, SequenceNumber, ObjectDigest);
pub fn random_object_ref() -> ObjectRef {
(
ObjectID::random(),
SequenceNumber::new(),
ObjectDigest::new([0; 32]),
)
}
pub fn update_object_ref_for_testing(object_ref: ObjectRef) -> ObjectRef {
(
object_ref.0,
object_ref.1.next(),
ObjectDigest::new([0; 32]),
)
}
pub struct FullObjectRef(pub FullObjectID, pub SequenceNumber, pub ObjectDigest);
impl FullObjectRef {
pub fn from_fastpath_ref(object_ref: ObjectRef) -> Self {
Self(
FullObjectID::Fastpath(object_ref.0),
object_ref.1,
object_ref.2,
)
}
pub fn as_object_ref(&self) -> ObjectRef {
(self.0.id(), self.1, self.2)
}
}
pub type ConsensusObjectSequenceKey = (ObjectID, SequenceNumber);
#[derive(Eq, PartialEq, PartialOrd, Ord, Debug, Clone, Deserialize, Serialize, Hash)]
pub struct MoveObjectType(MoveObjectType_);
#[derive(Eq, PartialEq, PartialOrd, Ord, Debug, Clone, Deserialize, Serialize, Hash)]
pub enum MoveObjectType_ {
Other(StructTag),
GasCoin,
StakedSui,
Coin(TypeTag),
}
impl MoveObjectType {
pub fn gas_coin() -> Self {
Self(MoveObjectType_::GasCoin)
}
pub fn coin(coin_type: TypeTag) -> Self {
Self(if GAS::is_gas_type(&coin_type) {
MoveObjectType_::GasCoin
} else {
MoveObjectType_::Coin(coin_type)
})
}
pub fn staked_sui() -> Self {
Self(MoveObjectType_::StakedSui)
}
pub fn address(&self) -> AccountAddress {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::Coin(_) => SUI_FRAMEWORK_ADDRESS,
MoveObjectType_::StakedSui => SUI_SYSTEM_ADDRESS,
MoveObjectType_::Other(s) => s.address,
}
}
pub fn module(&self) -> &IdentStr {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::Coin(_) => COIN_MODULE_NAME,
MoveObjectType_::StakedSui => STAKING_POOL_MODULE_NAME,
MoveObjectType_::Other(s) => &s.module,
}
}
pub fn name(&self) -> &IdentStr {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::Coin(_) => COIN_STRUCT_NAME,
MoveObjectType_::StakedSui => STAKED_SUI_STRUCT_NAME,
MoveObjectType_::Other(s) => &s.name,
}
}
pub fn type_params(&self) -> Vec<TypeTag> {
match &self.0 {
MoveObjectType_::GasCoin => vec![GAS::type_tag()],
MoveObjectType_::StakedSui => vec![],
MoveObjectType_::Coin(inner) => vec![inner.clone()],
MoveObjectType_::Other(s) => s.type_params.clone(),
}
}
pub fn into_type_params(self) -> Vec<TypeTag> {
match self.0 {
MoveObjectType_::GasCoin => vec![GAS::type_tag()],
MoveObjectType_::StakedSui => vec![],
MoveObjectType_::Coin(inner) => vec![inner],
MoveObjectType_::Other(s) => s.type_params,
}
}
pub fn coin_type_maybe(&self) -> Option<TypeTag> {
match &self.0 {
MoveObjectType_::GasCoin => Some(GAS::type_tag()),
MoveObjectType_::Coin(inner) => Some(inner.clone()),
MoveObjectType_::StakedSui => None,
MoveObjectType_::Other(_) => None,
}
}
pub fn module_id(&self) -> ModuleId {
ModuleId::new(self.address(), self.module().to_owned())
}
pub fn size_for_gas_metering(&self) -> usize {
match &self.0 {
MoveObjectType_::GasCoin => 1,
MoveObjectType_::StakedSui => 1,
MoveObjectType_::Coin(inner) => bcs::serialized_size(inner).unwrap() + 1,
MoveObjectType_::Other(s) => bcs::serialized_size(s).unwrap() + 1,
}
}
pub fn is_coin(&self) -> bool {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::Coin(_) => true,
MoveObjectType_::StakedSui | MoveObjectType_::Other(_) => false,
}
}
pub fn is_gas_coin(&self) -> bool {
match &self.0 {
MoveObjectType_::GasCoin => true,
MoveObjectType_::StakedSui | MoveObjectType_::Coin(_) | MoveObjectType_::Other(_) => {
false
}
}
}
pub fn is_coin_t(&self, t: &TypeTag) -> bool {
match &self.0 {
MoveObjectType_::GasCoin => GAS::is_gas_type(t),
MoveObjectType_::Coin(c) => t == c,
MoveObjectType_::StakedSui | MoveObjectType_::Other(_) => false,
}
}
pub fn is_staked_sui(&self) -> bool {
match &self.0 {
MoveObjectType_::StakedSui => true,
MoveObjectType_::GasCoin | MoveObjectType_::Coin(_) | MoveObjectType_::Other(_) => {
false
}
}
}
pub fn is_coin_metadata(&self) -> bool {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::StakedSui | MoveObjectType_::Coin(_) => {
false
}
MoveObjectType_::Other(s) => CoinMetadata::is_coin_metadata(s),
}
}
pub fn is_treasury_cap(&self) -> bool {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::StakedSui | MoveObjectType_::Coin(_) => {
false
}
MoveObjectType_::Other(s) => TreasuryCap::is_treasury_type(s),
}
}
pub fn is_upgrade_cap(&self) -> bool {
self.address() == SUI_FRAMEWORK_ADDRESS
&& self.module().as_str() == "package"
&& self.name().as_str() == "UpgradeCap"
}
pub fn is_regulated_coin_metadata(&self) -> bool {
self.address() == SUI_FRAMEWORK_ADDRESS
&& self.module().as_str() == "coin"
&& self.name().as_str() == "RegulatedCoinMetadata"
}
pub fn is_coin_deny_cap(&self) -> bool {
self.address() == SUI_FRAMEWORK_ADDRESS
&& self.module().as_str() == "coin"
&& self.name().as_str() == "DenyCap"
}
pub fn is_coin_deny_cap_v2(&self) -> bool {
self.address() == SUI_FRAMEWORK_ADDRESS
&& self.module().as_str() == "coin"
&& self.name().as_str() == "DenyCapV2"
}
pub fn is_dynamic_field(&self) -> bool {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::StakedSui | MoveObjectType_::Coin(_) => {
false
}
MoveObjectType_::Other(s) => DynamicFieldInfo::is_dynamic_field(s),
}
}
pub fn try_extract_field_name(&self, type_: &DynamicFieldType) -> SuiResult<TypeTag> {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::StakedSui | MoveObjectType_::Coin(_) => {
Err(SuiError::ObjectDeserializationError {
error: "Error extracting dynamic object name from Coin object".to_string(),
})
}
MoveObjectType_::Other(s) => DynamicFieldInfo::try_extract_field_name(s, type_),
}
}
pub fn try_extract_field_value(&self) -> SuiResult<TypeTag> {
match &self.0 {
MoveObjectType_::GasCoin | MoveObjectType_::StakedSui | MoveObjectType_::Coin(_) => {
Err(SuiError::ObjectDeserializationError {
error: "Error extracting dynamic object value from Coin object".to_string(),
})
}
MoveObjectType_::Other(s) => DynamicFieldInfo::try_extract_field_value(s),
}
}
pub fn is(&self, s: &StructTag) -> bool {
match &self.0 {
MoveObjectType_::GasCoin => GasCoin::is_gas_coin(s),
MoveObjectType_::StakedSui => StakedSui::is_staked_sui(s),
MoveObjectType_::Coin(inner) => {
Coin::is_coin(s) && s.type_params.len() == 1 && inner == &s.type_params[0]
}
MoveObjectType_::Other(o) => s == o,
}
}
pub fn other(&self) -> Option<&StructTag> {
if let MoveObjectType_::Other(s) = &self.0 {
Some(s)
} else {
None
}
}
pub fn to_canonical_string(&self, with_prefix: bool) -> String {
StructTag::from(self.clone()).to_canonical_string(with_prefix)
}
}
impl From<StructTag> for MoveObjectType {
fn from(mut s: StructTag) -> Self {
Self(if GasCoin::is_gas_coin(&s) {
MoveObjectType_::GasCoin
} else if Coin::is_coin(&s) {
MoveObjectType_::Coin(s.type_params.pop().unwrap())
} else if StakedSui::is_staked_sui(&s) {
MoveObjectType_::StakedSui
} else {
MoveObjectType_::Other(s)
})
}
}
impl From<MoveObjectType> for StructTag {
fn from(t: MoveObjectType) -> Self {
match t.0 {
MoveObjectType_::GasCoin => GasCoin::type_(),
MoveObjectType_::StakedSui => StakedSui::type_(),
MoveObjectType_::Coin(inner) => Coin::type_(inner),
MoveObjectType_::Other(s) => s,
}
}
}
impl From<MoveObjectType> for TypeTag {
fn from(o: MoveObjectType) -> TypeTag {
let s: StructTag = o.into();
TypeTag::Struct(Box::new(s))
}
}
pub fn is_primitive_type_tag(t: &TypeTag) -> bool {
use TypeTag as T;
match t {
T::Bool | T::U8 | T::U16 | T::U32 | T::U64 | T::U128 | T::U256 | T::Address => true,
T::Vector(inner) => is_primitive_type_tag(inner),
T::Struct(st) => {
let StructTag {
address,
module,
name,
type_params: type_args,
} = &**st;
let resolved_struct = (address, module.as_ident_str(), name.as_ident_str());
if resolved_struct == RESOLVED_SUI_ID {
return true;
}
if resolved_struct == RESOLVED_UTF8_STR {
return true;
}
if resolved_struct == RESOLVED_ASCII_STR {
return true;
}
resolved_struct == RESOLVED_STD_OPTION
&& type_args.len() == 1
&& is_primitive_type_tag(&type_args[0])
}
T::Signer => false,
}
}
#[derive(Clone, Serialize, Deserialize, Ord, PartialOrd, Eq, PartialEq, Debug)]
pub enum ObjectType {
Package,
Struct(MoveObjectType),
}
impl From<&Object> for ObjectType {
fn from(o: &Object) -> Self {
o.data
.type_()
.map(|t| ObjectType::Struct(t.clone()))
.unwrap_or(ObjectType::Package)
}
}
impl TryFrom<ObjectType> for StructTag {
type Error = anyhow::Error;
fn try_from(o: ObjectType) -> Result<Self, anyhow::Error> {
match o {
ObjectType::Package => Err(anyhow!("Cannot create StructTag from Package")),
ObjectType::Struct(move_object_type) => Ok(move_object_type.into()),
}
}
}
impl FromStr for ObjectType {
type Err = anyhow::Error;
fn from_str(s: &str) -> Result<Self, Self::Err> {
if s.to_lowercase() == PACKAGE {
Ok(ObjectType::Package)
} else {
let tag = parse_sui_struct_tag(s)?;
Ok(ObjectType::Struct(MoveObjectType::from(tag)))
}
}
}
#[derive(Clone, Serialize, Deserialize, Ord, PartialOrd, Eq, PartialEq, Debug)]
pub struct ObjectInfo {
pub object_id: ObjectID,
pub version: SequenceNumber,
pub digest: ObjectDigest,
pub type_: ObjectType,
pub owner: Owner,
pub previous_transaction: TransactionDigest,
}
impl ObjectInfo {
pub fn new(oref: &ObjectRef, o: &Object) -> Self {
let (object_id, version, digest) = *oref;
Self {
object_id,
version,
digest,
type_: o.into(),
owner: o.owner.clone(),
previous_transaction: o.previous_transaction,
}
}
pub fn from_object(object: &Object) -> Self {
Self {
object_id: object.id(),
version: object.version(),
digest: object.digest(),
type_: object.into(),
owner: object.owner.clone(),
previous_transaction: object.previous_transaction,
}
}
}
const PACKAGE: &str = "package";
impl ObjectType {
pub fn is_gas_coin(&self) -> bool {
matches!(self, ObjectType::Struct(s) if s.is_gas_coin())
}
pub fn is_coin(&self) -> bool {
matches!(self, ObjectType::Struct(s) if s.is_coin())
}
pub fn is_coin_t(&self, t: &TypeTag) -> bool {
matches!(self, ObjectType::Struct(s) if s.is_coin_t(t))
}
pub fn is_package(&self) -> bool {
matches!(self, ObjectType::Package)
}
}
impl From<ObjectInfo> for ObjectRef {
fn from(info: ObjectInfo) -> Self {
(info.object_id, info.version, info.digest)
}
}
impl From<&ObjectInfo> for ObjectRef {
fn from(info: &ObjectInfo) -> Self {
(info.object_id, info.version, info.digest)
}
}
pub const SUI_ADDRESS_LENGTH: usize = ObjectID::LENGTH;
#[serde_as]
#[derive(
Eq, Default, PartialEq, Ord, PartialOrd, Copy, Clone, Hash, Serialize, Deserialize, JsonSchema,
)]
#[cfg_attr(feature = "fuzzing", derive(proptest_derive::Arbitrary))]
pub struct SuiAddress(
#[schemars(with = "Hex")]
#[serde_as(as = "Readable<Hex, _>")]
[u8; SUI_ADDRESS_LENGTH],
);
impl SuiAddress {
pub const ZERO: Self = Self([0u8; SUI_ADDRESS_LENGTH]);
pub fn to_vec(&self) -> Vec<u8> {
self.0.to_vec()
}
pub fn random_for_testing_only() -> Self {
AccountAddress::random().into()
}
pub fn generate<R: rand::RngCore + rand::CryptoRng>(mut rng: R) -> Self {
let buf: [u8; SUI_ADDRESS_LENGTH] = rng.gen();
Self(buf)
}
pub fn optional_address_as_hex<S>(
key: &Option<SuiAddress>,
serializer: S,
) -> Result<S::Ok, S::Error>
where
S: serde::ser::Serializer,
{
serializer.serialize_str(&key.map(Hex::encode).unwrap_or_default())
}
pub fn optional_address_from_hex<'de, D>(
deserializer: D,
) -> Result<Option<SuiAddress>, D::Error>
where
D: serde::de::Deserializer<'de>,
{
let s = String::deserialize(deserializer)?;
let value = decode_bytes_hex(&s).map_err(serde::de::Error::custom)?;
Ok(Some(value))
}
pub fn to_inner(self) -> [u8; SUI_ADDRESS_LENGTH] {
self.0
}
pub fn from_bytes<T: AsRef<[u8]>>(bytes: T) -> Result<Self, SuiError> {
<[u8; SUI_ADDRESS_LENGTH]>::try_from(bytes.as_ref())
.map_err(|_| SuiError::InvalidAddress)
.map(SuiAddress)
}
pub fn try_from_padded(inputs: &ZkLoginInputs) -> SuiResult<Self> {
Ok((&PublicKey::from_zklogin_inputs(inputs)?).into())
}
pub fn try_from_unpadded(inputs: &ZkLoginInputs) -> SuiResult<Self> {
let mut hasher = DefaultHash::default();
hasher.update([SignatureScheme::ZkLoginAuthenticator.flag()]);
let iss_bytes = inputs.get_iss().as_bytes();
hasher.update([iss_bytes.len() as u8]);
hasher.update(iss_bytes);
hasher.update(inputs.get_address_seed().unpadded());
Ok(SuiAddress(hasher.finalize().digest))
}
}
impl From<ObjectID> for SuiAddress {
fn from(object_id: ObjectID) -> SuiAddress {
Self(object_id.into_bytes())
}
}
impl From<AccountAddress> for SuiAddress {
fn from(address: AccountAddress) -> SuiAddress {
Self(address.into_bytes())
}
}
impl TryFrom<&[u8]> for SuiAddress {
type Error = SuiError;
fn try_from(bytes: &[u8]) -> Result<Self, SuiError> {
Self::from_bytes(bytes)
}
}
impl TryFrom<Vec<u8>> for SuiAddress {
type Error = SuiError;
fn try_from(bytes: Vec<u8>) -> Result<Self, SuiError> {
Self::from_bytes(bytes)
}
}
impl AsRef<[u8]> for SuiAddress {
fn as_ref(&self) -> &[u8] {
&self.0[..]
}
}
impl FromStr for SuiAddress {
type Err = anyhow::Error;
fn from_str(s: &str) -> Result<Self, Self::Err> {
decode_bytes_hex(s).map_err(|e| anyhow!(e))
}
}
impl<T: SuiPublicKey> From<&T> for SuiAddress {
fn from(pk: &T) -> Self {
let mut hasher = DefaultHash::default();
hasher.update([T::SIGNATURE_SCHEME.flag()]);
hasher.update(pk);
let g_arr = hasher.finalize();
SuiAddress(g_arr.digest)
}
}
impl From<&PublicKey> for SuiAddress {
fn from(pk: &PublicKey) -> Self {
let mut hasher = DefaultHash::default();
hasher.update([pk.flag()]);
hasher.update(pk);
let g_arr = hasher.finalize();
SuiAddress(g_arr.digest)
}
}
impl From<&MultiSigPublicKey> for SuiAddress {
fn from(multisig_pk: &MultiSigPublicKey) -> Self {
let mut hasher = DefaultHash::default();
hasher.update([SignatureScheme::MultiSig.flag()]);
hasher.update(multisig_pk.threshold().to_le_bytes());
multisig_pk.pubkeys().iter().for_each(|(pk, w)| {
hasher.update([pk.flag()]);
hasher.update(pk.as_ref());
hasher.update(w.to_le_bytes());
});
SuiAddress(hasher.finalize().digest)
}
}
impl TryFrom<&ZkLoginAuthenticator> for SuiAddress {
type Error = SuiError;
fn try_from(authenticator: &ZkLoginAuthenticator) -> SuiResult<Self> {
SuiAddress::try_from_unpadded(&authenticator.inputs)
}
}
impl TryFrom<&GenericSignature> for SuiAddress {
type Error = SuiError;
fn try_from(sig: &GenericSignature) -> SuiResult<Self> {
match sig {
GenericSignature::Signature(sig) => {
let scheme = sig.scheme();
let pub_key_bytes = sig.public_key_bytes();
let pub_key = PublicKey::try_from_bytes(scheme, pub_key_bytes).map_err(|_| {
SuiError::InvalidSignature {
error: "Cannot parse pubkey".to_string(),
}
})?;
Ok(SuiAddress::from(&pub_key))
}
GenericSignature::MultiSig(ms) => Ok(ms.get_pk().into()),
GenericSignature::MultiSigLegacy(ms) => {
Ok(crate::multisig::MultiSig::try_from(ms.clone())
.map_err(|_| SuiError::InvalidSignature {
error: "Invalid legacy multisig".to_string(),
})?
.get_pk()
.into())
}
GenericSignature::ZkLoginAuthenticator(zklogin) => {
SuiAddress::try_from_unpadded(&zklogin.inputs)
}
GenericSignature::PasskeyAuthenticator(s) => Ok(SuiAddress::from(&s.get_pk()?)),
}
}
}
impl fmt::Display for SuiAddress {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "0x{}", Hex::encode(self.0))
}
}
impl fmt::Debug for SuiAddress {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
write!(f, "0x{}", Hex::encode(self.0))
}
}
pub fn dbg_addr(name: u8) -> SuiAddress {
let addr = [name; SUI_ADDRESS_LENGTH];
SuiAddress(addr)
}
#[derive(
Eq, PartialEq, Ord, PartialOrd, Copy, Clone, Hash, Serialize, Deserialize, JsonSchema, Debug,
)]
pub struct ExecutionDigests {
pub transaction: TransactionDigest,
pub effects: TransactionEffectsDigest,
}
impl ExecutionDigests {
pub fn new(transaction: TransactionDigest, effects: TransactionEffectsDigest) -> Self {
Self {
transaction,
effects,
}
}
pub fn random() -> Self {
Self {
transaction: TransactionDigest::random(),
effects: TransactionEffectsDigest::random(),
}
}
}
#[derive(Clone, Eq, PartialEq, Serialize, Deserialize, Debug)]
pub struct ExecutionData {
pub transaction: Transaction,
pub effects: TransactionEffects,
}
impl ExecutionData {
pub fn new(transaction: Transaction, effects: TransactionEffects) -> ExecutionData {
debug_assert_eq!(transaction.digest(), effects.transaction_digest());
Self {
transaction,
effects,
}
}
pub fn digests(&self) -> ExecutionDigests {
self.effects.execution_digests()
}
}
#[derive(Clone, Eq, PartialEq, Debug)]
pub struct VerifiedExecutionData {
pub transaction: VerifiedTransaction,
pub effects: TransactionEffects,
}
impl VerifiedExecutionData {
pub fn new(transaction: VerifiedTransaction, effects: TransactionEffects) -> Self {
debug_assert_eq!(transaction.digest(), effects.transaction_digest());
Self {
transaction,
effects,
}
}
pub fn new_unchecked(data: ExecutionData) -> Self {
Self {
transaction: VerifiedTransaction::new_unchecked(data.transaction),
effects: data.effects,
}
}
pub fn into_inner(self) -> ExecutionData {
ExecutionData {
transaction: self.transaction.into_inner(),
effects: self.effects,
}
}
pub fn digests(&self) -> ExecutionDigests {
self.effects.execution_digests()
}
}
pub const STD_OPTION_MODULE_NAME: &IdentStr = ident_str!("option");
pub const STD_OPTION_STRUCT_NAME: &IdentStr = ident_str!("Option");
pub const RESOLVED_STD_OPTION: (&AccountAddress, &IdentStr, &IdentStr) = (
&MOVE_STDLIB_ADDRESS,
STD_OPTION_MODULE_NAME,
STD_OPTION_STRUCT_NAME,
);
pub const STD_ASCII_MODULE_NAME: &IdentStr = ident_str!("ascii");
pub const STD_ASCII_STRUCT_NAME: &IdentStr = ident_str!("String");
pub const RESOLVED_ASCII_STR: (&AccountAddress, &IdentStr, &IdentStr) = (
&MOVE_STDLIB_ADDRESS,
STD_ASCII_MODULE_NAME,
STD_ASCII_STRUCT_NAME,
);
pub const STD_UTF8_MODULE_NAME: &IdentStr = ident_str!("string");
pub const STD_UTF8_STRUCT_NAME: &IdentStr = ident_str!("String");
pub const RESOLVED_UTF8_STR: (&AccountAddress, &IdentStr, &IdentStr) = (
&MOVE_STDLIB_ADDRESS,
STD_UTF8_MODULE_NAME,
STD_UTF8_STRUCT_NAME,
);
pub const TX_CONTEXT_MODULE_NAME: &IdentStr = ident_str!("tx_context");
pub const TX_CONTEXT_STRUCT_NAME: &IdentStr = ident_str!("TxContext");
pub fn move_ascii_str_layout() -> A::MoveStructLayout {
A::MoveStructLayout {
type_: StructTag {
address: MOVE_STDLIB_ADDRESS,
module: STD_ASCII_MODULE_NAME.to_owned(),
name: STD_ASCII_STRUCT_NAME.to_owned(),
type_params: vec![],
},
fields: vec![A::MoveFieldLayout::new(
ident_str!("bytes").into(),
A::MoveTypeLayout::Vector(Box::new(A::MoveTypeLayout::U8)),
)],
}
}
pub fn move_utf8_str_layout() -> A::MoveStructLayout {
A::MoveStructLayout {
type_: StructTag {
address: MOVE_STDLIB_ADDRESS,
module: STD_UTF8_MODULE_NAME.to_owned(),
name: STD_UTF8_STRUCT_NAME.to_owned(),
type_params: vec![],
},
fields: vec![A::MoveFieldLayout::new(
ident_str!("bytes").into(),
A::MoveTypeLayout::Vector(Box::new(A::MoveTypeLayout::U8)),
)],
}
}
#[derive(Clone, Debug, Deserialize, Serialize, PartialEq, Eq)]
pub struct MoveLegacyTxContext {
sender: AccountAddress,
digest: Vec<u8>,
epoch: EpochId,
epoch_timestamp_ms: CheckpointTimestamp,
ids_created: u64,
}
impl From<&TxContext> for MoveLegacyTxContext {
fn from(tx_context: &TxContext) -> Self {
Self {
sender: tx_context.sender,
digest: tx_context.digest.clone(),
epoch: tx_context.epoch,
epoch_timestamp_ms: tx_context.epoch_timestamp_ms,
ids_created: tx_context.ids_created,
}
}
}
#[derive(Clone, Debug, Deserialize, Serialize, PartialEq, Eq)]
pub struct TxContext {
sender: AccountAddress,
digest: Vec<u8>,
epoch: EpochId,
epoch_timestamp_ms: CheckpointTimestamp,
ids_created: u64,
gas_price: u64,
gas_budget: u64,
sponsor: Option<AccountAddress>,
is_native: bool,
}
#[derive(PartialEq, Eq, Clone, Copy)]
pub enum TxContextKind {
None,
Mutable,
Immutable,
}
impl TxContext {
pub fn new(
sender: &SuiAddress,
digest: &TransactionDigest,
epoch_data: &EpochData,
gas_price: u64,
gas_budget: u64,
sponsor: Option<SuiAddress>,
protocol_config: &ProtocolConfig,
) -> Self {
Self::new_from_components(
sender,
digest,
&epoch_data.epoch_id(),
epoch_data.epoch_start_timestamp(),
gas_price,
gas_budget,
sponsor,
protocol_config,
)
}
pub fn new_from_components(
sender: &SuiAddress,
digest: &TransactionDigest,
epoch_id: &EpochId,
epoch_timestamp_ms: u64,
gas_price: u64,
gas_budget: u64,
sponsor: Option<SuiAddress>,
protocol_config: &ProtocolConfig,
) -> Self {
Self {
sender: AccountAddress::new(sender.0),
digest: digest.into_inner().to_vec(),
epoch: *epoch_id,
epoch_timestamp_ms,
ids_created: 0,
gas_price,
gas_budget,
sponsor: sponsor.map(|s| s.into()),
is_native: protocol_config.move_native_context(),
}
}
pub fn kind(view: &CompiledModule, s: &SignatureToken) -> TxContextKind {
use SignatureToken as S;
let (kind, s) = match s {
S::MutableReference(s) => (TxContextKind::Mutable, s),
S::Reference(s) => (TxContextKind::Immutable, s),
_ => return TxContextKind::None,
};
let S::Datatype(idx) = &**s else {
return TxContextKind::None;
};
let (module_addr, module_name, struct_name) = resolve_struct(view, *idx);
let is_tx_context_type = module_name == TX_CONTEXT_MODULE_NAME
&& module_addr == &SUI_FRAMEWORK_ADDRESS
&& struct_name == TX_CONTEXT_STRUCT_NAME;
if is_tx_context_type {
kind
} else {
TxContextKind::None
}
}
pub fn epoch(&self) -> EpochId {
self.epoch
}
pub fn sender(&self) -> SuiAddress {
self.sender.into()
}
pub fn epoch_timestamp_ms(&self) -> u64 {
self.epoch_timestamp_ms
}
pub fn digest(&self) -> TransactionDigest {
TransactionDigest::new(self.digest.clone().try_into().unwrap())
}
pub fn sponsor(&self) -> Option<SuiAddress> {
self.sponsor.map(SuiAddress::from)
}
pub fn gas_price(&self) -> u64 {
self.gas_price
}
pub fn gas_budget(&self) -> u64 {
self.gas_budget
}
pub fn ids_created(&self) -> u64 {
self.ids_created
}
pub fn fresh_id(&mut self) -> ObjectID {
let id = ObjectID::derive_id(self.digest(), self.ids_created);
self.ids_created += 1;
id
}
pub fn to_bcs_legacy_context(&self) -> Vec<u8> {
let move_context: MoveLegacyTxContext = if self.is_native {
let tx_context = &TxContext {
sender: AccountAddress::ZERO,
digest: self.digest.clone(),
epoch: 0,
epoch_timestamp_ms: 0,
ids_created: 0,
gas_price: 0,
gas_budget: 0,
sponsor: None,
is_native: true,
};
tx_context.into()
} else {
self.into()
};
bcs::to_bytes(&move_context).unwrap()
}
pub fn to_vec(&self) -> Vec<u8> {
bcs::to_bytes(&self).unwrap()
}
pub fn update_state(&mut self, other: MoveLegacyTxContext) -> Result<(), ExecutionError> {
if !self.is_native {
if self.sender != other.sender
|| self.digest != other.digest
|| other.ids_created < self.ids_created
{
return Err(ExecutionError::new_with_source(
ExecutionErrorKind::InvariantViolation,
"Immutable fields for TxContext changed",
));
}
self.ids_created = other.ids_created;
}
Ok(())
}
pub fn replace(
&mut self,
sender: AccountAddress,
tx_hash: Vec<u8>,
epoch: u64,
epoch_timestamp_ms: u64,
ids_created: u64,
gas_price: u64,
gas_budget: u64,
sponsor: Option<AccountAddress>,
) {
self.sender = sender;
self.digest = tx_hash;
self.epoch = epoch;
self.epoch_timestamp_ms = epoch_timestamp_ms;
self.ids_created = ids_created;
self.gas_price = gas_price;
self.gas_budget = gas_budget;
self.sponsor = sponsor;
}
}
impl SequenceNumber {
pub const MIN: SequenceNumber = SequenceNumber(u64::MIN);
pub const MAX: SequenceNumber = SequenceNumber(0x7fff_ffff_ffff_ffff);
pub const CANCELLED_READ: SequenceNumber = SequenceNumber(SequenceNumber::MAX.value() + 1);
pub const CONGESTED: SequenceNumber = SequenceNumber(SequenceNumber::MAX.value() + 2);
pub const RANDOMNESS_UNAVAILABLE: SequenceNumber =
SequenceNumber(SequenceNumber::MAX.value() + 3);
pub const UNKNOWN: SequenceNumber = SequenceNumber(SequenceNumber::MAX.value() + 4);
pub const fn new() -> Self {
SequenceNumber(0)
}
pub const fn value(&self) -> u64 {
self.0
}
pub const fn from_u64(u: u64) -> Self {
SequenceNumber(u)
}
pub fn increment(&mut self) {
assert_ne!(self.0, u64::MAX);
self.0 += 1;
}
pub fn increment_to(&mut self, next: SequenceNumber) {
debug_assert!(*self < next, "Not an increment: {} to {}", self, next);
*self = next;
}
pub fn decrement(&mut self) {
assert_ne!(self.0, 0);
self.0 -= 1;
}
pub fn decrement_to(&mut self, prev: SequenceNumber) {
debug_assert!(prev < *self, "Not a decrement: {} to {}", self, prev);
*self = prev;
}
#[must_use]
pub fn lamport_increment(inputs: impl IntoIterator<Item = SequenceNumber>) -> SequenceNumber {
let max_input = inputs.into_iter().fold(SequenceNumber::new(), max);
assert_ne!(max_input.0, u64::MAX);
SequenceNumber(max_input.0 + 1)
}
pub fn is_cancelled(&self) -> bool {
self == &SequenceNumber::CANCELLED_READ
|| self == &SequenceNumber::CONGESTED
|| self == &SequenceNumber::RANDOMNESS_UNAVAILABLE
}
pub fn is_valid(&self) -> bool {
self < &SequenceNumber::MAX
}
}
impl From<SequenceNumber> for u64 {
fn from(val: SequenceNumber) -> Self {
val.0
}
}
impl From<u64> for SequenceNumber {
fn from(value: u64) -> Self {
SequenceNumber(value)
}
}
impl From<SequenceNumber> for usize {
fn from(value: SequenceNumber) -> Self {
value.0 as usize
}
}
impl ObjectID {
pub const LENGTH: usize = AccountAddress::LENGTH;
pub const ZERO: Self = Self::new([0u8; Self::LENGTH]);
pub const MAX: Self = Self::new([0xff; Self::LENGTH]);
pub const fn new(obj_id: [u8; Self::LENGTH]) -> Self {
Self(AccountAddress::new(obj_id))
}
pub const fn from_address(addr: AccountAddress) -> Self {
Self(addr)
}
pub fn random() -> Self {
Self::from(AccountAddress::random())
}
pub fn random_from_rng<R>(rng: &mut R) -> Self
where
R: AllowedRng,
{
let buf: [u8; Self::LENGTH] = rng.gen();
ObjectID::new(buf)
}
pub fn to_vec(&self) -> Vec<u8> {
self.0.to_vec()
}
pub fn from_bytes<T: AsRef<[u8]>>(bytes: T) -> Result<Self, ObjectIDParseError> {
<[u8; Self::LENGTH]>::try_from(bytes.as_ref())
.map_err(|_| ObjectIDParseError::TryFromSliceError)
.map(ObjectID::new)
}
pub fn into_bytes(self) -> [u8; Self::LENGTH] {
self.0.into_bytes()
}
pub const fn from_single_byte(byte: u8) -> ObjectID {
let mut bytes = [0u8; Self::LENGTH];
bytes[Self::LENGTH - 1] = byte;
ObjectID::new(bytes)
}
pub fn from_hex_literal(literal: &str) -> Result<Self, ObjectIDParseError> {
if !literal.starts_with("0x") {
return Err(ObjectIDParseError::HexLiteralPrefixMissing);
}
let hex_len = literal.len() - 2;
if hex_len < Self::LENGTH * 2 {
let mut hex_str = String::with_capacity(Self::LENGTH * 2);
for _ in 0..Self::LENGTH * 2 - hex_len {
hex_str.push('0');
}
hex_str.push_str(&literal[2..]);
Self::from_str(&hex_str)
} else {
Self::from_str(&literal[2..])
}
}
pub fn derive_id(digest: TransactionDigest, creation_num: u64) -> Self {
let mut hasher = DefaultHash::default();
hasher.update([HashingIntentScope::RegularObjectId as u8]);
hasher.update(digest);
hasher.update(creation_num.to_le_bytes());
let hash = hasher.finalize();
ObjectID::try_from(&hash.as_ref()[0..ObjectID::LENGTH]).unwrap()
}
pub fn advance(&self, step: usize) -> Result<ObjectID, anyhow::Error> {
let mut curr_vec = self.to_vec();
let mut step_copy = step;
let mut carry = 0;
for idx in (0..Self::LENGTH).rev() {
if step_copy == 0 {
break;
}
let g = (step_copy % 0x100) as u16;
step_copy >>= 8;
let mut val = curr_vec[idx] as u16;
(carry, val) = ((val + carry + g) / 0x100, (val + carry + g) % 0x100);
curr_vec[idx] = val as u8;
}
if carry > 0 {
return Err(anyhow!("Increment will cause overflow"));
}
ObjectID::try_from(curr_vec).map_err(|w| w.into())
}
pub fn next_increment(&self) -> Result<ObjectID, anyhow::Error> {
let mut prev_val = self.to_vec();
let mx = [0xFF; Self::LENGTH];
if prev_val == mx {
return Err(anyhow!("Increment will cause overflow"));
}
for idx in (0..Self::LENGTH).rev() {
if prev_val[idx] == 0xFF {
prev_val[idx] = 0;
} else {
prev_val[idx] += 1;
break;
};
}
ObjectID::try_from(prev_val.clone()).map_err(|w| w.into())
}
pub fn in_range(offset: ObjectID, count: u64) -> Result<Vec<ObjectID>, anyhow::Error> {
let mut ret = Vec::new();
let mut prev = offset;
for o in 0..count {
if o != 0 {
prev = prev.next_increment()?;
}
ret.push(prev);
}
Ok(ret)
}
pub fn to_hex_uncompressed(&self) -> String {
format!("{self}")
}
pub fn is_clock(&self) -> bool {
*self == SUI_CLOCK_OBJECT_ID
}
}
impl From<SuiAddress> for ObjectID {
fn from(address: SuiAddress) -> ObjectID {
let tmp: AccountAddress = address.into();
tmp.into()
}
}
impl From<AccountAddress> for ObjectID {
fn from(address: AccountAddress) -> Self {
Self(address)
}
}
impl fmt::Display for ObjectID {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
write!(f, "0x{}", Hex::encode(self.0))
}
}
impl fmt::Debug for ObjectID {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> Result<(), fmt::Error> {
write!(f, "0x{}", Hex::encode(self.0))
}
}
impl AsRef<[u8]> for ObjectID {
fn as_ref(&self) -> &[u8] {
self.0.as_slice()
}
}
impl TryFrom<&[u8]> for ObjectID {
type Error = ObjectIDParseError;
fn try_from(bytes: &[u8]) -> Result<ObjectID, ObjectIDParseError> {
Self::from_bytes(bytes)
}
}
impl TryFrom<Vec<u8>> for ObjectID {
type Error = ObjectIDParseError;
fn try_from(bytes: Vec<u8>) -> Result<ObjectID, ObjectIDParseError> {
Self::from_bytes(bytes)
}
}
impl FromStr for ObjectID {
type Err = ObjectIDParseError;
fn from_str(s: &str) -> Result<Self, ObjectIDParseError> {
decode_bytes_hex(s).or_else(|_| Self::from_hex_literal(s))
}
}
impl std::ops::Deref for ObjectID {
type Target = AccountAddress;
fn deref(&self) -> &Self::Target {
&self.0
}
}
pub fn dbg_object_id(name: u8) -> ObjectID {
ObjectID::new([name; ObjectID::LENGTH])
}
#[derive(PartialEq, Eq, Clone, Debug, thiserror::Error)]
pub enum ObjectIDParseError {
#[error("ObjectID hex literal must start with 0x")]
HexLiteralPrefixMissing,
#[error("Could not convert from bytes slice")]
TryFromSliceError,
}
impl From<ObjectID> for AccountAddress {
fn from(obj_id: ObjectID) -> Self {
obj_id.0
}
}
impl From<SuiAddress> for AccountAddress {
fn from(address: SuiAddress) -> Self {
Self::new(address.0)
}
}
impl fmt::Display for MoveObjectType {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> std::fmt::Result {
let s: StructTag = self.clone().into();
write!(
f,
"{}",
to_sui_struct_tag_string(&s).map_err(fmt::Error::custom)?
)
}
}
impl fmt::Display for ObjectType {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> std::fmt::Result {
match self {
ObjectType::Package => write!(f, "{}", PACKAGE),
ObjectType::Struct(t) => write!(f, "{}", t),
}
}
}
#[derive(Debug, Deserialize, Clone, Eq, PartialEq, Hash, Ord, PartialOrd)]
#[serde(try_from = "Vec<T>")]
pub struct SizeOneVec<T> {
e: T,
}
impl<T> SizeOneVec<T> {
pub fn new(e: T) -> Self {
Self { e }
}
pub fn element(&self) -> &T {
&self.e
}
pub fn element_mut(&mut self) -> &mut T {
&mut self.e
}
pub fn into_inner(self) -> T {
self.e
}
pub fn iter(&self) -> std::iter::Once<&T> {
std::iter::once(&self.e)
}
}
impl<T> Serialize for SizeOneVec<T>
where
T: Serialize,
{
fn serialize<S>(&self, serializer: S) -> Result<S::Ok, S::Error>
where
S: Serializer,
{
let mut seq = serializer.serialize_seq(Some(1))?;
seq.serialize_element(&self.e)?;
seq.end()
}
}
impl<T> TryFrom<Vec<T>> for SizeOneVec<T> {
type Error = anyhow::Error;
fn try_from(mut v: Vec<T>) -> Result<Self, Self::Error> {
if v.len() != 1 {
Err(anyhow!("Expected a vec of size 1"))
} else {
Ok(SizeOneVec {
e: v.pop().unwrap(),
})
}
}
}
#[test]
fn test_size_one_vec_is_transparent() {
let regular = vec![42u8];
let size_one = SizeOneVec::new(42u8);
let regular_ser = bcs::to_bytes(®ular).unwrap();
let size_one_deser = bcs::from_bytes::<SizeOneVec<u8>>(®ular_ser).unwrap();
assert_eq!(size_one, size_one_deser);
let size_one_ser = bcs::to_bytes(&SizeOneVec::new(43u8)).unwrap();
let regular_deser = bcs::from_bytes::<Vec<u8>>(&size_one_ser).unwrap();
assert_eq!(regular_deser, vec![43u8]);
let empty_ser = bcs::to_bytes(&Vec::<u8>::new()).unwrap();
bcs::from_bytes::<SizeOneVec<u8>>(&empty_ser).unwrap_err();
let size_greater_than_one_ser = bcs::to_bytes(&vec![1u8, 2u8]).unwrap();
bcs::from_bytes::<SizeOneVec<u8>>(&size_greater_than_one_ser).unwrap_err();
}