rune/function/
mod.rs

1#[macro_use]
2mod macros;
3
4use core::future::Future;
5use core::mem::replace;
6
7use crate::alloc;
8use crate::compile::meta;
9use crate::hash::Hash;
10use crate::runtime::{
11    self, AnyTypeInfo, FromValue, InstAddress, MaybeTypeOf, Memory, Output, RuntimeError, ToReturn,
12    TypeHash, TypeOf, UnsafeToMut, UnsafeToRef, Value, VmErrorKind, VmResult,
13};
14
15// Expand to function variable bindings.
16macro_rules! access_memory {
17    ($count:expr, $add:expr, $memory:ident, $addr:ident, $args:ident, $($from_fn:path, $var:ident, $num:expr),* $(,)?) => {
18        if $args != $count + $add {
19            return VmResult::err(VmErrorKind::BadArgumentCount {
20                actual: $args,
21                expected: $count + $add,
22            });
23        }
24
25        let [$($var,)*] = vm_try!($memory.slice_at_mut($addr, $args)) else {
26            unreachable!();
27        };
28
29        $(let $var = replace($var, Value::empty());)*
30
31        $(
32            let $var = match $from_fn($var) {
33                Ok($var) => $var,
34                Err(error) => {
35                    return VmResult::err(error).with_error(|| VmErrorKind::BadArgument {
36                        arg: $num,
37                    });
38                }
39            };
40        )*
41    };
42}
43
44/// Denotes the kind of a function, allowing the [`Function`] trait to be
45/// implemented separately for plain and async functions.
46pub trait FunctionKind {
47    /// Indicates if the function is async.
48    const IS_ASYNC: bool;
49}
50
51/// Marker for plain functions.
52#[non_exhaustive]
53pub struct Plain;
54
55impl FunctionKind for Plain {
56    const IS_ASYNC: bool = false;
57}
58
59/// Marker for async functions.
60#[non_exhaustive]
61pub struct Async;
62
63impl FunctionKind for Async {
64    const IS_ASYNC: bool = true;
65}
66
67/// Trait used to provide the [function][crate::module::Module::function]
68/// function.
69#[diagnostic::on_unimplemented(
70    label = "#[derive(Any)] could be missing on the arguments or return value of `{Self}`"
71)]
72pub trait Function<A, K>: 'static + Send + Sync {
73    /// The return type of the function.
74    #[doc(hidden)]
75    type Return;
76
77    /// Get the number of arguments.
78    #[doc(hidden)]
79    const ARGS: usize;
80
81    /// Perform the vm call.
82    #[doc(hidden)]
83    fn fn_call(
84        &self,
85        memory: &mut dyn Memory,
86        addr: InstAddress,
87        args: usize,
88        out: Output,
89    ) -> VmResult<()>;
90}
91
92/// Trait used to provide the [`associated_function`] function.
93///
94/// [`associated_function`]: crate::module::Module::associated_function
95#[diagnostic::on_unimplemented(
96    label = "#[derive(Any)] could be missing on the arguments or return value of `{Self}`"
97)]
98pub trait InstanceFunction<A, K>: 'static + Send + Sync {
99    /// The type of the instance.
100    #[doc(hidden)]
101    type Instance: TypeOf;
102
103    /// The return type of the function.
104    #[doc(hidden)]
105    type Return;
106
107    /// Get the number of arguments.
108    #[doc(hidden)]
109    const ARGS: usize;
110
111    /// Perform the vm call.
112    #[doc(hidden)]
113    fn fn_call(
114        &self,
115        memory: &mut dyn Memory,
116        addr: InstAddress,
117        args: usize,
118        out: Output,
119    ) -> VmResult<()>;
120}
121
122macro_rules! impl_instance_function_traits {
123    ($count:expr $(, $ty:ident $var:ident $num:expr)*) => {
124        impl<T, Instance, Kind, $($ty,)*> InstanceFunction<(Instance, $($ty,)*), Kind> for T
125        where
126            Instance: TypeOf,
127            T: Function<(Instance, $($ty,)*), Kind>,
128        {
129            type Instance = Instance;
130            type Return = T::Return;
131
132            const ARGS: usize  = <T as Function<(Instance, $($ty,)*), Kind>>::ARGS;
133
134            #[inline]
135            fn fn_call(&self, memory: &mut dyn Memory, addr: InstAddress, args: usize, out: Output) -> VmResult<()> {
136                Function::fn_call(self, memory, addr, args, out)
137            }
138        }
139    };
140}
141
142use core::marker::PhantomData;
143
144/// Zero-sized marker struct for references.
145pub struct Ref<T: ?Sized>(PhantomData<T>);
146
147impl<T> MaybeTypeOf for Ref<T>
148where
149    T: ?Sized + MaybeTypeOf,
150{
151    #[inline]
152    fn maybe_type_of() -> alloc::Result<meta::DocType> {
153        T::maybe_type_of()
154    }
155}
156
157impl<T> TypeHash for Ref<T>
158where
159    T: ?Sized + TypeHash,
160{
161    const HASH: Hash = T::HASH;
162}
163
164impl<T> TypeOf for Ref<T>
165where
166    T: ?Sized + TypeOf,
167{
168    const PARAMETERS: Hash = T::PARAMETERS;
169    const STATIC_TYPE_INFO: AnyTypeInfo = T::STATIC_TYPE_INFO;
170}
171
172/// Zero-sized marker struct for mutable references.
173pub struct Mut<T: ?Sized>(PhantomData<T>);
174
175impl<T> MaybeTypeOf for Mut<T>
176where
177    T: ?Sized + MaybeTypeOf,
178{
179    #[inline]
180    fn maybe_type_of() -> alloc::Result<meta::DocType> {
181        T::maybe_type_of()
182    }
183}
184
185impl<T> TypeHash for Mut<T>
186where
187    T: ?Sized + TypeHash,
188{
189    const HASH: Hash = T::HASH;
190}
191
192impl<T> TypeOf for Mut<T>
193where
194    T: ?Sized + TypeOf,
195{
196    const PARAMETERS: Hash = T::PARAMETERS;
197    const STATIC_TYPE_INFO: AnyTypeInfo = T::STATIC_TYPE_INFO;
198}
199
200// Fake guard for owned values.
201struct Guard;
202
203#[inline(always)]
204fn from_value<T>(value: Value) -> Result<(T, Guard), RuntimeError>
205where
206    T: FromValue,
207{
208    Ok((T::from_value(value)?, Guard))
209}
210
211#[inline(always)]
212fn unsafe_to_ref<'a, T>(value: Value) -> Result<(&'a T, T::Guard), RuntimeError>
213where
214    T: ?Sized + UnsafeToRef,
215{
216    // SAFETY: these are only locally used in this module, and we ensure that
217    // the guard requirement is met.
218    unsafe { T::unsafe_to_ref(value) }
219}
220
221#[inline(always)]
222fn unsafe_to_mut<'a, T>(value: Value) -> Result<(&'a mut T, T::Guard), RuntimeError>
223where
224    T: ?Sized + UnsafeToMut,
225{
226    // SAFETY: these are only locally used in this module, and we ensure that
227    // the guard requirement is met.
228    unsafe { T::unsafe_to_mut(value) }
229}
230
231macro_rules! impl_function_traits {
232    ($count:expr $(, {$ty:ident, $var:ident, $place:ty, $num:expr, {$($mut:tt)*}, {$($trait:tt)*}, $from_fn:path})*) => {
233        impl<T, U, $($ty,)*> Function<($($place,)*), Plain> for T
234        where
235            T: 'static + Send + Sync + Fn($($($mut)* $ty),*) -> U,
236            U: ToReturn,
237            $($ty: $($trait)*,)*
238        {
239            type Return = U;
240
241            const ARGS: usize = $count;
242
243            #[allow(clippy::drop_non_drop)]
244            fn fn_call(&self, memory: &mut dyn Memory, addr: InstAddress, args: usize, out: Output) -> VmResult<()> {
245                access_memory!($count, 0, memory, addr, args, $($from_fn, $var, $num,)*);
246
247                // Safety: We hold a reference to memory, so we can guarantee
248                // that it won't be modified.
249                let ret = self($($var.0),*);
250                $(drop($var.1);)*
251
252                let value = vm_try!(ToReturn::to_return(ret));
253                vm_try!(out.store(memory, value));
254                VmResult::Ok(())
255            }
256        }
257
258        impl<T, U, $($ty,)*> Function<($($place,)*), Async> for T
259        where
260            T: 'static + Send + Sync + Fn($($($mut)* $ty),*) -> U,
261            U: 'static + Future,
262            U::Output: ToReturn,
263            $($ty: $($trait)*,)*
264        {
265            type Return = U::Output;
266
267            const ARGS: usize = $count;
268
269            #[allow(clippy::drop_non_drop)]
270            fn fn_call(&self, memory: &mut dyn Memory, addr: InstAddress, args: usize, out: Output) -> VmResult<()> {
271                access_memory!($count, 0, memory, addr, args, $($from_fn, $var, $num,)*);
272
273                let fut = self($($var.0),*);
274                // Note: we may drop any produced reference guard here since the
275                // HRTB guarantees it won't escape nor be captured by the
276                // future, so once the method returns we know they are no longer
277                // used.
278                $(drop($var.1);)*
279
280                let ret = vm_try!(runtime::Future::new(async move {
281                    let output = fut.await;
282                    VmResult::Ok(vm_try!(ToReturn::to_return(output)))
283                }));
284
285                let value = vm_try!(Value::try_from(ret));
286                vm_try!(out.store(memory, value));
287                VmResult::Ok(())
288            }
289        }
290    };
291}
292
293permute!(impl_function_traits);
294repeat_macro!(impl_instance_function_traits);