tor_rpcbase/method.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 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
//! Method type for the RPC system.
use std::{
any,
collections::{HashMap, HashSet},
};
use derive_deftly::define_derive_deftly;
use downcast_rs::Downcast;
use once_cell::sync::Lazy;
/// The parameters and method name associated with a given Request.
///
/// Use [`derive_deftly(DynMethod)`](derive_deftly_template_DynMethod)
/// for a template to declare one of these.
///
/// To be invoked from RPC, a method must additionally implement [`DeserMethod`].
///
/// ## Note
///
/// As a consequence of this trait being public, any crate can define a method
/// on an object, even if the method and object are defined in another crate:
/// This should be okay, since:
///
/// * the crate should only have access to the public Rust methods of the object,
/// which is presumably safe to call.
/// * if you are linking a crate, you are already trusting that crate.
pub trait DynMethod: std::fmt::Debug + Send + Downcast {}
downcast_rs::impl_downcast!(DynMethod);
/// A DynMethod that can be deserialized.
///
/// We use [`typetag`] here so that we define `Method`s in other crates.
///
/// Use [`derive_deftly(DynMethod)`](derive_deftly_template_DynMethod)
/// for a template to declare one of these.
#[typetag::deserialize(tag = "method", content = "params")]
pub trait DeserMethod: DynMethod {
/// Up-cast to a `Box<dyn DynMethod>`.
fn upcast_box(self: Box<Self>) -> Box<dyn DynMethod>;
}
/// A typed method, used to ensure that all implementations of a method have the
/// same success and updates types.
///
/// Prefer to implement this trait or [`RpcMethod`], rather than `DynMethod` or `DeserMethod`.
/// (Those traits represent a type-erased method, with statically-unknown `Output` and
/// `Update` types.)
///
/// All Methods can be invoked via `DispatchTable::invoke_special`.
/// To be invoked from the RPC system, a methods associated `Output` and `Update` types
/// must additionally implement `Serialize`, and its `Error` type must implement
/// `Into<RpcError>`
pub trait Method: DynMethod {
/// A type returned by this method.
type Output: Send + 'static;
/// A type sent by this method on updates.
///
/// If this method will never send updates, use the uninhabited
/// [`NoUpdates`] type.
type Update: Send + 'static;
}
/// A method that can be invoked from the RPC system.
///
/// Every RpcMethod automatically implements `Method`.
pub trait RpcMethod: DeserMethod {
/// A type returned by this method _on success_.
///
/// (The actual result type from the function implementing this method is `Result<Output,E>`,
/// where E implements `RpcError`.)
type Output: Send + serde::Serialize + 'static;
/// A type sent by this method on updates.
///
/// If this method will never send updates, use the uninhabited
/// [`NoUpdates`] type.
type Update: Send + serde::Serialize + 'static;
}
impl<T: RpcMethod> Method for T {
type Output = Result<<T as RpcMethod>::Output, crate::RpcError>;
type Update = <T as RpcMethod>::Update;
}
/// An uninhabited type, used to indicate that a given method will never send
/// updates.
#[derive(serde::Serialize)]
#[allow(clippy::exhaustive_enums)]
pub enum NoUpdates {}
/// A method we're registering.
///
/// This struct's methods are public so it can be constructed from
/// `decl_method!`.
///
/// If you construct it yourself, you'll be in trouble. But you already knew
/// that, since you're looking at a `doc(hidden)` thing.
#[doc(hidden)]
#[allow(clippy::exhaustive_structs)]
pub struct MethodInfo_ {
/// The name of the method.
pub method_name: &'static str,
/// A function returning the TypeId for this method's underlying type.
///
/// (This needs to be a fn since TypeId::of isn't `const` yet.)
pub typeid: fn() -> any::TypeId,
/// A function returning the name for this method's output type.
pub output_name: fn() -> &'static str,
/// A function returning the name for this method's update type.
pub update_name: fn() -> &'static str,
}
inventory::collect!(MethodInfo_);
define_derive_deftly! {
/// Declare that one or more space-separated types should be considered
/// as dynamically dispatchable RPC methods.
///
/// # Example
///
/// ```
/// use tor_rpcbase::{self as rpc, templates::*};
/// use derive_deftly::Deftly;
///
/// #[derive(Debug, serde::Deserialize, Deftly)]
/// #[derive_deftly(rpc::DynMethod)]
/// #[deftly(rpc(method_name = "x-example:castigate"))]
/// struct Castigate {
/// severity: f64,
/// offenses: Vec<String>,
/// accomplice: Option<rpc::ObjectId>,
/// }
///
/// impl rpc::RpcMethod for Castigate {
/// type Output = String;
/// type Update = rpc::NoUpdates;
/// }
/// ```
export DynMethod:
const _: () = {
impl $crate::DynMethod for $ttype {}
${select1 tmeta(rpc(method_name)) {
// Alas, `typetag does not work correctly when not in scope as `typetag`.
use $crate::typetag;
#[typetag::deserialize(name = ${tmeta(rpc(method_name)) as str})]
// Note that we do not support generics in method types.
// If we did, we would have to give each instantiation type its own method name.
impl $crate::DeserMethod for $ttype {
fn upcast_box(self: Box<Self>) -> Box<dyn $crate::DynMethod> {
self as _
}
}
$crate::inventory::submit! {
$crate::MethodInfo_ {
method_name : ${tmeta(rpc(method_name)) as str},
typeid : std::any::TypeId::of::<$ttype>,
output_name: std::any::type_name::<<$ttype as $crate::RpcMethod>::Output>,
update_name: std::any::type_name::<<$ttype as $crate::RpcMethod>::Update>,
}
}
} else if tmeta(rpc(no_method_name)) {
// don't derive DeserMethod.
}}
};
}
pub use derive_deftly_template_DynMethod;
/// Return true if `name` is the name of some method.
pub fn is_method_name(name: &str) -> bool {
/// Lazy set of all method names.
static METHOD_NAMES: Lazy<HashSet<&'static str>> = Lazy::new(|| iter_method_names().collect());
METHOD_NAMES.contains(name)
}
/// Return an iterator that yields every registered method name.
///
/// Used (e.g.) to enforce syntactic requirements on method names.
pub fn iter_method_names() -> impl Iterator<Item = &'static str> {
inventory::iter::<MethodInfo_>().map(|mi| mi.method_name)
}
/// Given a type ID, return its RPC MethodInfo_ (if any).
pub(crate) fn method_info_by_typeid(typeid: any::TypeId) -> Option<&'static MethodInfo_> {
/// Lazy map from TypeId to RPC method name.
static METHOD_INFO_BY_TYPEID: Lazy<HashMap<any::TypeId, &'static MethodInfo_>> =
Lazy::new(|| {
inventory::iter::<MethodInfo_>()
.map(|mi| ((mi.typeid)(), mi))
.collect()
});
METHOD_INFO_BY_TYPEID.get(&typeid).copied()
}
/// Error representing an "invalid" method name.
#[derive(Clone, Debug, thiserror::Error)]
#[non_exhaustive]
#[cfg_attr(test, derive(Eq, PartialEq))]
pub enum InvalidMethodName {
/// The method doesn't have a ':' to demarcate its namespace.
#[error("Method has no namespace separator")]
NoNamespace,
/// The method's namespace is not one we recognize.
#[error("Method has unrecognized namespace")]
UnrecognizedNamespace,
/// The method's name is not in snake_case.
#[error("Method name has unexpected format")]
BadMethodName,
}
/// Check whether `method` is an expected and well-formed method name.
fn is_valid_method_name(
recognized_namespaces: &HashSet<&str>,
method: &str,
) -> Result<(), InvalidMethodName> {
// Return true if scope is recognized.
let scope_ok = |s: &str| s.starts_with("x-") || recognized_namespaces.contains(&s);
/// Return true if name is in acceptable format.
fn name_ok(n: &str) -> bool {
let mut chars = n.chars();
let Some(first) = chars.next() else {
return false;
};
first.is_ascii_lowercase()
&& chars.all(|ch| ch.is_ascii_lowercase() || ch.is_ascii_digit() || ch == '_')
}
let (scope, name) = method
.split_once(':')
.ok_or(InvalidMethodName::NoNamespace)?;
if !scope_ok(scope) {
return Err(InvalidMethodName::UnrecognizedNamespace);
}
if !name_ok(name) {
return Err(InvalidMethodName::BadMethodName);
}
Ok(())
}
/// Check whether we have any method names that do not conform to our conventions.
///
/// Violations of these conventions won't stop the RPC system from working, but they may result in
/// annoyances with namespacing, .
///
/// If provided, `additional_namespaces` is a list of namespaces other than our standard ones that
/// we should accept.
///
/// Returns a `Vec` of method names that violate our rules, along with the rules that they violate.
pub fn check_method_names<'a>(
additional_namespaces: impl IntoIterator<Item = &'a str>,
) -> Vec<(&'static str, InvalidMethodName)> {
let mut recognized_namespaces: HashSet<&str> = additional_namespaces.into_iter().collect();
recognized_namespaces.extend(["arti", "rpc", "auth"]);
iter_method_names()
.filter_map(|name| {
is_valid_method_name(&recognized_namespaces, name)
.err()
.map(|e| (name, e))
})
.collect()
}
#[cfg(test)]
mod test {
use super::*;
#[test]
fn valid_method_names() {
let namespaces: HashSet<_> = ["arti", "wombat"].into_iter().collect();
for name in [
"arti:clone",
"arti:clone7",
"arti:clone_now",
"wombat:knish",
"x-foo:bar",
] {
assert!(is_valid_method_name(&namespaces, name).is_ok());
}
}
#[test]
fn invalid_method_names() {
let namespaces: HashSet<_> = ["arti", "wombat"].into_iter().collect();
use InvalidMethodName as E;
for (name, expect_err) in [
("arti-foo:clone", E::UnrecognizedNamespace),
("fred", E::NoNamespace),
("arti:", E::BadMethodName),
("arti:7clone", E::BadMethodName),
("arti:CLONE", E::BadMethodName),
("arti:clone-now", E::BadMethodName),
] {
assert_eq!(is_valid_method_name(&namespaces, name), Err(expect_err));
}
}
}