godot/
__docs.rs

1/*
2 * Copyright (c) godot-rust; Bromeon and contributors.
3 * This Source Code Form is subject to the terms of the Mozilla Public
4 * License, v. 2.0. If a copy of the MPL was not distributed with this
5 * file, You can obtain one at https://mozilla.org/MPL/2.0/.
6 */
7
8//! # Extended documentation
9//!
10//! This highlights a few concepts in the public API of the `godot` crate. They complement information
11//! available on the main crate documentation page and the book.
12//!
13//! ## Type categories
14//!
15//! Godot is written in C++, which doesn't have the same strict guarantees about safety and
16//! mutability that Rust does. As a result, not everything in this crate will look and feel
17//! entirely "rusty". See also [Philosophy](https://godot-rust.github.io/book/contribute/philosophy.html).
18//!
19//! Traits such as `Clone`, `PartialEq` or `PartialOrd` are designed to mirror Godot semantics,
20//! except in cases where Rust is stricter (e.g. float ordering). Cloning a type results in the
21//! same observable behavior as assignment or parameter-passing of a GDScript variable.
22//!
23//! We distinguish four different kinds of types:
24//!
25//! 1. **Value types**: `i64`, `f64`, and mathematical types like
26//!    [`Vector2`][crate::builtin::Vector2] and [`Color`][crate::builtin::Color].
27//!
28//!    These are the simplest to understand and to work with. They implement `Clone` and often
29//!    `Copy` as well. They are implemented with the same memory layout as their counterparts in
30//!    Godot itself, and typically have public fields. <br><br>
31//!
32//! 2. **Copy-on-write types**: [`GString`][crate::builtin::GString],
33//!    [`StringName`][crate::builtin::StringName], and `Packed*Array` types.
34//!
35//!    These mostly act like value types, similar to Rust's own `Vec`. You can `Clone` them to get
36//!    a full copy of the entire object, as you would expect.
37//!
38//!    Under the hood in Godot, these types are implemented with copy-on-write, so that data can be
39//!    shared until one of the copies needs to be modified. However, this performance optimization
40//!    is entirely hidden from the API and you don't normally need to worry about it. <br><br>
41//!
42//! 3. **Reference-counted types**: [`Array`][crate::builtin::Array],
43//!    [`Dictionary`][crate::builtin::Dictionary], and [`Gd<T>`][crate::obj::Gd] where `T` inherits
44//!    from [`RefCounted`][crate::classes::RefCounted].
45//!
46//!    These types may share their underlying data between multiple instances: changes to one
47//!    instance are visible in another. They are conceptually similar to `Rc<RefCell<...>>`.
48//!
49//!    Since there is no way to prevent or even detect this sharing from Rust, you need to be more
50//!    careful when using such types. For example, when iterating over an `Array`, make sure that
51//!    it isn't being modified at the same time through another reference.
52//!
53//!    `Clone::clone()` on these types creates a new reference to the same instance, while
54//!    type-specific methods such as [`Array::duplicate_deep()`][crate::builtin::Array::duplicate_deep]
55//!    can be used to make actual copies. <br><br>
56//!
57//! 4. **Manually managed types**: [`Gd<T>`][crate::obj::Gd] where `T` inherits from
58//!    [`Object`][crate::classes::Object] but not from [`RefCounted`][crate::classes::RefCounted];
59//!    most notably, this includes all `Node` classes.
60//!
61//!    These also share data, but do not use reference counting to manage their memory. Instead,
62//!    you must either hand over ownership to Godot (e.g. by adding a node to the scene tree) or
63//!    free them manually using [`Gd::free()`][crate::obj::Gd::free]. <br><br>
64//!
65//!
66//! ## Ergonomics and panics
67//!
68//! gdext is designed with usage ergonomics in mind, making it viable for fast prototyping.
69//! Part of this design means that users should not constantly be forced to write code such as
70//! `obj.cast::<T>().unwrap()`. Instead, they can just write `obj.cast::<T>()`, which may panic at runtime.
71//!
72//! This approach has several advantages:
73//! * The code is more concise and less cluttered.
74//! * Methods like `cast()` provide very sophisticated panic messages when they fail (e.g. involved
75//!   classes), immediately giving you the necessary context for debugging. This is certainly
76//!   preferable over a generic `unwrap()`, and in most cases also over a `expect("literal")`.
77//! * Usually, such methods panicking indicate bugs in the application. For example, you have a static
78//!   scene tree, and you _know_ that a node of certain type and name exists. `get_node_as::<T>("name")`
79//!   thus _must_ succeed, or your mental concept is wrong. In other words, there is not much you can
80//!   do at runtime to recover from such errors anyway; the code needs to be fixed.
81//!
82//! Now, there are of course cases where you _do_ want to check certain assumptions dynamically.
83//! Imagine a scene tree that is constructed at runtime, e.g. in a game editor.
84//! This is why the library provides "overloads" for most of these methods that return `Option` or `Result`.
85//! Such methods have more verbose names and highlight the attempt, e.g. `try_cast()`.
86//!
87//! To help you identify panicking methods, we use the symbol "⚠️" at the beginning of the documentation;
88//! this should also appear immediately in the auto-completion of your IDE. Note that this warning sign is
89//! not used as a general panic indicator, but particularly for methods which have a `Option`/`Result`-based
90//! overload. If you want to know whether and how a method can panic, check if its documentation has a
91//! _Panics_ section.
92//! <br><br>
93//!
94//!
95//! ## Thread safety
96//!
97//! [Godot's own thread safety
98//! rules](https://docs.godotengine.org/en/latest/tutorials/performance/thread_safe_apis.html)
99//! apply. Types in this crate implement (or don't implement) `Send` and `Sync` wherever
100//! appropriate, but the Rust compiler cannot check what happens to an object through C++ or
101//! GDScript.
102//!
103//! As a rule of thumb, if you must use threading, prefer to use [Rust threads](https://doc.rust-lang.org/std/thread)
104//! over Godot threads.
105//!
106//! The Cargo feature `experimental-threads` provides experimental support for multithreading. The underlying safety
107//! rules are still being worked out, as such you may encounter unsoundness and an unstable API.
108//!
109//!
110//! ## Builtin API Design
111//!
112//! See also [`godot::builtin`](crate::builtin) module documentation.
113//!
114//! Our goal is to strive for a middle ground between idiomatic Rust and existing Godot APIs, achieving a decent balance between ergonomics,
115//! correctness and performance. We leverage Rust's type system (such as `Option<T>` or `enum`) where it helps expressivity.
116//!
117//! We have been using a few guiding principles. Those apply to builtins in particular, but some are relevant in other modules, too.
118//!
119//! ### 1. `Copy` for value types
120//!
121//! _Value types_ are types with public fields and no hidden state. This includes all geometric types, colors and RIDs.
122//!
123//! All value types implement the `Copy` trait and thus have no custom `Drop` impl.
124//!
125//! ### 2. By-value (`self`) vs. by-reference (`&self`) receivers
126//!
127//! Most `Copy` builtins use by-value receivers. The exception are matrix-like types (e.g., `Basis`, `Transform2D`, `Transform3D`, `Projection`),
128//! whose methods operate on `&self` instead. This is close to how the underlying `glam` library handles it.
129//!
130//! ### 3. `Default` trait only when the default value is common and useful
131//!
132//! `Default` is deliberately not implemented for every type. Rationale:
133//! - For some types, the default representation (as per Godot) does not constitute a useful value. This goes against Rust's [`Default`] docs,
134//!   which explicitly mention "A trait for giving a type a _useful_ default value". For example, `Plane()` in GDScript creates a degenerate
135//!   plane which cannot participate in geometric operations.
136//! - Not providing `Default` makes users double-check if the value they want is indeed what they intended. While it seems convenient, not
137//!   having implicit default or "null" values is a design choice of Rust, avoiding the Billion Dollar Mistake. In many situations, `Option` or
138//!   [`OnReady`][crate::obj::OnReady] is a better alternative.
139//! - For cases where the Godot default is truly desired, we provide an `invalid()` constructor, e.g. `Callable::invalid()` or `Plane::invalid()`.
140//!   This makes it explicit that you're constructing a value that first has to be modified before becoming useful. When used in class fields,
141//!   `#[init(val = ...)]` can help you initialize such values.
142//! - Outside builtins, we do not implement `Gd::default()` for manually managed types, as this makes it very easy to overlook initialization
143//!   (e.g. in `#[derive(Default)]`) and leak memory. A `Gd::new_alloc()` is very explicit.
144//!
145//! ### 4. Prefer explicit conversions over `From` trait
146//!
147//! `From` is quite popular in Rust, but unlike traits such as `Debug`, the convenience of `From` can come at a cost. Like every feature, adding
148//! an `impl From` needs to be justified -- not the other way around: there doesn't need to be a particular reason why it's _not_ added. But
149//! there are in fact some trade-offs to consider:
150//!
151//! 1. `From` next to named conversion methods/constructors adds another way to do things. While it's sometimes good to have choice, multiple
152//!    ways to achieve the same has downsides: users wonder if a subtle difference exists, or if all options are in fact identical.
153//!    It's unclear which one is the "preferred" option. Recognizing other people's code becomes harder, because there tend to be dialects.
154//! 2. It's often a purely stylistic choice, without functional benefits. Someone may want to write `(1, 2).into()` instead of
155//!    `Vector2i::new(1, 2)`. This is not strong enough of a reason -- if brevity is of concern, a function `vec2i(1, 2)` does the job better.
156//! 3. `From` is less explicit than a named conversion function. If you see `string.to_variant()` or `color.to_hsv()`, you immediately
157//!    know the target type. `string.into()` and `color.into()` lose that aspect. Even with `(1, 2).into()`, you'd first have to check whether
158//!    `From` is only converting the tuple, or if it _also_ provides an `i32`-to-`f32` cast, thus resulting in `Vector2` instead of `Vector2i`.
159//!    This problem doesn't exist with named constructor functions.
160//! 4. The `From` trait doesn't play nicely with type inference. If you write `let v = string.to_variant()`, rustc can infer the type of `v`
161//!    based on the right-hand expression alone. With `.into()`, you need follow-up code to determine the type, which may or may not work.
162//!    Temporarily commenting out such non-local code breaks the declaration line, too. To make matters worse, turbofish `.into::<Type>()` isn't
163//!    possible either.
164//! 5. Rust itself [requires](https://doc.rust-lang.org/std/convert/trait.From.html#when-to-implement-from) that `From` conversions are
165//!    infallible, lossless, value-preserving and obvious. This rules out a lot of scenarios such as `DynGd::to_gd()` (which only maintains
166//!    the class part, not trait) or `Color::try_to_hsv()` (which is fallible and lossy).
167//!
168//! One main reason to support `From` is to allow generic programming, in particular `impl Into<T>` parameters. This is also the reason
169//! why the string types have historically implemented the trait. But this became less relevant with the advent of
170//! [`AsArg<T>`][crate::meta::AsArg] taking that role, and thus may change in the future.
171//!
172//! ### 5. `Option` for fallible operations
173//!
174//! GDScript often uses degenerate types and custom null states to express that an operation isn't successful. This isn't always consistent:
175//! - [`Rect2::intersection()`] returns an empty rectangle (i.e. you need to check its size).
176//! - [`Plane::intersects_ray()`] returns a `Variant` which is NIL in case of no intersection. While this is a better way to deal with it,
177//!   it's not immediately obvious that the result is a point (`Vector2`), and comes with extra marshaling overhead.
178//!
179//! Rust uses `Option` in such cases, making the error state explicit and preventing that the result is accidentally interpreted as valid.
180//!
181//! [`Rect2::intersection()`]: https://docs.godotengine.org/en/stable/classes/class_rect2.html#class-rect2-method-intersection
182//! [`Plane::intersects_ray()`]: https://docs.godotengine.org/en/stable/classes/class_plane.html#class-plane-method-intersects-ray
183//!
184//! ### 6. Public fields and soft invariants
185//!
186//! Some geometric types are subject to "soft invariants". These invariants are not enforced at all times but are essential for certain
187//! operations. For example, bounding boxes must have non-negative volume for operations like intersection or containment checks. Planes
188//! must have a non-zero normal vector.
189//!
190//! We cannot make them hard invariants (no invalid value may ever exist), because that would disallow the convenient public fields, and
191//! it would also mean every value coming over the FFI boundary (e.g. an `#[export]` field set in UI) would constantly need to be validated
192//! and reset to a different "sane" value.
193//!
194//! For **geometric operations**, Godot often doesn't specify the behavior if values are degenerate, which can propagate bugs that then lead
195//! to follow-up problems. godot-rust instead provides best-effort validations _during an operation_, which cause panics if such invalid states
196//! are detected (at least in Debug mode). Consult the docs of a concrete type to see its guarantees.
197//!
198//! ### 7. RIIR for some, but not all builtins
199//!
200//! Builtins use varying degrees of Rust vs. engine code for their implementations. This may change over time and is generally an implementation
201//! detail.
202//!
203//! - 100% Rust, often supported by the `glam` library:
204//!   - all vector types (`Vector2`, `Vector2i`, `Vector3`, `Vector3i`, `Vector4`, `Vector4i`)
205//!   - all bounding boxes (`Rect2`, `Rect2i`, `Aabb`)
206//!   - 2D/3D matrices (`Basis`, `Transform2D`, `Transform3D`)
207//!   - `Plane`
208//!   - `Rid` (just an integer)
209//! - Partial Rust: `Color`, `Quaternion`, `Projection`
210//! - Only Godot FFI: all others (containers, strings, callables, variant, ...)
211//!
212//! The rationale here is that operations which are absolutely ubiquitous in game development, such as vector/matrix operations, benefit
213//! a lot from being directly implemented in Rust. This avoids FFI calls, which aren't necessarily slow, but remove a lot of optimization
214//! potential for rustc/LLVM.
215//!
216//! Other types, that are used less in bulk and less often in performance-critical paths (e.g. `Projection`), partially fall back to Godot APIs.
217//! Some operations are reasonably complex to implement in Rust, and we're not a math library, nor do we want to depend on one besides `glam`.
218//! An ever-increasing maintenance burden for geometry re-implementations is also detrimental.
219//!
220//! TLDR: it's a trade-off between performance, maintenance effort and correctness -- the current combination of `glam` and Godot seems to be a
221//! relatively well-working sweet spot.
222//!
223//! ### 8. `glam` types are not exposed in public API
224//!
225//! While Godot and `glam` share common operations, there are also lots of differences and Godot specific APIs.
226//! As a result, godot-rust defines its own vector and matrix types, making `glam` an implementation details.
227//!
228//! Alternatives considered:
229//!
230//! 1. Re-export types of an existing vector algebra crate (like `glam`).
231//!    The `gdnative` crate started out this way, using types from `euclid`, but [became impractical](https://github.com/godot-rust/gdnative/issues/594#issue-705061720).
232//!    Even with extension traits, there would be lots of compromises, where existing and Godot APIs differ slightly.
233//!
234//!    Furthermore, it would create a strong dependency on a volatile API outside our control. `glam` had 9 SemVer-breaking versions over the
235//!    timespan of two years (2022-2024). While it's often easy to migrate and the changes notably improve the library, this would mean that any
236//!    breaking change would also become breaking for godot-rust, requiring a SemVer bump. By abstracting this, we can have our own timeline.
237//!
238//! 2. We could opaquely wrap types, i.e. `Vector2` would contain a private `glam::Vec2`. This would prevent direct field access, which is
239//!    _extremely_ inconvenient for vectors. And it would still require us to redefine the front-end of the entire API.
240//!
241//! Eventually, we might add support for [`mint`](https://crates.io/crates/mint) to allow conversions to other linear algebra libraries in the
242//! ecosystem. (Note that `mint` intentionally offers no math operations, see e.g. [mint#75](https://github.com/kvark/mint/issues/75)).