sui_indexer_alt_jsonrpc/api/objects/
mod.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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use filter::SuiObjectResponseQuery;
use futures::future;
use jsonrpsee::{core::RpcResult, proc_macros::rpc};
use sui_json_rpc_types::{
    Page, SuiGetPastObjectRequest, SuiObjectDataOptions, SuiObjectResponse, SuiPastObjectResponse,
};
use sui_open_rpc::Module;
use sui_open_rpc_macros::open_rpc;
use sui_types::base_types::{ObjectID, SequenceNumber, SuiAddress};

use crate::{
    context::Context,
    error::{invalid_params, InternalContext},
};

use super::rpc_module::RpcModule;

use self::error::Error;

mod error;
mod filter;
pub(crate) mod response;

#[open_rpc(namespace = "sui", tag = "Objects API")]
#[rpc(server, namespace = "sui")]
trait ObjectsApi {
    /// Return the object information for the latest version of an object.
    #[method(name = "getObject")]
    async fn get_object(
        &self,
        /// The ID of the queried obect
        object_id: ObjectID,
        /// Options for specifying the content to be returned
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<SuiObjectResponse>;

    /// Return the object information for the latest versions of multiple objects.
    #[method(name = "multiGetObjects")]
    async fn multi_get_objects(
        &self,
        /// the IDs of the queried objects
        object_ids: Vec<ObjectID>,
        /// Options for specifying the content to be returned
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<Vec<SuiObjectResponse>>;

    /// Return the object information for a specified version.
    ///
    /// Note that past versions of an object may be pruned from the system, even if they once
    /// existed. Different RPC services may return different responses for the same request as a
    /// result, based on their pruning policies.
    #[method(name = "tryGetPastObject")]
    async fn try_get_past_object(
        &self,
        /// The ID of the queried object
        object_id: ObjectID,
        /// The version of the queried object.
        version: SequenceNumber,
        /// Options for specifying the content to be returned
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<SuiPastObjectResponse>;

    /// Return the object information for multiple specified objects and versions.
    ///
    /// Note that past versions of an object may be pruned from the system, even if they once
    /// existed. Different RPC services may return different responses for the same request as a
    /// result, based on their pruning policies.
    #[method(name = "tryMultiGetPastObjects")]
    async fn try_multi_get_past_objects(
        &self,
        /// A vector of object and versions to be queried
        past_objects: Vec<SuiGetPastObjectRequest>,
        /// Options for specifying the content to be returned
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<Vec<SuiPastObjectResponse>>;
}

#[open_rpc(namespace = "suix", tag = "Query Objects API")]
#[rpc(server, namespace = "suix")]
trait QueryObjectsApi {
    /// Query objects by their owner's address. Returns a paginated list of objects.
    ///
    /// If a cursor is provided, the query will start from the object after the one pointed to by
    /// this cursor, otherwise pagination starts from the first page of objects owned by the
    /// address.
    ///
    /// The definition of "first" page is somewhat arbitrary. It is a page such that continuing to
    /// paginate an address's objects from this page will eventually reach all objects owned by
    /// that address assuming that the owned object set does not change. If the owned object set
    /// does change, pagination may not be consistent (may not reflect a set of objects that the
    /// address owned at a single point in time).
    ///
    /// The size of each page is controlled by the `limit` parameter.
    #[method(name = "getOwnedObjects")]
    async fn get_owned_objects(
        &self,
        /// The owner's address.
        address: SuiAddress,
        /// Additional querying criteria for the object.
        query: Option<SuiObjectResponseQuery>,
        /// Cursor to start paginating from.
        cursor: Option<String>,
        /// Maximum number of objects to return per page.
        limit: Option<usize>,
    ) -> RpcResult<Page<SuiObjectResponse, String>>;
}

pub(crate) struct Objects(pub Context);

pub(crate) struct QueryObjects(pub Context);

#[async_trait::async_trait]
impl ObjectsApiServer for Objects {
    async fn get_object(
        &self,
        object_id: ObjectID,
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<SuiObjectResponse> {
        let Self(ctx) = self;
        let options = options.unwrap_or_default();
        Ok(response::live_object(ctx, object_id, &options)
            .await
            .with_internal_context(|| {
                format!("Failed to get object {object_id} at latest version")
            })?)
    }

    async fn multi_get_objects(
        &self,
        object_ids: Vec<ObjectID>,
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<Vec<SuiObjectResponse>> {
        let Self(ctx) = self;
        let config = &ctx.config().objects;
        if object_ids.len() > config.max_multi_get_objects {
            return Err(invalid_params(Error::TooManyKeys {
                requested: object_ids.len(),
                max: config.max_multi_get_objects,
            })
            .into());
        }

        let options = options.unwrap_or_default();

        let obj_futures = object_ids
            .iter()
            .map(|id| response::live_object(ctx, *id, &options));

        Ok(future::join_all(obj_futures)
            .await
            .into_iter()
            .zip(object_ids)
            .map(|(r, o)| {
                r.with_internal_context(|| format!("Failed to get object {o} at latest version"))
            })
            .collect::<Result<Vec<_>, _>>()?)
    }

    async fn try_get_past_object(
        &self,
        object_id: ObjectID,
        version: SequenceNumber,
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<SuiPastObjectResponse> {
        let Self(ctx) = self;
        let options = options.unwrap_or_default();
        Ok(response::past_object(ctx, object_id, version, &options)
            .await
            .with_internal_context(|| {
                format!(
                    "Failed to get object {object_id} at version {}",
                    version.value()
                )
            })?)
    }

    async fn try_multi_get_past_objects(
        &self,
        past_objects: Vec<SuiGetPastObjectRequest>,
        options: Option<SuiObjectDataOptions>,
    ) -> RpcResult<Vec<SuiPastObjectResponse>> {
        let Self(ctx) = self;
        let config = &ctx.config().objects;
        if past_objects.len() > config.max_multi_get_objects {
            return Err(invalid_params(Error::TooManyKeys {
                requested: past_objects.len(),
                max: config.max_multi_get_objects,
            })
            .into());
        }

        let options = options.unwrap_or_default();

        let obj_futures = past_objects
            .iter()
            .map(|obj| response::past_object(ctx, obj.object_id, obj.version, &options));

        Ok(future::join_all(obj_futures)
            .await
            .into_iter()
            .zip(past_objects)
            .map(|(r, o)| {
                let id = o.object_id;
                let v = o.version;
                r.with_internal_context(|| format!("Failed to get object {id} at version {v}"))
            })
            .collect::<Result<Vec<_>, _>>()?)
    }
}

#[async_trait::async_trait]
impl QueryObjectsApiServer for QueryObjects {
    async fn get_owned_objects(
        &self,
        address: SuiAddress,
        query: Option<SuiObjectResponseQuery>,
        cursor: Option<String>,
        limit: Option<usize>,
    ) -> RpcResult<Page<SuiObjectResponse, String>> {
        let Self(ctx) = self;

        let query = query.unwrap_or_default();

        let Page {
            data: object_ids,
            next_cursor,
            has_next_page,
        } = filter::owned_objects(ctx, address, &query.filter, cursor, limit).await?;

        let options = query.options.unwrap_or_default();

        let obj_futures = object_ids
            .iter()
            .map(|id| response::latest_object(ctx, *id, &options));

        let data = future::join_all(obj_futures)
            .await
            .into_iter()
            .zip(object_ids)
            .map(|(r, id)| {
                r.with_internal_context(|| format!("Failed to get object {id} at latest version"))
            })
            .collect::<Result<Vec<_>, _>>()?;

        Ok(Page {
            data,
            next_cursor,
            has_next_page,
        })
    }
}

impl RpcModule for Objects {
    fn schema(&self) -> Module {
        ObjectsApiOpenRpc::module_doc()
    }

    fn into_impl(self) -> jsonrpsee::RpcModule<Self> {
        self.into_rpc()
    }
}

impl RpcModule for QueryObjects {
    fn schema(&self) -> Module {
        QueryObjectsApiOpenRpc::module_doc()
    }

    fn into_impl(self) -> jsonrpsee::RpcModule<Self> {
        self.into_rpc()
    }
}