risingwave_license/feature.rs
1// Copyright 2025 RisingWave Labs
2//
3// Licensed under the Apache License, Version 2.0 (the "License");
4// you may not use this file except in compliance with the License.
5// You may obtain a copy of the License at
6//
7// http://www.apache.org/licenses/LICENSE-2.0
8//
9// Unless required by applicable law or agreed to in writing, software
10// distributed under the License is distributed on an "AS IS" BASIS,
11// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12// See the License for the specific language governing permissions and
13// limitations under the License.
14
15use thiserror::Error;
16
17use super::{LicenseError, LicenseManager, Tier, report_telemetry};
18
19/// Define all features that are available based on the tier of the license.
20///
21/// # Define a new feature
22///
23/// To add a new feature, add a new entry below following the same pattern as the existing ones.
24///
25/// Check the definition of [`Tier`] for all available tiers. Note that normally there's no need to
26/// add a feature with the minimum tier of `Free`, as you can directly write the code without
27/// gating it with a feature check.
28///
29/// # Check the availability of a feature
30///
31/// To check the availability of a feature during runtime, call the method
32/// [`check_available`](Feature::check_available) on the feature. If the feature is not available,
33/// an error of type [`FeatureNotAvailable`] will be returned and you should handle it properly,
34/// generally by returning an error to the user.
35///
36/// # Feature availability in tests
37///
38/// In tests with `debug_assertions` enabled, a license key of the paid (maximum) tier is set by
39/// default. As a result, all features are available in tests. To test the behavior when a feature
40/// is not available, you can manually set a license key with a lower tier. Check the e2e test cases
41/// under `error_ui` for examples.
42macro_rules! for_all_features {
43 ($macro:ident) => {
44 $macro! {
45 // name min tier doc
46 { TestPaid, Paid, "A dummy feature that's only available on paid tier for testing purposes." },
47 { TimeTravel, Paid, "Query historical data within the retention period."},
48 { GlueSchemaRegistry, Paid, "Use Schema Registry from AWS Glue rather than Confluent." },
49 { SnowflakeSink, Paid, "Delivering data to SnowFlake." },
50 { DynamoDbSink, Paid, "Delivering data to DynamoDb." },
51 { OpenSearchSink, Paid, "Delivering data to OpenSearch." },
52 { BigQuerySink, Paid, "Delivering data to BigQuery." },
53 { ClickHouseSharedEngine, Paid, "Delivering data to Shared tree on clickhouse cloud"},
54 { SecretManagement, Paid, "Secret management." },
55 { CdcTableSchemaMap, Paid, "Automatically map upstream schema to CDC Table."},
56 { SqlServerSink, Paid, "Sink data from RisingWave to SQL Server." },
57 { SqlServerCdcSource, Paid, "CDC source connector for Sql Server." },
58 { CdcAutoSchemaChange, Paid, "Auto replicate upstream DDL to CDC Table." },
59 { IcebergSinkWithGlue, Paid, "Delivering data to Iceberg with Glue catalog." },
60 { ElasticDiskCache, Paid, "Disk cache and refilling to boost performance and reduce object store access cost." },
61 }
62 };
63}
64
65macro_rules! def_feature {
66 ($({ $name:ident, $min_tier:ident, $doc:literal },)*) => {
67 /// A set of features that are available based on the tier of the license.
68 ///
69 /// To define a new feature, add a new entry in the macro [`for_all_features`].
70 #[derive(Clone, Copy, Debug)]
71 pub enum Feature {
72 $(
73 #[doc = concat!($doc, "\n\nAvailable for tier `", stringify!($min_tier), "` and above.")]
74 $name,
75 )*
76 }
77
78 impl Feature {
79 /// Minimum tier required to use this feature.
80 fn min_tier(self) -> Tier {
81 match self {
82 $(
83 Self::$name => Tier::$min_tier,
84 )*
85 }
86 }
87
88 fn get_feature_name(&self) -> &'static str {
89 match &self {
90 $(
91 Self::$name => stringify!($name),
92 )*
93 }
94 }
95 }
96 };
97}
98
99for_all_features!(def_feature);
100
101/// The error type for feature not available due to license.
102#[derive(Debug, Error)]
103pub enum FeatureNotAvailable {
104 #[error(
105 "feature {:?} is only available for tier {:?} and above, while the current tier is {:?}\n\n\
106 Hint: You may want to set a license key with `ALTER SYSTEM SET license_key = '...';` command.",
107 feature, feature.min_tier(), current_tier,
108 )]
109 InsufficientTier {
110 feature: Feature,
111 current_tier: Tier,
112 },
113
114 #[error("feature {feature:?} is not available due to license error")]
115 LicenseError {
116 feature: Feature,
117 source: LicenseError,
118 },
119}
120
121impl Feature {
122 /// Check whether the feature is available based on the given license manager.
123 pub(crate) fn check_available_with(
124 self,
125 manager: &LicenseManager,
126 ) -> Result<(), FeatureNotAvailable> {
127 let check_res = match manager.license() {
128 Ok(license) => {
129 if license.tier >= self.min_tier() {
130 Ok(())
131 } else {
132 Err(FeatureNotAvailable::InsufficientTier {
133 feature: self,
134 current_tier: license.tier,
135 })
136 }
137 }
138 Err(error) => Err(FeatureNotAvailable::LicenseError {
139 feature: self,
140 source: error,
141 }),
142 };
143
144 report_telemetry(&self, self.get_feature_name(), check_res.is_ok());
145
146 check_res
147 }
148
149 /// Check whether the feature is available based on the current license.
150 pub fn check_available(self) -> Result<(), FeatureNotAvailable> {
151 self.check_available_with(LicenseManager::get())
152 }
153}