Skip to main content

mz_catalog/durable/
upgrade.rs

1// Copyright Materialize, Inc. and contributors. All rights reserved.
2//
3// Use of this software is governed by the Business Source License
4// included in the LICENSE file.
5//
6// As of the Change Date specified in that file, in accordance with
7// the Business Source License, use of this software will be governed
8// by the Apache License, Version 2.0.
9
10//! This module contains all the helpers and code paths for upgrading/migrating the `Catalog`.
11//!
12//! We facilitate migrations by keeping snapshots of the objects we previously stored, and relying
13//! entirely on these snapshots. These snapshots exist in the [`mz_catalog_protos`] crate in the
14//! form of `catalog-protos/protos/objects_vXX.proto`. By maintaining and relying on snapshots we
15//! don't have to worry about changes elsewhere in the codebase effecting our migrations because
16//! our application and serialization logic is decoupled, and the objects of the Catalog for a
17//! given version are "frozen in time".
18//!
19//! > **Note**: The protobuf snapshot files themselves live in a separate crate because it takes a
20//!             relatively significant amount of time to codegen and build them. By placing them in
21//!             a separate crate we don't have to pay this compile time cost when building the
22//!             catalog, allowing for faster iteration.
23//!
24//! You cannot make any changes to the following message or anything that they depend on:
25//!
26//!   - Config
27//!   - Setting
28//!   - FenceToken
29//!   - AuditLog
30//!
31//! When you want to make a change to the `Catalog` you need to follow these steps:
32//!
33//! 1. Check the current [`CATALOG_VERSION`], make sure an `objects_v<CATALOG_VERSION>.proto` file
34//!    exists. If one doesn't, copy and paste the current `objects.proto` file, renaming it to
35//!    `objects_v<CATALOG_VERSION>.proto`.
36//! 2. Bump [`CATALOG_VERSION`] by one.
37//! 3. Make your changes to `objects.proto`.
38//! 4. Copy and paste `objects.proto`, naming the copy `objects_v<CATALOG_VERSION>.proto`. Update
39//!    the package name of the `.proto` to `package objects_v<CATALOG_VERSION>;`
40//! 5. We should now have a copy of the protobuf objects as they currently exist, and a copy of
41//!    how we want them to exist. For example, if the version of the Catalog before we made our
42//!    changes was 15, we should now have `objects_v15.proto` and `objects_v16.proto`.
43//! 6. Rebuild Materialize which will error because the hashes stored in
44//!    `src/catalog-protos/protos/hashes.json` have now changed. Update these to match the new
45//!    hashes for objects.proto and `objects_v<CATALOG_VERSION>.proto`.
46//! 7. Add `v<CATALOG_VERSION>` to the call to the `objects!` macro in this file
47//! 8. Add a new file to `catalog/src/durable/upgrade` which is where we'll put the new migration
48//!    path.
49//! 9. Write upgrade functions using the two versions of the protos we now have, e.g.
50//!    `objects_v15.proto` and `objects_v16.proto`. In this migration code you __should not__
51//!    import any defaults or constants from elsewhere in the codebase, because then a future
52//!    change could then impact a previous migration.
53//! 10. Add an import for your new module to this file: mod v<CATALOG_VERSION-1>_to_v<CATALOG_VERSION>;
54//! 11. Call your upgrade function in [`run_upgrade()`].
55//! 12. Generate a test file for the new version:
56//!     ```ignore
57//!     cargo test --package mz-catalog --lib durable::upgrade::tests::generate_missing_encodings -- --ignored
58//!     ```
59//!
60//! When in doubt, reach out to the Surfaces team, and we'll be more than happy to help :)
61
62pub mod json_compatible;
63#[cfg(test)]
64mod tests;
65
66use mz_ore::{soft_assert_eq_or_log, soft_assert_ne_or_log};
67use mz_repr::Diff;
68use paste::paste;
69#[cfg(test)]
70use proptest::prelude::*;
71#[cfg(test)]
72use proptest::strategy::ValueTree;
73#[cfg(test)]
74use proptest_derive::Arbitrary;
75use timely::progress::Timestamp as TimelyTimestamp;
76
77use crate::durable::initialize::USER_VERSION_KEY;
78use crate::durable::objects::serialization::proto;
79use crate::durable::objects::state_update::{
80    IntoStateUpdateKindJson, StateUpdate, StateUpdateKind, StateUpdateKindJson,
81};
82use crate::durable::persist::{Mode, Timestamp, UnopenedPersistCatalogState};
83use crate::durable::{CatalogError, DurableCatalogError};
84
85#[cfg(test)]
86const ENCODED_TEST_CASES: usize = 100;
87
88/// Generate per-version support code.
89///
90/// Here we have to deal with the fact that the pre-v79 objects had a protobuf-generated format,
91/// which gives them additional levels of indirection that the post-v79 objects don't have and thus
92/// requires slightly different code to be generated.
93macro_rules! objects {
94    ( [$( $x_old:ident ),*], [$( $x:ident ),*] ) => {
95        paste! {
96            $(
97                pub(crate) mod [<objects_ $x_old>] {
98                    pub use mz_catalog_protos::[<objects_ $x_old>]::*;
99
100                    use crate::durable::objects::state_update::StateUpdateKindJson;
101
102                    impl From<StateUpdateKind> for StateUpdateKindJson {
103                        fn from(value: StateUpdateKind) -> Self {
104                            let kind = value.kind.expect("kind should be set");
105                            // TODO: This requires that the json->proto->json roundtrips
106                            // exactly, see database-issues#7179.
107                            StateUpdateKindJson::from_serde(&kind)
108                        }
109                    }
110
111                    impl From<StateUpdateKindJson> for StateUpdateKind {
112                        fn from(value: StateUpdateKindJson) -> Self {
113                            let kind: state_update_kind::Kind = value.to_serde();
114                            StateUpdateKind { kind: Some(kind) }
115                        }
116                    }
117                }
118            )*
119
120            $(
121                pub(crate) mod [<objects_ $x>] {
122                    pub use mz_catalog_protos::[<objects_ $x>]::*;
123
124                    use crate::durable::objects::state_update::StateUpdateKindJson;
125
126                    impl From<StateUpdateKind> for StateUpdateKindJson {
127                        fn from(value: StateUpdateKind) -> Self {
128                            // TODO: This requires that the json->proto->json roundtrips
129                            // exactly, see database-issues#7179.
130                            StateUpdateKindJson::from_serde(&value)
131                        }
132                    }
133
134                    impl From<StateUpdateKindJson> for StateUpdateKind {
135                        fn from(value: StateUpdateKindJson) -> Self {
136                            value.to_serde()
137                        }
138                    }
139                }
140            )*
141
142            // Generate test helpers for each version.
143
144            #[cfg(test)]
145            #[derive(Debug, Arbitrary)]
146            enum AllVersionsStateUpdateKind {
147                $(
148                    [<$x_old:upper>](crate::durable::upgrade::[<objects_ $x_old>]::StateUpdateKind),
149                )*
150                $(
151                    [<$x:upper>](crate::durable::upgrade::[<objects_ $x>]::StateUpdateKind),
152                )*
153            }
154
155            #[cfg(test)]
156            impl AllVersionsStateUpdateKind {
157                #[cfg(test)]
158                fn arbitrary_vec(version: &str) -> Result<Vec<Self>, String> {
159                    let mut runner = proptest::test_runner::TestRunner::deterministic();
160                    std::iter::repeat(())
161                        .filter_map(|_| {
162                            AllVersionsStateUpdateKind::arbitrary(version, &mut runner)
163                                .transpose()
164                        })
165                        .take(ENCODED_TEST_CASES)
166                        .collect::<Result<_, _>>()
167                }
168
169                #[cfg(test)]
170                fn arbitrary(
171                    version: &str,
172                    runner: &mut proptest::test_runner::TestRunner,
173                ) -> Result<Option<Self>, String> {
174                    match version {
175                        $(
176                            concat!("objects_", stringify!($x_old)) => {
177                                let arbitrary_data =
178                                    crate::durable::upgrade
179                                        ::[<objects_ $x_old>]::StateUpdateKind::arbitrary()
180                                        .new_tree(runner)
181                                        .expect("unable to create arbitrary data")
182                                        .current();
183                                // Skip over generated data where kind is None
184                                // because they are not interesting or possible in
185                                // production. Unfortunately any of the inner fields
186                                // can still be None, which is also not possible in
187                                // production.
188                                // TODO(jkosh44) See if there's an arbitrary config
189                                // that forces Some.
190                                let arbitrary_data = if arbitrary_data.kind.is_some() {
191                                    Some(Self::[<$x_old:upper>](arbitrary_data))
192                                } else {
193                                    None
194                                };
195                                Ok(arbitrary_data)
196                            }
197                        )*
198                        $(
199                            concat!("objects_", stringify!($x)) => {
200                                let arbitrary_data =
201                                    crate::durable::upgrade
202                                        ::[<objects_ $x>]::StateUpdateKind::arbitrary()
203                                        .new_tree(runner)
204                                        .expect("unable to create arbitrary data")
205                                        .current();
206                                Ok(Some(Self::[<$x:upper>](arbitrary_data)))
207                            }
208                        )*
209                        _ => Err(format!("unrecognized version {version} add enum variant")),
210                    }
211                }
212
213                #[cfg(test)]
214                fn try_from_raw(version: &str, raw: StateUpdateKindJson) -> Result<Self, String> {
215                    match version {
216                        $(
217                            concat!("objects_", stringify!($x_old)) => Ok(Self::[<$x_old:upper>](raw.into())),
218                        )*
219                        $(
220                            concat!("objects_", stringify!($x)) => Ok(Self::[<$x:upper>](raw.into())),
221
222                        )*
223                        _ => Err(format!("unrecognized version {version} add enum variant")),
224                    }
225                }
226
227                #[cfg(test)]
228                fn raw(self) -> StateUpdateKindJson {
229                    match self {
230                        $(
231                            Self::[<$x_old:upper>](kind) => kind.into(),
232                        )*
233                        $(
234                            Self::[<$x:upper>](kind) => kind.into(),
235                        )*
236                    }
237                }
238            }
239        }
240    }
241}
242
243objects!([v74, v75, v76, v77, v78], [v79, v80, v81]);
244
245/// The current version of the `Catalog`.
246pub use mz_catalog_protos::CATALOG_VERSION;
247/// The minimum `Catalog` version number that we support migrating from.
248pub use mz_catalog_protos::MIN_CATALOG_VERSION;
249
250// Note(parkmycar): Ideally we wouldn't have to define these extra constants,
251// but const expressions aren't yet supported in match statements.
252const TOO_OLD_VERSION: u64 = MIN_CATALOG_VERSION - 1;
253const FUTURE_VERSION: u64 = CATALOG_VERSION + 1;
254
255mod v74_to_v75;
256mod v75_to_v76;
257mod v76_to_v77;
258mod v77_to_v78;
259mod v78_to_v79;
260mod v79_to_v80;
261mod v80_to_v81;
262
263/// Describes a single action to take during a migration from `V1` to `V2`.
264#[derive(Debug, Clone, PartialEq, Eq, PartialOrd, Ord)]
265enum MigrationAction<V1: IntoStateUpdateKindJson, V2: IntoStateUpdateKindJson> {
266    /// Deletes the provided key.
267    #[allow(unused)]
268    Delete(V1),
269    /// Inserts the provided key-value pair. The key must not currently exist!
270    #[allow(unused)]
271    Insert(V2),
272    /// Update the key-value pair for the provided key.
273    #[allow(unused)]
274    Update(V1, V2),
275}
276
277impl<V1: IntoStateUpdateKindJson, V2: IntoStateUpdateKindJson> MigrationAction<V1, V2> {
278    /// Converts `self` into a `Vec<StateUpdate<StateUpdateKindBinary>>` that can be appended
279    /// to persist.
280    fn into_updates(self) -> Vec<(StateUpdateKindJson, Diff)> {
281        match self {
282            MigrationAction::Delete(kind) => {
283                vec![(kind.into(), Diff::MINUS_ONE)]
284            }
285            MigrationAction::Insert(kind) => {
286                vec![(kind.into(), Diff::ONE)]
287            }
288            MigrationAction::Update(old_kind, new_kind) => {
289                vec![
290                    (old_kind.into(), Diff::MINUS_ONE),
291                    (new_kind.into(), Diff::ONE),
292                ]
293            }
294        }
295    }
296}
297
298/// Upgrades the data in the catalog to version [`CATALOG_VERSION`].
299///
300/// Returns the current upper after all migrations have executed.
301#[mz_ore::instrument(name = "persist::upgrade", level = "debug")]
302pub(crate) async fn upgrade(
303    persist_handle: &mut UnopenedPersistCatalogState,
304    mut commit_ts: Timestamp,
305) -> Result<Timestamp, CatalogError> {
306    soft_assert_ne_or_log!(
307        persist_handle.upper,
308        Timestamp::minimum(),
309        "cannot upgrade uninitialized catalog"
310    );
311
312    // Consolidate to avoid migrating old state.
313    persist_handle.consolidate();
314    let mut version = persist_handle
315        .get_user_version()
316        .await?
317        .expect("initialized catalog must have a version");
318    // Run migrations until we're up-to-date.
319    while version < CATALOG_VERSION {
320        (version, commit_ts) = run_upgrade(persist_handle, version, commit_ts).await?;
321    }
322
323    Ok(commit_ts)
324}
325
326/// Determines which upgrade to run for the `version` and executes it.
327///
328/// Returns the new version and upper.
329async fn run_upgrade(
330    unopened_catalog_state: &mut UnopenedPersistCatalogState,
331    version: u64,
332    commit_ts: Timestamp,
333) -> Result<(u64, Timestamp), CatalogError> {
334    let incompatible = DurableCatalogError::IncompatibleDataVersion {
335        found_version: version,
336        min_catalog_version: MIN_CATALOG_VERSION,
337        catalog_version: CATALOG_VERSION,
338    }
339    .into();
340
341    match version {
342        ..=TOO_OLD_VERSION => Err(incompatible),
343
344        74 => {
345            run_versioned_upgrade(
346                unopened_catalog_state,
347                version,
348                commit_ts,
349                v74_to_v75::upgrade,
350            )
351            .await
352        }
353        75 => {
354            run_versioned_upgrade(
355                unopened_catalog_state,
356                version,
357                commit_ts,
358                v75_to_v76::upgrade,
359            )
360            .await
361        }
362        76 => {
363            run_versioned_upgrade(
364                unopened_catalog_state,
365                version,
366                commit_ts,
367                v76_to_v77::upgrade,
368            )
369            .await
370        }
371        77 => {
372            run_versioned_upgrade(
373                unopened_catalog_state,
374                version,
375                commit_ts,
376                v77_to_v78::upgrade,
377            )
378            .await
379        }
380        78 => {
381            run_versioned_upgrade(
382                unopened_catalog_state,
383                version,
384                commit_ts,
385                v78_to_v79::upgrade,
386            )
387            .await
388        }
389        79 => {
390            run_versioned_upgrade(
391                unopened_catalog_state,
392                version,
393                commit_ts,
394                v79_to_v80::upgrade,
395            )
396            .await
397        }
398        80 => {
399            run_versioned_upgrade(
400                unopened_catalog_state,
401                version,
402                commit_ts,
403                v80_to_v81::upgrade,
404            )
405            .await
406        }
407
408        // Up-to-date, no migration needed!
409        CATALOG_VERSION => Ok((CATALOG_VERSION, commit_ts)),
410        FUTURE_VERSION.. => Err(incompatible),
411    }
412}
413
414/// Runs `migration_logic` on the contents of the current catalog assuming a current version of
415/// `current_version`.
416///
417/// Returns the new version and upper.
418async fn run_versioned_upgrade<V1: IntoStateUpdateKindJson, V2: IntoStateUpdateKindJson>(
419    unopened_catalog_state: &mut UnopenedPersistCatalogState,
420    current_version: u64,
421    mut commit_ts: Timestamp,
422    migration_logic: impl FnOnce(Vec<V1>) -> Vec<MigrationAction<V1, V2>>,
423) -> Result<(u64, Timestamp), CatalogError> {
424    tracing::info!(current_version, "running versioned Catalog upgrade");
425
426    // 1. Use the V1 to deserialize the contents of the current snapshot.
427    let snapshot: Vec<_> = unopened_catalog_state
428        .snapshot
429        .iter()
430        .map(|(kind, ts, diff)| {
431            soft_assert_eq_or_log!(
432                *diff,
433                Diff::ONE,
434                "snapshot is consolidated, ({kind:?}, {ts:?}, {diff:?})"
435            );
436            V1::try_from(kind.clone()).expect("invalid catalog data persisted")
437        })
438        .collect();
439
440    // 2. Generate updates from version specific migration logic.
441    let migration_actions = migration_logic(snapshot);
442    let mut updates: Vec<_> = migration_actions
443        .into_iter()
444        .flat_map(|action| action.into_updates().into_iter())
445        .collect();
446    // Validate that we're not migrating an un-migratable collection.
447    for (update, _) in &updates {
448        if update.is_always_deserializable() {
449            panic!("migration to un-migratable collection: {update:?}\nall updates: {updates:?}");
450        }
451    }
452
453    // 3. Add a retraction for old version and insertion for new version into updates.
454    let next_version = current_version + 1;
455    let version_retraction = (version_update_kind(current_version), Diff::MINUS_ONE);
456    updates.push(version_retraction);
457    let version_insertion = (version_update_kind(next_version), Diff::ONE);
458    updates.push(version_insertion);
459
460    // 4. Apply migration to catalog.
461    if matches!(unopened_catalog_state.mode, Mode::Writable) {
462        commit_ts = unopened_catalog_state
463            .compare_and_append(updates, commit_ts)
464            .await
465            .map_err(|e| e.unwrap_fence_error())?;
466    } else {
467        let ts = commit_ts;
468        let updates = updates
469            .into_iter()
470            .map(|(kind, diff)| StateUpdate { kind, ts, diff });
471        commit_ts = commit_ts.step_forward();
472        unopened_catalog_state.apply_updates(updates)?;
473    }
474
475    // 5. Consolidate snapshot to remove old versions.
476    unopened_catalog_state.consolidate();
477
478    Ok((next_version, commit_ts))
479}
480
481/// Generates a [`proto::StateUpdateKind`] to update the user version.
482fn version_update_kind(version: u64) -> StateUpdateKindJson {
483    // We can use the current version because Configs can never be migrated and are always wire
484    // compatible.
485    StateUpdateKind::Config(
486        proto::ConfigKey {
487            key: USER_VERSION_KEY.to_string(),
488        },
489        proto::ConfigValue { value: version },
490    )
491    .into()
492}