bevy_reflect: Improve DynamicFunction ergonomics (#14201)

# Objective

Many functions can be converted to `DynamicFunction` using
`IntoFunction`. Unfortunately, we are limited by Rust itself and the
implementations are far from exhaustive. For example, we can't convert
functions with more than 16 arguments. Additionally, we can't handle
returns with lifetimes not tied to the lifetime of the first argument.

In such cases, users will have to create their `DynamicFunction`
manually.

Let's take the following function:

```rust
fn get(index: usize, list: &Vec<String>) -> &String {
    &list[index]
}
```

This function cannot be converted to a `DynamicFunction` via
`IntoFunction` due to the lifetime of the return value being tied to the
second argument. Therefore, we need to construct the `DynamicFunction`
manually:

```rust
DynamicFunction::new(
    |mut args, info| {
        let list = args
            .pop()
            .unwrap()
            .take_ref::<Vec<String>>(&info.args()[1])?;
        let index = args.pop().unwrap().take_owned::<usize>(&info.args()[0])?;
        Ok(Return::Ref(get(index, list)))
    },
    FunctionInfo::new()
        .with_name("get")
        .with_args(vec![
            ArgInfo:🆕:<usize>(0).with_name("index"),
            ArgInfo:🆕:<&Vec<String>>(1).with_name("list"),
        ])
        .with_return_info(ReturnInfo:🆕:<&String>()),
);
```

While still a small and straightforward snippet, there's a decent amount
going on here. There's a lot of room for improvements when it comes to
ergonomics and readability.

The goal of this PR is to address those issues.

## Solution

Improve the ergonomics and readability of manually created
`DynamicFunction`s.

Some of the major changes:
1. Removed the need for `&ArgInfo` when reifying arguments (i.e. the
`&info.args()[1]` calls)
2. Added additional `pop` methods on `ArgList` to handle both popping
and casting
3. Added `take` methods on `ArgList` for taking the arguments out in
order
4. Removed the need for `&FunctionInfo` in the internal closure (Change
1 made it no longer necessary)
5. Added methods to automatically handle generating `ArgInfo` and
`ReturnInfo`

With all these changes in place, we get something a lot nicer to both
write and look at:

```rust
DynamicFunction::new(
    |mut args| {
        let index = args.take::<usize>()?;
        let list = args.take::<&Vec<String>>()?;
        Ok(Return::Ref(get(index, list)))
    },
    FunctionInfo::new()
        .with_name("get")
        .with_arg::<usize>("index")
        .with_arg::<&Vec<String>>("list")
        .with_return::<&String>(),
);
```

Alternatively, to rely on type inference for taking arguments, you could
do:

```rust
DynamicFunction::new(
    |mut args| {
        let index = args.take_owned()?;
        let list = args.take_ref()?;
        Ok(Return::Ref(get(index, list)))
    },
    FunctionInfo::new()
        .with_name("get")
        .with_arg::<usize>("index")
        .with_arg::<&Vec<String>>("list")
        .with_return::<&String>(),
);
```

## Testing

You can test locally by running:

```
cargo test --package bevy_reflect
```

---

## Changelog

- Removed `&ArgInfo` argument from `FromArg::from_arg` trait method
- Removed `&ArgInfo` argument from `Arg::take_***` methods
- Added `ArgValue`
- `Arg` is now a struct containing an `ArgValue` and an argument `index`
- `Arg::take_***` methods now require `T` is also `TypePath`
- Added `Arg::new`, `Arg::index`, `Arg::value`, `Arg::take_value`, and
`Arg::take` methods
- Replaced `ArgId` in `ArgError` with just the argument `index`
- Added `ArgError::EmptyArgList`
- Renamed `ArgList::push` to `ArgList::push_arg`
- Added `ArgList::pop_arg`, `ArgList::pop_owned`, `ArgList::pop_ref`,
and `ArgList::pop_mut`
- Added `ArgList::take_arg`, `ArgList::take_owned`, `ArgList::take_ref`,
`ArgList::take_mut`, and `ArgList::take`
- `ArgList::pop` is now generic
- Renamed `FunctionError::InvalidArgCount` to
`FunctionError::ArgCountMismatch`
- The closure given to `DynamicFunction::new` no longer has a
`&FunctionInfo` argument
- Added `FunctionInfo::with_arg`
- Added `FunctionInfo::with_return`

## Internal Migration Guide

> [!important]
> Function reflection was introduced as part of the 0.15 dev cycle. This
migration guide was written for developers relying on `main` during this
cycle, and is not a breaking change coming from 0.14.

* The `FromArg::from_arg` trait method and the `Arg::take_***` methods
no longer take a `&ArgInfo` argument.
* What used to be `Arg` is now `ArgValue`. `Arg` is now a struct which
contains an `ArgValue`.
* `Arg::take_***` methods now require `T` is also `TypePath`
* Instances of `id: ArgId` in `ArgError` have been replaced with `index:
usize`
* `ArgList::push` is now `ArgList::push_arg`. It also takes the new
`ArgValue` type.
* `ArgList::pop` has become `ArgList::pop_arg` and now returns
`ArgValue`. `Arg::pop` now takes a generic type and downcasts to that
type. It's recommended to use `ArgList::take` and friends instead since
they allow removing the arguments from the list in the order they were
pushed (rather than reverse order).
* `FunctionError::InvalidArgCount` is now
`FunctionError::ArgCountMismatch`
* The closure given to `DynamicFunction::new` no longer has a
`&FunctionInfo` argument. This argument can be removed.
This commit is contained in:
Gino Valente 2024-07-16 06:01:52 -07:00 committed by GitHub
parent 0e13b1ca5e
commit af865e76a3
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
20 changed files with 766 additions and 319 deletions

View File

@ -15,32 +15,23 @@ pub(crate) fn impl_from_arg(
quote! { quote! {
impl #impl_generics #bevy_reflect::func::args::FromArg for #type_path #ty_generics #where_reflect_clause { impl #impl_generics #bevy_reflect::func::args::FromArg for #type_path #ty_generics #where_reflect_clause {
type Item<'from_arg> = #type_path #ty_generics; type This<'from_arg> = #type_path #ty_generics;
fn from_arg<'from_arg>( fn from_arg(arg: #bevy_reflect::func::args::Arg) -> #FQResult<Self::This<'_>, #bevy_reflect::func::args::ArgError> {
arg: #bevy_reflect::func::args::Arg<'from_arg>, arg.take_owned()
info: &#bevy_reflect::func::args::ArgInfo,
) -> #FQResult<Self::Item<'from_arg>, #bevy_reflect::func::args::ArgError> {
arg.take_owned(info)
} }
} }
impl #impl_generics #bevy_reflect::func::args::FromArg for &'static #type_path #ty_generics #where_reflect_clause { impl #impl_generics #bevy_reflect::func::args::FromArg for &'static #type_path #ty_generics #where_reflect_clause {
type Item<'from_arg> = &'from_arg #type_path #ty_generics; type This<'from_arg> = &'from_arg #type_path #ty_generics;
fn from_arg<'from_arg>( fn from_arg(arg: #bevy_reflect::func::args::Arg) -> #FQResult<Self::This<'_>, #bevy_reflect::func::args::ArgError> {
arg: #bevy_reflect::func::args::Arg<'from_arg>, arg.take_ref()
info: &#bevy_reflect::func::args::ArgInfo,
) -> #FQResult<Self::Item<'from_arg>, #bevy_reflect::func::args::ArgError> {
arg.take_ref(info)
} }
} }
impl #impl_generics #bevy_reflect::func::args::FromArg for &'static mut #type_path #ty_generics #where_reflect_clause { impl #impl_generics #bevy_reflect::func::args::FromArg for &'static mut #type_path #ty_generics #where_reflect_clause {
type Item<'from_arg> = &'from_arg mut #type_path #ty_generics; type This<'from_arg> = &'from_arg mut #type_path #ty_generics;
fn from_arg<'from_arg>( fn from_arg(arg: #bevy_reflect::func::args::Arg) -> #FQResult<Self::This<'_>, #bevy_reflect::func::args::ArgError> {
arg: #bevy_reflect::func::args::Arg<'from_arg>, arg.take_mut()
info: &#bevy_reflect::func::args::ArgInfo,
) -> #FQResult<Self::Item<'from_arg>, #bevy_reflect::func::args::ArgError> {
arg.take_mut(info)
} }
} }
} }

View File

@ -1,81 +1,200 @@
use crate::func::args::{ArgError, ArgInfo, Ownership}; use crate::func::args::{ArgError, FromArg, Ownership};
use crate::Reflect; use crate::{Reflect, TypePath};
use std::ops::Deref;
/// Represents an argument that can be passed to a [`DynamicFunction`] or [`DynamicClosure`]. /// Represents an argument that can be passed to a [`DynamicFunction`], [`DynamicClosure`],
/// or [`DynamicClosureMut`].
/// ///
/// [`DynamicFunction`]: crate::func::DynamicFunction /// [`DynamicFunction`]: crate::func::DynamicFunction
/// [`DynamicClosure`]: crate::func::DynamicClosure /// [`DynamicClosure`]: crate::func::DynamicClosure
/// [`DynamicClosureMut`]: crate::func::DynamicClosureMut
#[derive(Debug)] #[derive(Debug)]
pub enum Arg<'a> { pub struct Arg<'a> {
Owned(Box<dyn Reflect>), index: usize,
Ref(&'a dyn Reflect), value: ArgValue<'a>,
Mut(&'a mut dyn Reflect),
} }
impl<'a> Arg<'a> { impl<'a> Arg<'a> {
/// Returns `Ok(T)` if the argument is [`Arg::Owned`]. /// Create a new [`Arg`] with the given index and value.
pub fn take_owned<T: Reflect>(self, info: &ArgInfo) -> Result<T, ArgError> { pub fn new(index: usize, value: ArgValue<'a>) -> Self {
match self { Self { index, value }
Arg::Owned(arg) => arg.take().map_err(|arg| ArgError::UnexpectedType { }
id: info.id().clone(),
expected: ::std::borrow::Cow::Borrowed(info.type_path()), /// The index of the argument.
received: ::std::borrow::Cow::Owned(arg.reflect_type_path().to_string()), pub fn index(&self) -> usize {
self.index
}
/// Set the index of the argument.
pub(crate) fn set_index(&mut self, index: usize) {
self.index = index;
}
/// The value of the argument.
pub fn value(&self) -> &ArgValue<'a> {
&self.value
}
/// Take the value of the argument.
pub fn take_value(self) -> ArgValue<'a> {
self.value
}
/// Take the value of the argument and attempt to convert it to a concrete value, `T`.
///
/// This is a convenience method for calling [`FromArg::from_arg`] on the argument.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let a = 1u32;
/// let b = 2u32;
/// let mut c = 3u32;
/// let mut args = ArgList::new().push_owned(a).push_ref(&b).push_mut(&mut c);
///
/// let a = args.take::<u32>().unwrap();
/// assert_eq!(a, 1);
///
/// let b = args.take::<&u32>().unwrap();
/// assert_eq!(*b, 2);
///
/// let c = args.take::<&mut u32>().unwrap();
/// assert_eq!(*c, 3);
/// ```
pub fn take<T: FromArg>(self) -> Result<T::This<'a>, ArgError> {
T::from_arg(self)
}
/// Returns `Ok(T)` if the argument is [`ArgValue::Owned`].
///
/// If the argument is not owned, returns an error.
///
/// It's generally preferred to use [`Self::take`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let value = 123u32;
/// let mut args = ArgList::new().push_owned(value);
/// let value = args.take_owned::<u32>().unwrap();
/// assert_eq!(value, 123);
/// ```
pub fn take_owned<T: Reflect + TypePath>(self) -> Result<T, ArgError> {
match self.value {
ArgValue::Owned(arg) => arg.take().map_err(|arg| ArgError::UnexpectedType {
index: self.index,
expected: std::borrow::Cow::Borrowed(T::type_path()),
received: std::borrow::Cow::Owned(arg.reflect_type_path().to_string()),
}), }),
Arg::Ref(_) => Err(ArgError::InvalidOwnership { ArgValue::Ref(_) => Err(ArgError::InvalidOwnership {
id: info.id().clone(), index: self.index,
expected: Ownership::Owned, expected: Ownership::Owned,
received: Ownership::Ref, received: Ownership::Ref,
}), }),
Arg::Mut(_) => Err(ArgError::InvalidOwnership { ArgValue::Mut(_) => Err(ArgError::InvalidOwnership {
id: info.id().clone(), index: self.index,
expected: Ownership::Owned, expected: Ownership::Owned,
received: Ownership::Mut, received: Ownership::Mut,
}), }),
} }
} }
/// Returns `Ok(&T)` if the argument is [`Arg::Ref`]. /// Returns `Ok(&T)` if the argument is [`ArgValue::Ref`].
pub fn take_ref<T: Reflect>(self, info: &ArgInfo) -> Result<&'a T, ArgError> { ///
match self { /// If the argument is not a reference, returns an error.
Arg::Owned(_) => Err(ArgError::InvalidOwnership { ///
id: info.id().clone(), /// It's generally preferred to use [`Self::take`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let value = 123u32;
/// let mut args = ArgList::new().push_ref(&value);
/// let value = args.take_ref::<u32>().unwrap();
/// assert_eq!(*value, 123);
/// ```
pub fn take_ref<T: Reflect + TypePath>(self) -> Result<&'a T, ArgError> {
match self.value {
ArgValue::Owned(_) => Err(ArgError::InvalidOwnership {
index: self.index,
expected: Ownership::Ref, expected: Ownership::Ref,
received: Ownership::Owned, received: Ownership::Owned,
}), }),
Arg::Ref(arg) => Ok(arg.downcast_ref().ok_or_else(|| ArgError::UnexpectedType { ArgValue::Ref(arg) => {
id: info.id().clone(), Ok(arg.downcast_ref().ok_or_else(|| ArgError::UnexpectedType {
expected: ::std::borrow::Cow::Borrowed(info.type_path()), index: self.index,
received: ::std::borrow::Cow::Owned(arg.reflect_type_path().to_string()), expected: std::borrow::Cow::Borrowed(T::type_path()),
})?), received: std::borrow::Cow::Owned(arg.reflect_type_path().to_string()),
Arg::Mut(_) => Err(ArgError::InvalidOwnership { })?)
id: info.id().clone(), }
ArgValue::Mut(_) => Err(ArgError::InvalidOwnership {
index: self.index,
expected: Ownership::Ref, expected: Ownership::Ref,
received: Ownership::Mut, received: Ownership::Mut,
}), }),
} }
} }
/// Returns `Ok(&mut T)` if the argument is [`Arg::Mut`]. /// Returns `Ok(&mut T)` if the argument is [`ArgValue::Mut`].
pub fn take_mut<T: Reflect>(self, info: &ArgInfo) -> Result<&'a mut T, ArgError> { ///
match self { /// If the argument is not a mutable reference, returns an error.
Arg::Owned(_) => Err(ArgError::InvalidOwnership { ///
id: info.id().clone(), /// It's generally preferred to use [`Self::take`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let mut value = 123u32;
/// let mut args = ArgList::new().push_mut(&mut value);
/// let value = args.take_mut::<u32>().unwrap();
/// assert_eq!(*value, 123);
/// ```
pub fn take_mut<T: Reflect + TypePath>(self) -> Result<&'a mut T, ArgError> {
match self.value {
ArgValue::Owned(_) => Err(ArgError::InvalidOwnership {
index: self.index,
expected: Ownership::Mut, expected: Ownership::Mut,
received: Ownership::Owned, received: Ownership::Owned,
}), }),
Arg::Ref(_) => Err(ArgError::InvalidOwnership { ArgValue::Ref(_) => Err(ArgError::InvalidOwnership {
id: info.id().clone(), index: self.index,
expected: Ownership::Mut, expected: Ownership::Mut,
received: Ownership::Ref, received: Ownership::Ref,
}), }),
Arg::Mut(arg) => { ArgValue::Mut(arg) => {
let received = ::std::borrow::Cow::Owned(arg.reflect_type_path().to_string()); let received = std::borrow::Cow::Owned(arg.reflect_type_path().to_string());
Ok(arg.downcast_mut().ok_or_else(|| ArgError::UnexpectedType { Ok(arg.downcast_mut().ok_or_else(|| ArgError::UnexpectedType {
id: info.id().clone(), index: self.index,
expected: ::std::borrow::Cow::Borrowed(info.type_path()), expected: std::borrow::Cow::Borrowed(T::type_path()),
received, received,
})?) })?)
} }
} }
} }
} }
/// Represents an argument that can be passed to a [`DynamicFunction`].
///
/// [`DynamicFunction`]: crate::func::DynamicFunction
#[derive(Debug)]
pub enum ArgValue<'a> {
Owned(Box<dyn Reflect>),
Ref(&'a dyn Reflect),
Mut(&'a mut dyn Reflect),
}
impl<'a> Deref for ArgValue<'a> {
type Target = dyn Reflect;
fn deref(&self) -> &Self::Target {
match self {
ArgValue::Owned(arg) => arg.as_ref(),
ArgValue::Ref(arg) => *arg,
ArgValue::Mut(arg) => *arg,
}
}
}

View File

@ -2,25 +2,30 @@ use alloc::borrow::Cow;
use thiserror::Error; use thiserror::Error;
use crate::func::args::{ArgId, Ownership}; use crate::func::args::Ownership;
/// An error that occurs when converting an [argument]. /// An error that occurs when converting an [argument].
/// ///
/// [argument]: crate::func::Arg /// [argument]: crate::func::args::Arg
#[derive(Debug, Error, PartialEq)] #[derive(Debug, Error, PartialEq)]
pub enum ArgError { pub enum ArgError {
/// The argument is not the expected type. /// The argument is not the expected type.
#[error("expected `{expected}` but received `{received}` (@ {id:?})")] #[error("expected `{expected}` but received `{received}` (@ argument index {index})")]
UnexpectedType { UnexpectedType {
id: ArgId, index: usize,
expected: Cow<'static, str>, expected: Cow<'static, str>,
received: Cow<'static, str>, received: Cow<'static, str>,
}, },
/// The argument has the wrong ownership. /// The argument has the wrong ownership.
#[error("expected {expected} value but received {received} value (@ {id:?})")] #[error("expected {expected} value but received {received} value (@ argument index {index})")]
InvalidOwnership { InvalidOwnership {
id: ArgId, index: usize,
expected: Ownership, expected: Ownership,
received: Ownership, received: Ownership,
}, },
/// Occurs when attempting to access an argument from an empty [`ArgList`].
///
/// [`ArgList`]: crate::func::args::ArgList
#[error("expected an argument but received none")]
EmptyArgList,
} }

View File

@ -1,23 +1,32 @@
use crate::func::args::{Arg, ArgError, ArgInfo}; use crate::func::args::{Arg, ArgError};
/// A trait for types that can be created from an [`Arg`]. /// A trait for types that can be created from an [`Arg`].
/// ///
/// This trait exists so that types can be automatically converted into an [`Arg`]
/// by [`IntoFunction`] so they can be passed to a [`DynamicFunction`] in an [`ArgList`].
///
/// This trait is used instead of a blanket [`From`] implementation due to coherence issues: /// This trait is used instead of a blanket [`From`] implementation due to coherence issues:
/// we can't implement `From<T>` for both `T` and `&T`/`&mut T`. /// we can't implement `From<T>` for both `T` and `&T`/`&mut T`.
/// ///
/// This trait is automatically implemented when using the `Reflect` [derive macro]. /// This trait is automatically implemented when using the `Reflect` [derive macro].
/// ///
/// [`IntoFunction`]: crate::func::IntoFunction
/// [`DynamicFunction`]: crate::func::DynamicFunction
/// [`ArgList`]: crate::func::args::ArgList
/// [derive macro]: derive@crate::Reflect /// [derive macro]: derive@crate::Reflect
pub trait FromArg { pub trait FromArg {
/// The type of the item created from the argument. /// The type to convert into.
/// ///
/// This should almost always be the same as `Self`, but with the lifetime `'a`. /// This should almost always be the same as `Self`, but with the lifetime `'a`.
type Item<'a>; ///
/// The reason we use a separate associated type is to allow for the lifetime
/// to be tied to the argument, rather than the type itself.
type This<'a>;
/// Creates an item from an argument. /// Creates an item from an argument.
/// ///
/// The argument must be of the expected type and ownership. /// The argument must be of the expected type and ownership.
fn from_arg<'a>(arg: Arg<'a>, info: &ArgInfo) -> Result<Self::Item<'a>, ArgError>; fn from_arg(arg: Arg) -> Result<Self::This<'_>, ArgError>;
} }
/// Implements the [`FromArg`] trait for the given type. /// Implements the [`FromArg`] trait for the given type.
@ -54,12 +63,9 @@ macro_rules! impl_from_arg {
$($U $(: $U1 $(+ $U2)*)?),* $($U $(: $U1 $(+ $U2)*)?),*
)? )?
{ {
type Item<'from_arg> = $ty; type This<'from_arg> = $ty;
fn from_arg<'from_arg>( fn from_arg(arg: $crate::func::args::Arg) -> Result<Self::This<'_>, $crate::func::args::ArgError> {
arg: $crate::func::args::Arg<'from_arg>, arg.take_owned()
info: &$crate::func::args::ArgInfo,
) -> Result<Self::Item<'from_arg>, $crate::func::args::ArgError> {
arg.take_owned(info)
} }
} }
@ -72,12 +78,9 @@ macro_rules! impl_from_arg {
$($U $(: $U1 $(+ $U2)*)?),* $($U $(: $U1 $(+ $U2)*)?),*
)? )?
{ {
type Item<'from_arg> = &'from_arg $ty; type This<'from_arg> = &'from_arg $ty;
fn from_arg<'from_arg>( fn from_arg(arg: $crate::func::args::Arg) -> Result<Self::This<'_>, $crate::func::args::ArgError> {
arg: $crate::func::args::Arg<'from_arg>, arg.take_ref()
info: &$crate::func::args::ArgInfo,
) -> Result<Self::Item<'from_arg>, $crate::func::args::ArgError> {
arg.take_ref(info)
} }
} }
@ -90,12 +93,9 @@ macro_rules! impl_from_arg {
$($U $(: $U1 $(+ $U2)*)?),* $($U $(: $U1 $(+ $U2)*)?),*
)? )?
{ {
type Item<'from_arg> = &'from_arg mut $ty; type This<'from_arg> = &'from_arg mut $ty;
fn from_arg<'from_arg>( fn from_arg(arg: $crate::func::args::Arg) -> Result<Self::This<'_>, $crate::func::args::ArgError> {
arg: $crate::func::args::Arg<'from_arg>, arg.take_mut()
info: &$crate::func::args::ArgInfo,
) -> Result<Self::Item<'from_arg>, $crate::func::args::ArgError> {
arg.take_mut(info)
} }
} }
}; };

View File

@ -3,11 +3,13 @@ use alloc::borrow::Cow;
use crate::func::args::{GetOwnership, Ownership}; use crate::func::args::{GetOwnership, Ownership};
use crate::TypePath; use crate::TypePath;
/// Type information for an [`Arg`] used in a [`DynamicFunction`] or [`DynamicClosure`]. /// Type information for an [`Arg`] used in a [`DynamicFunction`], [`DynamicClosure`],
/// or [`DynamicClosureMut`].
/// ///
/// [`Arg`]: crate::func::args::Arg /// [`Arg`]: crate::func::args::Arg
/// [`DynamicFunction`]: crate::func::function::DynamicFunction /// [`DynamicFunction`]: crate::func::function::DynamicFunction
/// [`DynamicClosure`]: crate::func::closures::DynamicClosure /// [`DynamicClosure`]: crate::func::closures::DynamicClosure
/// [`DynamicClosureMut`]: crate::func::closures::DynamicClosureMut
#[derive(Debug, Clone)] #[derive(Debug, Clone)]
pub struct ArgInfo { pub struct ArgInfo {
/// The index of the argument within its function. /// The index of the argument within its function.

View File

@ -1,12 +1,15 @@
use crate::func::args::Arg; use crate::func::args::{Arg, ArgValue, FromArg};
use crate::Reflect; use crate::func::ArgError;
use crate::{Reflect, TypePath};
use std::collections::VecDeque;
/// A list of arguments that can be passed to a [`DynamicFunction`] or [`DynamicClosure`]. /// A list of arguments that can be passed to a [`DynamicFunction`], [`DynamicClosure`],
/// or [`DynamicClosureMut`].
/// ///
/// # Example /// # Example
/// ///
/// ``` /// ```
/// # use bevy_reflect::func::{Arg, ArgList}; /// # use bevy_reflect::func::{ArgValue, ArgList};
/// let foo = 123; /// let foo = 123;
/// let bar = 456; /// let bar = 456;
/// let mut baz = 789; /// let mut baz = 789;
@ -20,63 +23,385 @@ use crate::Reflect;
/// // Push a mutable reference argument /// // Push a mutable reference argument
/// .push_mut(&mut baz) /// .push_mut(&mut baz)
/// // Push a manually constructed argument /// // Push a manually constructed argument
/// .push(Arg::Ref(&3.14)); /// .push_arg(ArgValue::Ref(&3.14));
/// ``` /// ```
/// ///
/// [arguments]: Arg
/// [`DynamicFunction`]: crate::func::DynamicFunction /// [`DynamicFunction`]: crate::func::DynamicFunction
/// [`DynamicClosure`]: crate::func::DynamicClosure /// [`DynamicClosure`]: crate::func::DynamicClosure
/// [`DynamicClosureMut`]: crate::func::DynamicClosureMut
#[derive(Default, Debug)] #[derive(Default, Debug)]
pub struct ArgList<'a>(Vec<Arg<'a>>); pub struct ArgList<'a> {
list: VecDeque<Arg<'a>>,
/// A flag that indicates if the list needs to be re-indexed.
///
/// This flag should be set when an argument is removed from the beginning of the list,
/// so that any future push operations will re-index the arguments.
needs_reindex: bool,
}
impl<'a> ArgList<'a> { impl<'a> ArgList<'a> {
/// Create a new empty list of arguments. /// Create a new empty list of arguments.
pub fn new() -> Self { pub fn new() -> Self {
Self(Vec::new()) Self {
list: VecDeque::new(),
needs_reindex: false,
}
} }
/// Push an [`Arg`] onto the list. /// Push an [`ArgValue`] onto the list.
pub fn push(mut self, arg: Arg<'a>) -> Self { ///
self.0.push(arg); /// If an argument was previously removed from the beginning of the list,
/// this method will also re-index the list.
pub fn push_arg(mut self, arg: ArgValue<'a>) -> Self {
if self.needs_reindex {
for (index, arg) in self.list.iter_mut().enumerate() {
arg.set_index(index);
}
self.needs_reindex = false;
}
let index = self.list.len();
self.list.push_back(Arg::new(index, arg));
self self
} }
/// Push an [`Arg::Ref`] onto the list with the given reference. /// Push an [`ArgValue::Ref`] onto the list with the given reference.
///
/// If an argument was previously removed from the beginning of the list,
/// this method will also re-index the list.
pub fn push_ref(self, arg: &'a dyn Reflect) -> Self { pub fn push_ref(self, arg: &'a dyn Reflect) -> Self {
self.push(Arg::Ref(arg)) self.push_arg(ArgValue::Ref(arg))
} }
/// Push an [`Arg::Mut`] onto the list with the given mutable reference. /// Push an [`ArgValue::Mut`] onto the list with the given mutable reference.
///
/// If an argument was previously removed from the beginning of the list,
/// this method will also re-index the list.
pub fn push_mut(self, arg: &'a mut dyn Reflect) -> Self { pub fn push_mut(self, arg: &'a mut dyn Reflect) -> Self {
self.push(Arg::Mut(arg)) self.push_arg(ArgValue::Mut(arg))
} }
/// Push an [`Arg::Owned`] onto the list with the given owned value. /// Push an [`ArgValue::Owned`] onto the list with the given owned value.
///
/// If an argument was previously removed from the beginning of the list,
/// this method will also re-index the list.
pub fn push_owned(self, arg: impl Reflect) -> Self { pub fn push_owned(self, arg: impl Reflect) -> Self {
self.push(Arg::Owned(Box::new(arg))) self.push_arg(ArgValue::Owned(Box::new(arg)))
} }
/// Push an [`Arg::Owned`] onto the list with the given boxed value. /// Push an [`ArgValue::Owned`] onto the list with the given boxed value.
///
/// If an argument was previously removed from the beginning of the list,
/// this method will also re-index the list.
pub fn push_boxed(self, arg: Box<dyn Reflect>) -> Self { pub fn push_boxed(self, arg: Box<dyn Reflect>) -> Self {
self.push(Arg::Owned(arg)) self.push_arg(ArgValue::Owned(arg))
} }
/// Pop the last argument from the list, if there is one. /// Remove the first argument in the list and return it.
pub fn pop(&mut self) -> Option<Arg<'a>> { ///
self.0.pop() /// It's generally preferred to use [`Self::take`] instead of this method
/// as it provides a more ergonomic way to immediately downcast the argument.
pub fn take_arg(&mut self) -> Result<Arg<'a>, ArgError> {
self.needs_reindex = true;
self.list.pop_front().ok_or(ArgError::EmptyArgList)
}
/// Remove the first argument in the list and return `Ok(T::This)`.
///
/// If the list is empty or the [`FromArg::from_arg`] call fails, returns an error.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let a = 1u32;
/// let b = 2u32;
/// let mut c = 3u32;
/// let mut args = ArgList::new().push_owned(a).push_ref(&b).push_mut(&mut c);
///
/// let a = args.take::<u32>().unwrap();
/// assert_eq!(a, 1);
///
/// let b = args.take::<&u32>().unwrap();
/// assert_eq!(*b, 2);
///
/// let c = args.take::<&mut u32>().unwrap();
/// assert_eq!(*c, 3);
/// ```
pub fn take<T: FromArg>(&mut self) -> Result<T::This<'a>, ArgError> {
self.take_arg()?.take::<T>()
}
/// Remove the first argument in the list and return `Ok(T)` if the argument is [`ArgValue::Owned`].
///
/// If the list is empty or the argument is not owned, returns an error.
///
/// It's generally preferred to use [`Self::take`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let value = 123u32;
/// let mut args = ArgList::new().push_owned(value);
/// let value = args.take_owned::<u32>().unwrap();
/// assert_eq!(value, 123);
/// ```
pub fn take_owned<T: Reflect + TypePath>(&mut self) -> Result<T, ArgError> {
self.take_arg()?.take_owned()
}
/// Remove the first argument in the list and return `Ok(&T)` if the argument is [`ArgValue::Ref`].
///
/// If the list is empty or the argument is not a reference, returns an error.
///
/// It's generally preferred to use [`Self::take`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let value = 123u32;
/// let mut args = ArgList::new().push_ref(&value);
/// let value = args.take_ref::<u32>().unwrap();
/// assert_eq!(*value, 123);
/// ```
pub fn take_ref<T: Reflect + TypePath>(&mut self) -> Result<&'a T, ArgError> {
self.take_arg()?.take_ref()
}
/// Remove the first argument in the list and return `Ok(&mut T)` if the argument is [`ArgValue::Mut`].
///
/// If the list is empty or the argument is not a mutable reference, returns an error.
///
/// It's generally preferred to use [`Self::take`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let mut value = 123u32;
/// let mut args = ArgList::new().push_mut(&mut value);
/// let value = args.take_mut::<u32>().unwrap();
/// assert_eq!(*value, 123);
/// ```
pub fn take_mut<T: Reflect + TypePath>(&mut self) -> Result<&'a mut T, ArgError> {
self.take_arg()?.take_mut()
}
/// Remove the last argument in the list and return it.
///
/// It's generally preferred to use [`Self::pop`] instead of this method
/// as it provides a more ergonomic way to immediately downcast the argument.
pub fn pop_arg(&mut self) -> Result<Arg<'a>, ArgError> {
self.list.pop_back().ok_or(ArgError::EmptyArgList)
}
/// Remove the last argument in the list and return `Ok(T::This)`.
///
/// If the list is empty or the [`FromArg::from_arg`] call fails, returns an error.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let a = 1u32;
/// let b = 2u32;
/// let mut c = 3u32;
/// let mut args = ArgList::new().push_owned(a).push_ref(&b).push_mut(&mut c);
///
/// let c = args.pop::<&mut u32>().unwrap();
/// assert_eq!(*c, 3);
///
/// let b = args.pop::<&u32>().unwrap();
/// assert_eq!(*b, 2);
///
/// let a = args.pop::<u32>().unwrap();
/// assert_eq!(a, 1);
/// ```
pub fn pop<T: FromArg>(&mut self) -> Result<T::This<'a>, ArgError> {
self.pop_arg()?.take::<T>()
}
/// Remove the last argument in the list and return `Ok(T)` if the argument is [`ArgValue::Owned`].
///
/// If the list is empty or the argument is not owned, returns an error.
///
/// It's generally preferred to use [`Self::pop`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let value = 123u32;
/// let mut args = ArgList::new().push_owned(value);
/// let value = args.pop_owned::<u32>().unwrap();
/// assert_eq!(value, 123);
/// ```
pub fn pop_owned<T: Reflect + TypePath>(&mut self) -> Result<T, ArgError> {
self.pop_arg()?.take_owned()
}
/// Remove the last argument in the list and return `Ok(&T)` if the argument is [`ArgValue::Ref`].
///
/// If the list is empty or the argument is not a reference, returns an error.
///
/// It's generally preferred to use [`Self::pop`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let value = 123u32;
/// let mut args = ArgList::new().push_ref(&value);
/// let value = args.pop_ref::<u32>().unwrap();
/// assert_eq!(*value, 123);
/// ```
pub fn pop_ref<T: Reflect + TypePath>(&mut self) -> Result<&'a T, ArgError> {
self.pop_arg()?.take_ref()
}
/// Remove the last argument in the list and return `Ok(&mut T)` if the argument is [`ArgValue::Mut`].
///
/// If the list is empty or the argument is not a mutable reference, returns an error.
///
/// It's generally preferred to use [`Self::pop`] instead of this method.
///
/// # Example
///
/// ```
/// # use bevy_reflect::func::ArgList;
/// let mut value = 123u32;
/// let mut args = ArgList::new().push_mut(&mut value);
/// let value = args.pop_mut::<u32>().unwrap();
/// assert_eq!(*value, 123);
/// ```
pub fn pop_mut<T: Reflect + TypePath>(&mut self) -> Result<&'a mut T, ArgError> {
self.pop_arg()?.take_mut()
} }
/// Returns the number of arguments in the list. /// Returns the number of arguments in the list.
pub fn len(&self) -> usize { pub fn len(&self) -> usize {
self.0.len() self.list.len()
} }
/// Returns `true` if the list of arguments is empty. /// Returns `true` if the list of arguments is empty.
pub fn is_empty(&self) -> bool { pub fn is_empty(&self) -> bool {
self.0.is_empty() self.list.is_empty()
}
} }
/// Take ownership of the list of arguments. #[cfg(test)]
pub fn take(self) -> Vec<Arg<'a>> { mod tests {
self.0 use super::*;
#[test]
fn should_push_arguments_in_order() {
let args = ArgList::new()
.push_owned(123)
.push_owned(456)
.push_owned(789);
assert_eq!(args.len(), 3);
assert_eq!(args.list[0].index(), 0);
assert_eq!(args.list[1].index(), 1);
assert_eq!(args.list[2].index(), 2);
}
#[test]
fn should_push_arg_with_correct_ownership() {
let a = String::from("a");
let b = String::from("b");
let mut c = String::from("c");
let d = String::from("d");
let e = String::from("e");
let f = String::from("f");
let mut g = String::from("g");
let args = ArgList::new()
.push_arg(ArgValue::Owned(Box::new(a)))
.push_arg(ArgValue::Ref(&b))
.push_arg(ArgValue::Mut(&mut c))
.push_owned(d)
.push_boxed(Box::new(e))
.push_ref(&f)
.push_mut(&mut g);
assert!(matches!(args.list[0].value(), &ArgValue::Owned(_)));
assert!(matches!(args.list[1].value(), &ArgValue::Ref(_)));
assert!(matches!(args.list[2].value(), &ArgValue::Mut(_)));
assert!(matches!(args.list[3].value(), &ArgValue::Owned(_)));
assert!(matches!(args.list[4].value(), &ArgValue::Owned(_)));
assert!(matches!(args.list[5].value(), &ArgValue::Ref(_)));
assert!(matches!(args.list[6].value(), &ArgValue::Mut(_)));
}
#[test]
fn should_take_args_in_order() {
let a = String::from("a");
let b = 123_i32;
let c = 456_usize;
let mut d = 5.78_f32;
let mut args = ArgList::new()
.push_owned(a)
.push_ref(&b)
.push_ref(&c)
.push_mut(&mut d);
assert_eq!(args.len(), 4);
assert_eq!(args.take_owned::<String>().unwrap(), String::from("a"));
assert_eq!(args.take::<&i32>().unwrap(), &123);
assert_eq!(args.take_ref::<usize>().unwrap(), &456);
assert_eq!(args.take_mut::<f32>().unwrap(), &mut 5.78);
assert_eq!(args.len(), 0);
}
#[test]
fn should_pop_args_in_reverse_order() {
let a = String::from("a");
let b = 123_i32;
let c = 456_usize;
let mut d = 5.78_f32;
let mut args = ArgList::new()
.push_owned(a)
.push_ref(&b)
.push_ref(&c)
.push_mut(&mut d);
assert_eq!(args.len(), 4);
assert_eq!(args.pop_mut::<f32>().unwrap(), &mut 5.78);
assert_eq!(args.pop_ref::<usize>().unwrap(), &456);
assert_eq!(args.pop::<&i32>().unwrap(), &123);
assert_eq!(args.pop_owned::<String>().unwrap(), String::from("a"));
assert_eq!(args.len(), 0);
}
#[test]
fn should_reindex_on_push_after_take() {
let mut args = ArgList::new()
.push_owned(123)
.push_owned(456)
.push_owned(789);
assert!(!args.needs_reindex);
args.take_arg().unwrap();
assert!(args.needs_reindex);
assert!(args.list[0].value().reflect_partial_eq(&456).unwrap());
assert_eq!(args.list[0].index(), 1);
assert!(args.list[1].value().reflect_partial_eq(&789).unwrap());
assert_eq!(args.list[1].index(), 2);
let args = args.push_owned(123);
assert!(!args.needs_reindex);
assert!(args.list[0].value().reflect_partial_eq(&456).unwrap());
assert_eq!(args.list[0].index(), 0);
assert!(args.list[1].value().reflect_partial_eq(&789).unwrap());
assert_eq!(args.list[1].index(), 1);
assert!(args.list[2].value().reflect_partial_eq(&123).unwrap());
assert_eq!(args.list[2].index(), 2);
} }
} }

View File

@ -2,8 +2,14 @@ use core::fmt::{Display, Formatter};
/// A trait for getting the ownership of a type. /// A trait for getting the ownership of a type.
/// ///
/// This trait exists so that [`IntoFunction`] can automatically generate
/// [`FunctionInfo`] containing the proper [`Ownership`] for its [argument] types.
///
/// This trait is automatically implemented when using the `Reflect` [derive macro]. /// This trait is automatically implemented when using the `Reflect` [derive macro].
/// ///
/// [`IntoFunction`]: crate::func::IntoFunction
/// [`FunctionInfo`]: crate::func::FunctionInfo
/// [argument]: crate::func::args::Arg
/// [derive macro]: derive@crate::Reflect /// [derive macro]: derive@crate::Reflect
pub trait GetOwnership { pub trait GetOwnership {
/// Returns the ownership of [`Self`]. /// Returns the ownership of [`Self`].

View File

@ -47,7 +47,7 @@ use crate::func::{FunctionResult, IntoClosure, ReturnInfo};
/// [`DynamicFunction`]: crate::func::DynamicFunction /// [`DynamicFunction`]: crate::func::DynamicFunction
pub struct DynamicClosure<'env> { pub struct DynamicClosure<'env> {
info: FunctionInfo, info: FunctionInfo,
func: Box<dyn for<'a> Fn(ArgList<'a>, &FunctionInfo) -> FunctionResult<'a> + 'env>, func: Box<dyn for<'a> Fn(ArgList<'a>) -> FunctionResult<'a> + 'env>,
} }
impl<'env> DynamicClosure<'env> { impl<'env> DynamicClosure<'env> {
@ -56,8 +56,8 @@ impl<'env> DynamicClosure<'env> {
/// The given function can be used to call out to a regular function, closure, or method. /// The given function can be used to call out to a regular function, closure, or method.
/// ///
/// It's important that the closure signature matches the provided [`FunctionInfo`]. /// It's important that the closure signature matches the provided [`FunctionInfo`].
/// This info is used to validate the arguments and return value. /// This info may be used by consumers of the function for validation and debugging.
pub fn new<F: for<'a> Fn(ArgList<'a>, &FunctionInfo) -> FunctionResult<'a> + 'env>( pub fn new<F: for<'a> Fn(ArgList<'a>) -> FunctionResult<'a> + 'env>(
func: F, func: F,
info: FunctionInfo, info: FunctionInfo,
) -> Self { ) -> Self {
@ -83,8 +83,8 @@ impl<'env> DynamicClosure<'env> {
/// Set the arguments of the closure. /// Set the arguments of the closure.
/// ///
/// It is very important that the arguments match the intended closure signature, /// It's important that the arguments match the intended closure signature,
/// as this is used to validate arguments passed to the closure. /// as this can be used by consumers of the function for validation and debugging.
pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self { pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self {
self.info = self.info.with_args(args); self.info = self.info.with_args(args);
self self
@ -113,7 +113,7 @@ impl<'env> DynamicClosure<'env> {
/// assert_eq!(result.take::<i32>().unwrap(), 123); /// assert_eq!(result.take::<i32>().unwrap(), 123);
/// ``` /// ```
pub fn call<'a>(&self, args: ArgList<'a>) -> FunctionResult<'a> { pub fn call<'a>(&self, args: ArgList<'a>) -> FunctionResult<'a> {
(self.func)(args, &self.info) (self.func)(args)
} }
/// Returns the closure info. /// Returns the closure info.

View File

@ -56,7 +56,7 @@ use crate::func::{FunctionResult, IntoClosureMut, ReturnInfo};
/// [`DynamicFunction`]: crate::func::DynamicFunction /// [`DynamicFunction`]: crate::func::DynamicFunction
pub struct DynamicClosureMut<'env> { pub struct DynamicClosureMut<'env> {
info: FunctionInfo, info: FunctionInfo,
func: Box<dyn for<'a> FnMut(ArgList<'a>, &FunctionInfo) -> FunctionResult<'a> + 'env>, func: Box<dyn for<'a> FnMut(ArgList<'a>) -> FunctionResult<'a> + 'env>,
} }
impl<'env> DynamicClosureMut<'env> { impl<'env> DynamicClosureMut<'env> {
@ -65,8 +65,8 @@ impl<'env> DynamicClosureMut<'env> {
/// The given function can be used to call out to a regular function, closure, or method. /// The given function can be used to call out to a regular function, closure, or method.
/// ///
/// It's important that the closure signature matches the provided [`FunctionInfo`]. /// It's important that the closure signature matches the provided [`FunctionInfo`].
/// This info is used to validate the arguments and return value. /// This info may be used by consumers of the function for validation and debugging.
pub fn new<F: for<'a> FnMut(ArgList<'a>, &FunctionInfo) -> FunctionResult<'a> + 'env>( pub fn new<F: for<'a> FnMut(ArgList<'a>) -> FunctionResult<'a> + 'env>(
func: F, func: F,
info: FunctionInfo, info: FunctionInfo,
) -> Self { ) -> Self {
@ -92,8 +92,8 @@ impl<'env> DynamicClosureMut<'env> {
/// Set the arguments of the closure. /// Set the arguments of the closure.
/// ///
/// It is very important that the arguments match the intended closure signature, /// It's important that the arguments match the intended closure signature,
/// as this is used to validate arguments passed to the closure. /// as this can be used by consumers of the function for validation and debugging.
pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self { pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self {
self.info = self.info.with_args(args); self.info = self.info.with_args(args);
self self
@ -130,7 +130,7 @@ impl<'env> DynamicClosureMut<'env> {
/// ///
/// [`call_once`]: DynamicClosureMut::call_once /// [`call_once`]: DynamicClosureMut::call_once
pub fn call<'a>(&mut self, args: ArgList<'a>) -> FunctionResult<'a> { pub fn call<'a>(&mut self, args: ArgList<'a>) -> FunctionResult<'a> {
(self.func)(args, &self.info) (self.func)(args)
} }
/// Call the closure with the given arguments and consume the closure. /// Call the closure with the given arguments and consume the closure.
@ -155,7 +155,7 @@ impl<'env> DynamicClosureMut<'env> {
/// assert_eq!(count, 5); /// assert_eq!(count, 5);
/// ``` /// ```
pub fn call_once(mut self, args: ArgList) -> FunctionResult { pub fn call_once(mut self, args: ArgList) -> FunctionResult {
(self.func)(args, &self.info) (self.func)(args)
} }
/// Returns the closure info. /// Returns the closure info.

View File

@ -21,10 +21,7 @@ where
F: ReflectFn<'env, Marker1> + TypedFunction<Marker2> + 'env, F: ReflectFn<'env, Marker1> + TypedFunction<Marker2> + 'env,
{ {
fn into_closure(self) -> DynamicClosure<'env> { fn into_closure(self) -> DynamicClosure<'env> {
DynamicClosure::new( DynamicClosure::new(move |args| self.reflect_call(args), Self::function_info())
move |args, info| self.reflect_call(args, info),
Self::function_info(),
)
} }
} }

View File

@ -23,7 +23,7 @@ where
{ {
fn into_closure_mut(mut self) -> DynamicClosureMut<'env> { fn into_closure_mut(mut self) -> DynamicClosureMut<'env> {
DynamicClosureMut::new( DynamicClosureMut::new(
move |args, info| self.reflect_call_mut(args, info), move |args| self.reflect_call_mut(args),
Self::function_info(), Self::function_info(),
) )
} }

View File

@ -13,7 +13,7 @@ pub enum FunctionError {
ArgError(#[from] ArgError), ArgError(#[from] ArgError),
/// The number of arguments provided does not match the expected number. /// The number of arguments provided does not match the expected number.
#[error("expected {expected} arguments but received {received}")] #[error("expected {expected} arguments but received {received}")]
InvalidArgCount { expected: usize, received: usize }, ArgCountMismatch { expected: usize, received: usize },
} }
/// The result of calling a dynamic [`DynamicFunction`] or [`DynamicClosure`]. /// The result of calling a dynamic [`DynamicFunction`] or [`DynamicClosure`].

View File

@ -62,19 +62,15 @@ use crate::func::{FunctionResult, IntoFunction, ReturnInfo};
/// // We start by defining the shape of the function: /// // We start by defining the shape of the function:
/// let info = FunctionInfo::new() /// let info = FunctionInfo::new()
/// .with_name("append") /// .with_name("append")
/// .with_args(vec![ /// .with_arg::<String>("value")
/// ArgInfo::new::<String>(0).with_name("value"), /// .with_arg::<&mut Vec<String>>("list")
/// ArgInfo::new::<&mut Vec<String>>(1).with_name("list"), /// .with_return::<&mut String>();
/// ])
/// .with_return_info(
/// ReturnInfo::new::<&mut String>()
/// );
/// ///
/// // Then we define the dynamic function, which will be used to call our `append` function: /// // Then we define the dynamic function, which will be used to call our `append` function:
/// let mut func = DynamicFunction::new(|mut args, info| { /// let mut func = DynamicFunction::new(|mut args| {
/// // Arguments are popped from the list in reverse order: /// // Arguments are removed from the list in order:
/// let arg1 = args.pop().unwrap().take_mut::<Vec<String>>(&info.args()[1]).unwrap(); /// let arg0 = args.take::<String>()?;
/// let arg0 = args.pop().unwrap().take_owned::<String>(&info.args()[0]).unwrap(); /// let arg1 = args.take::<&mut Vec<String>>()?;
/// ///
/// // Then we can call our function and return the result: /// // Then we can call our function and return the result:
/// Ok(Return::Mut(append(arg0, arg1))) /// Ok(Return::Mut(append(arg0, arg1)))
@ -97,7 +93,7 @@ use crate::func::{FunctionResult, IntoFunction, ReturnInfo};
/// [module-level documentation]: crate::func /// [module-level documentation]: crate::func
pub struct DynamicFunction { pub struct DynamicFunction {
info: FunctionInfo, info: FunctionInfo,
func: Arc<dyn for<'a> Fn(ArgList<'a>, &FunctionInfo) -> FunctionResult<'a> + 'static>, func: Arc<dyn for<'a> Fn(ArgList<'a>) -> FunctionResult<'a> + 'static>,
} }
impl DynamicFunction { impl DynamicFunction {
@ -106,8 +102,8 @@ impl DynamicFunction {
/// The given function can be used to call out to a regular function, closure, or method. /// The given function can be used to call out to a regular function, closure, or method.
/// ///
/// It's important that the function signature matches the provided [`FunctionInfo`]. /// It's important that the function signature matches the provided [`FunctionInfo`].
/// This info is used to validate the arguments and return value. /// This info may be used by consumers of the function for validation and debugging.
pub fn new<F: for<'a> Fn(ArgList<'a>, &FunctionInfo) -> FunctionResult<'a> + 'static>( pub fn new<F: for<'a> Fn(ArgList<'a>) -> FunctionResult<'a> + 'static>(
func: F, func: F,
info: FunctionInfo, info: FunctionInfo,
) -> Self { ) -> Self {
@ -130,8 +126,8 @@ impl DynamicFunction {
/// Set the arguments of the function. /// Set the arguments of the function.
/// ///
/// It is very important that the arguments match the intended function signature, /// It's important that the arguments match the intended function signature,
/// as this is used to validate arguments passed to the function. /// as this can be used by consumers of the function for validation and debugging.
pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self { pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self {
self.info = self.info.with_args(args); self.info = self.info.with_args(args);
self self
@ -159,7 +155,7 @@ impl DynamicFunction {
/// assert_eq!(result.take::<i32>().unwrap(), 100); /// assert_eq!(result.take::<i32>().unwrap(), 100);
/// ``` /// ```
pub fn call<'a>(&self, args: ArgList<'a>) -> FunctionResult<'a> { pub fn call<'a>(&self, args: ArgList<'a>) -> FunctionResult<'a> {
(self.func)(args, &self.info) (self.func)(args)
} }
/// Returns the function info. /// Returns the function info.
@ -212,6 +208,7 @@ impl IntoFunction<()> for DynamicFunction {
#[cfg(test)] #[cfg(test)]
mod tests { mod tests {
use super::*; use super::*;
use crate::func::Return;
#[test] #[test]
fn should_overwrite_function_name() { fn should_overwrite_function_name() {
@ -230,4 +227,34 @@ mod tests {
let function: DynamicFunction = make_function(|| {}); let function: DynamicFunction = make_function(|| {});
let _: DynamicFunction = make_function(function); let _: DynamicFunction = make_function(function);
} }
#[test]
fn should_allow_manual_function_construction() {
#[allow(clippy::ptr_arg)]
fn get(index: usize, list: &Vec<String>) -> &String {
&list[index]
}
let func = DynamicFunction::new(
|mut args| {
let list = args.pop::<&Vec<String>>()?;
let index = args.pop::<usize>()?;
Ok(Return::Ref(get(index, list)))
},
FunctionInfo::new()
.with_name("get")
.with_arg::<usize>("index")
.with_arg::<&Vec<String>>("list")
.with_return::<&String>(),
);
let list = vec![String::from("foo")];
let value = func
.call(ArgList::new().push_owned(0_usize).push_ref(&list))
.unwrap()
.unwrap_ref()
.downcast_ref::<String>()
.unwrap();
assert_eq!(value, "foo");
}
} }

View File

@ -48,18 +48,47 @@ impl FunctionInfo {
self self
} }
/// Push an argument onto the function's argument list.
///
/// The order in which this method is called matters as it will determine the index of the argument
/// based on the current number of arguments.
pub fn with_arg<T: TypePath + GetOwnership>(
mut self,
name: impl Into<Cow<'static, str>>,
) -> Self {
let index = self.args.len();
self.args.push(ArgInfo::new::<T>(index).with_name(name));
self
}
/// Set the arguments of the function. /// Set the arguments of the function.
/// ///
/// Arguments passed to the function will be validated against the info provided here. /// This will completely replace any existing arguments.
/// Mismatched arguments may result in the function call returning an [error].
/// ///
/// [error]: crate::func::FunctionError /// It's preferable to use [`Self::with_arg`] to add arguments to the function
/// as it will automatically set the index of the argument.
pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self { pub fn with_args(mut self, args: Vec<ArgInfo>) -> Self {
self.args = args; self.args = args;
self self
} }
/// Set the return information of the function. /// Set the [return information] of the function.
///
/// To manually set the [`ReturnInfo`] of the function, see [`Self::with_return_info`].
///
/// [return information]: ReturnInfo
pub fn with_return<T: TypePath + GetOwnership>(mut self) -> Self {
self.return_info = ReturnInfo::new::<T>();
self
}
/// Set the [return information] of the function.
///
/// This will completely replace any existing return information.
///
/// For a simpler, static version of this method, see [`Self::with_return`].
///
/// [return information]: ReturnInfo
pub fn with_return_info(mut self, return_info: ReturnInfo) -> Self { pub fn with_return_info(mut self, return_info: ReturnInfo) -> Self {
self.return_info = return_info; self.return_info = return_info;
self self

View File

@ -47,10 +47,7 @@ where
// However, we don't do this because it would prevent users from // However, we don't do this because it would prevent users from
// converting function pointers into `DynamicFunction`s. // converting function pointers into `DynamicFunction`s.
DynamicFunction::new( DynamicFunction::new(move |args| self.reflect_call(args), Self::function_info())
move |args, info| self.reflect_call(args, info),
Self::function_info(),
)
} }
} }

View File

@ -99,7 +99,7 @@
//! [lack of variadic generics]: https://poignardazur.github.io/2024/05/25/report-on-rustnl-variadics/ //! [lack of variadic generics]: https://poignardazur.github.io/2024/05/25/report-on-rustnl-variadics/
//! [coherence issues]: https://doc.rust-lang.org/rustc/lints/listing/warn-by-default.html#coherence-leak-check //! [coherence issues]: https://doc.rust-lang.org/rustc/lints/listing/warn-by-default.html#coherence-leak-check
pub use args::{Arg, ArgError, ArgList}; pub use args::{ArgError, ArgList, ArgValue};
pub use closures::*; pub use closures::*;
pub use error::*; pub use error::*;
pub use function::*; pub use function::*;
@ -124,7 +124,7 @@ mod return_type;
mod tests { mod tests {
use alloc::borrow::Cow; use alloc::borrow::Cow;
use crate::func::args::{ArgError, ArgId, ArgList, Ownership}; use crate::func::args::{ArgError, ArgList, Ownership};
use crate::TypePath; use crate::TypePath;
use super::*; use super::*;
@ -138,7 +138,7 @@ mod tests {
let result = func.call(args); let result = func.call(args);
assert_eq!( assert_eq!(
result.unwrap_err(), result.unwrap_err(),
FunctionError::InvalidArgCount { FunctionError::ArgCountMismatch {
expected: 1, expected: 1,
received: 0 received: 0
} }
@ -154,7 +154,7 @@ mod tests {
let result = func.call(args); let result = func.call(args);
assert_eq!( assert_eq!(
result.unwrap_err(), result.unwrap_err(),
FunctionError::InvalidArgCount { FunctionError::ArgCountMismatch {
expected: 0, expected: 0,
received: 1 received: 1
} }
@ -171,7 +171,7 @@ mod tests {
assert_eq!( assert_eq!(
result.unwrap_err(), result.unwrap_err(),
FunctionError::ArgError(ArgError::UnexpectedType { FunctionError::ArgError(ArgError::UnexpectedType {
id: ArgId::Index(0), index: 0,
expected: Cow::Borrowed(i32::type_path()), expected: Cow::Borrowed(i32::type_path()),
received: Cow::Borrowed(u32::type_path()) received: Cow::Borrowed(u32::type_path())
}) })
@ -188,7 +188,7 @@ mod tests {
assert_eq!( assert_eq!(
result.unwrap_err(), result.unwrap_err(),
FunctionError::ArgError(ArgError::InvalidOwnership { FunctionError::ArgError(ArgError::InvalidOwnership {
id: ArgId::Index(0), index: 0,
expected: Ownership::Ref, expected: Ownership::Ref,
received: Ownership::Owned received: Ownership::Owned
}) })

View File

@ -2,8 +2,8 @@ use bevy_utils::all_tuples;
use crate::func::args::FromArg; use crate::func::args::FromArg;
use crate::func::macros::count_tokens; use crate::func::macros::count_tokens;
use crate::func::{ArgList, FunctionError, FunctionInfo, FunctionResult, IntoReturn, ReflectFnMut}; use crate::func::{ArgList, FunctionError, FunctionResult, IntoReturn, ReflectFnMut};
use crate::Reflect; use crate::{Reflect, TypePath};
/// A reflection-based version of the [`Fn`] trait. /// A reflection-based version of the [`Fn`] trait.
/// ///
@ -33,16 +33,15 @@ use crate::Reflect;
/// # Example /// # Example
/// ///
/// ``` /// ```
/// # use bevy_reflect::func::{ArgList, FunctionInfo, ReflectFn, TypedFunction}; /// # use bevy_reflect::func::{ArgList, FunctionInfo, ReflectFn};
/// # /// #
/// fn add(a: i32, b: i32) -> i32 { /// fn add(a: i32, b: i32) -> i32 {
/// a + b /// a + b
/// } /// }
/// ///
/// let args = ArgList::new().push_owned(25_i32).push_owned(75_i32); /// let args = ArgList::new().push_owned(25_i32).push_owned(75_i32);
/// let info = add.get_function_info();
/// ///
/// let value = add.reflect_call(args, &info).unwrap().unwrap_owned(); /// let value = add.reflect_call(args).unwrap().unwrap_owned();
/// assert_eq!(value.take::<i32>().unwrap(), 100); /// assert_eq!(value.take::<i32>().unwrap(), 100);
/// ``` /// ```
/// ///
@ -62,7 +61,7 @@ use crate::Reflect;
/// [unconstrained type parameters]: https://doc.rust-lang.org/error_codes/E0207.html /// [unconstrained type parameters]: https://doc.rust-lang.org/error_codes/E0207.html
pub trait ReflectFn<'env, Marker>: ReflectFnMut<'env, Marker> { pub trait ReflectFn<'env, Marker>: ReflectFnMut<'env, Marker> {
/// Call the function with the given arguments and return the result. /// Call the function with the given arguments and return the result.
fn reflect_call<'a>(&self, args: ArgList<'a>, info: &FunctionInfo) -> FunctionResult<'a>; fn reflect_call<'a>(&self, args: ArgList<'a>) -> FunctionResult<'a>;
} }
/// Helper macro for implementing [`ReflectFn`] on Rust closures. /// Helper macro for implementing [`ReflectFn`] on Rust closures.
@ -81,27 +80,22 @@ macro_rules! impl_reflect_fn {
// This clause allows us to convert `ReturnType` into `Return` // This clause allows us to convert `ReturnType` into `Return`
ReturnType: IntoReturn + Reflect, ReturnType: IntoReturn + Reflect,
Function: Fn($($Arg),*) -> ReturnType + 'env, Function: Fn($($Arg),*) -> ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> Fn($($Arg::Item<'a>),*) -> ReturnType + 'env, Function: for<'a> Fn($($Arg::This<'a>),*) -> ReturnType + 'env,
{ {
fn reflect_call<'a>(&self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { #[allow(unused_mut)]
fn reflect_call<'a>(&self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!($($Arg)*); const COUNT: usize = count_tokens!($($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [$($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
$(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 0;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)($($arg,)*).into_return()) Ok((self)($($arg,)*).into_return())
} }
@ -110,35 +104,28 @@ macro_rules! impl_reflect_fn {
// === (&self, ...) -> &ReturnType === // // === (&self, ...) -> &ReturnType === //
impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFn<'env, fn(&Receiver, $($Arg),*) -> &ReturnType> for Function impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFn<'env, fn(&Receiver, $($Arg),*) -> &ReturnType> for Function
where where
Receiver: Reflect, Receiver: Reflect + TypePath,
$($Arg: FromArg,)* $($Arg: FromArg,)*
ReturnType: Reflect, ReturnType: Reflect,
// This clause allows us to convert `&ReturnType` into `Return` // This clause allows us to convert `&ReturnType` into `Return`
for<'a> &'a ReturnType: IntoReturn, for<'a> &'a ReturnType: IntoReturn,
Function: for<'a> Fn(&'a Receiver, $($Arg),*) -> &'a ReturnType + 'env, Function: for<'a> Fn(&'a Receiver, $($Arg),*) -> &'a ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> Fn(&'a Receiver, $($Arg::Item<'a>),*) -> &'a ReturnType + 'env, Function: for<'a> Fn(&'a Receiver, $($Arg::This<'a>),*) -> &'a ReturnType + 'env,
{ {
fn reflect_call<'a>(&self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { fn reflect_call<'a>(&self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!(Receiver $($Arg)*); const COUNT: usize = count_tokens!(Receiver $($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [receiver, $($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
let receiver = args.take_ref::<Receiver>()?;
let receiver = receiver.take_ref::<Receiver>(_info.args().get(0).expect("argument index out of bounds"))?; $(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 1;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)(receiver, $($arg,)*).into_return()) Ok((self)(receiver, $($arg,)*).into_return())
} }
@ -147,35 +134,28 @@ macro_rules! impl_reflect_fn {
// === (&mut self, ...) -> &mut ReturnType === // // === (&mut self, ...) -> &mut ReturnType === //
impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFn<'env, fn(&mut Receiver, $($Arg),*) -> &mut ReturnType> for Function impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFn<'env, fn(&mut Receiver, $($Arg),*) -> &mut ReturnType> for Function
where where
Receiver: Reflect, Receiver: Reflect + TypePath,
$($Arg: FromArg,)* $($Arg: FromArg,)*
ReturnType: Reflect, ReturnType: Reflect,
// This clause allows us to convert `&mut ReturnType` into `Return` // This clause allows us to convert `&mut ReturnType` into `Return`
for<'a> &'a mut ReturnType: IntoReturn, for<'a> &'a mut ReturnType: IntoReturn,
Function: for<'a> Fn(&'a mut Receiver, $($Arg),*) -> &'a mut ReturnType + 'env, Function: for<'a> Fn(&'a mut Receiver, $($Arg),*) -> &'a mut ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> Fn(&'a mut Receiver, $($Arg::Item<'a>),*) -> &'a mut ReturnType + 'env, Function: for<'a> Fn(&'a mut Receiver, $($Arg::This<'a>),*) -> &'a mut ReturnType + 'env,
{ {
fn reflect_call<'a>(&self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { fn reflect_call<'a>(&self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!(Receiver $($Arg)*); const COUNT: usize = count_tokens!(Receiver $($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [receiver, $($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
let receiver = args.take_mut::<Receiver>()?;
let receiver = receiver.take_mut::<Receiver>(_info.args().get(0).expect("argument index out of bounds"))?; $(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 1;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)(receiver, $($arg,)*).into_return()) Ok((self)(receiver, $($arg,)*).into_return())
} }
@ -184,35 +164,28 @@ macro_rules! impl_reflect_fn {
// === (&mut self, ...) -> &ReturnType === // // === (&mut self, ...) -> &ReturnType === //
impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFn<'env, fn(&mut Receiver, $($Arg),*) -> &ReturnType> for Function impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFn<'env, fn(&mut Receiver, $($Arg),*) -> &ReturnType> for Function
where where
Receiver: Reflect, Receiver: Reflect + TypePath,
$($Arg: FromArg,)* $($Arg: FromArg,)*
ReturnType: Reflect, ReturnType: Reflect,
// This clause allows us to convert `&ReturnType` into `Return` // This clause allows us to convert `&ReturnType` into `Return`
for<'a> &'a ReturnType: IntoReturn, for<'a> &'a ReturnType: IntoReturn,
Function: for<'a> Fn(&'a mut Receiver, $($Arg),*) -> &'a ReturnType + 'env, Function: for<'a> Fn(&'a mut Receiver, $($Arg),*) -> &'a ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> Fn(&'a mut Receiver, $($Arg::Item<'a>),*) -> &'a ReturnType + 'env, Function: for<'a> Fn(&'a mut Receiver, $($Arg::This<'a>),*) -> &'a ReturnType + 'env,
{ {
fn reflect_call<'a>(&self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { fn reflect_call<'a>(&self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!(Receiver $($Arg)*); const COUNT: usize = count_tokens!(Receiver $($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [receiver, $($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
let receiver = args.take_mut::<Receiver>()?;
let receiver = receiver.take_mut::<Receiver>(_info.args().get(0).expect("argument index out of bounds"))?; $(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 1;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)(receiver, $($arg,)*).into_return()) Ok((self)(receiver, $($arg,)*).into_return())
} }

View File

@ -2,8 +2,8 @@ use bevy_utils::all_tuples;
use crate::func::args::FromArg; use crate::func::args::FromArg;
use crate::func::macros::count_tokens; use crate::func::macros::count_tokens;
use crate::func::{ArgList, FunctionError, FunctionInfo, FunctionResult, IntoReturn}; use crate::func::{ArgList, FunctionError, FunctionResult, IntoReturn};
use crate::Reflect; use crate::{Reflect, TypePath};
/// A reflection-based version of the [`FnMut`] trait. /// A reflection-based version of the [`FnMut`] trait.
/// ///
@ -35,7 +35,7 @@ use crate::Reflect;
/// # Example /// # Example
/// ///
/// ``` /// ```
/// # use bevy_reflect::func::{ArgList, FunctionInfo, ReflectFnMut, TypedFunction}; /// # use bevy_reflect::func::{ArgList, FunctionInfo, ReflectFnMut};
/// # /// #
/// let mut list: Vec<i32> = vec![1, 3]; /// let mut list: Vec<i32> = vec![1, 3];
/// ///
@ -45,9 +45,8 @@ use crate::Reflect;
/// }; /// };
/// ///
/// let args = ArgList::new().push_owned(1_usize).push_owned(2_i32); /// let args = ArgList::new().push_owned(1_usize).push_owned(2_i32);
/// let info = insert.get_function_info();
/// ///
/// insert.reflect_call_mut(args, &info).unwrap(); /// insert.reflect_call_mut(args).unwrap();
/// assert_eq!(list, vec![1, 2, 3]); /// assert_eq!(list, vec![1, 2, 3]);
/// ``` /// ```
/// ///
@ -68,11 +67,7 @@ use crate::Reflect;
/// [unconstrained type parameters]: https://doc.rust-lang.org/error_codes/E0207.html /// [unconstrained type parameters]: https://doc.rust-lang.org/error_codes/E0207.html
pub trait ReflectFnMut<'env, Marker> { pub trait ReflectFnMut<'env, Marker> {
/// Call the function with the given arguments and return the result. /// Call the function with the given arguments and return the result.
fn reflect_call_mut<'a>( fn reflect_call_mut<'a>(&mut self, args: ArgList<'a>) -> FunctionResult<'a>;
&mut self,
args: ArgList<'a>,
info: &FunctionInfo,
) -> FunctionResult<'a>;
} }
/// Helper macro for implementing [`ReflectFnMut`] on Rust closures. /// Helper macro for implementing [`ReflectFnMut`] on Rust closures.
@ -91,27 +86,22 @@ macro_rules! impl_reflect_fn_mut {
// This clause allows us to convert `ReturnType` into `Return` // This clause allows us to convert `ReturnType` into `Return`
ReturnType: IntoReturn + Reflect, ReturnType: IntoReturn + Reflect,
Function: FnMut($($Arg),*) -> ReturnType + 'env, Function: FnMut($($Arg),*) -> ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> FnMut($($Arg::Item<'a>),*) -> ReturnType + 'env, Function: for<'a> FnMut($($Arg::This<'a>),*) -> ReturnType + 'env,
{ {
fn reflect_call_mut<'a>(&mut self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { #[allow(unused_mut)]
fn reflect_call_mut<'a>(&mut self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!($($Arg)*); const COUNT: usize = count_tokens!($($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [$($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
$(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 0;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)($($arg,)*).into_return()) Ok((self)($($arg,)*).into_return())
} }
@ -120,35 +110,28 @@ macro_rules! impl_reflect_fn_mut {
// === (&self, ...) -> &ReturnType === // // === (&self, ...) -> &ReturnType === //
impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFnMut<'env, fn(&Receiver, $($Arg),*) -> &ReturnType> for Function impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFnMut<'env, fn(&Receiver, $($Arg),*) -> &ReturnType> for Function
where where
Receiver: Reflect, Receiver: Reflect + TypePath,
$($Arg: FromArg,)* $($Arg: FromArg,)*
ReturnType: Reflect, ReturnType: Reflect,
// This clause allows us to convert `&ReturnType` into `Return` // This clause allows us to convert `&ReturnType` into `Return`
for<'a> &'a ReturnType: IntoReturn, for<'a> &'a ReturnType: IntoReturn,
Function: for<'a> FnMut(&'a Receiver, $($Arg),*) -> &'a ReturnType + 'env, Function: for<'a> FnMut(&'a Receiver, $($Arg),*) -> &'a ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> FnMut(&'a Receiver, $($Arg::Item<'a>),*) -> &'a ReturnType + 'env, Function: for<'a> FnMut(&'a Receiver, $($Arg::This<'a>),*) -> &'a ReturnType + 'env,
{ {
fn reflect_call_mut<'a>(&mut self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { fn reflect_call_mut<'a>(&mut self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!(Receiver $($Arg)*); const COUNT: usize = count_tokens!(Receiver $($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [receiver, $($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
let receiver = args.take_ref::<Receiver>()?;
let receiver = receiver.take_ref::<Receiver>(_info.args().get(0).expect("argument index out of bounds"))?; $(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 1;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)(receiver, $($arg,)*).into_return()) Ok((self)(receiver, $($arg,)*).into_return())
} }
@ -157,35 +140,28 @@ macro_rules! impl_reflect_fn_mut {
// === (&mut self, ...) -> &mut ReturnType === // // === (&mut self, ...) -> &mut ReturnType === //
impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFnMut<'env, fn(&mut Receiver, $($Arg),*) -> &mut ReturnType> for Function impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFnMut<'env, fn(&mut Receiver, $($Arg),*) -> &mut ReturnType> for Function
where where
Receiver: Reflect, Receiver: Reflect + TypePath,
$($Arg: FromArg,)* $($Arg: FromArg,)*
ReturnType: Reflect, ReturnType: Reflect,
// This clause allows us to convert `&mut ReturnType` into `Return` // This clause allows us to convert `&mut ReturnType` into `Return`
for<'a> &'a mut ReturnType: IntoReturn, for<'a> &'a mut ReturnType: IntoReturn,
Function: for<'a> FnMut(&'a mut Receiver, $($Arg),*) -> &'a mut ReturnType + 'env, Function: for<'a> FnMut(&'a mut Receiver, $($Arg),*) -> &'a mut ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> FnMut(&'a mut Receiver, $($Arg::Item<'a>),*) -> &'a mut ReturnType + 'env, Function: for<'a> FnMut(&'a mut Receiver, $($Arg::This<'a>),*) -> &'a mut ReturnType + 'env,
{ {
fn reflect_call_mut<'a>(&mut self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { fn reflect_call_mut<'a>(&mut self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!(Receiver $($Arg)*); const COUNT: usize = count_tokens!(Receiver $($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [receiver, $($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
let receiver = args.take_mut::<Receiver>()?;
let receiver = receiver.take_mut::<Receiver>(_info.args().get(0).expect("argument index out of bounds"))?; $(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 1;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)(receiver, $($arg,)*).into_return()) Ok((self)(receiver, $($arg,)*).into_return())
} }
@ -194,35 +170,28 @@ macro_rules! impl_reflect_fn_mut {
// === (&mut self, ...) -> &ReturnType === // // === (&mut self, ...) -> &ReturnType === //
impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFnMut<'env, fn(&mut Receiver, $($Arg),*) -> &ReturnType> for Function impl<'env, Receiver, $($Arg,)* ReturnType, Function> ReflectFnMut<'env, fn(&mut Receiver, $($Arg),*) -> &ReturnType> for Function
where where
Receiver: Reflect, Receiver: Reflect + TypePath,
$($Arg: FromArg,)* $($Arg: FromArg,)*
ReturnType: Reflect, ReturnType: Reflect,
// This clause allows us to convert `&ReturnType` into `Return` // This clause allows us to convert `&ReturnType` into `Return`
for<'a> &'a ReturnType: IntoReturn, for<'a> &'a ReturnType: IntoReturn,
Function: for<'a> FnMut(&'a mut Receiver, $($Arg),*) -> &'a ReturnType + 'env, Function: for<'a> FnMut(&'a mut Receiver, $($Arg),*) -> &'a ReturnType + 'env,
// This clause essentially asserts that `Arg::Item` is the same type as `Arg` // This clause essentially asserts that `Arg::This` is the same type as `Arg`
Function: for<'a> FnMut(&'a mut Receiver, $($Arg::Item<'a>),*) -> &'a ReturnType + 'env, Function: for<'a> FnMut(&'a mut Receiver, $($Arg::This<'a>),*) -> &'a ReturnType + 'env,
{ {
fn reflect_call_mut<'a>(&mut self, args: ArgList<'a>, _info: &FunctionInfo) -> FunctionResult<'a> { fn reflect_call_mut<'a>(&mut self, mut args: ArgList<'a>) -> FunctionResult<'a> {
const COUNT: usize = count_tokens!(Receiver $($Arg)*); const COUNT: usize = count_tokens!(Receiver $($Arg)*);
if args.len() != COUNT { if args.len() != COUNT {
return Err(FunctionError::InvalidArgCount { return Err(FunctionError::ArgCountMismatch {
expected: COUNT, expected: COUNT,
received: args.len(), received: args.len(),
}); });
} }
let [receiver, $($arg,)*] = args.take().try_into().expect("invalid number of arguments"); // Extract all arguments (in order)
let receiver = args.take_mut::<Receiver>()?;
let receiver = receiver.take_mut::<Receiver>(_info.args().get(0).expect("argument index out of bounds"))?; $(let $arg = args.take::<$Arg>()?;)*
#[allow(unused_mut)]
let mut _index = 1;
let ($($arg,)*) = ($($Arg::from_arg($arg, {
_index += 1;
_info.args().get(_index - 1).expect("argument index out of bounds")
})?,)*);
Ok((self)(receiver, $($arg,)*).into_return()) Ok((self)(receiver, $($arg,)*).into_return())
} }

View File

@ -61,11 +61,15 @@ impl<'a> Return<'a> {
/// A trait for types that can be converted into a [`Return`] value. /// A trait for types that can be converted into a [`Return`] value.
/// ///
/// This trait exists so that types can be automatically converted into a [`Return`]
/// by [`IntoFunction`].
///
/// This trait is used instead of a blanket [`Into`] implementation due to coherence issues: /// This trait is used instead of a blanket [`Into`] implementation due to coherence issues:
/// we can't implement `Into<Return>` for both `T` and `&T`/`&mut T`. /// we can't implement `Into<Return>` for both `T` and `&T`/`&mut T`.
/// ///
/// This trait is automatically implemented when using the `Reflect` [derive macro]. /// This trait is automatically implemented when using the `Reflect` [derive macro].
/// ///
/// [`IntoFunction`]: crate::func::IntoFunction
/// [derive macro]: derive@crate::Reflect /// [derive macro]: derive@crate::Reflect
pub trait IntoReturn { pub trait IntoReturn {
/// Converts [`Self`] into a [`Return`] value. /// Converts [`Self`] into a [`Return`] value.

View File

@ -6,10 +6,9 @@
//! This can be used for things like adding scripting support to your application, //! This can be used for things like adding scripting support to your application,
//! processing deserialized reflection data, or even just storing type-erased versions of your functions. //! processing deserialized reflection data, or even just storing type-erased versions of your functions.
use bevy::reflect::func::args::ArgInfo;
use bevy::reflect::func::{ use bevy::reflect::func::{
ArgList, DynamicClosure, DynamicClosureMut, DynamicFunction, FunctionInfo, IntoClosure, ArgList, DynamicClosure, DynamicClosureMut, DynamicFunction, FunctionError, FunctionInfo,
IntoClosureMut, IntoFunction, Return, ReturnInfo, IntoClosure, IntoClosureMut, IntoFunction, Return,
}; };
use bevy::reflect::Reflect; use bevy::reflect::Reflect;
@ -129,33 +128,37 @@ fn main() {
} }
let get_or_insert_function = dbg!(DynamicFunction::new( let get_or_insert_function = dbg!(DynamicFunction::new(
|mut args, info| { |mut args| {
let container_info = &info.args()[1]; // We can optionally add a check to ensure we were given the correct number of arguments.
let value_info = &info.args()[0]; if args.len() != 2 {
return Err(FunctionError::ArgCountMismatch {
expected: 2,
received: args.len(),
});
}
// The `ArgList` contains the arguments in the order they were pushed. // The `ArgList` contains the arguments in the order they were pushed.
// Therefore, we need to pop them in reverse order. // We can retrieve them out in order (note that this modifies the `ArgList`):
let container = args let value = args.take::<i32>()?;
.pop() let container = args.take::<&mut Option<i32>>()?;
.unwrap()
.take_mut::<Option<i32>>(container_info) // We could have also done the following to make use of type inference:
.unwrap(); // let value = args.take_owned()?;
let value = args.pop().unwrap().take_owned::<i32>(value_info).unwrap(); // let container = args.take_mut()?;
Ok(Return::Ref(get_or_insert(value, container))) Ok(Return::Ref(get_or_insert(value, container)))
}, },
FunctionInfo::new() FunctionInfo::new()
// We can optionally provide a name for the function // We can optionally provide a name for the function.
.with_name("get_or_insert") .with_name("get_or_insert")
// Since our function takes arguments, we MUST provide that argument information. // Since our function takes arguments, we should provide that argument information.
// The arguments should be provided in the order they are defined in the function. // This helps ensure that consumers of the function can validate the arguments they
// This is used to validate any arguments given at runtime. // pass into the function and helps for debugging.
.with_args(vec![ // Arguments should be provided in the order they are defined in the function.
ArgInfo::new::<i32>(0).with_name("value"), .with_arg::<i32>("value")
ArgInfo::new::<&mut Option<i32>>(1).with_name("container"), .with_arg::<&mut Option<i32>>("container")
]) // We can provide return information as well.
// We can optionally provide return information as well. .with_return::<&i32>(),
.with_return_info(ReturnInfo::new::<&i32>()),
)); ));
let mut container: Option<i32> = None; let mut container: Option<i32> = None;