Line data Source code
1 : //! Periodically collect consumption metrics for all active tenants
2 : //! and push them to a HTTP endpoint.
3 : use crate::context::{DownloadBehavior, RequestContext};
4 : use crate::task_mgr::{self, TaskKind, BACKGROUND_RUNTIME};
5 : use crate::tenant::tasks::BackgroundLoopKind;
6 : use crate::tenant::{mgr, LogicalSizeCalculationCause, PageReconstructError, Tenant};
7 : use camino::Utf8PathBuf;
8 : use consumption_metrics::EventType;
9 : use pageserver_api::models::TenantState;
10 : use reqwest::Url;
11 : use std::collections::HashMap;
12 : use std::sync::Arc;
13 : use std::time::{Duration, SystemTime};
14 : use tokio::time::Instant;
15 : use tokio_util::sync::CancellationToken;
16 : use tracing::*;
17 : use utils::id::NodeId;
18 :
19 : mod metrics;
20 : use crate::consumption_metrics::metrics::MetricsKey;
21 : mod disk_cache;
22 : mod upload;
23 :
24 : const DEFAULT_HTTP_REPORTING_TIMEOUT: Duration = Duration::from_secs(60);
25 :
26 : /// Basically a key-value pair, but usually in a Vec except for [`Cache`].
27 : ///
28 : /// This is as opposed to `consumption_metrics::Event` which is the externally communicated form.
29 : /// Difference is basically the missing idempotency key, which lives only for the duration of
30 : /// upload attempts.
31 : type RawMetric = (MetricsKey, (EventType, u64));
32 :
33 : /// Caches the [`RawMetric`]s
34 : ///
35 : /// In practice, during startup, last sent values are stored here to be used in calculating new
36 : /// ones. After successful uploading, the cached values are updated to cache. This used to be used
37 : /// for deduplication, but that is no longer needed.
38 : type Cache = HashMap<MetricsKey, (EventType, u64)>;
39 :
40 : /// Main thread that serves metrics collection
41 : #[allow(clippy::too_many_arguments)]
42 0 : pub async fn collect_metrics(
43 0 : metric_collection_endpoint: &Url,
44 0 : metric_collection_interval: Duration,
45 0 : _cached_metric_collection_interval: Duration,
46 0 : synthetic_size_calculation_interval: Duration,
47 0 : node_id: NodeId,
48 0 : local_disk_storage: Utf8PathBuf,
49 0 : cancel: CancellationToken,
50 0 : ctx: RequestContext,
51 0 : ) -> anyhow::Result<()> {
52 0 : if _cached_metric_collection_interval != Duration::ZERO {
53 0 : tracing::warn!(
54 0 : "cached_metric_collection_interval is no longer used, please set it to zero."
55 0 : )
56 0 : }
57 :
58 : // spin up background worker that caclulates tenant sizes
59 0 : let worker_ctx =
60 0 : ctx.detached_child(TaskKind::CalculateSyntheticSize, DownloadBehavior::Download);
61 0 : task_mgr::spawn(
62 0 : BACKGROUND_RUNTIME.handle(),
63 0 : TaskKind::CalculateSyntheticSize,
64 0 : None,
65 0 : None,
66 0 : "synthetic size calculation",
67 0 : false,
68 0 : async move {
69 0 : calculate_synthetic_size_worker(
70 0 : synthetic_size_calculation_interval,
71 0 : &cancel,
72 0 : &worker_ctx,
73 0 : )
74 0 : .instrument(info_span!("synthetic_size_worker"))
75 0 : .await?;
76 0 : Ok(())
77 0 : },
78 0 : );
79 0 :
80 0 : let path: Arc<Utf8PathBuf> = Arc::new(local_disk_storage);
81 0 :
82 0 : let cancel = task_mgr::shutdown_token();
83 0 :
84 0 : let restore_and_reschedule = restore_and_reschedule(&path, metric_collection_interval);
85 :
86 0 : let mut cached_metrics = tokio::select! {
87 : _ = cancel.cancelled() => return Ok(()),
88 0 : ret = restore_and_reschedule => ret,
89 : };
90 :
91 : // define client here to reuse it for all requests
92 0 : let client = reqwest::ClientBuilder::new()
93 0 : .timeout(DEFAULT_HTTP_REPORTING_TIMEOUT)
94 0 : .build()
95 0 : .expect("Failed to create http client with timeout");
96 0 :
97 0 : let node_id = node_id.to_string();
98 :
99 0 : loop {
100 0 : let started_at = Instant::now();
101 :
102 : // these are point in time, with variable "now"
103 0 : let metrics = metrics::collect_all_metrics(&cached_metrics, &ctx).await;
104 :
105 0 : let metrics = Arc::new(metrics);
106 0 :
107 0 : // why not race cancellation here? because we are one of the last tasks, and if we are
108 0 : // already here, better to try to flush the new values.
109 0 :
110 0 : let flush = async {
111 0 : match disk_cache::flush_metrics_to_disk(&metrics, &path).await {
112 : Ok(()) => {
113 0 : tracing::debug!("flushed metrics to disk");
114 : }
115 0 : Err(e) => {
116 0 : // idea here is that if someone creates a directory as our path, then they
117 0 : // might notice it from the logs before shutdown and remove it
118 0 : tracing::error!("failed to persist metrics to {path:?}: {e:#}");
119 : }
120 : }
121 0 : };
122 :
123 0 : let upload = async {
124 0 : let res = upload::upload_metrics(
125 0 : &client,
126 0 : metric_collection_endpoint,
127 0 : &cancel,
128 0 : &node_id,
129 0 : &metrics,
130 0 : &mut cached_metrics,
131 0 : )
132 0 : .await;
133 0 : if let Err(e) = res {
134 : // serialization error which should never happen
135 0 : tracing::error!("failed to upload due to {e:#}");
136 0 : }
137 0 : };
138 :
139 : // let these run concurrently
140 0 : let (_, _) = tokio::join!(flush, upload);
141 :
142 0 : crate::tenant::tasks::warn_when_period_overrun(
143 0 : started_at.elapsed(),
144 0 : metric_collection_interval,
145 0 : BackgroundLoopKind::ConsumptionMetricsCollectMetrics,
146 0 : );
147 :
148 0 : let res = tokio::time::timeout_at(
149 0 : started_at + metric_collection_interval,
150 0 : task_mgr::shutdown_token().cancelled(),
151 0 : )
152 0 : .await;
153 0 : if res.is_ok() {
154 0 : return Ok(());
155 0 : }
156 : }
157 0 : }
158 :
159 : /// Called on the first iteration in an attempt to join the metric uploading schedule from previous
160 : /// pageserver session. Pageserver is supposed to upload at intervals regardless of restarts.
161 : ///
162 : /// Cancellation safe.
163 0 : async fn restore_and_reschedule(
164 0 : path: &Arc<Utf8PathBuf>,
165 0 : metric_collection_interval: Duration,
166 0 : ) -> Cache {
167 0 : let (cached, earlier_metric_at) = match disk_cache::read_metrics_from_disk(path.clone()).await {
168 0 : Ok(found_some) => {
169 0 : // there is no min needed because we write these sequentially in
170 0 : // collect_all_metrics
171 0 : let earlier_metric_at = found_some
172 0 : .iter()
173 0 : .map(|(_, (et, _))| et.recorded_at())
174 0 : .copied()
175 0 : .next();
176 0 :
177 0 : let cached = found_some.into_iter().collect::<Cache>();
178 0 :
179 0 : (cached, earlier_metric_at)
180 : }
181 0 : Err(e) => {
182 0 : use std::io::{Error, ErrorKind};
183 0 :
184 0 : let root = e.root_cause();
185 0 : let maybe_ioerr = root.downcast_ref::<Error>();
186 0 : let is_not_found = maybe_ioerr.is_some_and(|e| e.kind() == ErrorKind::NotFound);
187 0 :
188 0 : if !is_not_found {
189 0 : tracing::info!("failed to read any previous metrics from {path:?}: {e:#}");
190 0 : }
191 :
192 0 : (HashMap::new(), None)
193 : }
194 : };
195 :
196 0 : if let Some(earlier_metric_at) = earlier_metric_at {
197 0 : let earlier_metric_at: SystemTime = earlier_metric_at.into();
198 :
199 0 : let error = reschedule(earlier_metric_at, metric_collection_interval).await;
200 :
201 0 : if let Some(error) = error {
202 0 : if error.as_secs() >= 60 {
203 0 : tracing::info!(
204 0 : error_ms = error.as_millis(),
205 0 : "startup scheduling error due to restart"
206 0 : )
207 0 : }
208 0 : }
209 0 : }
210 :
211 0 : cached
212 0 : }
213 :
214 0 : async fn reschedule(
215 0 : earlier_metric_at: SystemTime,
216 0 : metric_collection_interval: Duration,
217 0 : ) -> Option<Duration> {
218 0 : let now = SystemTime::now();
219 0 : match now.duration_since(earlier_metric_at) {
220 0 : Ok(from_last_send) if from_last_send < metric_collection_interval => {
221 0 : let sleep_for = metric_collection_interval - from_last_send;
222 0 :
223 0 : let deadline = std::time::Instant::now() + sleep_for;
224 0 :
225 0 : tokio::time::sleep_until(deadline.into()).await;
226 :
227 0 : let now = std::time::Instant::now();
228 0 :
229 0 : // executor threads might be busy, add extra measurements
230 0 : Some(if now < deadline {
231 0 : deadline - now
232 : } else {
233 0 : now - deadline
234 : })
235 : }
236 0 : Ok(from_last_send) => Some(from_last_send.saturating_sub(metric_collection_interval)),
237 : Err(_) => {
238 0 : tracing::warn!(
239 0 : ?now,
240 0 : ?earlier_metric_at,
241 0 : "oldest recorded metric is in future; first values will come out with inconsistent timestamps"
242 0 : );
243 0 : earlier_metric_at.duration_since(now).ok()
244 : }
245 : }
246 0 : }
247 :
248 : /// Caclculate synthetic size for each active tenant
249 0 : async fn calculate_synthetic_size_worker(
250 0 : synthetic_size_calculation_interval: Duration,
251 0 : cancel: &CancellationToken,
252 0 : ctx: &RequestContext,
253 0 : ) -> anyhow::Result<()> {
254 0 : info!("starting calculate_synthetic_size_worker");
255 0 : scopeguard::defer! {
256 0 : info!("calculate_synthetic_size_worker stopped");
257 : };
258 :
259 0 : loop {
260 0 : let started_at = Instant::now();
261 :
262 0 : let tenants = match mgr::list_tenants().await {
263 0 : Ok(tenants) => tenants,
264 0 : Err(e) => {
265 0 : warn!("cannot get tenant list: {e:#}");
266 0 : continue;
267 : }
268 : };
269 :
270 0 : for (tenant_shard_id, tenant_state, _gen) in tenants {
271 0 : if tenant_state != TenantState::Active {
272 0 : continue;
273 0 : }
274 0 :
275 0 : if !tenant_shard_id.is_zero() {
276 : // We only send consumption metrics from shard 0, so don't waste time calculating
277 : // synthetic size on other shards.
278 0 : continue;
279 0 : }
280 :
281 0 : let Ok(tenant) = mgr::get_tenant(tenant_shard_id, true) else {
282 0 : continue;
283 : };
284 :
285 : // there is never any reason to exit calculate_synthetic_size_worker following any
286 : // return value -- we don't need to care about shutdown because no tenant is found when
287 : // pageserver is shut down.
288 0 : calculate_and_log(&tenant, cancel, ctx).await;
289 : }
290 :
291 0 : crate::tenant::tasks::warn_when_period_overrun(
292 0 : started_at.elapsed(),
293 0 : synthetic_size_calculation_interval,
294 0 : BackgroundLoopKind::ConsumptionMetricsSyntheticSizeWorker,
295 0 : );
296 :
297 0 : let res = tokio::time::timeout_at(
298 0 : started_at + synthetic_size_calculation_interval,
299 0 : cancel.cancelled(),
300 0 : )
301 0 : .await;
302 0 : if res.is_ok() {
303 0 : return Ok(());
304 0 : }
305 : }
306 0 : }
307 :
308 0 : async fn calculate_and_log(tenant: &Tenant, cancel: &CancellationToken, ctx: &RequestContext) {
309 : const CAUSE: LogicalSizeCalculationCause =
310 : LogicalSizeCalculationCause::ConsumptionMetricsSyntheticSize;
311 :
312 : // TODO should we use concurrent_background_tasks_rate_limit() here, like the other background tasks?
313 : // We can put in some prioritization for consumption metrics.
314 : // Same for the loop that fetches computed metrics.
315 : // By using the same limiter, we centralize metrics collection for "start" and "finished" counters,
316 : // which turns out is really handy to understand the system.
317 0 : let Err(e) = tenant.calculate_synthetic_size(CAUSE, cancel, ctx).await else {
318 0 : return;
319 : };
320 :
321 : // this error can be returned if timeline is shutting down, but it does not
322 : // mean the synthetic size worker should terminate. we do not need any checks
323 : // in this function because `mgr::get_tenant` will error out after shutdown has
324 : // progressed to shutting down tenants.
325 0 : let shutting_down = matches!(
326 0 : e.downcast_ref::<PageReconstructError>(),
327 : Some(PageReconstructError::Cancelled | PageReconstructError::AncestorStopping(_))
328 : );
329 :
330 0 : if !shutting_down {
331 0 : let tenant_shard_id = tenant.tenant_shard_id();
332 0 : error!("failed to calculate synthetic size for tenant {tenant_shard_id}: {e:#}");
333 0 : }
334 0 : }
|