sui_graphql_rpc/data/
pg.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
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use super::QueryExecutor;
use crate::{config::Limits, error::Error, metrics::Metrics};
use async_trait::async_trait;
use diesel::{
    pg::Pg,
    query_builder::{Query, QueryFragment, QueryId},
    QueryResult,
};
use diesel_async::{methods::LoadQuery, scoped_futures::ScopedBoxFuture};
use diesel_async::{scoped_futures::ScopedFutureExt, RunQueryDsl};
use std::fmt;
use std::time::Instant;
use sui_indexer::indexer_reader::IndexerReader;

use tracing::error;

#[derive(Clone)]
pub(crate) struct PgExecutor {
    pub inner: IndexerReader,
    pub limits: Limits,
    pub metrics: Metrics,
}

pub(crate) struct PgConnection<'c> {
    max_cost: u32,
    conn: &'c mut diesel_async::AsyncPgConnection,
}

pub(crate) struct ByteaLiteral<'a>(pub &'a [u8]);

impl PgExecutor {
    pub(crate) fn new(inner: IndexerReader, limits: Limits, metrics: Metrics) -> Self {
        Self {
            inner,
            limits,
            metrics,
        }
    }
}

#[async_trait]
impl QueryExecutor for PgExecutor {
    type Connection = diesel_async::AsyncPgConnection;
    type Backend = Pg;
    type DbConnection<'c> = PgConnection<'c>;

    async fn execute<'c, T, U, E>(&self, txn: T) -> Result<U, Error>
    where
        T: for<'r> FnOnce(
                &'r mut Self::DbConnection<'_>,
            ) -> ScopedBoxFuture<'static, 'r, Result<U, E>>
            + Send
            + 'c,
        E: From<diesel::result::Error> + std::error::Error,
        T: Send + 'static,
        U: Send + 'static,
        E: Send + 'static,
    {
        let max_cost = self.limits.max_db_query_cost;
        let instant = Instant::now();
        let mut connection = self
            .inner
            .pool()
            .get()
            .await
            .map_err(|e| Error::Internal(e.to_string()))?;

        let result = connection
            .build_transaction()
            .read_only()
            .run(|conn| {
                async move {
                    let mut connection = PgConnection { max_cost, conn };
                    txn(&mut connection).await
                }
                .scope_boxed()
            })
            .await;

        self.metrics
            .observe_db_data(instant.elapsed(), result.is_ok());
        if let Err(e) = &result {
            error!("DB query error: {e:?}");
        }
        result.map_err(|e| Error::Internal(e.to_string()))
    }

    async fn execute_repeatable<'c, T, U, E>(&self, txn: T) -> Result<U, Error>
    where
        T: for<'r> FnOnce(
                &'r mut Self::DbConnection<'_>,
            ) -> ScopedBoxFuture<'static, 'r, Result<U, E>>
            + Send
            + 'c,
        E: From<diesel::result::Error> + std::error::Error,
        T: Send + 'static,
        U: Send + 'static,
        E: Send + 'static,
    {
        let max_cost = self.limits.max_db_query_cost;
        let instant = Instant::now();

        let mut connection = self
            .inner
            .pool()
            .get()
            .await
            .map_err(|e| Error::Internal(e.to_string()))?;

        let result = connection
            .build_transaction()
            .read_only()
            .repeatable_read()
            .run(|conn| {
                async move {
                    //
                    txn(&mut PgConnection { max_cost, conn }).await
                }
                .scope_boxed()
            })
            .await;

        self.metrics
            .observe_db_data(instant.elapsed(), result.is_ok());
        if let Err(e) = &result {
            error!("DB query error: {e:?}");
        }
        result.map_err(|e| Error::Internal(e.to_string()))
    }
}

#[async_trait]
impl super::DbConnection for PgConnection<'_> {
    type Connection = diesel_async::AsyncPgConnection;
    type Backend = Pg;

    async fn result<T, Q, U>(&mut self, query: T) -> QueryResult<U>
    where
        T: Fn() -> Q + Send,
        Q: diesel::query_builder::Query + Send + 'static,
        Q: LoadQuery<'static, Self::Connection, U>,
        Q: QueryId + QueryFragment<Self::Backend>,
        U: Send,
    {
        query_cost::log(self.conn, self.max_cost, query()).await;
        query().get_result(self.conn).await
    }

    async fn results<T, Q, U>(&mut self, query: T) -> QueryResult<Vec<U>>
    where
        T: Fn() -> Q + Send,
        Q: diesel::query_builder::Query + Send + 'static,
        Q: LoadQuery<'static, Self::Connection, U>,
        Q: QueryId + QueryFragment<Self::Backend>,
        U: Send,
    {
        query_cost::log(self.conn, self.max_cost, query()).await;
        query().get_results(self.conn).await
    }
}

impl fmt::Display for ByteaLiteral<'_> {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        write!(f, "'\\x{}'::bytea", hex::encode(self.0))
    }
}

pub(crate) fn bytea_literal(slice: &[u8]) -> ByteaLiteral<'_> {
    ByteaLiteral(slice)
}

/// Support for calculating estimated query cost using EXPLAIN and then logging it.
mod query_cost {
    use super::*;

    use diesel::{query_builder::AstPass, sql_types::Text, QueryResult};
    use diesel_async::AsyncPgConnection;
    use serde_json::Value;
    use tap::{TapFallible, TapOptional};
    use tracing::{debug, info, warn};

    #[derive(Debug, Clone, Copy, QueryId)]
    struct Explained<Q> {
        query: Q,
    }

    impl<Q: Query> Query for Explained<Q> {
        type SqlType = Text;
    }

    impl<Q: QueryFragment<Pg>> QueryFragment<Pg> for Explained<Q> {
        fn walk_ast<'b>(&'b self, mut out: AstPass<'_, 'b, Pg>) -> QueryResult<()> {
            out.push_sql("EXPLAIN (FORMAT JSON) ");
            self.query.walk_ast(out.reborrow())?;
            Ok(())
        }
    }

    /// Run `EXPLAIN` on the `query`, and log the estimated cost.
    pub(crate) async fn log<Q>(conn: &mut AsyncPgConnection, max_db_query_cost: u32, query: Q)
    where
        Q: Query + QueryId + QueryFragment<Pg> + RunQueryDsl<AsyncPgConnection> + Send,
    {
        debug!("Estimating: {}", diesel::debug_query(&query).to_string());

        let Some(cost) = explain(conn, query).await else {
            warn!("Failed to extract cost from EXPLAIN.");
            return;
        };

        if cost > max_db_query_cost as f64 {
            warn!(cost, max_db_query_cost, exceeds = true, "Estimated cost");
        } else {
            info!(cost, max_db_query_cost, exceeds = false, "Estimated cost");
        }
    }

    pub(crate) async fn explain<Q>(conn: &mut AsyncPgConnection, query: Q) -> Option<f64>
    where
        Q: Query + QueryId + QueryFragment<Pg> + RunQueryDsl<AsyncPgConnection> + Send,
    {
        let result: String = Explained { query }
            .get_result(conn)
            .await
            .tap_err(|e| warn!("Failed to run EXPLAIN: {e}"))
            .ok()?;

        let parsed = serde_json::from_str(&result)
            .tap_err(|e| warn!("Failed to parse EXPLAIN result: {e}"))
            .ok()?;

        extract_cost(&parsed).tap_none(|| warn!("Failed to extract cost from EXPLAIN"))
    }

    fn extract_cost(parsed: &Value) -> Option<f64> {
        parsed.get(0)?.get("Plan")?.get("Total Cost")?.as_f64()
    }
}

#[cfg(test)]
mod tests {
    use super::*;
    use diesel::QueryDsl;
    use sui_framework::BuiltInFramework;
    use sui_indexer::{
        database::Connection, db::reset_database, models::objects::StoredObject, schema::objects,
        types::IndexedObject,
    };
    use sui_pg_db::temp::TempDb;

    #[tokio::test]
    async fn test_query_cost() {
        let database = TempDb::new().unwrap();
        reset_database(
            Connection::dedicated(database.database().url())
                .await
                .unwrap(),
        )
        .await
        .unwrap();
        let mut connection = Connection::dedicated(database.database().url())
            .await
            .unwrap();

        let objects: Vec<StoredObject> = BuiltInFramework::iter_system_packages()
            .map(|pkg| IndexedObject::from_object(1, pkg.genesis_object(), None).into())
            .collect();

        let expect = objects.len();
        let actual = diesel::insert_into(objects::dsl::objects)
            .values(objects)
            .execute(&mut connection)
            .await
            .unwrap();

        assert_eq!(expect, actual, "Failed to write objects");

        use objects::dsl;
        let query_one = dsl::objects.select(dsl::objects.star()).limit(1);
        let query_all = dsl::objects.select(dsl::objects.star());

        // Test estimating query costs
        let cost_one = query_cost::explain(&mut connection, query_one)
            .await
            .unwrap();
        let cost_all = query_cost::explain(&mut connection, query_all)
            .await
            .unwrap();

        assert!(
            cost_one < cost_all,
            "cost_one = {cost_one} >= {cost_all} = cost_all"
        );
    }
}