sui_graphql_rpc/types/dynamic_field.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 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 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0
use async_graphql::connection::{Connection, CursorType, Edge};
use async_graphql::*;
use diesel_async::scoped_futures::ScopedFutureExt;
use move_core_types::language_storage::TypeTag;
use sui_indexer::models::objects::StoredHistoryObject;
use sui_indexer::types::OwnerType;
use sui_types::dynamic_field::visitor::{Field, FieldVisitor};
use sui_types::dynamic_field::{derive_dynamic_field_id, DynamicFieldInfo, DynamicFieldType};
use super::available_range::AvailableRange;
use super::cursor::{Page, Target};
use super::object::{self, Object, ObjectKind};
use super::type_filter::ExactTypeFilter;
use super::{
base64::Base64, move_object::MoveObject, move_value::MoveValue, sui_address::SuiAddress,
};
use crate::consistency::{build_objects_query, View};
use crate::data::package_resolver::PackageResolver;
use crate::data::{Db, QueryExecutor};
use crate::error::Error;
use crate::filter;
use crate::raw_query::RawQuery;
pub(crate) struct DynamicField {
pub super_: MoveObject,
/// The root version that this dynamic field was queried at. This can be a later version than
/// the version of the dynamic field's object (`super_`).
pub root_version: Option<u64>,
}
#[derive(Union)]
pub(crate) enum DynamicFieldValue {
MoveObject(MoveObject), // DynamicObject
MoveValue(MoveValue), // DynamicField
}
#[derive(InputObject)] // used as input object
pub(crate) struct DynamicFieldName {
/// The string type of the DynamicField's 'name' field.
/// A string representation of a Move primitive like 'u64', or a struct type like '0x2::kiosk::Listing'
pub type_: ExactTypeFilter,
/// The Base64 encoded bcs serialization of the DynamicField's 'name' field.
pub bcs: Base64,
}
/// Dynamic fields are heterogeneous fields that can be added or removed at runtime,
/// and can have arbitrary user-assigned names. There are two sub-types of dynamic
/// fields:
///
/// 1) Dynamic Fields can store any value that has the `store` ability, however an object
/// stored in this kind of field will be considered wrapped and will not be accessible
/// directly via its ID by external tools (explorers, wallets, etc) accessing storage.
/// 2) Dynamic Object Fields values must be Sui objects (have the `key` and `store`
/// abilities, and id: UID as the first field), but will still be directly accessible off-chain
/// via their object ID after being attached.
#[Object]
impl DynamicField {
/// The string type, data, and serialized value of the DynamicField's 'name' field.
/// This field is used to uniquely identify a child of the parent object.
async fn name(&self, ctx: &Context<'_>) -> Result<Option<MoveValue>> {
let resolver: &PackageResolver = ctx.data_unchecked();
let type_ = TypeTag::from(self.super_.native.type_().clone());
let layout = resolver.type_layout(type_.clone()).await.map_err(|e| {
Error::Internal(format!(
"Error fetching layout for type {}: {e}",
type_.to_canonical_display(/* with_prefix */ true)
))
})?;
let Field {
name_layout,
name_bytes,
..
} = FieldVisitor::deserialize(self.super_.native.contents(), &layout)
.map_err(|e| Error::Internal(e.to_string()))
.extend()?;
Ok(Some(MoveValue::new(
name_layout.into(),
Base64::from(name_bytes.to_owned()),
)))
}
/// The returned dynamic field is an object if its return type is `MoveObject`,
/// in which case it is also accessible off-chain via its address. Its contents
/// will be from the latest version that is at most equal to its parent object's
/// version
async fn value(&self, ctx: &Context<'_>) -> Result<Option<DynamicFieldValue>> {
let resolver: &PackageResolver = ctx.data_unchecked();
let type_ = TypeTag::from(self.super_.native.type_().clone());
let layout = resolver.type_layout(type_.clone()).await.map_err(|e| {
Error::Internal(format!(
"Error fetching layout for type {}: {e}",
type_.to_canonical_display(/* with_prefix */ true)
))
})?;
let Field {
kind,
value_layout,
value_bytes,
..
} = FieldVisitor::deserialize(self.super_.native.contents(), &layout)
.map_err(|e| Error::Internal(e.to_string()))
.extend()?;
if kind == DynamicFieldType::DynamicObject {
let df_object_id: SuiAddress = bcs::from_bytes(value_bytes)
.map_err(|e| Error::Internal(format!("Failed to deserialize object ID: {e}")))
.extend()?;
let obj = MoveObject::query(
ctx,
df_object_id,
if let Some(root_version) = self.root_version {
Object::under_parent(root_version, self.super_.super_.checkpoint_viewed_at)
} else {
Object::latest_at(self.super_.super_.checkpoint_viewed_at)
},
)
.await
.extend()?;
Ok(obj.map(DynamicFieldValue::MoveObject))
} else {
Ok(Some(DynamicFieldValue::MoveValue(MoveValue::new(
value_layout.into(),
Base64::from(value_bytes.to_owned()),
))))
}
}
}
impl DynamicField {
/// Fetch a single dynamic field entry from the `db`, on `parent` object, with field name
/// `name`, and kind `kind` (dynamic field or dynamic object field). The dynamic field is bound
/// by the `parent_version` if provided - the fetched field will be the latest version at or
/// before the provided version. If `parent_version` is not provided, the latest version of the
/// field is returned as bounded by the `checkpoint_viewed_at` parameter.
pub(crate) async fn query(
ctx: &Context<'_>,
parent: SuiAddress,
parent_version: Option<u64>,
name: DynamicFieldName,
kind: DynamicFieldType,
checkpoint_viewed_at: u64,
) -> Result<Option<DynamicField>, Error> {
let type_ = match kind {
DynamicFieldType::DynamicField => name.type_.0,
DynamicFieldType::DynamicObject => {
DynamicFieldInfo::dynamic_object_field_wrapper(name.type_.0).into()
}
};
let field_id = derive_dynamic_field_id(parent, &type_, &name.bcs.0)
.map_err(|e| Error::Internal(format!("Failed to derive dynamic field id: {e}")))?;
let super_ = MoveObject::query(
ctx,
SuiAddress::from(field_id),
if let Some(parent_version) = parent_version {
Object::under_parent(parent_version, checkpoint_viewed_at)
} else {
Object::latest_at(checkpoint_viewed_at)
},
)
.await?;
super_
.map(|super_| Self::try_from(super_, parent_version))
.transpose()
}
/// Query the `db` for a `page` of dynamic fields attached to object with ID `parent`. The
/// returned dynamic fields are bound by the `parent_version` if provided - each field will be
/// the latest version at or before the provided version. If `parent_version` is not provided,
/// the latest version of each field is returned as bounded by the `checkpoint_viewed-at`
/// parameter.`
pub(crate) async fn paginate(
db: &Db,
page: Page<object::Cursor>,
parent: SuiAddress,
parent_version: Option<u64>,
checkpoint_viewed_at: u64,
) -> Result<Connection<String, DynamicField>, Error> {
// If cursors are provided, defer to the `checkpoint_viewed_at` in the cursor if they are
// consistent. Otherwise, use the value from the parameter, or set to None. This is so that
// paginated queries are consistent with the previous query that created the cursor.
let cursor_viewed_at = page.validate_cursor_consistency()?;
let checkpoint_viewed_at = cursor_viewed_at.unwrap_or(checkpoint_viewed_at);
let Some((prev, next, results)) = db
.execute_repeatable(move |conn| {
async move {
let Some(range) = AvailableRange::result(conn, checkpoint_viewed_at).await?
else {
return Ok::<_, diesel::result::Error>(None);
};
Ok(Some(
page.paginate_raw_query::<StoredHistoryObject>(
conn,
checkpoint_viewed_at,
dynamic_fields_query(parent, parent_version, range, &page),
)
.await?,
))
}
.scope_boxed()
})
.await?
else {
return Err(Error::Client(
"Requested data is outside the available range".to_string(),
));
};
let mut conn: Connection<String, DynamicField> = Connection::new(prev, next);
for stored in results {
// To maintain consistency, the returned cursor should have the same upper-bound as the
// checkpoint found on the cursor.
let cursor = stored.cursor(checkpoint_viewed_at).encode_cursor();
let object = Object::try_from_stored_history_object(
stored,
checkpoint_viewed_at,
parent_version,
)?;
let move_ = MoveObject::try_from(&object).map_err(|_| {
Error::Internal(format!(
"Failed to deserialize as Move object: {}",
object.address
))
})?;
let dynamic_field = DynamicField::try_from(move_, parent_version)?;
conn.edges.push(Edge::new(cursor, dynamic_field));
}
Ok(conn)
}
fn try_from(stored: MoveObject, root_version: Option<u64>) -> Result<Self, Error> {
let super_ = &stored.super_;
let native = match &super_.kind {
ObjectKind::NotIndexed(native) | ObjectKind::Indexed(native, _) => native.clone(),
ObjectKind::Serialized(bytes) => bcs::from_bytes(bytes)
.map_err(|e| Error::Internal(format!("Failed to deserialize object: {e}")))?,
};
let Some(object) = native.data.try_as_move() else {
return Err(Error::Internal("DynamicField is not an object".to_string()));
};
let Some(tag) = object.type_().other() else {
return Err(Error::Internal("DynamicField is not a struct".to_string()));
};
if !DynamicFieldInfo::is_dynamic_field(tag) {
return Err(Error::Internal("Wrong type for DynamicField".to_string()));
}
Ok(DynamicField {
super_: stored,
root_version,
})
}
}
/// Builds the `RawQuery` for fetching dynamic fields attached to a parent object. If
/// `parent_version` is null, the latest version of each field within the given checkpoint range
/// [`lhs`, `rhs`] is returned, conditioned on the fact that there is not a more recent version of
/// the field.
///
/// If `parent_version` is provided, it is used to bound both the `candidates` and `newer` objects
/// subqueries. This is because the dynamic fields of a parent at version v are dynamic fields owned
/// by the parent whose versions are <= v. Unlike object ownership, where owned and owner objects
/// can have arbitrary `object_version`s, dynamic fields on a parent cannot have a version greater
/// than its parent.
fn dynamic_fields_query(
parent: SuiAddress,
parent_version: Option<u64>,
range: AvailableRange,
page: &Page<object::Cursor>,
) -> RawQuery {
build_objects_query(
View::Consistent,
range,
page,
move |query| apply_filter(query, parent, parent_version),
move |newer| {
if let Some(parent_version) = parent_version {
filter!(newer, format!("object_version <= {}", parent_version))
} else {
newer
}
},
)
}
fn apply_filter(query: RawQuery, parent: SuiAddress, parent_version: Option<u64>) -> RawQuery {
let query = filter!(
query,
format!(
"owner_id = '\\x{}'::bytea AND owner_type = {} AND df_kind IS NOT NULL",
hex::encode(parent.into_vec()),
OwnerType::Object as i16
)
);
if let Some(version) = parent_version {
filter!(query, format!("object_version <= {}", version))
} else {
query
}
}