syn2mas/mas_writer/
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
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
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
// Copyright 2024 New Vector Ltd.
//
// SPDX-License-Identifier: AGPL-3.0-only
// Please see LICENSE in the repository root for full details.

//! # MAS Writer
//!
//! This module is responsible for writing new records to MAS' database.

use std::{
    fmt::Display,
    net::IpAddr,
    sync::{
        Arc,
        atomic::{AtomicU32, Ordering},
    },
};

use chrono::{DateTime, Utc};
use futures_util::{FutureExt, TryStreamExt, future::BoxFuture};
use sqlx::{Executor, PgConnection, query, query_as};
use thiserror::Error;
use thiserror_ext::{Construct, ContextInto};
use tokio::sync::mpsc::{self, Receiver, Sender};
use tracing::{Instrument, Level, error, info, warn};
use uuid::{NonNilUuid, Uuid};

use self::{
    constraint_pausing::{ConstraintDescription, IndexDescription},
    locking::LockedMasDatabase,
};
use crate::Progress;

pub mod checks;
pub mod locking;

mod constraint_pausing;

#[derive(Debug, Error, Construct, ContextInto)]
pub enum Error {
    #[error("database error whilst {context}")]
    Database {
        #[source]
        source: sqlx::Error,
        context: String,
    },

    #[error("writer connection pool shut down due to error")]
    #[allow(clippy::enum_variant_names)]
    WriterConnectionPoolError,

    #[error("inconsistent database: {0}")]
    Inconsistent(String),

    #[error("bug in syn2mas: write buffers not finished")]
    WriteBuffersNotFinished,

    #[error("{0}")]
    Multiple(MultipleErrors),
}

#[derive(Debug)]
pub struct MultipleErrors {
    errors: Vec<Error>,
}

impl Display for MultipleErrors {
    fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
        write!(f, "multiple errors")?;
        for error in &self.errors {
            write!(f, "\n- {error}")?;
        }
        Ok(())
    }
}

impl From<Vec<Error>> for MultipleErrors {
    fn from(value: Vec<Error>) -> Self {
        MultipleErrors { errors: value }
    }
}

struct WriterConnectionPool {
    /// How many connections are in circulation
    num_connections: usize,

    /// A receiver handle to get a writer connection
    /// The writer connection will be mid-transaction!
    connection_rx: Receiver<Result<PgConnection, Error>>,

    /// A sender handle to return a writer connection to the pool
    /// The connection should still be mid-transaction!
    connection_tx: Sender<Result<PgConnection, Error>>,
}

impl WriterConnectionPool {
    pub fn new(connections: Vec<PgConnection>) -> Self {
        let num_connections = connections.len();
        let (connection_tx, connection_rx) = mpsc::channel(num_connections);
        for connection in connections {
            connection_tx
                .try_send(Ok(connection))
                .expect("there should be room for this connection");
        }

        WriterConnectionPool {
            num_connections,
            connection_rx,
            connection_tx,
        }
    }

    pub async fn spawn_with_connection<F>(&mut self, task: F) -> Result<(), Error>
    where
        F: for<'conn> FnOnce(&'conn mut PgConnection) -> BoxFuture<'conn, Result<(), Error>>
            + Send
            + Sync
            + 'static,
    {
        match self.connection_rx.recv().await {
            Some(Ok(mut connection)) => {
                let connection_tx = self.connection_tx.clone();
                tokio::task::spawn(
                    async move {
                        let to_return = match task(&mut connection).await {
                            Ok(()) => Ok(connection),
                            Err(error) => {
                                error!("error in writer: {error}");
                                Err(error)
                            }
                        };
                        // This should always succeed in sending unless we're already shutting
                        // down for some other reason.
                        let _: Result<_, _> = connection_tx.send(to_return).await;
                    }
                    .instrument(tracing::debug_span!("spawn_with_connection")),
                );

                Ok(())
            }
            Some(Err(error)) => {
                // This should always succeed in sending unless we're already shutting
                // down for some other reason.
                let _: Result<_, _> = self.connection_tx.send(Err(error)).await;

                Err(Error::WriterConnectionPoolError)
            }
            None => {
                unreachable!("we still hold a reference to the sender, so this shouldn't happen")
            }
        }
    }

    /// Finishes writing to the database, committing all changes.
    ///
    /// # Errors
    ///
    /// - If any errors were returned to the pool.
    /// - If committing the changes failed.
    ///
    /// # Panics
    ///
    /// - If connections were not returned to the pool. (This indicates a
    ///   serious bug.)
    pub async fn finish(self) -> Result<(), Vec<Error>> {
        let mut errors = Vec::new();

        let Self {
            num_connections,
            mut connection_rx,
            connection_tx,
        } = self;
        // Drop the sender handle so we gracefully allow the receiver to close
        drop(connection_tx);

        let mut finished_connections = 0;

        while let Some(connection_or_error) = connection_rx.recv().await {
            finished_connections += 1;

            match connection_or_error {
                Ok(mut connection) => {
                    if let Err(err) = query("COMMIT;").execute(&mut connection).await {
                        errors.push(err.into_database("commit writer transaction"));
                    }
                }
                Err(error) => {
                    errors.push(error);
                }
            }
        }
        assert_eq!(
            finished_connections, num_connections,
            "syn2mas had a bug: connections went missing {finished_connections} != {num_connections}"
        );

        if errors.is_empty() {
            Ok(())
        } else {
            Err(errors)
        }
    }
}

/// Small utility to make sure `finish()` is called on all write buffers
/// before committing to the database.
#[derive(Default)]
struct FinishChecker {
    counter: Arc<AtomicU32>,
}

struct FinishCheckerHandle {
    counter: Arc<AtomicU32>,
}

impl FinishChecker {
    /// Acquire a new handle, for a task that should declare when it has
    /// finished.
    pub fn handle(&self) -> FinishCheckerHandle {
        self.counter.fetch_add(1, Ordering::SeqCst);
        FinishCheckerHandle {
            counter: Arc::clone(&self.counter),
        }
    }

    /// Check that all handles have been declared as finished.
    pub fn check_all_finished(self) -> Result<(), Error> {
        if self.counter.load(Ordering::SeqCst) == 0 {
            Ok(())
        } else {
            Err(Error::WriteBuffersNotFinished)
        }
    }
}

impl FinishCheckerHandle {
    /// Declare that the task this handle represents has been finished.
    pub fn declare_finished(self) {
        self.counter.fetch_sub(1, Ordering::SeqCst);
    }
}

pub struct MasWriter {
    conn: LockedMasDatabase,
    writer_pool: WriterConnectionPool,

    indices_to_restore: Vec<IndexDescription>,
    constraints_to_restore: Vec<ConstraintDescription>,

    write_buffer_finish_checker: FinishChecker,
}

pub struct MasNewUser {
    pub user_id: NonNilUuid,
    pub username: String,
    pub created_at: DateTime<Utc>,
    pub locked_at: Option<DateTime<Utc>>,
    pub deactivated_at: Option<DateTime<Utc>>,
    pub can_request_admin: bool,
    /// Whether the user was a Synapse guest.
    /// Although MAS doesn't support guest access, it's still useful to track
    /// for the future.
    pub is_guest: bool,
}

pub struct MasNewUserPassword {
    pub user_password_id: Uuid,
    pub user_id: NonNilUuid,
    pub hashed_password: String,
    pub created_at: DateTime<Utc>,
}

pub struct MasNewEmailThreepid {
    pub user_email_id: Uuid,
    pub user_id: NonNilUuid,
    pub email: String,
    pub created_at: DateTime<Utc>,
}

pub struct MasNewUnsupportedThreepid {
    pub user_id: NonNilUuid,
    pub medium: String,
    pub address: String,
    pub created_at: DateTime<Utc>,
}

pub struct MasNewUpstreamOauthLink {
    pub link_id: Uuid,
    pub user_id: NonNilUuid,
    pub upstream_provider_id: Uuid,
    pub subject: String,
    pub created_at: DateTime<Utc>,
}

pub struct MasNewCompatSession {
    pub session_id: Uuid,
    pub user_id: NonNilUuid,
    pub device_id: Option<String>,
    pub human_name: Option<String>,
    pub created_at: DateTime<Utc>,
    pub is_synapse_admin: bool,
    pub last_active_at: Option<DateTime<Utc>>,
    pub last_active_ip: Option<IpAddr>,
    pub user_agent: Option<String>,
}

pub struct MasNewCompatAccessToken {
    pub token_id: Uuid,
    pub session_id: Uuid,
    pub access_token: String,
    pub created_at: DateTime<Utc>,
    pub expires_at: Option<DateTime<Utc>>,
}

pub struct MasNewCompatRefreshToken {
    pub refresh_token_id: Uuid,
    pub session_id: Uuid,
    pub access_token_id: Uuid,
    pub refresh_token: String,
    pub created_at: DateTime<Utc>,
}

/// The 'version' of the password hashing scheme used for passwords when they
/// are migrated from Synapse to MAS.
/// This is version 1, as in the previous syn2mas script.
// TODO hardcoding version to `1` may not be correct long-term?
pub const MIGRATED_PASSWORD_VERSION: u16 = 1;

/// List of all MAS tables that are written to by syn2mas.
pub const MAS_TABLES_AFFECTED_BY_MIGRATION: &[&str] = &[
    "users",
    "user_passwords",
    "user_emails",
    "user_unsupported_third_party_ids",
    "upstream_oauth_links",
    "compat_sessions",
    "compat_access_tokens",
    "compat_refresh_tokens",
];

/// Detect whether a syn2mas migration has started on the given database.
///
/// Concretly, this checks for the presence of syn2mas restoration tables.
///
/// Returns `true` if syn2mas has started, or `false` if it hasn't.
///
/// # Errors
///
/// Errors are returned under the following circumstances:
///
/// - If any database error occurs whilst querying the database.
/// - If some, but not all, syn2mas restoration tables are present. (This
///   shouldn't be possible without syn2mas having been sabotaged!)
pub async fn is_syn2mas_in_progress(conn: &mut PgConnection) -> Result<bool, Error> {
    // Names of tables used for syn2mas resumption
    // Must be `String`s, not just `&str`, for the query.
    let restore_table_names = vec![
        "syn2mas_restore_constraints".to_owned(),
        "syn2mas_restore_indices".to_owned(),
    ];

    let num_resumption_tables = query!(
        r#"
        SELECT 1 AS _dummy FROM pg_tables WHERE schemaname = current_schema
        AND tablename = ANY($1)
        "#,
        &restore_table_names,
    )
    .fetch_all(conn.as_mut())
    .await
    .into_database("failed to query count of resumption tables")?
    .len();

    if num_resumption_tables == 0 {
        Ok(false)
    } else if num_resumption_tables == restore_table_names.len() {
        Ok(true)
    } else {
        Err(Error::inconsistent(
            "some, but not all, syn2mas resumption tables were found",
        ))
    }
}

impl MasWriter {
    /// Creates a new MAS writer.
    ///
    /// # Errors
    ///
    /// Errors are returned in the following conditions:
    ///
    /// - If the database connection experiences an error.
    #[allow(clippy::missing_panics_doc)] // not real
    #[tracing::instrument(name = "syn2mas.mas_writer.new", skip_all)]
    pub async fn new(
        mut conn: LockedMasDatabase,
        mut writer_connections: Vec<PgConnection>,
    ) -> Result<Self, Error> {
        // Given that we don't have any concurrent transactions here,
        // the READ COMMITTED isolation level is sufficient.
        query("BEGIN TRANSACTION ISOLATION LEVEL READ COMMITTED;")
            .execute(conn.as_mut())
            .await
            .into_database("begin MAS transaction")?;

        let syn2mas_started = is_syn2mas_in_progress(conn.as_mut()).await?;

        let indices_to_restore;
        let constraints_to_restore;

        if syn2mas_started {
            // We are resuming from a partially-done syn2mas migration
            // We should reset the database so that we're starting from scratch.
            warn!("Partial syn2mas migration has already been done; resetting.");
            for table in MAS_TABLES_AFFECTED_BY_MIGRATION {
                query(&format!("TRUNCATE syn2mas__{table};"))
                    .execute(conn.as_mut())
                    .await
                    .into_database_with(|| format!("failed to truncate table syn2mas__{table}"))?;
            }

            indices_to_restore = query_as!(
                IndexDescription,
                "SELECT table_name, name, definition FROM syn2mas_restore_indices ORDER BY order_key"
            )
                .fetch_all(conn.as_mut())
                .await
                .into_database("failed to get syn2mas restore data (index descriptions)")?;
            constraints_to_restore = query_as!(
                ConstraintDescription,
                "SELECT table_name, name, definition FROM syn2mas_restore_constraints ORDER BY order_key"
            )
                .fetch_all(conn.as_mut())
                .await
                .into_database("failed to get syn2mas restore data (constraint descriptions)")?;
        } else {
            info!("Starting new syn2mas migration");

            conn.as_mut()
                .execute_many(include_str!("syn2mas_temporary_tables.sql"))
                // We don't care about any query results
                .try_collect::<Vec<_>>()
                .await
                .into_database("could not create temporary tables")?;

            // Pause (temporarily drop) indices and constraints in order to improve
            // performance of bulk data loading.
            (indices_to_restore, constraints_to_restore) =
                Self::pause_indices(conn.as_mut()).await?;

            // Persist these index and constraint definitions.
            for IndexDescription {
                name,
                table_name,
                definition,
            } in &indices_to_restore
            {
                query!(
                    r#"
                    INSERT INTO syn2mas_restore_indices (name, table_name, definition)
                    VALUES ($1, $2, $3)
                    "#,
                    name,
                    table_name,
                    definition
                )
                .execute(conn.as_mut())
                .await
                .into_database("failed to save restore data (index)")?;
            }
            for ConstraintDescription {
                name,
                table_name,
                definition,
            } in &constraints_to_restore
            {
                query!(
                    r#"
                    INSERT INTO syn2mas_restore_constraints (name, table_name, definition)
                    VALUES ($1, $2, $3)
                    "#,
                    name,
                    table_name,
                    definition
                )
                .execute(conn.as_mut())
                .await
                .into_database("failed to save restore data (index)")?;
            }
        }

        query("COMMIT;")
            .execute(conn.as_mut())
            .await
            .into_database("begin MAS transaction")?;

        // Now after all the schema changes have been done, begin writer transactions
        for writer_connection in &mut writer_connections {
            query("BEGIN TRANSACTION ISOLATION LEVEL READ COMMITTED;")
                .execute(&mut *writer_connection)
                .await
                .into_database("begin MAS writer transaction")?;
        }

        Ok(Self {
            conn,

            writer_pool: WriterConnectionPool::new(writer_connections),
            indices_to_restore,
            constraints_to_restore,
            write_buffer_finish_checker: FinishChecker::default(),
        })
    }

    #[tracing::instrument(skip_all)]
    async fn pause_indices(
        conn: &mut PgConnection,
    ) -> Result<(Vec<IndexDescription>, Vec<ConstraintDescription>), Error> {
        let mut indices_to_restore = Vec::new();
        let mut constraints_to_restore = Vec::new();

        for &unprefixed_table in MAS_TABLES_AFFECTED_BY_MIGRATION {
            let table = format!("syn2mas__{unprefixed_table}");
            // First drop incoming foreign key constraints
            for constraint in
                constraint_pausing::describe_foreign_key_constraints_to_table(&mut *conn, &table)
                    .await?
            {
                constraint_pausing::drop_constraint(&mut *conn, &constraint).await?;
                constraints_to_restore.push(constraint);
            }
            // After all incoming foreign key constraints have been removed,
            // we can now drop internal constraints.
            for constraint in
                constraint_pausing::describe_constraints_on_table(&mut *conn, &table).await?
            {
                constraint_pausing::drop_constraint(&mut *conn, &constraint).await?;
                constraints_to_restore.push(constraint);
            }
            // After all constraints have been removed, we can drop indices.
            for index in constraint_pausing::describe_indices_on_table(&mut *conn, &table).await? {
                constraint_pausing::drop_index(&mut *conn, &index).await?;
                indices_to_restore.push(index);
            }
        }

        Ok((indices_to_restore, constraints_to_restore))
    }

    async fn restore_indices(
        conn: &mut LockedMasDatabase,
        indices_to_restore: &[IndexDescription],
        constraints_to_restore: &[ConstraintDescription],
        progress: &Progress,
    ) -> Result<(), Error> {
        // First restore all indices. The order is not important as far as I know.
        // However the indices are needed before constraints.
        for index in indices_to_restore.iter().rev() {
            progress.rebuild_index(index.name.clone());
            constraint_pausing::restore_index(conn.as_mut(), index).await?;
        }
        // Then restore all constraints.
        // The order here is the reverse of drop order, since some constraints may rely
        // on other constraints to work.
        for constraint in constraints_to_restore.iter().rev() {
            progress.rebuild_constraint(constraint.name.clone());
            constraint_pausing::restore_constraint(conn.as_mut(), constraint).await?;
        }
        Ok(())
    }

    /// Finish writing to the MAS database, flushing and committing all changes.
    /// It returns the unlocked underlying connection.
    ///
    /// # Errors
    ///
    /// Errors are returned in the following conditions:
    ///
    /// - If the database connection experiences an error.
    #[tracing::instrument(skip_all)]
    pub async fn finish(mut self, progress: &Progress) -> Result<PgConnection, Error> {
        self.write_buffer_finish_checker.check_all_finished()?;

        // Commit all writer transactions to the database.
        self.writer_pool
            .finish()
            .await
            .map_err(|errors| Error::Multiple(MultipleErrors::from(errors)))?;

        // Now all the data has been migrated, finish off by restoring indices and
        // constraints!

        query("BEGIN TRANSACTION ISOLATION LEVEL READ COMMITTED;")
            .execute(self.conn.as_mut())
            .await
            .into_database("begin MAS transaction")?;

        Self::restore_indices(
            &mut self.conn,
            &self.indices_to_restore,
            &self.constraints_to_restore,
            progress,
        )
        .await?;

        self.conn
            .as_mut()
            .execute_many(include_str!("syn2mas_revert_temporary_tables.sql"))
            // We don't care about any query results
            .try_collect::<Vec<_>>()
            .await
            .into_database("could not revert temporary tables")?;

        query("COMMIT;")
            .execute(self.conn.as_mut())
            .await
            .into_database("ending MAS transaction")?;

        let conn = self
            .conn
            .unlock()
            .await
            .into_database("could not unlock MAS database")?;

        Ok(conn)
    }

    /// Write a batch of users to the database.
    ///
    /// # Errors
    ///
    /// Errors are returned in the following conditions:
    ///
    /// - If the database writer connection pool had an error.
    #[allow(clippy::missing_panics_doc)] // not a real panic
    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_users(&mut self, users: Vec<MasNewUser>) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool
            .spawn_with_connection(move |conn| {
                Box::pin(async move {
                    // `UNNEST` is a fast way to do bulk inserts, as it lets us send multiple rows
                    // in one statement without having to change the statement
                    // SQL thus altering the query plan. See <https://github.com/launchbadge/sqlx/blob/main/FAQ.md#how-can-i-bind-an-array-to-a-values-clause-how-can-i-do-bulk-inserts>.
                    // In the future we could consider using sqlx's support for `PgCopyIn` / the
                    // `COPY FROM STDIN` statement, which is allegedly the best
                    // for insert performance, but is less simple to encode.
                    let mut user_ids: Vec<Uuid> = Vec::with_capacity(users.len());
                    let mut usernames: Vec<String> = Vec::with_capacity(users.len());
                    let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(users.len());
                    let mut locked_ats: Vec<Option<DateTime<Utc>>> =
                        Vec::with_capacity(users.len());
                    let mut deactivated_ats: Vec<Option<DateTime<Utc>>> =
                        Vec::with_capacity(users.len());
                    let mut can_request_admins: Vec<bool> = Vec::with_capacity(users.len());
                    let mut is_guests: Vec<bool> = Vec::with_capacity(users.len());
                    for MasNewUser {
                        user_id,
                        username,
                        created_at,
                        locked_at,
                        deactivated_at,
                        can_request_admin,
                        is_guest,
                    } in users
                    {
                        user_ids.push(user_id.get());
                        usernames.push(username);
                        created_ats.push(created_at);
                        locked_ats.push(locked_at);
                        deactivated_ats.push(deactivated_at);
                        can_request_admins.push(can_request_admin);
                        is_guests.push(is_guest);
                    }

                    sqlx::query!(
                        r#"
                        INSERT INTO syn2mas__users (
                          user_id, username,
                          created_at, locked_at,
                          deactivated_at,
                          can_request_admin, is_guest)
                        SELECT * FROM UNNEST(
                          $1::UUID[], $2::TEXT[],
                          $3::TIMESTAMP WITH TIME ZONE[], $4::TIMESTAMP WITH TIME ZONE[],
                          $5::TIMESTAMP WITH TIME ZONE[],
                          $6::BOOL[], $7::BOOL[])
                        "#,
                        &user_ids[..],
                        &usernames[..],
                        &created_ats[..],
                        // We need to override the typing for arrays of optionals (sqlx limitation)
                        &locked_ats[..] as &[Option<DateTime<Utc>>],
                        &deactivated_ats[..] as &[Option<DateTime<Utc>>],
                        &can_request_admins[..],
                        &is_guests[..],
                    )
                    .execute(&mut *conn)
                    .await
                    .into_database("writing users to MAS")?;

                    Ok(())
                })
            })
            .boxed()
    }

    /// Write a batch of user passwords to the database.
    ///
    /// # Errors
    ///
    /// Errors are returned in the following conditions:
    ///
    /// - If the database writer connection pool had an error.
    #[allow(clippy::missing_panics_doc)] // not a real panic
    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_passwords(
        &mut self,
        passwords: Vec<MasNewUserPassword>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool.spawn_with_connection(move |conn| Box::pin(async move {
            let mut user_password_ids: Vec<Uuid> = Vec::with_capacity(passwords.len());
            let mut user_ids: Vec<Uuid> = Vec::with_capacity(passwords.len());
            let mut hashed_passwords: Vec<String> = Vec::with_capacity(passwords.len());
            let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(passwords.len());
            let mut versions: Vec<i32> = Vec::with_capacity(passwords.len());
            for MasNewUserPassword {
                user_password_id,
                user_id,
                hashed_password,
                created_at,
            } in passwords
            {
                user_password_ids.push(user_password_id);
                user_ids.push(user_id.get());
                hashed_passwords.push(hashed_password);
                created_ats.push(created_at);
                versions.push(MIGRATED_PASSWORD_VERSION.into());
            }

            sqlx::query!(
                r#"
                INSERT INTO syn2mas__user_passwords
                (user_password_id, user_id, hashed_password, created_at, version)
                SELECT * FROM UNNEST($1::UUID[], $2::UUID[], $3::TEXT[], $4::TIMESTAMP WITH TIME ZONE[], $5::INTEGER[])
                "#,
                &user_password_ids[..],
                &user_ids[..],
                &hashed_passwords[..],
                &created_ats[..],
                &versions[..],
            ).execute(&mut *conn).await.into_database("writing users to MAS")?;

            Ok(())
        })).boxed()
    }

    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_email_threepids(
        &mut self,
        threepids: Vec<MasNewEmailThreepid>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool.spawn_with_connection(move |conn| {
            Box::pin(async move {
                let mut user_email_ids: Vec<Uuid> = Vec::with_capacity(threepids.len());
                let mut user_ids: Vec<Uuid> = Vec::with_capacity(threepids.len());
                let mut emails: Vec<String> = Vec::with_capacity(threepids.len());
                let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(threepids.len());

                for MasNewEmailThreepid {
                    user_email_id,
                    user_id,
                    email,
                    created_at,
                } in threepids
                {
                    user_email_ids.push(user_email_id);
                    user_ids.push(user_id.get());
                    emails.push(email);
                    created_ats.push(created_at);
                }

                // `confirmed_at` is going to get removed in a future MAS release,
                // so just populate with `created_at`
                sqlx::query!(
                    r#"
                    INSERT INTO syn2mas__user_emails
                    (user_email_id, user_id, email, created_at, confirmed_at)
                    SELECT * FROM UNNEST($1::UUID[], $2::UUID[], $3::TEXT[], $4::TIMESTAMP WITH TIME ZONE[], $4::TIMESTAMP WITH TIME ZONE[])
                    "#,
                    &user_email_ids[..],
                    &user_ids[..],
                    &emails[..],
                    &created_ats[..],
                ).execute(&mut *conn).await.into_database("writing emails to MAS")?;

                Ok(())
            })
        }).boxed()
    }

    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_unsupported_threepids(
        &mut self,
        threepids: Vec<MasNewUnsupportedThreepid>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool.spawn_with_connection(move |conn| {
            Box::pin(async move {
                let mut user_ids: Vec<Uuid> = Vec::with_capacity(threepids.len());
                let mut mediums: Vec<String> = Vec::with_capacity(threepids.len());
                let mut addresses: Vec<String> = Vec::with_capacity(threepids.len());
                let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(threepids.len());

                for MasNewUnsupportedThreepid {
                    user_id,
                    medium,
                    address,
                    created_at,
                } in threepids
                {
                    user_ids.push(user_id.get());
                    mediums.push(medium);
                    addresses.push(address);
                    created_ats.push(created_at);
                }

                sqlx::query!(
                    r#"
                    INSERT INTO syn2mas__user_unsupported_third_party_ids
                    (user_id, medium, address, created_at)
                    SELECT * FROM UNNEST($1::UUID[], $2::TEXT[], $3::TEXT[], $4::TIMESTAMP WITH TIME ZONE[])
                    "#,
                    &user_ids[..],
                    &mediums[..],
                    &addresses[..],
                    &created_ats[..],
                ).execute(&mut *conn).await.into_database("writing unsupported threepids to MAS")?;

                Ok(())
            })
        }).boxed()
    }

    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_upstream_oauth_links(
        &mut self,
        links: Vec<MasNewUpstreamOauthLink>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool.spawn_with_connection(move |conn| {
            Box::pin(async move {
                let mut link_ids: Vec<Uuid> = Vec::with_capacity(links.len());
                let mut user_ids: Vec<Uuid> = Vec::with_capacity(links.len());
                let mut upstream_provider_ids: Vec<Uuid> = Vec::with_capacity(links.len());
                let mut subjects: Vec<String> = Vec::with_capacity(links.len());
                let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(links.len());

                for MasNewUpstreamOauthLink {
                    link_id,
                    user_id,
                    upstream_provider_id,
                    subject,
                    created_at,
                } in links
                {
                    link_ids.push(link_id);
                    user_ids.push(user_id.get());
                    upstream_provider_ids.push(upstream_provider_id);
                    subjects.push(subject);
                    created_ats.push(created_at);
                }

                sqlx::query!(
                    r#"
                    INSERT INTO syn2mas__upstream_oauth_links
                    (upstream_oauth_link_id, user_id, upstream_oauth_provider_id, subject, created_at)
                    SELECT * FROM UNNEST($1::UUID[], $2::UUID[], $3::UUID[], $4::TEXT[], $5::TIMESTAMP WITH TIME ZONE[])
                    "#,
                    &link_ids[..],
                    &user_ids[..],
                    &upstream_provider_ids[..],
                    &subjects[..],
                    &created_ats[..],
                ).execute(&mut *conn).await.into_database("writing unsupported threepids to MAS")?;

                Ok(())
            })
        }).boxed()
    }

    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_compat_sessions(
        &mut self,
        sessions: Vec<MasNewCompatSession>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool
            .spawn_with_connection(move |conn| {
                Box::pin(async move {
                    let mut session_ids: Vec<Uuid> = Vec::with_capacity(sessions.len());
                    let mut user_ids: Vec<Uuid> = Vec::with_capacity(sessions.len());
                    let mut device_ids: Vec<Option<String>> = Vec::with_capacity(sessions.len());
                    let mut human_names: Vec<Option<String>> = Vec::with_capacity(sessions.len());
                    let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(sessions.len());
                    let mut is_synapse_admins: Vec<bool> = Vec::with_capacity(sessions.len());
                    let mut last_active_ats: Vec<Option<DateTime<Utc>>> =
                        Vec::with_capacity(sessions.len());
                    let mut last_active_ips: Vec<Option<IpAddr>> =
                        Vec::with_capacity(sessions.len());
                    let mut user_agents: Vec<Option<String>> = Vec::with_capacity(sessions.len());

                    for MasNewCompatSession {
                        session_id,
                        user_id,
                        device_id,
                        human_name,
                        created_at,
                        is_synapse_admin,
                        last_active_at,
                        last_active_ip,
                        user_agent,
                    } in sessions
                    {
                        session_ids.push(session_id);
                        user_ids.push(user_id.get());
                        device_ids.push(device_id);
                        human_names.push(human_name);
                        created_ats.push(created_at);
                        is_synapse_admins.push(is_synapse_admin);
                        last_active_ats.push(last_active_at);
                        last_active_ips.push(last_active_ip);
                        user_agents.push(user_agent);
                    }

                    sqlx::query!(
                        r#"
                        INSERT INTO syn2mas__compat_sessions (
                          compat_session_id, user_id,
                          device_id, human_name,
                          created_at, is_synapse_admin,
                          last_active_at, last_active_ip,
                          user_agent)
                        SELECT * FROM UNNEST(
                          $1::UUID[], $2::UUID[],
                          $3::TEXT[], $4::TEXT[],
                          $5::TIMESTAMP WITH TIME ZONE[], $6::BOOLEAN[],
                          $7::TIMESTAMP WITH TIME ZONE[], $8::INET[],
                          $9::TEXT[])
                        "#,
                        &session_ids[..],
                        &user_ids[..],
                        &device_ids[..] as &[Option<String>],
                        &human_names[..] as &[Option<String>],
                        &created_ats[..],
                        &is_synapse_admins[..],
                        // We need to override the typing for arrays of optionals (sqlx limitation)
                        &last_active_ats[..] as &[Option<DateTime<Utc>>],
                        &last_active_ips[..] as &[Option<IpAddr>],
                        &user_agents[..] as &[Option<String>],
                    )
                    .execute(&mut *conn)
                    .await
                    .into_database("writing compat sessions to MAS")?;

                    Ok(())
                })
            })
            .boxed()
    }

    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_compat_access_tokens(
        &mut self,
        tokens: Vec<MasNewCompatAccessToken>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool
            .spawn_with_connection(move |conn| {
                Box::pin(async move {
                    let mut token_ids: Vec<Uuid> = Vec::with_capacity(tokens.len());
                    let mut session_ids: Vec<Uuid> = Vec::with_capacity(tokens.len());
                    let mut access_tokens: Vec<String> = Vec::with_capacity(tokens.len());
                    let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(tokens.len());
                    let mut expires_ats: Vec<Option<DateTime<Utc>>> =
                        Vec::with_capacity(tokens.len());

                    for MasNewCompatAccessToken {
                        token_id,
                        session_id,
                        access_token,
                        created_at,
                        expires_at,
                    } in tokens
                    {
                        token_ids.push(token_id);
                        session_ids.push(session_id);
                        access_tokens.push(access_token);
                        created_ats.push(created_at);
                        expires_ats.push(expires_at);
                    }

                    sqlx::query!(
                        r#"
                        INSERT INTO syn2mas__compat_access_tokens (
                          compat_access_token_id,
                          compat_session_id,
                          access_token,
                          created_at,
                          expires_at)
                        SELECT * FROM UNNEST(
                          $1::UUID[],
                          $2::UUID[],
                          $3::TEXT[],
                          $4::TIMESTAMP WITH TIME ZONE[],
                          $5::TIMESTAMP WITH TIME ZONE[])
                        "#,
                        &token_ids[..],
                        &session_ids[..],
                        &access_tokens[..],
                        &created_ats[..],
                        // We need to override the typing for arrays of optionals (sqlx limitation)
                        &expires_ats[..] as &[Option<DateTime<Utc>>],
                    )
                    .execute(&mut *conn)
                    .await
                    .into_database("writing compat access tokens to MAS")?;

                    Ok(())
                })
            })
            .boxed()
    }

    #[tracing::instrument(skip_all, level = Level::DEBUG)]
    pub fn write_compat_refresh_tokens(
        &mut self,
        tokens: Vec<MasNewCompatRefreshToken>,
    ) -> BoxFuture<'_, Result<(), Error>> {
        self.writer_pool
            .spawn_with_connection(move |conn| {
                Box::pin(async move {
                    let mut refresh_token_ids: Vec<Uuid> = Vec::with_capacity(tokens.len());
                    let mut session_ids: Vec<Uuid> = Vec::with_capacity(tokens.len());
                    let mut access_token_ids: Vec<Uuid> = Vec::with_capacity(tokens.len());
                    let mut refresh_tokens: Vec<String> = Vec::with_capacity(tokens.len());
                    let mut created_ats: Vec<DateTime<Utc>> = Vec::with_capacity(tokens.len());

                    for MasNewCompatRefreshToken {
                        refresh_token_id,
                        session_id,
                        access_token_id,
                        refresh_token,
                        created_at,
                    } in tokens
                    {
                        refresh_token_ids.push(refresh_token_id);
                        session_ids.push(session_id);
                        access_token_ids.push(access_token_id);
                        refresh_tokens.push(refresh_token);
                        created_ats.push(created_at);
                    }

                    sqlx::query!(
                        r#"
                        INSERT INTO syn2mas__compat_refresh_tokens (
                          compat_refresh_token_id,
                          compat_session_id,
                          compat_access_token_id,
                          refresh_token,
                          created_at)
                        SELECT * FROM UNNEST(
                          $1::UUID[],
                          $2::UUID[],
                          $3::UUID[],
                          $4::TEXT[],
                          $5::TIMESTAMP WITH TIME ZONE[])
                        "#,
                        &refresh_token_ids[..],
                        &session_ids[..],
                        &access_token_ids[..],
                        &refresh_tokens[..],
                        &created_ats[..],
                    )
                    .execute(&mut *conn)
                    .await
                    .into_database("writing compat refresh tokens to MAS")?;

                    Ok(())
                })
            })
            .boxed()
    }
}

// How many entries to buffer at once, before writing a batch of rows to the
// database.
const WRITE_BUFFER_BATCH_SIZE: usize = 4096;

/// A function that can accept and flush buffers from a `MasWriteBuffer`.
/// Intended uses are the methods on `MasWriter` such as `write_users`.
type WriteBufferFlusher<T> =
    for<'a> fn(&'a mut MasWriter, Vec<T>) -> BoxFuture<'a, Result<(), Error>>;

/// A buffer for writing rows to the MAS database.
/// Generic over the type of rows.
pub struct MasWriteBuffer<T> {
    rows: Vec<T>,
    flusher: WriteBufferFlusher<T>,
    finish_checker_handle: FinishCheckerHandle,
}

impl<T> MasWriteBuffer<T> {
    pub fn new(writer: &MasWriter, flusher: WriteBufferFlusher<T>) -> Self {
        MasWriteBuffer {
            rows: Vec::with_capacity(WRITE_BUFFER_BATCH_SIZE),
            flusher,
            finish_checker_handle: writer.write_buffer_finish_checker.handle(),
        }
    }

    pub async fn finish(mut self, writer: &mut MasWriter) -> Result<(), Error> {
        self.flush(writer).await?;
        self.finish_checker_handle.declare_finished();
        Ok(())
    }

    pub async fn flush(&mut self, writer: &mut MasWriter) -> Result<(), Error> {
        if self.rows.is_empty() {
            return Ok(());
        }
        let rows = std::mem::take(&mut self.rows);
        self.rows.reserve_exact(WRITE_BUFFER_BATCH_SIZE);
        (self.flusher)(writer, rows).await?;
        Ok(())
    }

    pub async fn write(&mut self, writer: &mut MasWriter, row: T) -> Result<(), Error> {
        self.rows.push(row);
        if self.rows.len() >= WRITE_BUFFER_BATCH_SIZE {
            self.flush(writer).await?;
        }
        Ok(())
    }
}

#[cfg(test)]
mod test {
    use std::collections::{BTreeMap, BTreeSet};

    use chrono::DateTime;
    use futures_util::TryStreamExt;
    use serde::Serialize;
    use sqlx::{Column, PgConnection, PgPool, Row};
    use uuid::{NonNilUuid, Uuid};

    use crate::{
        LockedMasDatabase, MasWriter, Progress,
        mas_writer::{
            MasNewCompatAccessToken, MasNewCompatRefreshToken, MasNewCompatSession,
            MasNewEmailThreepid, MasNewUnsupportedThreepid, MasNewUpstreamOauthLink, MasNewUser,
            MasNewUserPassword,
        },
    };

    /// A snapshot of a whole database
    #[derive(Default, Serialize)]
    #[serde(transparent)]
    struct DatabaseSnapshot {
        tables: BTreeMap<String, TableSnapshot>,
    }

    #[derive(Serialize)]
    #[serde(transparent)]
    struct TableSnapshot {
        rows: BTreeSet<RowSnapshot>,
    }

    #[derive(PartialEq, Eq, PartialOrd, Ord, Serialize)]
    #[serde(transparent)]
    struct RowSnapshot {
        columns_to_values: BTreeMap<String, Option<String>>,
    }

    const SKIPPED_TABLES: &[&str] = &["_sqlx_migrations"];

    /// Produces a serialisable snapshot of a database, usable for snapshot
    /// testing
    ///
    /// For brevity, empty tables, as well as [`SKIPPED_TABLES`], will not be
    /// included in the snapshot.
    async fn snapshot_database(conn: &mut PgConnection) -> DatabaseSnapshot {
        let mut out = DatabaseSnapshot::default();
        let table_names: Vec<String> = sqlx::query_scalar(
            "SELECT table_name FROM information_schema.tables WHERE table_schema = current_schema();",
        )
        .fetch_all(&mut *conn)
        .await
        .unwrap();

        for table_name in table_names {
            if SKIPPED_TABLES.contains(&table_name.as_str()) {
                continue;
            }

            let column_names: Vec<String> = sqlx::query_scalar(
                "SELECT column_name FROM information_schema.columns WHERE table_name = $1 AND table_schema = current_schema();"
            ).bind(&table_name).fetch_all(&mut *conn).await.expect("failed to get column names for table for snapshotting");

            let column_name_list = column_names
                .iter()
                // stringify all the values for simplicity
                .map(|column_name| format!("{column_name}::TEXT AS \"{column_name}\""))
                .collect::<Vec<_>>()
                .join(", ");

            let table_rows = sqlx::query(&format!("SELECT {column_name_list} FROM {table_name};"))
                .fetch(&mut *conn)
                .map_ok(|row| {
                    let mut columns_to_values = BTreeMap::new();
                    for (idx, column) in row.columns().iter().enumerate() {
                        columns_to_values.insert(column.name().to_owned(), row.get(idx));
                    }
                    RowSnapshot { columns_to_values }
                })
                .try_collect::<BTreeSet<RowSnapshot>>()
                .await
                .expect("failed to fetch rows from table for snapshotting");

            if !table_rows.is_empty() {
                out.tables
                    .insert(table_name, TableSnapshot { rows: table_rows });
            }
        }

        out
    }

    /// Make a snapshot assertion against the database.
    macro_rules! assert_db_snapshot {
        ($db: expr) => {
            let db_snapshot = snapshot_database($db).await;
            ::insta::assert_yaml_snapshot!(db_snapshot);
        };
    }

    /// Runs some code with a `MasWriter`.
    ///
    /// The callback is responsible for `finish`ing the `MasWriter`.
    async fn make_mas_writer(pool: &PgPool) -> MasWriter {
        let main_conn = pool.acquire().await.unwrap().detach();
        let mut writer_conns = Vec::new();
        for _ in 0..2 {
            writer_conns.push(
                pool.acquire()
                    .await
                    .expect("failed to acquire MasWriter writer connection")
                    .detach(),
            );
        }
        let locked_main_conn = LockedMasDatabase::try_new(main_conn)
            .await
            .expect("failed to lock MAS database")
            .expect_left("MAS database is already locked");
        MasWriter::new(locked_main_conn, writer_conns)
            .await
            .expect("failed to construct MasWriter")
    }

    /// Tests writing a single user, without a password.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with a password.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user_with_password(pool: PgPool) {
        const USER_ID: NonNilUuid = NonNilUuid::new(Uuid::from_u128(1u128)).unwrap();

        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: USER_ID,
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");
        writer
            .write_passwords(vec![MasNewUserPassword {
                user_password_id: Uuid::from_u128(42u128),
                user_id: USER_ID,
                hashed_password: "$bcrypt$aaaaaaaaaaa".to_owned(),
                created_at: DateTime::default(),
            }])
            .await
            .expect("failed to write password");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with an e-mail address associated.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user_with_email(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        writer
            .write_email_threepids(vec![MasNewEmailThreepid {
                user_email_id: Uuid::from_u128(2u128),
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                email: "alice@example.org".to_owned(),
                created_at: DateTime::default(),
            }])
            .await
            .expect("failed to write e-mail");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with a unsupported third-party ID
    /// associated.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user_with_unsupported_threepid(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        writer
            .write_unsupported_threepids(vec![MasNewUnsupportedThreepid {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                medium: "msisdn".to_owned(),
                address: "441189998819991197253".to_owned(),
                created_at: DateTime::default(),
            }])
            .await
            .expect("failed to write phone number (unsupported threepid)");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with a link to an upstream provider.
    /// There needs to be an upstream provider in the database already — in the
    /// real migration, this is done by running a provider sync first.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR", fixtures("upstream_provider"))]
    async fn test_write_user_with_upstream_provider_link(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        writer
            .write_upstream_oauth_links(vec![MasNewUpstreamOauthLink {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                link_id: Uuid::from_u128(3u128),
                upstream_provider_id: Uuid::from_u128(4u128),
                subject: "12345.67890".to_owned(),
                created_at: DateTime::default(),
            }])
            .await
            .expect("failed to write link");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with a device (compat session).
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user_with_device(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        writer
            .write_compat_sessions(vec![MasNewCompatSession {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                session_id: Uuid::from_u128(5u128),
                created_at: DateTime::default(),
                device_id: Some("ADEVICE".to_owned()),
                human_name: Some("alice's pinephone".to_owned()),
                is_synapse_admin: true,
                last_active_at: Some(DateTime::default()),
                last_active_ip: Some("203.0.113.1".parse().unwrap()),
                user_agent: Some("Browser/5.0".to_owned()),
            }])
            .await
            .expect("failed to write compat session");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with a device and an access token.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user_with_access_token(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        writer
            .write_compat_sessions(vec![MasNewCompatSession {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                session_id: Uuid::from_u128(5u128),
                created_at: DateTime::default(),
                device_id: Some("ADEVICE".to_owned()),
                human_name: None,
                is_synapse_admin: false,
                last_active_at: None,
                last_active_ip: None,
                user_agent: None,
            }])
            .await
            .expect("failed to write compat session");

        writer
            .write_compat_access_tokens(vec![MasNewCompatAccessToken {
                token_id: Uuid::from_u128(6u128),
                session_id: Uuid::from_u128(5u128),
                access_token: "syt_zxcvzxcvzxcvzxcv_zxcv".to_owned(),
                created_at: DateTime::default(),
                expires_at: None,
            }])
            .await
            .expect("failed to write access token");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }

    /// Tests writing a single user, with a device, an access token and a
    /// refresh token.
    #[sqlx::test(migrator = "mas_storage_pg::MIGRATOR")]
    async fn test_write_user_with_refresh_token(pool: PgPool) {
        let mut writer = make_mas_writer(&pool).await;

        writer
            .write_users(vec![MasNewUser {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                username: "alice".to_owned(),
                created_at: DateTime::default(),
                locked_at: None,
                deactivated_at: None,
                can_request_admin: false,
                is_guest: false,
            }])
            .await
            .expect("failed to write user");

        writer
            .write_compat_sessions(vec![MasNewCompatSession {
                user_id: NonNilUuid::new(Uuid::from_u128(1u128)).unwrap(),
                session_id: Uuid::from_u128(5u128),
                created_at: DateTime::default(),
                device_id: Some("ADEVICE".to_owned()),
                human_name: None,
                is_synapse_admin: false,
                last_active_at: None,
                last_active_ip: None,
                user_agent: None,
            }])
            .await
            .expect("failed to write compat session");

        writer
            .write_compat_access_tokens(vec![MasNewCompatAccessToken {
                token_id: Uuid::from_u128(6u128),
                session_id: Uuid::from_u128(5u128),
                access_token: "syt_zxcvzxcvzxcvzxcv_zxcv".to_owned(),
                created_at: DateTime::default(),
                expires_at: None,
            }])
            .await
            .expect("failed to write access token");

        writer
            .write_compat_refresh_tokens(vec![MasNewCompatRefreshToken {
                refresh_token_id: Uuid::from_u128(7u128),
                session_id: Uuid::from_u128(5u128),
                access_token_id: Uuid::from_u128(6u128),
                refresh_token: "syr_zxcvzxcvzxcvzxcv_zxcv".to_owned(),
                created_at: DateTime::default(),
            }])
            .await
            .expect("failed to write refresh token");

        let mut conn = writer
            .finish(&Progress::default())
            .await
            .expect("failed to finish MasWriter");

        assert_db_snapshot!(&mut conn);
    }
}