opa_wasm/context.rs
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
// Copyright 2022-2024 The Matrix.org Foundation C.I.C.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
//! Trait definition for the context passed through builtin evaluation
#![allow(clippy::module_name_repetitions)]
use std::collections::HashMap;
use anyhow::Result;
#[cfg(feature = "time")]
use chrono::TimeZone;
use serde::{de::DeserializeOwned, Serialize};
/// Context passed through builtin evaluation
pub trait EvaluationContext: Send + 'static {
/// The type of random number generator used by this context
#[cfg(feature = "rng")]
type Rng: rand::Rng;
/// Get a [`rand::Rng`]
#[cfg(feature = "rng")]
fn get_rng(&mut self) -> Self::Rng;
/// Get the current date and time
#[cfg(feature = "time")]
fn now(&self) -> chrono::DateTime<chrono::Utc>;
/// Notify the context on evaluation start, so it can clean itself up
fn evaluation_start(&mut self);
/// Get a value from the evaluation cache
///
/// # Errors
///
/// If the key failed to serialize, or the value failed to deserialize
fn cache_get<K: Serialize, C: DeserializeOwned>(&mut self, key: &K) -> Result<Option<C>>;
/// Push a value to the evaluation cache
///
/// # Errors
///
/// If the key or the value failed to serialize
fn cache_set<K: Serialize, C: Serialize>(&mut self, key: &K, content: &C) -> Result<()>;
}
/// The default evaluation context implementation
pub struct DefaultContext {
/// The cache used to store values during evaluation
cache: HashMap<String, serde_json::Value>,
/// The time at which the evaluation started
#[cfg(feature = "time")]
evaluation_time: chrono::DateTime<chrono::Utc>,
}
#[allow(clippy::derivable_impls)]
impl Default for DefaultContext {
fn default() -> Self {
Self {
cache: HashMap::new(),
#[cfg(feature = "time")]
evaluation_time: chrono::Utc.timestamp_nanos(0),
}
}
}
impl EvaluationContext for DefaultContext {
#[cfg(feature = "rng")]
type Rng = rand::rngs::ThreadRng;
#[cfg(feature = "rng")]
fn get_rng(&mut self) -> Self::Rng {
rand::thread_rng()
}
#[cfg(feature = "time")]
fn now(&self) -> chrono::DateTime<chrono::Utc> {
self.evaluation_time
}
fn evaluation_start(&mut self) {
// Clear the cache
self.cache = HashMap::new();
#[cfg(feature = "time")]
{
// Set the evaluation time to now
self.evaluation_time = chrono::Utc::now();
}
}
fn cache_get<K: Serialize, C: DeserializeOwned>(&mut self, key: &K) -> Result<Option<C>> {
let key = serde_json::to_string(&key)?;
let Some(value) = self.cache.get(&key) else {
return Ok(None);
};
let value = serde_json::from_value(value.clone())?;
Ok(value)
}
fn cache_set<K: Serialize, C: Serialize>(&mut self, key: &K, content: &C) -> Result<()> {
let key = serde_json::to_string(key)?;
let content = serde_json::to_value(content)?;
self.cache.insert(key, content);
Ok(())
}
}
/// Test utilities
pub mod tests {
use anyhow::Result;
#[cfg(feature = "time")]
use chrono::TimeZone;
use serde::{de::DeserializeOwned, Serialize};
use crate::{DefaultContext, EvaluationContext};
/// A context used in tests
pub struct TestContext {
/// The inner [`DefaultContext`]
inner: DefaultContext,
/// The mocked time
#[cfg(feature = "time")]
clock: chrono::DateTime<chrono::Utc>,
/// The seed used for the random number generator
#[cfg(feature = "rng")]
seed: u64,
}
#[allow(clippy::derivable_impls)]
impl Default for TestContext {
fn default() -> Self {
Self {
inner: DefaultContext::default(),
#[cfg(feature = "time")]
clock: chrono::Utc
// Corresponds to 2020-07-14T12:53:22Z
// We're using this method because it's available on old versions of chrono
.timestamp_opt(1_594_731_202, 0)
.unwrap(),
#[cfg(feature = "rng")]
seed: 0,
}
}
}
impl EvaluationContext for TestContext {
#[cfg(feature = "rng")]
type Rng = rand::rngs::StdRng;
fn evaluation_start(&mut self) {
self.inner.evaluation_start();
}
#[cfg(feature = "time")]
fn now(&self) -> chrono::DateTime<chrono::Utc> {
self.clock
}
#[cfg(feature = "rng")]
fn get_rng(&mut self) -> Self::Rng {
use rand::SeedableRng;
rand::rngs::StdRng::seed_from_u64(self.seed)
}
fn cache_get<K: Serialize, C: DeserializeOwned>(&mut self, key: &K) -> Result<Option<C>> {
self.inner.cache_get(key)
}
fn cache_set<K: Serialize, C: Serialize>(&mut self, key: &K, content: &C) -> Result<()> {
self.inner.cache_set(key, content)
}
}
}