1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460
/*
* Copyright (c) godot-rust; Bromeon and contributors.
* This Source Code Form is subject to the terms of the Mozilla Public
* License, v. 2.0. If a copy of the MPL was not distributed with this
* file, You can obtain one at https://mozilla.org/MPL/2.0/.
*/
use godot_ffi as sys;
use crate::builtin::{inner, StringName, Variant, VariantArray};
use crate::classes::Object;
use crate::meta::{GodotType, ToGodot};
use crate::obj::bounds::DynMemory;
use crate::obj::Bounds;
use crate::obj::{Gd, GodotClass, InstanceId};
use std::{fmt, ptr};
use sys::{ffi_methods, GodotFfi};
/// A `Callable` represents a function in Godot.
///
/// Usually a callable is a reference to an `Object` and a method name, this is a standard callable. But can
/// also be a custom callable, which is usually created from `bind`, `unbind`, or a GDScript lambda. See
/// [`Callable::is_custom`].
///
/// Currently it is impossible to use `bind` and `unbind` in GDExtension, see [godot-cpp#802].
///
/// [godot-cpp#802]: https://github.com/godotengine/godot-cpp/issues/802
pub struct Callable {
opaque: sys::types::OpaqueCallable,
}
impl Callable {
fn from_opaque(opaque: sys::types::OpaqueCallable) -> Self {
Self { opaque }
}
/// Create a callable for the method `object::method_name`.
///
/// See also [`Gd::callable()`].
///
/// _Godot equivalent: `Callable(Object object, StringName method)`_
pub fn from_object_method<T, S>(object: &Gd<T>, method_name: S) -> Self
where
T: GodotClass, // + Inherits<Object>,
S: Into<StringName>,
{
// upcast not needed
let method = method_name.into();
unsafe {
sys::new_with_uninit_or_init::<Self>(|self_ptr| {
let ctor = sys::builtin_fn!(callable_from_object_method);
let raw = object.to_ffi();
let args = [raw.as_arg_ptr(), method.sys()];
ctor(self_ptr, args.as_ptr());
})
}
}
#[cfg(since_api = "4.2")]
fn default_callable_custom_info() -> sys::GDExtensionCallableCustomInfo {
sys::GDExtensionCallableCustomInfo {
callable_userdata: ptr::null_mut(),
token: ptr::null_mut(),
object_id: 0,
call_func: None,
is_valid_func: None, // could be customized, but no real use case yet.
free_func: None,
hash_func: None,
equal_func: None,
// Op < is only used in niche scenarios and default is usually good enough, see https://github.com/godotengine/godot/issues/81901.
less_than_func: None,
to_string_func: None,
}
}
/// Create a callable from a Rust function or closure.
///
/// `name` is used for the string representation of the closure, which helps debugging.
///
/// Callables created through multiple `from_fn()` calls are never equal, even if they refer to the same function. If you want to use
/// equality, either clone an existing `Callable` instance, or define your own `PartialEq` impl with [`Callable::from_custom`].
///
/// # Example
/// ```no_run
/// # use godot::prelude::*;
/// let callable = Callable::from_fn("sum", |args: &[&Variant]| {
/// let sum: i32 = args.iter().map(|arg| arg.to::<i32>()).sum();
/// Ok(sum.to_variant())
/// });
/// ```
#[cfg(since_api = "4.2")]
pub fn from_fn<F, S>(name: S, rust_function: F) -> Self
where
F: 'static + Send + Sync + FnMut(&[&Variant]) -> Result<Variant, ()>,
S: Into<crate::builtin::GString>,
{
let userdata = CallableUserdata {
inner: FnWrapper {
rust_function,
name: name.into(),
},
};
let info = sys::GDExtensionCallableCustomInfo {
callable_userdata: Box::into_raw(Box::new(userdata)) as *mut std::ffi::c_void,
call_func: Some(rust_callable_call_fn::<F>),
free_func: Some(rust_callable_destroy::<FnWrapper<F>>),
to_string_func: Some(rust_callable_to_string_named::<F>),
..Self::default_callable_custom_info()
};
Self::from_custom_info(info)
}
/// Create a highly configurable callable from Rust.
///
/// See [`RustCallable`] for requirements on the type.
#[cfg(since_api = "4.2")]
pub fn from_custom<C: RustCallable>(callable: C) -> Self {
// Could theoretically use `dyn` but would need:
// - double boxing
// - a type-erased workaround for PartialEq supertrait (which has a `Self` type parameter and thus is not object-safe)
let userdata = CallableUserdata { inner: callable };
let info = sys::GDExtensionCallableCustomInfo {
callable_userdata: Box::into_raw(Box::new(userdata)) as *mut std::ffi::c_void,
call_func: Some(rust_callable_call_custom::<C>),
free_func: Some(rust_callable_destroy::<C>),
hash_func: Some(rust_callable_hash::<C>),
equal_func: Some(rust_callable_equal::<C>),
to_string_func: Some(rust_callable_to_string_display::<C>),
..Self::default_callable_custom_info()
};
Self::from_custom_info(info)
}
#[cfg(since_api = "4.2")]
fn from_custom_info(mut info: sys::GDExtensionCallableCustomInfo) -> Callable {
// SAFETY: callable_custom_create() is a valid way of creating callables.
unsafe {
Callable::new_with_uninit(|type_ptr| {
sys::interface_fn!(callable_custom_create)(type_ptr, ptr::addr_of_mut!(info))
})
}
}
/// Creates an invalid/empty object that is not able to be called.
///
/// _Godot equivalent: `Callable()`_
pub fn invalid() -> Self {
unsafe {
Self::new_with_uninit(|self_ptr| {
let ctor = sys::builtin_fn!(callable_construct_default);
ctor(self_ptr, ptr::null_mut())
})
}
}
/// Calls the method represented by this callable.
///
/// Arguments passed should match the method's signature.
///
/// - If called with more arguments than expected by the method, the extra arguments will be ignored and
/// the call continues as normal.
/// - If called with fewer arguments than expected it will crash Godot, without triggering UB.
/// - If called with arguments of the wrong type then an error will be printed and the call will return
/// `NIL`.
/// - If called on an invalid Callable then no error is printed, and `NIL` is returned.
///
/// _Godot equivalent: `callv`_
pub fn callv(&self, arguments: VariantArray) -> Variant {
self.as_inner().callv(arguments)
}
/// Returns a copy of this Callable with one or more arguments bound, reading them from an array.
///
/// _Godot equivalent: `bindv`_
pub fn bindv(&self, arguments: VariantArray) -> Self {
self.as_inner().bindv(arguments)
}
/// Returns the name of the method represented by this callable. If the callable is a lambda function,
/// returns the function's name.
///
/// ## Known Bugs
///
/// Getting the name of a lambda errors instead of returning its name, see [godot#73052].
///
/// _Godot equivalent: `get_method`_
///
/// [godot#73052]: https://github.com/godotengine/godot/issues/73052
pub fn method_name(&self) -> Option<StringName> {
let method_name = self.as_inner().get_method();
if method_name.is_empty() {
None
} else {
Some(method_name)
}
}
/// Returns the object on which this callable is called.
///
/// Returns `None` when this callable doesn't have any target object to call a method on, regardless of
/// if the method exists for that target or not.
///
/// _Godot equivalent: `get_object`_
pub fn object(&self) -> Option<Gd<Object>> {
// Increment refcount because we're getting a reference, and `InnerCallable::get_object` doesn't
// increment the refcount.
self.as_inner().get_object().map(|mut object| {
<Object as Bounds>::DynMemory::maybe_inc_ref(&mut object.raw);
object
})
}
/// Returns the ID of this callable's object, see also [`Gd::instance_id`].
///
/// Returns `None` when this callable doesn't have any target to call a method on.
///
/// _Godot equivalent: `get_object_id`_
pub fn object_id(&self) -> Option<InstanceId> {
let id = self.as_inner().get_object_id();
InstanceId::try_from_i64(id)
}
/// Returns the 32-bit hash value of this callable's object.
///
/// _Godot equivalent: `hash`_
pub fn hash(&self) -> u32 {
self.as_inner().hash().try_into().unwrap()
}
/// Returns true if this callable is a custom callable.
///
/// Custom callables are mainly created from bind or unbind. In GDScript, lambda functions are also
/// custom callables.
///
/// If a callable is not a custom callable, then it is considered a standard callable, this function is
/// the opposite of [`Callable.is_standard`].
///
/// _Godot equivalent: `is_custom`_
///
/// [`Callable.is_standard`]: https://docs.godotengine.org/en/stable/classes/class_callable.html#class-callable-method-is-standard
#[doc(alias = "is_standard")]
pub fn is_custom(&self) -> bool {
self.as_inner().is_custom()
}
/// Returns true if this callable has no target to call the method on.
///
/// This is not the negated form of [`is_valid`][Self::is_valid], as `is_valid` will return `false` if the callable has a
/// target but the method does not exist.
///
/// _Godot equivalent: `is_null`_
pub fn is_null(&self) -> bool {
self.as_inner().is_null()
}
/// Returns true if the callable's object exists and has a valid method name assigned, or is a custom
/// callable.
///
/// _Godot equivalent: `is_valid`_
pub fn is_valid(&self) -> bool {
self.as_inner().is_valid()
}
#[doc(hidden)]
pub fn as_inner(&self) -> inner::InnerCallable {
inner::InnerCallable::from_outer(self)
}
}
impl_builtin_traits! {
for Callable {
// Default is absent by design, to encourage explicit valid initialization.
Clone => callable_construct_copy;
Drop => callable_destroy;
// Equality for custom callables depend on the equality implementation of that custom callable.
// So we cannot implement `Eq` here and be confident equality will be total for all future custom callables.
PartialEq => callable_operator_equal;
// Godot does not define a less-than operator, so there is no `PartialOrd`.
// Hash could be added, but without Eq it's not that useful; wait for actual use cases.
}
}
// SAFETY:
// The `opaque` in `Callable` is just a pair of pointers, and requires no special initialization or cleanup
// beyond what is done in `from_opaque` and `drop`. So using `*mut Opaque` is safe.
unsafe impl GodotFfi for Callable {
fn variant_type() -> sys::VariantType {
sys::VariantType::CALLABLE
}
ffi_methods! { type sys::GDExtensionTypePtr = *mut Opaque;
fn new_from_sys;
fn new_with_uninit;
fn from_arg_ptr;
fn sys;
fn sys_mut;
fn move_return_ptr;
}
unsafe fn new_with_init(init_fn: impl FnOnce(sys::GDExtensionTypePtr)) -> Self {
let mut result = Self::invalid();
init_fn(result.sys_mut());
result
}
}
crate::meta::impl_godot_as_self!(Callable);
impl fmt::Debug for Callable {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
let method = self.method_name();
let object = self.object();
f.debug_struct("Callable")
.field("method", &method)
.field("object", &object)
.finish()
}
}
impl fmt::Display for Callable {
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
write!(f, "{}", self.to_variant())
}
}
// ----------------------------------------------------------------------------------------------------------------------------------------------
// Callbacks for custom implementations
#[cfg(since_api = "4.2")]
use custom_callable::*;
#[cfg(since_api = "4.2")]
pub use custom_callable::RustCallable;
#[cfg(since_api = "4.2")]
mod custom_callable {
use super::*;
use crate::builtin::GString;
use std::hash::Hash;
pub struct CallableUserdata<T> {
pub inner: T,
}
impl<T> CallableUserdata<T> {
/// # Safety
/// Returns an unbounded reference. `void_ptr` must be a valid pointer to a `CallableUserdata`.
unsafe fn inner_from_raw<'a>(void_ptr: *mut std::ffi::c_void) -> &'a mut T {
let ptr = void_ptr as *mut CallableUserdata<T>;
&mut (*ptr).inner
}
}
pub(crate) struct FnWrapper<F> {
pub(crate) rust_function: F,
pub(crate) name: GString,
}
/// Represents a custom callable object defined in Rust.
///
/// This trait has a single method, `invoke`, which is called upon invocation.
///
/// Since callables can be invoked from anywhere, they must be self-contained (`'static`) and thread-safe (`Send + Sync`).
/// They also should implement `Display` for the Godot string representation.
/// Furthermore, `PartialEq` and `Hash` are required for equality checks and usage as a key in a `Dictionary`.
pub trait RustCallable: 'static + PartialEq + Hash + fmt::Display + Send + Sync {
/// Invokes the callable with the given arguments as `Variant` references.
///
/// Return `Ok(...)` if the call succeeded, and `Err(())` otherwise.
/// Error handling is mostly needed in case argument number or types mismatch.
#[allow(clippy::result_unit_err)] // TODO remove once there's a clear error type here.
fn invoke(&mut self, args: &[&Variant]) -> Result<Variant, ()>;
}
pub unsafe extern "C" fn rust_callable_call_custom<C: RustCallable>(
callable_userdata: *mut std::ffi::c_void,
p_args: *const sys::GDExtensionConstVariantPtr,
p_argument_count: sys::GDExtensionInt,
r_return: sys::GDExtensionVariantPtr,
r_error: *mut sys::GDExtensionCallError,
) {
let arg_refs: &[&Variant] = Variant::borrow_ref_slice(p_args, p_argument_count as usize);
let c: &mut C = CallableUserdata::inner_from_raw(callable_userdata);
let result = c.invoke(arg_refs);
crate::meta::varcall_return_checked(result, r_return, r_error);
}
pub unsafe extern "C" fn rust_callable_call_fn<F>(
callable_userdata: *mut std::ffi::c_void,
p_args: *const sys::GDExtensionConstVariantPtr,
p_argument_count: sys::GDExtensionInt,
r_return: sys::GDExtensionVariantPtr,
r_error: *mut sys::GDExtensionCallError,
) where
F: FnMut(&[&Variant]) -> Result<Variant, ()>,
{
let arg_refs: &[&Variant] = Variant::borrow_ref_slice(p_args, p_argument_count as usize);
let w: &mut FnWrapper<F> = CallableUserdata::inner_from_raw(callable_userdata);
let result = (w.rust_function)(arg_refs);
crate::meta::varcall_return_checked(result, r_return, r_error);
}
pub unsafe extern "C" fn rust_callable_destroy<T>(callable_userdata: *mut std::ffi::c_void) {
let rust_ptr = callable_userdata as *mut CallableUserdata<T>;
let _drop = Box::from_raw(rust_ptr);
}
pub unsafe extern "C" fn rust_callable_hash<T: Hash>(
callable_userdata: *mut std::ffi::c_void,
) -> u32 {
let c: &T = CallableUserdata::<T>::inner_from_raw(callable_userdata);
// Just cut off top bits, not best-possible hash.
sys::hash_value(c) as u32
}
pub unsafe extern "C" fn rust_callable_equal<T: PartialEq>(
callable_userdata_a: *mut std::ffi::c_void,
callable_userdata_b: *mut std::ffi::c_void,
) -> sys::GDExtensionBool {
let a: &T = CallableUserdata::inner_from_raw(callable_userdata_a);
let b: &T = CallableUserdata::inner_from_raw(callable_userdata_b);
sys::conv::bool_to_sys(a == b)
}
pub unsafe extern "C" fn rust_callable_to_string_display<T: fmt::Display>(
callable_userdata: *mut std::ffi::c_void,
r_is_valid: *mut sys::GDExtensionBool,
r_out: sys::GDExtensionStringPtr,
) {
let c: &T = CallableUserdata::inner_from_raw(callable_userdata);
let s = crate::builtin::GString::from(c.to_string());
s.move_into_string_ptr(r_out);
*r_is_valid = sys::conv::SYS_TRUE;
}
pub unsafe extern "C" fn rust_callable_to_string_named<F>(
callable_userdata: *mut std::ffi::c_void,
r_is_valid: *mut sys::GDExtensionBool,
r_out: sys::GDExtensionStringPtr,
) {
let w: &mut FnWrapper<F> = CallableUserdata::inner_from_raw(callable_userdata);
w.name.clone().move_into_string_ptr(r_out);
*r_is_valid = sys::conv::SYS_TRUE;
}
}