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
//! Provide a [`Context`] for the plugin chain of responsibilities.
//!
//! Router plugins accept a mutable [`Context`] when invoked and this contains a DashMap which
//! allows additional data to be passed back and forth along the request invocation pipeline.
use std::sync::Arc;
use std::time::Duration;
use std::time::Instant;
use dashmap::mapref::multiple::RefMulti;
use dashmap::mapref::multiple::RefMutMulti;
use dashmap::DashMap;
use derivative::Derivative;
use parking_lot::Mutex;
use serde::Deserialize;
use serde::Serialize;
use tower::BoxError;
use self::extensions::Extensions;
use crate::json_ext::Value;
pub(crate) mod extensions;
/// The key of the resolved operation name. This is subject to change and should not be relied on.
pub(crate) const OPERATION_NAME: &str = "operation_name";
/// The key of the resolved operation kind. This is subject to change and should not be relied on.
pub(crate) const OPERATION_KIND: &str = "operation_kind";
/// Holds [`Context`] entries.
pub(crate) type Entries = Arc<DashMap<String, Value>>;
/// A map of arbitrary JSON values, for use by plugins.
///
/// Context makes use of [`DashMap`] under the hood which tries to handle concurrency
/// by allowing concurrency across threads without requiring locking. This is great
/// for usability but could lead to surprises when updates are highly contested.
///
/// Within the router, contention is likely to be highest within plugins which
/// provide [`crate::services::SubgraphRequest`] or
/// [`crate::services::SubgraphResponse`] processing. At such times,
/// plugins should restrict themselves to the [`Context::get`] and [`Context::upsert`]
/// functions to minimise the possibility of mis-sequenced updates.
#[derive(Clone, Deserialize, Serialize, Derivative)]
#[serde(default)]
#[derivative(Debug)]
pub struct Context {
// Allows adding custom entries to the context.
entries: Entries,
#[serde(skip)]
pub(crate) private_entries: Arc<parking_lot::Mutex<Extensions>>,
/// Creation time
#[serde(skip)]
pub(crate) created_at: Instant,
#[serde(skip)]
#[derivative(Debug = "ignore")]
busy_timer: Arc<Mutex<BusyTimer>>,
#[serde(skip)]
pub(crate) id: String,
}
impl Context {
/// Create a new context.
pub fn new() -> Self {
let id = uuid::Uuid::new_v4()
.as_hyphenated()
.encode_lower(&mut uuid::Uuid::encode_buffer())
.to_string();
Context {
entries: Default::default(),
private_entries: Arc::new(parking_lot::Mutex::new(Extensions::default())),
created_at: Instant::now(),
busy_timer: Arc::new(Mutex::new(BusyTimer::new())),
id,
}
}
}
impl Context {
/// Returns true if the context contains a value for the specified key.
pub fn contains_key<K>(&self, key: K) -> bool
where
K: Into<String>,
{
self.entries.contains_key(&key.into())
}
/// Get a value from the context using the provided key.
///
/// Semantics:
/// - If the operation fails, that's because we can't deserialize the value.
/// - If the operation succeeds, the value is an [`Option`].
pub fn get<K, V>(&self, key: K) -> Result<Option<V>, BoxError>
where
K: Into<String>,
V: for<'de> serde::Deserialize<'de>,
{
self.entries
.get(&key.into())
.map(|v| serde_json_bytes::from_value(v.value().clone()))
.transpose()
.map_err(|e| e.into())
}
/// Insert a value int the context using the provided key and value.
///
/// Semantics:
/// - If the operation fails, then the pair has not been inserted.
/// - If the operation succeeds, the result is the old value as an [`Option`].
pub fn insert<K, V>(&self, key: K, value: V) -> Result<Option<V>, BoxError>
where
K: Into<String>,
V: for<'de> serde::Deserialize<'de> + Serialize,
{
match serde_json_bytes::to_value(value) {
Ok(value) => self
.entries
.insert(key.into(), value)
.map(|v| serde_json_bytes::from_value(v))
.transpose()
.map_err(|e| e.into()),
Err(e) => Err(e.into()),
}
}
/// Insert a value in the context using the provided key and value.
///
/// Semantics: the result is the old value as an [`Option`].
pub fn insert_json_value<K>(&self, key: K, value: Value) -> Option<Value>
where
K: Into<String>,
{
self.entries.insert(key.into(), value)
}
/// Get a json value from the context using the provided key.
pub fn get_json_value<K>(&self, key: K) -> Option<Value>
where
K: Into<String>,
{
self.entries.get(&key.into()).map(|v| v.value().clone())
}
/// Upsert a value in the context using the provided key and resolving
/// function.
///
/// The resolving function must yield a value to be used in the context. It
/// is provided with the current value to use in evaluating which value to
/// yield.
///
/// Semantics:
/// - If the operation fails, then the pair has not been inserted (or a current
/// value updated).
/// - If the operation succeeds, the pair have either updated an existing value
/// or been inserted.
pub fn upsert<K, V>(&self, key: K, upsert: impl FnOnce(V) -> V) -> Result<(), BoxError>
where
K: Into<String>,
V: for<'de> serde::Deserialize<'de> + Serialize + Default,
{
let key = key.into();
self.entries
.entry(key.clone())
.or_try_insert_with(|| serde_json_bytes::to_value::<V>(Default::default()))?;
let mut result = Ok(());
self.entries
.alter(&key, |_, v| match serde_json_bytes::from_value(v.clone()) {
Ok(value) => match serde_json_bytes::to_value((upsert)(value)) {
Ok(value) => value,
Err(e) => {
result = Err(e);
v
}
},
Err(e) => {
result = Err(e);
v
}
});
result.map_err(|e| e.into())
}
/// Upsert a JSON value in the context using the provided key and resolving
/// function.
///
/// The resolving function must yield a value to be used in the context. It
/// is provided with the current value to use in evaluating which value to
/// yield.
pub(crate) fn upsert_json_value<K>(&self, key: K, upsert: impl FnOnce(Value) -> Value)
where
K: Into<String>,
{
let key = key.into();
self.entries.entry(key.clone()).or_insert(Value::Null);
self.entries.alter(&key, |_, v| upsert(v));
}
/// Convert the context into an iterator.
pub(crate) fn try_into_iter(
self,
) -> Result<impl IntoIterator<Item = (String, Value)>, BoxError> {
Ok(Arc::try_unwrap(self.entries)
.map_err(|_e| anyhow::anyhow!("cannot take ownership of dashmap"))?
.into_iter())
}
/// Iterate over the entries.
pub fn iter(&self) -> impl Iterator<Item = RefMulti<'_, String, Value>> + '_ {
self.entries.iter()
}
/// Iterate mutably over the entries.
pub fn iter_mut(&self) -> impl Iterator<Item = RefMutMulti<'_, String, Value>> + '_ {
self.entries.iter_mut()
}
/// Notify the busy timer that we're waiting on a network request
pub(crate) fn enter_active_request(&self) -> BusyTimerGuard {
self.busy_timer.lock().increment_active_requests();
BusyTimerGuard {
busy_timer: self.busy_timer.clone(),
}
}
/// How much time was spent working on the request
pub(crate) fn busy_time(&self) -> Duration {
self.busy_timer.lock().current()
}
pub(crate) fn extend(&self, other: &Context) {
for kv in other.entries.iter() {
self.entries.insert(kv.key().clone(), kv.value().clone());
}
}
}
pub(crate) struct BusyTimerGuard {
busy_timer: Arc<Mutex<BusyTimer>>,
}
impl Drop for BusyTimerGuard {
fn drop(&mut self) {
self.busy_timer.lock().decrement_active_requests()
}
}
impl Default for Context {
fn default() -> Self {
Self::new()
}
}
/// Measures the total overhead of the router
///
/// This works by measuring the time spent executing when there is no active subgraph request.
/// This is still not a perfect solution, there are cases where preprocessing a subgraph request
/// happens while another one is running and still shifts the end of the span, but for now this
/// should serve as a reasonable solution without complex post processing of spans
pub(crate) struct BusyTimer {
active_requests: u32,
busy_ns: Duration,
start: Option<Instant>,
}
impl BusyTimer {
pub(crate) fn new() -> Self {
BusyTimer::default()
}
pub(crate) fn increment_active_requests(&mut self) {
if self.active_requests == 0 {
if let Some(start) = self.start.take() {
self.busy_ns += start.elapsed();
}
self.start = None;
}
self.active_requests += 1;
}
pub(crate) fn decrement_active_requests(&mut self) {
self.active_requests -= 1;
if self.active_requests == 0 {
self.start = Some(Instant::now());
}
}
pub(crate) fn current(&mut self) -> Duration {
if let Some(start) = self.start {
self.busy_ns + start.elapsed()
} else {
self.busy_ns
}
}
}
impl Default for BusyTimer {
fn default() -> Self {
Self {
active_requests: 0,
busy_ns: Duration::new(0, 0),
start: Some(Instant::now()),
}
}
}
#[cfg(test)]
mod test {
use crate::Context;
#[test]
fn test_context_insert() {
let c = Context::new();
assert!(c.insert("key1", 1).is_ok());
assert_eq!(c.get("key1").unwrap(), Some(1));
}
#[test]
fn test_context_overwrite() {
let c = Context::new();
assert!(c.insert("overwrite", 2).is_ok());
assert!(c.insert("overwrite", 3).is_ok());
assert_eq!(c.get("overwrite").unwrap(), Some(3));
}
#[test]
fn test_context_upsert() {
let c = Context::new();
assert!(c.insert("present", 1).is_ok());
assert!(c.upsert("present", |v: usize| v + 1).is_ok());
assert_eq!(c.get("present").unwrap(), Some(2));
assert!(c.upsert("not_present", |v: usize| v + 1).is_ok());
assert_eq!(c.get("not_present").unwrap(), Some(1));
}
#[test]
fn test_context_marshall_errors() {
let c = Context::new();
assert!(c.insert("string", "Some value".to_string()).is_ok());
assert!(c.upsert("string", |v: usize| v + 1).is_err());
}
#[test]
fn it_iterates_over_context() {
let c = Context::new();
assert!(c.insert("one", 1).is_ok());
assert!(c.insert("two", 2).is_ok());
assert_eq!(c.iter().count(), 2);
assert_eq!(
c.iter()
// Fiddly because of the conversion from bytes to usize, but ...
.map(|r| serde_json_bytes::from_value::<usize>(r.value().clone()).unwrap())
.sum::<usize>(),
3
);
}
#[test]
fn it_iterates_mutably_over_context() {
let c = Context::new();
assert!(c.insert("one", 1usize).is_ok());
assert!(c.insert("two", 2usize).is_ok());
assert_eq!(c.iter().count(), 2);
c.iter_mut().for_each(|mut r| {
// Fiddly because of the conversion from bytes to usize, but ...
let new: usize = serde_json_bytes::from_value::<usize>(r.value().clone()).unwrap() + 1;
*r = new.into();
});
assert_eq!(c.get("one").unwrap(), Some(2));
assert_eq!(c.get("two").unwrap(), Some(3));
}
}