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 1597 1598 1599 1600 1601 1602 1603 1604 1605 1606 1607 1608 1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619 1620 1621 1622 1623 1624 1625 1626 1627 1628 1629 1630 1631 1632 1633 1634 1635 1636 1637 1638 1639 1640 1641 1642 1643 1644 1645 1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705 1706 1707 1708 1709 1710 1711 1712 1713 1714 1715 1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731 1732 1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743 1744 1745 1746 1747 1748 1749 1750 1751 1752 1753 1754 1755 1756 1757 1758 1759 1760 1761 1762 1763 1764 1765 1766 1767 1768 1769 1770 1771 1772 1773 1774 1775 1776 1777 1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807 1808
// Copyright Materialize, Inc. and contributors. All rights reserved.
//
// Use of this software is governed by the Business Source License
// included in the LICENSE file.
//
// As of the Change Date specified in that file, in accordance with
// the Business Source License, use of this software will be governed
// by the Apache License, Version 2.0.
#![warn(missing_docs)]
//! Catalog abstraction layer.
use std::borrow::Cow;
use std::collections::{BTreeMap, BTreeSet};
use std::error::Error;
use std::fmt;
use std::fmt::{Debug, Display, Formatter};
use std::str::FromStr;
use std::sync::LazyLock;
use std::time::{Duration, Instant};
use chrono::{DateTime, Utc};
use mz_build_info::BuildInfo;
use mz_controller_types::{ClusterId, ReplicaId};
use mz_expr::MirScalarExpr;
use mz_ore::now::{EpochMillis, NowFn};
use mz_ore::str::StrExt;
use mz_repr::adt::mz_acl_item::{AclMode, MzAclItem, PrivilegeMap};
use mz_repr::explain::ExprHumanizer;
use mz_repr::network_policy_id::NetworkPolicyId;
use mz_repr::role_id::RoleId;
use mz_repr::{CatalogItemId, ColumnName, GlobalId, RelationDesc, RelationVersionSelector};
use mz_sql_parser::ast::{Expr, QualifiedReplica, UnresolvedItemName};
use mz_storage_types::connections::inline::{ConnectionResolver, ReferencedConnection};
use mz_storage_types::connections::{Connection, ConnectionContext};
use mz_storage_types::sources::{SourceDesc, SourceExportDataConfig, SourceExportDetails};
use proptest_derive::Arbitrary;
use regex::Regex;
use serde::{Deserialize, Serialize};
use uuid::Uuid;
use crate::func::Func;
use crate::names::{
Aug, CommentObjectId, DatabaseId, FullItemName, FullSchemaName, ObjectId, PartialItemName,
QualifiedItemName, QualifiedSchemaName, ResolvedDatabaseSpecifier, ResolvedIds, SchemaId,
SchemaSpecifier, SystemObjectId,
};
use crate::plan::statement::ddl::PlannedRoleAttributes;
use crate::plan::statement::StatementDesc;
use crate::plan::{query, ClusterSchedule, CreateClusterPlan, PlanError, PlanNotice};
use crate::session::vars::{OwnedVarInput, SystemVars};
/// A catalog keeps track of SQL objects and session state available to the
/// planner.
///
/// The `sql` crate is agnostic to any particular catalog implementation. This
/// trait describes the required interface.
///
/// The SQL standard mandates a catalog hierarchy of exactly three layers. A
/// catalog contains databases, databases contain schemas, and schemas contain
/// catalog items, like sources, sinks, view, and indexes.
///
/// There are two classes of operations provided by a catalog:
///
/// * Resolution operations, like [`resolve_item`]. These fill in missing name
/// components based upon connection defaults, e.g., resolving the partial
/// name `view42` to the fully-specified name `materialize.public.view42`.
///
/// * Lookup operations, like [`SessionCatalog::get_item`]. These retrieve
/// metadata about a catalog entity based on a fully-specified name that is
/// known to be valid (i.e., because the name was successfully resolved, or
/// was constructed based on the output of a prior lookup operation). These
/// functions panic if called with invalid input.
///
/// * Session management, such as managing variables' states and adding
/// notices to the session.
///
/// [`list_databases`]: Catalog::list_databases
/// [`get_item`]: Catalog::resolve_item
/// [`resolve_item`]: SessionCatalog::resolve_item
pub trait SessionCatalog: fmt::Debug + ExprHumanizer + Send + Sync + ConnectionResolver {
/// Returns the id of the role that is issuing the query.
fn active_role_id(&self) -> &RoleId;
/// Returns the database to use if one is not explicitly specified.
fn active_database_name(&self) -> Option<&str> {
self.active_database()
.map(|id| self.get_database(id))
.map(|db| db.name())
}
/// Returns the database to use if one is not explicitly specified.
fn active_database(&self) -> Option<&DatabaseId>;
/// Returns the cluster to use if one is not explicitly specified.
fn active_cluster(&self) -> &str;
/// Returns the resolved search paths for the current user. (Invalid search paths are skipped.)
fn search_path(&self) -> &[(ResolvedDatabaseSpecifier, SchemaSpecifier)];
/// Returns the descriptor of the named prepared statement on the session, or
/// None if the prepared statement does not exist.
fn get_prepared_statement_desc(&self, name: &str) -> Option<&StatementDesc>;
/// Resolves the named database.
///
/// If `database_name` exists in the catalog, it returns a reference to the
/// resolved database; otherwise it returns an error.
fn resolve_database(&self, database_name: &str) -> Result<&dyn CatalogDatabase, CatalogError>;
/// Gets a database by its ID.
///
/// Panics if `id` does not specify a valid database.
fn get_database(&self, id: &DatabaseId) -> &dyn CatalogDatabase;
/// Gets all databases.
fn get_databases(&self) -> Vec<&dyn CatalogDatabase>;
/// Resolves a partially-specified schema name.
///
/// If the schema exists in the catalog, it returns a reference to the
/// resolved schema; otherwise it returns an error.
fn resolve_schema(
&self,
database_name: Option<&str>,
schema_name: &str,
) -> Result<&dyn CatalogSchema, CatalogError>;
/// Resolves a schema name within a specified database.
///
/// If the schema exists in the database, it returns a reference to the
/// resolved schema; otherwise it returns an error.
fn resolve_schema_in_database(
&self,
database_spec: &ResolvedDatabaseSpecifier,
schema_name: &str,
) -> Result<&dyn CatalogSchema, CatalogError>;
/// Gets a schema by its ID.
///
/// Panics if `id` does not specify a valid schema.
fn get_schema(
&self,
database_spec: &ResolvedDatabaseSpecifier,
schema_spec: &SchemaSpecifier,
) -> &dyn CatalogSchema;
/// Gets all schemas.
fn get_schemas(&self) -> Vec<&dyn CatalogSchema>;
/// Gets the mz_internal schema id.
fn get_mz_internal_schema_id(&self) -> SchemaId;
/// Gets the mz_unsafe schema id.
fn get_mz_unsafe_schema_id(&self) -> SchemaId;
/// Returns true if `schema` is an internal system schema, false otherwise
fn is_system_schema_specifier(&self, schema: SchemaSpecifier) -> bool;
/// Resolves the named role.
fn resolve_role(&self, role_name: &str) -> Result<&dyn CatalogRole, CatalogError>;
/// Resolves the named network policy.
fn resolve_network_policy(
&self,
network_policy_name: &str,
) -> Result<&dyn CatalogNetworkPolicy, CatalogError>;
/// Gets a role by its ID.
fn try_get_role(&self, id: &RoleId) -> Option<&dyn CatalogRole>;
/// Gets a role by its ID.
///
/// Panics if `id` does not specify a valid role.
fn get_role(&self, id: &RoleId) -> &dyn CatalogRole;
/// Gets all roles.
fn get_roles(&self) -> Vec<&dyn CatalogRole>;
/// Gets the id of the `mz_system` role.
fn mz_system_role_id(&self) -> RoleId;
/// Collects all role IDs that `id` is transitively a member of.
fn collect_role_membership(&self, id: &RoleId) -> BTreeSet<RoleId>;
/// Resolves the named cluster.
/// Gets a network_policy by its ID.
///
/// Panics if `id` does not specify a valid role.
fn get_network_policy(&self, id: &NetworkPolicyId) -> &dyn CatalogNetworkPolicy;
/// Gets all roles.
fn get_network_policies(&self) -> Vec<&dyn CatalogNetworkPolicy>;
///
/// If the provided name is `None`, resolves the currently active cluster.
fn resolve_cluster<'a, 'b>(
&'a self,
cluster_name: Option<&'b str>,
) -> Result<&dyn CatalogCluster<'a>, CatalogError>;
/// Resolves the named cluster replica.
fn resolve_cluster_replica<'a, 'b>(
&'a self,
cluster_replica_name: &'b QualifiedReplica,
) -> Result<&dyn CatalogClusterReplica<'a>, CatalogError>;
/// Resolves a partially-specified item name, that is NOT a function or
/// type. (For resolving functions or types, please use
/// [SessionCatalog::resolve_function] or [SessionCatalog::resolve_type].)
///
/// If the partial name has a database component, it searches only the
/// specified database; otherwise, it searches the active database. If the
/// partial name has a schema component, it searches only the specified
/// schema; otherwise, it searches a default set of schemas within the
/// selected database. It returns an error if none of the searched schemas
/// contain an item whose name matches the item component of the partial
/// name.
///
/// Note that it is not an error if the named item appears in more than one
/// of the search schemas. The catalog implementation must choose one.
fn resolve_item(&self, item_name: &PartialItemName) -> Result<&dyn CatalogItem, CatalogError>;
/// Performs the same operation as [`SessionCatalog::resolve_item`] but for
/// functions within the catalog.
fn resolve_function(
&self,
item_name: &PartialItemName,
) -> Result<&dyn CatalogItem, CatalogError>;
/// Performs the same operation as [`SessionCatalog::resolve_item`] but for
/// types within the catalog.
fn resolve_type(&self, item_name: &PartialItemName) -> Result<&dyn CatalogItem, CatalogError>;
/// Resolves `name` to a type or item, preferring the type if both exist.
fn resolve_item_or_type(
&self,
name: &PartialItemName,
) -> Result<&dyn CatalogItem, CatalogError> {
if let Ok(ty) = self.resolve_type(name) {
return Ok(ty);
}
self.resolve_item(name)
}
/// Gets a type named `name` from exactly one of the system schemas.
///
/// # Panics
/// - If `name` is not an entry in any system schema
/// - If more than one system schema has an entry named `name`.
fn get_system_type(&self, name: &str) -> &dyn CatalogItem;
/// Gets an item by its ID.
fn try_get_item(&self, id: &CatalogItemId) -> Option<&dyn CatalogItem>;
/// Tries to get an item by a [`GlobalId`], returning `None` if the [`GlobalId`] does not
/// exist.
///
/// Note: A single Catalog Item can have multiple [`GlobalId`]s associated with it.
fn try_get_item_by_global_id(&self, id: &GlobalId) -> Option<Box<dyn CatalogCollectionItem>>;
/// Gets an item by its ID.
///
/// Panics if `id` does not specify a valid item.
fn get_item(&self, id: &CatalogItemId) -> &dyn CatalogItem;
/// Gets an item by a [`GlobalId`].
///
/// Panics if `id` does not specify a valid item.
///
/// Note: A single Catalog Item can have multiple [`GlobalId`]s associated with it.
fn get_item_by_global_id(&self, id: &GlobalId) -> Box<dyn CatalogCollectionItem>;
/// Gets all items.
fn get_items(&self) -> Vec<&dyn CatalogItem>;
/// Looks up an item by its name.
fn get_item_by_name(&self, name: &QualifiedItemName) -> Option<&dyn CatalogItem>;
/// Looks up a type by its name.
fn get_type_by_name(&self, name: &QualifiedItemName) -> Option<&dyn CatalogItem>;
/// Gets a cluster by ID.
fn get_cluster(&self, id: ClusterId) -> &dyn CatalogCluster;
/// Gets all clusters.
fn get_clusters(&self) -> Vec<&dyn CatalogCluster>;
/// Gets a cluster replica by ID.
fn get_cluster_replica(
&self,
cluster_id: ClusterId,
replica_id: ReplicaId,
) -> &dyn CatalogClusterReplica;
/// Gets all cluster replicas.
fn get_cluster_replicas(&self) -> Vec<&dyn CatalogClusterReplica>;
/// Gets all system privileges.
fn get_system_privileges(&self) -> &PrivilegeMap;
/// Gets all default privileges.
fn get_default_privileges(
&self,
) -> Vec<(&DefaultPrivilegeObject, Vec<&DefaultPrivilegeAclItem>)>;
/// Finds a name like `name` that is not already in use.
///
/// If `name` itself is available, it is returned unchanged.
fn find_available_name(&self, name: QualifiedItemName) -> QualifiedItemName;
/// Returns a fully qualified human readable name from fully qualified non-human readable name
fn resolve_full_name(&self, name: &QualifiedItemName) -> FullItemName;
/// Returns a fully qualified human readable schema name from fully qualified non-human
/// readable schema name
fn resolve_full_schema_name(&self, name: &QualifiedSchemaName) -> FullSchemaName;
/// Returns the [`CatalogItemId`] for from a [`GlobalId`].
fn resolve_item_id(&self, global_id: &GlobalId) -> CatalogItemId;
/// Returns the [`GlobalId`] for the specificed Catalog Item, at the specified version.
fn resolve_global_id(
&self,
item_id: &CatalogItemId,
version: RelationVersionSelector,
) -> GlobalId;
/// Returns the configuration of the catalog.
fn config(&self) -> &CatalogConfig;
/// Returns the number of milliseconds since the system epoch. For normal use
/// this means the Unix epoch. This can safely be mocked in tests and start
/// at 0.
fn now(&self) -> EpochMillis;
/// Returns the set of supported AWS PrivateLink availability zone ids.
fn aws_privatelink_availability_zones(&self) -> Option<BTreeSet<String>>;
/// Returns system vars
fn system_vars(&self) -> &SystemVars;
/// Returns mutable system vars
///
/// Clients should use this this method carefully, as changes to the backing
/// state here are not guarateed to be persisted. The motivating use case
/// for this method was ensuring that features are temporary turned on so
/// catalog rehydration does not break due to unsupported SQL syntax.
fn system_vars_mut(&mut self) -> &mut SystemVars;
/// Returns the [`RoleId`] of the owner of an object by its ID.
fn get_owner_id(&self, id: &ObjectId) -> Option<RoleId>;
/// Returns the [`PrivilegeMap`] of the object.
fn get_privileges(&self, id: &SystemObjectId) -> Option<&PrivilegeMap>;
/// Returns all the IDs of all objects that depend on `ids`, including `ids` themselves.
///
/// The order is guaranteed to be in reverse dependency order, i.e. the leafs will appear
/// earlier in the list than the roots. This is particularly userful for the order to drop
/// objects.
fn object_dependents(&self, ids: &Vec<ObjectId>) -> Vec<ObjectId>;
/// Returns all the IDs of all objects that depend on `id`, including `id` themselves.
///
/// The order is guaranteed to be in reverse dependency order, i.e. the leafs will appear
/// earlier in the list than `id`. This is particularly userful for the order to drop
/// objects.
fn item_dependents(&self, id: CatalogItemId) -> Vec<ObjectId>;
/// Returns all possible privileges associated with an object type.
fn all_object_privileges(&self, object_type: SystemObjectType) -> AclMode;
/// Returns the object type of `object_id`.
fn get_object_type(&self, object_id: &ObjectId) -> ObjectType;
/// Returns the system object type of `id`.
fn get_system_object_type(&self, id: &SystemObjectId) -> SystemObjectType;
/// Returns the minimal qualification required to unambiguously specify
/// `qualified_name`.
fn minimal_qualification(&self, qualified_name: &QualifiedItemName) -> PartialItemName;
/// Adds a [`PlanNotice`] that will be displayed to the user if the plan
/// successfully executes.
fn add_notice(&self, notice: PlanNotice);
/// Returns the associated comments for the given `id`
fn get_item_comments(&self, id: &CatalogItemId) -> Option<&BTreeMap<Option<usize>, String>>;
/// Reports whether the specified cluster size is a modern "cc" size rather
/// than a legacy T-shirt size.
fn is_cluster_size_cc(&self, size: &str) -> bool;
}
/// Configuration associated with a catalog.
#[derive(Debug, Clone)]
pub struct CatalogConfig {
/// Returns the time at which the catalog booted.
pub start_time: DateTime<Utc>,
/// Returns the instant at which the catalog booted.
pub start_instant: Instant,
/// A random integer associated with this instance of the catalog.
///
/// NOTE(benesch): this is only necessary for producing unique Kafka sink
/// topics. Perhaps we can remove this when database-issues#977 is complete.
pub nonce: u64,
/// A persistent ID associated with the environment.
pub environment_id: EnvironmentId,
/// A transient UUID associated with this process.
pub session_id: Uuid,
/// Information about this build of Materialize.
pub build_info: &'static BuildInfo,
/// Default timestamp interval.
pub timestamp_interval: Duration,
/// Function that returns a wall clock now time; can safely be mocked to return
/// 0.
pub now: NowFn,
/// Context for source and sink connections.
pub connection_context: ConnectionContext,
/// Which system builtins to include. Not allowed to change dynamically.
pub builtins_cfg: BuiltinsConfig,
/// Helm chart version
pub helm_chart_version: Option<String>,
}
/// A database in a [`SessionCatalog`].
pub trait CatalogDatabase {
/// Returns a fully-specified name of the database.
fn name(&self) -> &str;
/// Returns a stable ID for the database.
fn id(&self) -> DatabaseId;
/// Returns whether the database contains schemas.
fn has_schemas(&self) -> bool;
/// Returns the schemas of the database as a map from schema name to
/// schema ID.
fn schema_ids(&self) -> &BTreeMap<String, SchemaId>;
/// Returns the schemas of the database.
fn schemas(&self) -> Vec<&dyn CatalogSchema>;
/// Returns the ID of the owning role.
fn owner_id(&self) -> RoleId;
/// Returns the privileges associated with the database.
fn privileges(&self) -> &PrivilegeMap;
}
/// A schema in a [`SessionCatalog`].
pub trait CatalogSchema {
/// Returns a fully-specified id of the database
fn database(&self) -> &ResolvedDatabaseSpecifier;
/// Returns a fully-specified name of the schema.
fn name(&self) -> &QualifiedSchemaName;
/// Returns a stable ID for the schema.
fn id(&self) -> &SchemaSpecifier;
/// Lists the `CatalogItem`s for the schema.
fn has_items(&self) -> bool;
/// Returns the IDs of the items in the schema.
fn item_ids(&self) -> Box<dyn Iterator<Item = CatalogItemId> + '_>;
/// Returns the ID of the owning role.
fn owner_id(&self) -> RoleId;
/// Returns the privileges associated with the schema.
fn privileges(&self) -> &PrivilegeMap;
}
/// Attributes belonging to a [`CatalogRole`].
#[derive(Debug, Clone, Serialize, Deserialize, Eq, PartialEq, Ord, PartialOrd, Arbitrary)]
pub struct RoleAttributes {
/// Indicates whether the role has inheritance of privileges.
pub inherit: bool,
// Force use of constructor.
_private: (),
}
impl RoleAttributes {
/// Creates a new [`RoleAttributes`] with default attributes.
pub const fn new() -> RoleAttributes {
RoleAttributes {
inherit: true,
_private: (),
}
}
/// Adds all attributes.
pub const fn with_all(mut self) -> RoleAttributes {
self.inherit = true;
self
}
/// Returns whether or not the role has inheritence of privileges.
pub const fn is_inherit(&self) -> bool {
self.inherit
}
}
impl From<PlannedRoleAttributes> for RoleAttributes {
fn from(PlannedRoleAttributes { inherit }: PlannedRoleAttributes) -> RoleAttributes {
let default_attributes = RoleAttributes::new();
RoleAttributes {
inherit: inherit.unwrap_or(default_attributes.inherit),
_private: (),
}
}
}
/// Default variable values for a [`CatalogRole`].
#[derive(Default, Clone, Debug, PartialEq, Eq, PartialOrd, Ord, Serialize)]
pub struct RoleVars {
/// Map of variable names to their value.
pub map: BTreeMap<String, OwnedVarInput>,
}
/// A role in a [`SessionCatalog`].
pub trait CatalogRole {
/// Returns a fully-specified name of the role.
fn name(&self) -> &str;
/// Returns a stable ID for the role.
fn id(&self) -> RoleId;
/// Returns all role IDs that this role is an immediate a member of, and the grantor of that
/// membership.
///
/// Key is the role that some role is a member of, value is the grantor role ID.
fn membership(&self) -> &BTreeMap<RoleId, RoleId>;
/// Returns the attributes associated with this role.
fn attributes(&self) -> &RoleAttributes;
/// Returns all variables that this role has a default value stored for.
fn vars(&self) -> &BTreeMap<String, OwnedVarInput>;
}
/// A network policy in a [`SessionCatalog`].
pub trait CatalogNetworkPolicy {
/// Returns a fully-specified name of the NetworkPolicy.
fn name(&self) -> &str;
/// Returns a stable ID for the NetworkPolicy.
fn id(&self) -> NetworkPolicyId;
/// Returns the ID of the owning NetworkPolicy.
fn owner_id(&self) -> RoleId;
/// Returns the privileges associated with the NetworkPolicy.
fn privileges(&self) -> &PrivilegeMap;
}
/// A cluster in a [`SessionCatalog`].
pub trait CatalogCluster<'a> {
/// Returns a fully-specified name of the cluster.
fn name(&self) -> &str;
/// Returns a stable ID for the cluster.
fn id(&self) -> ClusterId;
/// Returns the objects that are bound to this cluster.
fn bound_objects(&self) -> &BTreeSet<CatalogItemId>;
/// Returns the replicas of the cluster as a map from replica name to
/// replica ID.
fn replica_ids(&self) -> &BTreeMap<String, ReplicaId>;
/// Returns the replicas of the cluster.
fn replicas(&self) -> Vec<&dyn CatalogClusterReplica>;
/// Returns the replica belonging to the cluster with replica ID `id`.
fn replica(&self, id: ReplicaId) -> &dyn CatalogClusterReplica;
/// Returns the ID of the owning role.
fn owner_id(&self) -> RoleId;
/// Returns the privileges associated with the cluster.
fn privileges(&self) -> &PrivilegeMap;
/// Returns true if this cluster is a managed cluster.
fn is_managed(&self) -> bool;
/// Returns the size of the cluster, if the cluster is a managed cluster.
fn managed_size(&self) -> Option<&str>;
/// Returns the schedule of the cluster, if the cluster is a managed cluster.
fn schedule(&self) -> Option<&ClusterSchedule>;
/// Try to convert this cluster into a [`CreateClusterPlan`].
// TODO(jkosh44) Make this infallible and convert to `to_plan`.
fn try_to_plan(&self) -> Result<CreateClusterPlan, PlanError>;
}
/// A cluster replica in a [`SessionCatalog`]
pub trait CatalogClusterReplica<'a>: Debug {
/// Returns the name of the cluster replica.
fn name(&self) -> &str;
/// Returns a stable ID for the cluster that the replica belongs to.
fn cluster_id(&self) -> ClusterId;
/// Returns a stable ID for the replica.
fn replica_id(&self) -> ReplicaId;
/// Returns the ID of the owning role.
fn owner_id(&self) -> RoleId;
/// Returns whether or not the replica is internal
fn internal(&self) -> bool;
}
/// An item in a [`SessionCatalog`].
///
/// Note that "item" has a very specific meaning in the context of a SQL
/// catalog, and refers to the various entities that belong to a schema.
pub trait CatalogItem {
/// Returns the fully qualified name of the catalog item.
fn name(&self) -> &QualifiedItemName;
/// Returns the [`CatalogItemId`] for the item.
fn id(&self) -> CatalogItemId;
/// Returns the [`GlobalId`]s associated with this item.
fn global_ids(&self) -> Box<dyn Iterator<Item = GlobalId> + '_>;
/// Returns the catalog item's OID.
fn oid(&self) -> u32;
/// Returns the resolved function.
///
/// If the catalog item is not of a type that produces functions (i.e.,
/// anything other than a function), it returns an error.
fn func(&self) -> Result<&'static Func, CatalogError>;
/// Returns the resolved source connection.
///
/// If the catalog item is not of a type that contains a `SourceDesc`
/// (i.e., anything other than sources), it returns an error.
fn source_desc(&self) -> Result<Option<&SourceDesc<ReferencedConnection>>, CatalogError>;
/// Returns the resolved connection.
///
/// If the catalog item is not a connection, it returns an error.
fn connection(&self) -> Result<Connection<ReferencedConnection>, CatalogError>;
/// Returns the type of the catalog item.
fn item_type(&self) -> CatalogItemType;
/// A normalized SQL statement that describes how to create the catalog
/// item.
fn create_sql(&self) -> &str;
/// Returns the IDs of the catalog items upon which this catalog item
/// directly references.
fn references(&self) -> &ResolvedIds;
/// Returns the IDs of the catalog items upon which this catalog item
/// depends.
fn uses(&self) -> BTreeSet<CatalogItemId>;
/// Returns the IDs of the catalog items that directly reference this catalog item.
fn referenced_by(&self) -> &[CatalogItemId];
/// Returns the IDs of the catalog items that depend upon this catalog item.
fn used_by(&self) -> &[CatalogItemId];
/// Reports whether this catalog entry is a subsource and, if it is, the
/// ingestion it is an export of, as well as the item it exports.
fn subsource_details(
&self,
) -> Option<(CatalogItemId, &UnresolvedItemName, &SourceExportDetails)>;
/// Reports whether this catalog entry is a source export and, if it is, the
/// ingestion it is an export of, as well as the item it exports.
fn source_export_details(
&self,
) -> Option<(
CatalogItemId,
&UnresolvedItemName,
&SourceExportDetails,
&SourceExportDataConfig<ReferencedConnection>,
)>;
/// Reports whether this catalog item is a progress source.
fn is_progress_source(&self) -> bool;
/// If this catalog item is a source, it return the IDs of its progress collection.
fn progress_id(&self) -> Option<CatalogItemId>;
/// Returns the index details associated with the catalog item, if the
/// catalog item is an index.
fn index_details(&self) -> Option<(&[MirScalarExpr], GlobalId)>;
/// Returns the column defaults associated with the catalog item, if the
/// catalog item is a table that accepts writes.
fn writable_table_details(&self) -> Option<&[Expr<Aug>]>;
/// Returns the type information associated with the catalog item, if the
/// catalog item is a type.
fn type_details(&self) -> Option<&CatalogTypeDetails<IdReference>>;
/// Returns the ID of the owning role.
fn owner_id(&self) -> RoleId;
/// Returns the privileges associated with the item.
fn privileges(&self) -> &PrivilegeMap;
/// Returns the cluster the item belongs to.
fn cluster_id(&self) -> Option<ClusterId>;
/// Returns the [`CatalogCollectionItem`] for a specific version of this
/// [`CatalogItem`].
fn at_version(&self, version: RelationVersionSelector) -> Box<dyn CatalogCollectionItem>;
}
/// An item in a [`SessionCatalog`] and the specific "collection"/pTVC that it
/// refers to.
pub trait CatalogCollectionItem: CatalogItem + Send + Sync {
/// Returns a description of the result set produced by the catalog item.
///
/// If the catalog item is not of a type that produces data (i.e., a sink or
/// an index), it returns an error.
fn desc(&self, name: &FullItemName) -> Result<Cow<RelationDesc>, CatalogError>;
/// The [`GlobalId`] for this item.
fn global_id(&self) -> GlobalId;
}
/// The type of a [`CatalogItem`].
#[derive(Debug, Deserialize, Clone, Copy, Eq, Hash, Ord, PartialEq, PartialOrd, Serialize)]
pub enum CatalogItemType {
/// A table.
Table,
/// A source.
Source,
/// A sink.
Sink,
/// A view.
View,
/// A materialized view.
MaterializedView,
/// An index.
Index,
/// A type.
Type,
/// A func.
Func,
/// A secret.
Secret,
/// A connection.
Connection,
/// A continual task.
ContinualTask,
}
impl CatalogItemType {
/// Reports whether the given type of item conflicts with items of type
/// `CatalogItemType::Type`.
///
/// In PostgreSQL, even though types live in a separate namespace from other
/// schema objects, creating a table, view, or materialized view creates a
/// type named after that relation. This prevents creating a type with the
/// same name as a relational object, even though types and relational
/// objects live in separate namespaces. (Indexes are even weirder; while
/// they don't get a type with the same name, they get an entry in
/// `pg_class` that prevents *record* types of the same name as the index,
/// but not other types of types, like enums.)
///
/// We don't presently construct types that mirror relational objects,
/// though we likely will need to in the future for full PostgreSQL
/// compatibility (see database-issues#7142). For now, we use this method to
/// prevent creating types and relational objects that have the same name, so
/// that it is a backwards compatible change in the future to introduce a
/// type named after each relational object in the system.
pub fn conflicts_with_type(&self) -> bool {
match self {
CatalogItemType::Table => true,
CatalogItemType::Source => true,
CatalogItemType::View => true,
CatalogItemType::MaterializedView => true,
CatalogItemType::Index => true,
CatalogItemType::Type => true,
CatalogItemType::Sink => false,
CatalogItemType::Func => false,
CatalogItemType::Secret => false,
CatalogItemType::Connection => false,
CatalogItemType::ContinualTask => true,
}
}
}
impl fmt::Display for CatalogItemType {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
CatalogItemType::Table => f.write_str("table"),
CatalogItemType::Source => f.write_str("source"),
CatalogItemType::Sink => f.write_str("sink"),
CatalogItemType::View => f.write_str("view"),
CatalogItemType::MaterializedView => f.write_str("materialized view"),
CatalogItemType::Index => f.write_str("index"),
CatalogItemType::Type => f.write_str("type"),
CatalogItemType::Func => f.write_str("func"),
CatalogItemType::Secret => f.write_str("secret"),
CatalogItemType::Connection => f.write_str("connection"),
CatalogItemType::ContinualTask => f.write_str("continual task"),
}
}
}
impl From<CatalogItemType> for ObjectType {
fn from(value: CatalogItemType) -> Self {
match value {
CatalogItemType::Table => ObjectType::Table,
CatalogItemType::Source => ObjectType::Source,
CatalogItemType::Sink => ObjectType::Sink,
CatalogItemType::View => ObjectType::View,
CatalogItemType::MaterializedView => ObjectType::MaterializedView,
CatalogItemType::Index => ObjectType::Index,
CatalogItemType::Type => ObjectType::Type,
CatalogItemType::Func => ObjectType::Func,
CatalogItemType::Secret => ObjectType::Secret,
CatalogItemType::Connection => ObjectType::Connection,
CatalogItemType::ContinualTask => ObjectType::ContinualTask,
}
}
}
impl From<CatalogItemType> for mz_audit_log::ObjectType {
fn from(value: CatalogItemType) -> Self {
match value {
CatalogItemType::Table => mz_audit_log::ObjectType::Table,
CatalogItemType::Source => mz_audit_log::ObjectType::Source,
CatalogItemType::View => mz_audit_log::ObjectType::View,
CatalogItemType::MaterializedView => mz_audit_log::ObjectType::MaterializedView,
CatalogItemType::Index => mz_audit_log::ObjectType::Index,
CatalogItemType::Type => mz_audit_log::ObjectType::Type,
CatalogItemType::Sink => mz_audit_log::ObjectType::Sink,
CatalogItemType::Func => mz_audit_log::ObjectType::Func,
CatalogItemType::Secret => mz_audit_log::ObjectType::Secret,
CatalogItemType::Connection => mz_audit_log::ObjectType::Connection,
CatalogItemType::ContinualTask => mz_audit_log::ObjectType::ContinualTask,
}
}
}
/// Details about a type in the catalog.
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct CatalogTypeDetails<T: TypeReference> {
/// The ID of the type with this type as the array element, if available.
pub array_id: Option<CatalogItemId>,
/// The description of this type.
pub typ: CatalogType<T>,
/// Additional metadata about the type in PostgreSQL, if relevant.
pub pg_metadata: Option<CatalogTypePgMetadata>,
}
/// Additional PostgreSQL metadata about a type.
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct CatalogTypePgMetadata {
/// The OID of the `typinput` function in PostgreSQL.
pub typinput_oid: u32,
/// The OID of the `typreceive` function in PostgreSQL.
pub typreceive_oid: u32,
}
/// Represents a reference to type in the catalog
pub trait TypeReference {
/// The actual type used to reference a `CatalogType`
type Reference: Clone + Debug + Eq + PartialEq;
}
/// Reference to a type by it's name
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct NameReference;
impl TypeReference for NameReference {
type Reference = &'static str;
}
/// Reference to a type by it's global ID
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct IdReference;
impl TypeReference for IdReference {
type Reference = CatalogItemId;
}
/// A type stored in the catalog.
///
/// The variants correspond one-to-one with [`mz_repr::ScalarType`], but with type
/// modifiers removed and with embedded types replaced with references to other
/// types in the catalog.
#[allow(missing_docs)]
#[derive(Clone, Debug, Eq, PartialEq)]
pub enum CatalogType<T: TypeReference> {
AclItem,
Array {
element_reference: T::Reference,
},
Bool,
Bytes,
Char,
Date,
Float32,
Float64,
Int16,
Int32,
Int64,
UInt16,
UInt32,
UInt64,
MzTimestamp,
Interval,
Jsonb,
List {
element_reference: T::Reference,
element_modifiers: Vec<i64>,
},
Map {
key_reference: T::Reference,
key_modifiers: Vec<i64>,
value_reference: T::Reference,
value_modifiers: Vec<i64>,
},
Numeric,
Oid,
PgLegacyChar,
PgLegacyName,
Pseudo,
Range {
element_reference: T::Reference,
},
Record {
fields: Vec<CatalogRecordField<T>>,
},
RegClass,
RegProc,
RegType,
String,
Time,
Timestamp,
TimestampTz,
Uuid,
VarChar,
Int2Vector,
MzAclItem,
}
impl CatalogType<IdReference> {
/// Returns the relation description for the type, if the type is a record
/// type.
pub fn desc(&self, catalog: &dyn SessionCatalog) -> Result<Option<RelationDesc>, PlanError> {
match &self {
CatalogType::Record { fields } => {
let mut desc = RelationDesc::builder();
for f in fields {
let name = f.name.clone();
let ty = query::scalar_type_from_catalog(
catalog,
f.type_reference,
&f.type_modifiers,
)?;
// TODO: support plumbing `NOT NULL` constraints through
// `CREATE TYPE`.
let ty = ty.nullable(true);
desc = desc.with_column(name, ty);
}
Ok(Some(desc.finish()))
}
_ => Ok(None),
}
}
}
/// A description of a field in a [`CatalogType::Record`].
#[derive(Clone, Debug, Eq, PartialEq)]
pub struct CatalogRecordField<T: TypeReference> {
/// The name of the field.
pub name: ColumnName,
/// The ID of the type of the field.
pub type_reference: T::Reference,
/// Modifiers to apply to the type.
pub type_modifiers: Vec<i64>,
}
#[derive(Clone, Debug, Eq, PartialEq)]
/// Mirrored from [PostgreSQL's `typcategory`][typcategory].
///
/// Note that Materialize also uses a number of pseudotypes when planning, but
/// we have yet to need to integrate them with `TypeCategory`.
///
/// [typcategory]:
/// https://www.postgresql.org/docs/9.6/catalog-pg-type.html#CATALOG-TYPCATEGORY-TABLE
pub enum TypeCategory {
/// Array type.
Array,
/// Bit string type.
BitString,
/// Boolean type.
Boolean,
/// Composite type.
Composite,
/// Date/time type.
DateTime,
/// Enum type.
Enum,
/// Geometric type.
Geometric,
/// List type. Materialize specific.
List,
/// Network address type.
NetworkAddress,
/// Numeric type.
Numeric,
/// Pseudo type.
Pseudo,
/// Range type.
Range,
/// String type.
String,
/// Timestamp type.
Timespan,
/// User-defined type.
UserDefined,
/// Unknown type.
Unknown,
}
impl fmt::Display for TypeCategory {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_str(match self {
TypeCategory::Array => "array",
TypeCategory::BitString => "bit-string",
TypeCategory::Boolean => "boolean",
TypeCategory::Composite => "composite",
TypeCategory::DateTime => "date-time",
TypeCategory::Enum => "enum",
TypeCategory::Geometric => "geometric",
TypeCategory::List => "list",
TypeCategory::NetworkAddress => "network-address",
TypeCategory::Numeric => "numeric",
TypeCategory::Pseudo => "pseudo",
TypeCategory::Range => "range",
TypeCategory::String => "string",
TypeCategory::Timespan => "timespan",
TypeCategory::UserDefined => "user-defined",
TypeCategory::Unknown => "unknown",
})
}
}
/// Identifies an environment.
///
/// Outside of tests, an environment ID can be constructed only from a string of
/// the following form:
///
/// ```text
/// <CLOUD PROVIDER>-<CLOUD PROVIDER REGION>-<ORGANIZATION ID>-<ORDINAL>
/// ```
///
/// The fields have the following formats:
///
/// * The cloud provider consists of one or more alphanumeric characters.
/// * The cloud provider region consists of one or more alphanumeric or hyphen
/// characters.
/// * The organization ID is a UUID in its canonical text format.
/// * The ordinal is a decimal number with between one and eight digits.
///
/// There is no way to construct an environment ID from parts, to ensure that
/// the `Display` representation is parseable according to the above rules.
// NOTE(benesch): ideally we'd have accepted the components of the environment
// ID using separate command-line arguments, or at least a string format that
// used a field separator that did not appear in the fields. Alas. We can't
// easily change it now, as it's used as the e.g. default sink progress topic.
#[derive(Debug, Clone, PartialEq)]
pub struct EnvironmentId {
cloud_provider: CloudProvider,
cloud_provider_region: String,
organization_id: Uuid,
ordinal: u64,
}
impl EnvironmentId {
/// Creates a dummy `EnvironmentId` for use in tests.
pub fn for_tests() -> EnvironmentId {
EnvironmentId {
cloud_provider: CloudProvider::Local,
cloud_provider_region: "az1".into(),
organization_id: Uuid::new_v4(),
ordinal: 0,
}
}
/// Returns the cloud provider associated with this environment ID.
pub fn cloud_provider(&self) -> &CloudProvider {
&self.cloud_provider
}
/// Returns the cloud provider region associated with this environment ID.
pub fn cloud_provider_region(&self) -> &str {
&self.cloud_provider_region
}
/// Returns the name of the region associted with this environment ID.
///
/// A region is a combination of [`EnvironmentId::cloud_provider`] and
/// [`EnvironmentId::cloud_provider_region`].
pub fn region(&self) -> String {
format!("{}/{}", self.cloud_provider, self.cloud_provider_region)
}
/// Returns the organization ID associated with this environment ID.
pub fn organization_id(&self) -> Uuid {
self.organization_id
}
/// Returns the ordinal associated with this environment ID.
pub fn ordinal(&self) -> u64 {
self.ordinal
}
}
// *Warning*: once the LaunchDarkly integration is live, our contexts will be
// populated using this key. Consequently, any changes to that trait
// implementation will also have to be reflected in the existing feature
// targeting config in LaunchDarkly, otherwise environments might receive
// different configs upon restart.
impl fmt::Display for EnvironmentId {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
write!(
f,
"{}-{}-{}-{}",
self.cloud_provider, self.cloud_provider_region, self.organization_id, self.ordinal
)
}
}
impl FromStr for EnvironmentId {
type Err = InvalidEnvironmentIdError;
fn from_str(s: &str) -> Result<EnvironmentId, InvalidEnvironmentIdError> {
static MATCHER: LazyLock<Regex> = LazyLock::new(|| {
Regex::new(
"^(?P<cloud_provider>[[:alnum:]]+)-\
(?P<cloud_provider_region>[[:alnum:]\\-]+)-\
(?P<organization_id>[0-9a-f]{8}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{4}-[0-9a-f]{12})-\
(?P<ordinal>\\d{1,8})$"
).unwrap()
});
let captures = MATCHER.captures(s).ok_or(InvalidEnvironmentIdError)?;
Ok(EnvironmentId {
cloud_provider: CloudProvider::from_str(&captures["cloud_provider"])?,
cloud_provider_region: captures["cloud_provider_region"].into(),
organization_id: captures["organization_id"]
.parse()
.map_err(|_| InvalidEnvironmentIdError)?,
ordinal: captures["ordinal"]
.parse()
.map_err(|_| InvalidEnvironmentIdError)?,
})
}
}
/// The error type for [`EnvironmentId::from_str`].
#[derive(Debug, Clone, PartialEq)]
pub struct InvalidEnvironmentIdError;
impl fmt::Display for InvalidEnvironmentIdError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_str("invalid environment ID")
}
}
impl Error for InvalidEnvironmentIdError {}
impl From<InvalidCloudProviderError> for InvalidEnvironmentIdError {
fn from(_: InvalidCloudProviderError) -> Self {
InvalidEnvironmentIdError
}
}
/// Identifies a supported cloud provider.
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum CloudProvider {
/// A pseudo-provider value used by local development environments.
Local,
/// A pseudo-provider value used by Docker.
Docker,
/// A deprecated psuedo-provider value used by mzcompose.
// TODO(benesch): remove once v0.39 ships.
MzCompose,
/// A pseudo-provider value used by cloudtest.
Cloudtest,
/// Amazon Web Services.
Aws,
}
impl fmt::Display for CloudProvider {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
CloudProvider::Local => f.write_str("local"),
CloudProvider::Docker => f.write_str("docker"),
CloudProvider::MzCompose => f.write_str("mzcompose"),
CloudProvider::Cloudtest => f.write_str("cloudtest"),
CloudProvider::Aws => f.write_str("aws"),
}
}
}
impl FromStr for CloudProvider {
type Err = InvalidCloudProviderError;
fn from_str(s: &str) -> Result<CloudProvider, InvalidCloudProviderError> {
match s {
"local" => Ok(CloudProvider::Local),
"docker" => Ok(CloudProvider::Docker),
"mzcompose" => Ok(CloudProvider::MzCompose),
"cloudtest" => Ok(CloudProvider::Cloudtest),
"aws" => Ok(CloudProvider::Aws),
_ => Err(InvalidCloudProviderError),
}
}
}
/// The error type for [`CloudProvider::from_str`].
#[derive(Debug, Clone, PartialEq)]
pub struct InvalidCloudProviderError;
impl fmt::Display for InvalidCloudProviderError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
f.write_str("invalid cloud provider")
}
}
impl Error for InvalidCloudProviderError {}
/// An error returned by the catalog.
#[derive(Clone, Debug, Eq, PartialEq)]
pub enum CatalogError {
/// Unknown database.
UnknownDatabase(String),
/// Database already exists.
DatabaseAlreadyExists(String),
/// Unknown schema.
UnknownSchema(String),
/// Schema already exists.
SchemaAlreadyExists(String),
/// Unknown role.
UnknownRole(String),
/// Role already exists.
RoleAlreadyExists(String),
/// Network Policy already exists.
NetworkPolicyAlreadyExists(String),
/// Unknown cluster.
UnknownCluster(String),
/// Unexpected builtin cluster.
UnexpectedBuiltinCluster(String),
/// Unexpected builtin cluster.
UnexpectedBuiltinClusterType(String),
/// Cluster already exists.
ClusterAlreadyExists(String),
/// Unknown cluster replica.
UnknownClusterReplica(String),
/// Unknown cluster replica size.
UnknownClusterReplicaSize(String),
/// Duplicate Replica. #[error("cannot create multiple replicas named '{0}' on cluster '{1}'")]
DuplicateReplica(String, String),
/// Unknown item.
UnknownItem(String),
/// Item already exists.
ItemAlreadyExists(CatalogItemId, String),
/// Unknown function.
UnknownFunction {
/// The identifier of the function we couldn't find
name: String,
/// A suggested alternative to the named function.
alternative: Option<String>,
},
/// Unknown type.
UnknownType {
/// The identifier of the type we couldn't find.
name: String,
},
/// Unknown connection.
UnknownConnection(String),
/// Unknown network policy.
UnknownNetworkPolicy(String),
/// Expected the catalog item to have the given type, but it did not.
UnexpectedType {
/// The item's name.
name: String,
/// The actual type of the item.
actual_type: CatalogItemType,
/// The expected type of the item.
expected_type: CatalogItemType,
},
/// Invalid attempt to depend on a non-dependable item.
InvalidDependency {
/// The invalid item's name.
name: String,
/// The invalid item's type.
typ: CatalogItemType,
},
/// Ran out of unique IDs.
IdExhaustion,
/// Ran out of unique OIDs.
OidExhaustion,
/// Timeline already exists.
TimelineAlreadyExists(String),
/// Id Allocator already exists.
IdAllocatorAlreadyExists(String),
/// Config already exists.
ConfigAlreadyExists(String),
/// Builtin migrations failed.
FailedBuiltinSchemaMigration(String),
/// StorageCollectionMetadata already exists.
StorageCollectionMetadataAlreadyExists(GlobalId),
}
impl fmt::Display for CatalogError {
fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
match self {
Self::UnknownDatabase(name) => write!(f, "unknown database '{}'", name),
Self::DatabaseAlreadyExists(name) => write!(f, "database '{name}' already exists"),
Self::UnknownFunction { name, .. } => write!(f, "function \"{}\" does not exist", name),
Self::UnknownType { name, .. } => write!(f, "type \"{}\" does not exist", name),
Self::UnknownConnection(name) => write!(f, "connection \"{}\" does not exist", name),
Self::UnknownSchema(name) => write!(f, "unknown schema '{}'", name),
Self::SchemaAlreadyExists(name) => write!(f, "schema '{name}' already exists"),
Self::UnknownRole(name) => write!(f, "unknown role '{}'", name),
Self::RoleAlreadyExists(name) => write!(f, "role '{name}' already exists"),
Self::NetworkPolicyAlreadyExists(name) => write!(f, "network policy '{name}' already exists"),
Self::UnknownCluster(name) => write!(f, "unknown cluster '{}'", name),
Self::UnknownNetworkPolicy(name) => write!(f, "unknown network policy '{}'", name),
Self::UnexpectedBuiltinCluster(name) => write!(f, "Unexpected builtin cluster '{}'", name),
Self::UnexpectedBuiltinClusterType(name) => write!(f, "Unexpected builtin cluster type'{}'", name),
Self::ClusterAlreadyExists(name) => write!(f, "cluster '{name}' already exists"),
Self::UnknownClusterReplica(name) => {
write!(f, "unknown cluster replica '{}'", name)
}
Self::UnknownClusterReplicaSize(name) => {
write!(f, "unknown cluster replica size '{}'", name)
}
Self::DuplicateReplica(replica_name, cluster_name) => write!(f, "cannot create multiple replicas named '{replica_name}' on cluster '{cluster_name}'"),
Self::UnknownItem(name) => write!(f, "unknown catalog item '{}'", name),
Self::ItemAlreadyExists(_gid, name) => write!(f, "catalog item '{name}' already exists"),
Self::UnexpectedType {
name,
actual_type,
expected_type,
} => {
write!(f, "\"{name}\" is a {actual_type} not a {expected_type}")
}
Self::InvalidDependency { name, typ } => write!(
f,
"catalog item '{}' is {} {} and so cannot be depended upon",
name,
if matches!(typ, CatalogItemType::Index) {
"an"
} else {
"a"
},
typ,
),
Self::IdExhaustion => write!(f, "id counter overflows i64"),
Self::OidExhaustion => write!(f, "oid counter overflows u32"),
Self::TimelineAlreadyExists(name) => write!(f, "timeline '{name}' already exists"),
Self::IdAllocatorAlreadyExists(name) => write!(f, "ID allocator '{name}' already exists"),
Self::ConfigAlreadyExists(key) => write!(f, "config '{key}' already exists"),
Self::FailedBuiltinSchemaMigration(objects) => write!(f, "failed to migrate schema of builtin objects: {objects}"),
Self::StorageCollectionMetadataAlreadyExists(key) => {
write!(f, "storage metadata for '{key}' already exists")
}
}
}
}
impl CatalogError {
/// Returns any applicable hints for [`CatalogError`].
pub fn hint(&self) -> Option<String> {
match self {
CatalogError::UnknownFunction { alternative, .. } => {
match alternative {
None => Some("No function matches the given name and argument types. You might need to add explicit type casts.".into()),
Some(alt) => Some(format!("Try using {alt}")),
}
}
_ => None,
}
}
}
impl Error for CatalogError {}
// Enum variant docs would be useless here.
#[allow(missing_docs)]
#[derive(Debug, Clone, PartialOrd, Ord, PartialEq, Eq, Hash, Copy, Deserialize, Serialize)]
/// The types of objects stored in the catalog.
pub enum ObjectType {
Table,
View,
MaterializedView,
Source,
Sink,
Index,
Type,
Role,
Cluster,
ClusterReplica,
Secret,
Connection,
Database,
Schema,
Func,
ContinualTask,
NetworkPolicy,
}
impl ObjectType {
/// Reports if the object type can be treated as a relation.
pub fn is_relation(&self) -> bool {
match self {
ObjectType::Table
| ObjectType::View
| ObjectType::MaterializedView
| ObjectType::Source
| ObjectType::ContinualTask => true,
ObjectType::Sink
| ObjectType::Index
| ObjectType::Type
| ObjectType::Secret
| ObjectType::Connection
| ObjectType::Func
| ObjectType::Database
| ObjectType::Schema
| ObjectType::Cluster
| ObjectType::ClusterReplica
| ObjectType::Role
| ObjectType::NetworkPolicy => false,
}
}
}
impl From<mz_sql_parser::ast::ObjectType> for ObjectType {
fn from(value: mz_sql_parser::ast::ObjectType) -> Self {
match value {
mz_sql_parser::ast::ObjectType::Table => ObjectType::Table,
mz_sql_parser::ast::ObjectType::View => ObjectType::View,
mz_sql_parser::ast::ObjectType::MaterializedView => ObjectType::MaterializedView,
mz_sql_parser::ast::ObjectType::Source => ObjectType::Source,
mz_sql_parser::ast::ObjectType::Subsource => ObjectType::Source,
mz_sql_parser::ast::ObjectType::Sink => ObjectType::Sink,
mz_sql_parser::ast::ObjectType::Index => ObjectType::Index,
mz_sql_parser::ast::ObjectType::Type => ObjectType::Type,
mz_sql_parser::ast::ObjectType::Role => ObjectType::Role,
mz_sql_parser::ast::ObjectType::Cluster => ObjectType::Cluster,
mz_sql_parser::ast::ObjectType::ClusterReplica => ObjectType::ClusterReplica,
mz_sql_parser::ast::ObjectType::Secret => ObjectType::Secret,
mz_sql_parser::ast::ObjectType::Connection => ObjectType::Connection,
mz_sql_parser::ast::ObjectType::Database => ObjectType::Database,
mz_sql_parser::ast::ObjectType::Schema => ObjectType::Schema,
mz_sql_parser::ast::ObjectType::Func => ObjectType::Func,
mz_sql_parser::ast::ObjectType::ContinualTask => ObjectType::ContinualTask,
mz_sql_parser::ast::ObjectType::NetworkPolicy => ObjectType::NetworkPolicy,
}
}
}
impl From<CommentObjectId> for ObjectType {
fn from(value: CommentObjectId) -> ObjectType {
match value {
CommentObjectId::Table(_) => ObjectType::Table,
CommentObjectId::View(_) => ObjectType::View,
CommentObjectId::MaterializedView(_) => ObjectType::MaterializedView,
CommentObjectId::Source(_) => ObjectType::Source,
CommentObjectId::Sink(_) => ObjectType::Sink,
CommentObjectId::Index(_) => ObjectType::Index,
CommentObjectId::Func(_) => ObjectType::Func,
CommentObjectId::Connection(_) => ObjectType::Connection,
CommentObjectId::Type(_) => ObjectType::Type,
CommentObjectId::Secret(_) => ObjectType::Secret,
CommentObjectId::Role(_) => ObjectType::Role,
CommentObjectId::Database(_) => ObjectType::Database,
CommentObjectId::Schema(_) => ObjectType::Schema,
CommentObjectId::Cluster(_) => ObjectType::Cluster,
CommentObjectId::ClusterReplica(_) => ObjectType::ClusterReplica,
CommentObjectId::ContinualTask(_) => ObjectType::ContinualTask,
CommentObjectId::NetworkPolicy(_) => ObjectType::NetworkPolicy,
}
}
}
impl Display for ObjectType {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
f.write_str(match self {
ObjectType::Table => "TABLE",
ObjectType::View => "VIEW",
ObjectType::MaterializedView => "MATERIALIZED VIEW",
ObjectType::Source => "SOURCE",
ObjectType::Sink => "SINK",
ObjectType::Index => "INDEX",
ObjectType::Type => "TYPE",
ObjectType::Role => "ROLE",
ObjectType::Cluster => "CLUSTER",
ObjectType::ClusterReplica => "CLUSTER REPLICA",
ObjectType::Secret => "SECRET",
ObjectType::Connection => "CONNECTION",
ObjectType::Database => "DATABASE",
ObjectType::Schema => "SCHEMA",
ObjectType::Func => "FUNCTION",
ObjectType::ContinualTask => "CONTINUAL TASK",
ObjectType::NetworkPolicy => "NETWORK POLICY",
})
}
}
#[derive(Debug, Clone, PartialOrd, Ord, PartialEq, Eq, Hash, Copy, Deserialize, Serialize)]
/// The types of objects in the system.
pub enum SystemObjectType {
/// Catalog object type.
Object(ObjectType),
/// Entire system.
System,
}
impl SystemObjectType {
/// Reports if the object type can be treated as a relation.
pub fn is_relation(&self) -> bool {
match self {
SystemObjectType::Object(object_type) => object_type.is_relation(),
SystemObjectType::System => false,
}
}
}
impl Display for SystemObjectType {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
match self {
SystemObjectType::Object(object_type) => std::fmt::Display::fmt(&object_type, f),
SystemObjectType::System => f.write_str("SYSTEM"),
}
}
}
/// Enum used to format object names in error messages.
#[derive(Debug, Clone, PartialEq, Eq)]
pub enum ErrorMessageObjectDescription {
/// The name of a specific object.
Object {
/// Type of object.
object_type: ObjectType,
/// Name of object.
object_name: Option<String>,
},
/// The name of the entire system.
System,
}
impl ErrorMessageObjectDescription {
/// Generate a new [`ErrorMessageObjectDescription`] from an [`ObjectId`].
pub fn from_id(
object_id: &ObjectId,
catalog: &dyn SessionCatalog,
) -> ErrorMessageObjectDescription {
let object_name = match object_id {
ObjectId::Cluster(cluster_id) => catalog.get_cluster(*cluster_id).name().to_string(),
ObjectId::ClusterReplica((cluster_id, replica_id)) => catalog
.get_cluster_replica(*cluster_id, *replica_id)
.name()
.to_string(),
ObjectId::Database(database_id) => catalog.get_database(database_id).name().to_string(),
ObjectId::Schema((database_spec, schema_spec)) => {
let name = catalog.get_schema(database_spec, schema_spec).name();
catalog.resolve_full_schema_name(name).to_string()
}
ObjectId::Role(role_id) => catalog.get_role(role_id).name().to_string(),
ObjectId::Item(id) => {
let name = catalog.get_item(id).name();
catalog.resolve_full_name(name).to_string()
}
ObjectId::NetworkPolicy(network_policy_id) => catalog
.get_network_policy(network_policy_id)
.name()
.to_string(),
};
ErrorMessageObjectDescription::Object {
object_type: catalog.get_object_type(object_id),
object_name: Some(object_name),
}
}
/// Generate a new [`ErrorMessageObjectDescription`] from a [`SystemObjectId`].
pub fn from_sys_id(
object_id: &SystemObjectId,
catalog: &dyn SessionCatalog,
) -> ErrorMessageObjectDescription {
match object_id {
SystemObjectId::Object(object_id) => {
ErrorMessageObjectDescription::from_id(object_id, catalog)
}
SystemObjectId::System => ErrorMessageObjectDescription::System,
}
}
/// Generate a new [`ErrorMessageObjectDescription`] from a [`SystemObjectType`].
pub fn from_object_type(object_type: SystemObjectType) -> ErrorMessageObjectDescription {
match object_type {
SystemObjectType::Object(object_type) => ErrorMessageObjectDescription::Object {
object_type,
object_name: None,
},
SystemObjectType::System => ErrorMessageObjectDescription::System,
}
}
}
impl Display for ErrorMessageObjectDescription {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
match self {
ErrorMessageObjectDescription::Object {
object_type,
object_name,
} => {
let object_name = object_name
.as_ref()
.map(|object_name| format!(" {}", object_name.quoted()))
.unwrap_or_else(|| "".to_string());
write!(f, "{object_type}{object_name}")
}
ErrorMessageObjectDescription::System => f.write_str("SYSTEM"),
}
}
}
#[derive(Debug, Clone, Serialize, Deserialize, Eq, PartialEq, Ord, PartialOrd)]
// These attributes are needed because the key of a map must be a string. We also
// get the added benefit of flattening this struct in it's serialized form.
#[serde(into = "BTreeMap<String, RoleId>")]
#[serde(try_from = "BTreeMap<String, RoleId>")]
/// Represents the grantee and a grantor of a role membership.
pub struct RoleMembership {
/// Key is the role that some role is a member of, value is the grantor role ID.
// TODO(jkosh44) This structure does not allow a role to have multiple of the same membership
// from different grantors. This isn't a problem now since we don't implement ADMIN OPTION, but
// we should figure this out before implementing ADMIN OPTION. It will likely require a messy
// migration.
pub map: BTreeMap<RoleId, RoleId>,
}
impl RoleMembership {
/// Creates a new [`RoleMembership`].
pub fn new() -> RoleMembership {
RoleMembership {
map: BTreeMap::new(),
}
}
}
impl From<RoleMembership> for BTreeMap<String, RoleId> {
fn from(value: RoleMembership) -> Self {
value
.map
.into_iter()
.map(|(k, v)| (k.to_string(), v))
.collect()
}
}
impl TryFrom<BTreeMap<String, RoleId>> for RoleMembership {
type Error = anyhow::Error;
fn try_from(value: BTreeMap<String, RoleId>) -> Result<Self, Self::Error> {
Ok(RoleMembership {
map: value
.into_iter()
.map(|(k, v)| Ok((RoleId::from_str(&k)?, v)))
.collect::<Result<_, anyhow::Error>>()?,
})
}
}
/// Specification for objects that will be affected by a default privilege.
#[derive(Debug, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Serialize)]
pub struct DefaultPrivilegeObject {
/// The role id that created the object.
pub role_id: RoleId,
/// The database that the object is created in if Some, otherwise all databases.
pub database_id: Option<DatabaseId>,
/// The schema that the object is created in if Some, otherwise all databases.
pub schema_id: Option<SchemaId>,
/// The type of object.
pub object_type: ObjectType,
}
impl DefaultPrivilegeObject {
/// Creates a new [`DefaultPrivilegeObject`].
pub fn new(
role_id: RoleId,
database_id: Option<DatabaseId>,
schema_id: Option<SchemaId>,
object_type: ObjectType,
) -> DefaultPrivilegeObject {
DefaultPrivilegeObject {
role_id,
database_id,
schema_id,
object_type,
}
}
}
impl std::fmt::Display for DefaultPrivilegeObject {
fn fmt(&self, f: &mut Formatter<'_>) -> fmt::Result {
// TODO: Don't just wrap Debug.
write!(f, "{self:?}")
}
}
/// Specification for the privileges that will be granted from default privileges.
#[derive(Debug, Clone, PartialEq, Eq, Hash, PartialOrd, Ord, Serialize)]
pub struct DefaultPrivilegeAclItem {
/// The role that will receive the privileges.
pub grantee: RoleId,
/// The specific privileges granted.
pub acl_mode: AclMode,
}
impl DefaultPrivilegeAclItem {
/// Creates a new [`DefaultPrivilegeAclItem`].
pub fn new(grantee: RoleId, acl_mode: AclMode) -> DefaultPrivilegeAclItem {
DefaultPrivilegeAclItem { grantee, acl_mode }
}
/// Converts this [`DefaultPrivilegeAclItem`] into an [`MzAclItem`].
pub fn mz_acl_item(self, grantor: RoleId) -> MzAclItem {
MzAclItem {
grantee: self.grantee,
grantor,
acl_mode: self.acl_mode,
}
}
}
/// Which builtins to return in `BUILTINS::iter`.
///
/// All calls to `BUILTINS::iter` within the lifetime of an environmentd process
/// must provide an equal `BuiltinsConfig`. It is not allowed to change
/// dynamically.
#[derive(Debug, Clone)]
pub struct BuiltinsConfig {
/// If true, include system builtin continual tasks.
pub include_continual_tasks: bool,
}
#[cfg(test)]
mod tests {
use super::{CloudProvider, EnvironmentId, InvalidEnvironmentIdError};
#[mz_ore::test]
fn test_environment_id() {
for (input, expected) in [
(
"local-az1-1497a3b7-a455-4fc4-8752-b44a94b5f90a-452",
Ok(EnvironmentId {
cloud_provider: CloudProvider::Local,
cloud_provider_region: "az1".into(),
organization_id: "1497a3b7-a455-4fc4-8752-b44a94b5f90a".parse().unwrap(),
ordinal: 452,
}),
),
(
"aws-us-east-1-1497a3b7-a455-4fc4-8752-b44a94b5f90a-0",
Ok(EnvironmentId {
cloud_provider: CloudProvider::Aws,
cloud_provider_region: "us-east-1".into(),
organization_id: "1497a3b7-a455-4fc4-8752-b44a94b5f90a".parse().unwrap(),
ordinal: 0,
}),
),
("", Err(InvalidEnvironmentIdError)),
(
"local-az1-1497a3b7-a455-4fc4-8752-b44a94b5f90a-123456789",
Err(InvalidEnvironmentIdError),
),
(
"local-1497a3b7-a455-4fc4-8752-b44a94b5f90a-452",
Err(InvalidEnvironmentIdError),
),
(
"local-az1-1497a3b7-a455-4fc48752-b44a94b5f90a-452",
Err(InvalidEnvironmentIdError),
),
] {
let actual = input.parse();
assert_eq!(expected, actual, "input = {}", input);
if let Ok(actual) = actual {
assert_eq!(input, actual.to_string(), "input = {}", input);
}
}
}
}