Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

add Squash The Creeps tutorial #4

Open
wants to merge 36 commits into
base: master
Choose a base branch
from

Conversation

FrankCasanova
Copy link

image

#[class(base=Node)]
pub struct MainScene {
//@export var mob_scene: PackedScene
mob_scene: OnReady<Gd<PackedScene>>,
Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Use #[export] with an OnEditor:

#[export]
mob_scene: OnEditor<Gd<PackedScene>>

(especially since you mention that it is direct translation of @export var mob_scene)

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

i used that in order to mantain consistency with dodge-the-creeps (2D tutorial), that use that approach for the same porpouse (i think haha)


#[godot_api]
impl INode for MainScene {
fn init(base: Base<Node>) -> Self {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

IMO auto-derrived init (i.e #[class(init, base=Node)] should be preferred

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Reasoning – it simplifies all the boilerplate, and allows one to initialize&add new fields without bunch of refactors. It makes easier to spot default values as well

fn init(base: Base<Node>) -> Self {
godot_print!("MainScene initialized");
Self {
mob_scene: OnReady::from_loaded("res://mob.tscn"),
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

you can annotate the fields instead: #[init(node = "Player")]

fn ready(&mut self) {
self.to_gd();

//$UserInterface/Retry.hide()
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Please, add a space between // and actual comment text 😅

}

fn ready(&mut self) {
self.to_gd();
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

dead code/leftover?

// Set random progress using proper rng
// mob_spawn_location.progress_ratio = randf()
mob_spawn_location.set_progress_ratio(rand::rng().random_range(0.0..=1.0));
// Communicate the spawn location and the player's location to the mob.
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I would add newline before this comment

mob.bind_mut()
.initialize(mob_spawn_location.get_position(), player_position);
//mob.squashed.connect($UserInterface/ScoreLabel._on_mob_squashed.bind())
mob.connect(
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

we can use typed signals here 🤔.

//mob.squashed.connect($UserInterface/ScoreLabel._on_mob_squashed.bind())
mob.connect(
"squashed",
&mut self.user_interface.callable("on_mob_squashed").bind(&[]),
Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

what is this bind doing?

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

i dont know, but without bind didnt work, dont ask my why hahaha

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I haven't found any issues with &self.user_interface.callable("on_mob_squashed"), 🤔

#[godot_api]
impl ICharacterBody3D for Mob {
fn init(base: Base<CharacterBody3D>) -> Self {
// godot_print!("Mob initialized");
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

leftover/dead code

// godot_print!("Mob initialized");
Self {
//@export var min_speed = 10
min_speed: 10.0,
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

not an export 😅

Comment on lines 8 to 16
#[derive(GodotClass)]
#[class(base=CharacterBody3D)]
pub struct Mob {
//Minimum speed of the mob in meters per second.
min_speed: f32,
//Maximum speed of the mob in meters per second.
max_speed: f32,
base: Base<CharacterBody3D>,
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

#[derive(GodotClass)]
#[class(init, base=CharacterBody3D)]
pub struct Mob {
    /// Minimum speed of the mob in meters per second.
    #[export]
    min_speed: f32,
    /// Maximum speed of the mob in meters per second.
    #[export]
    max_speed: f32,

    base: Base<CharacterBody3D>,
}

.get_node_as::<AnimationPlayer>("AnimationPlayer")
.set_speed_scale(animation_speed as f32)
}
//Emitted when the player jumped on the mob.
Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

please, add newline before this comment. Also, in this case (documenting the signal), docstrings (///) should be preferred 🤔

Comment on lines 9 to 24
#[derive(GodotClass)]
#[class(base=CharacterBody3D)]
pub struct Player {
//How fast the player moves in meters per second.
speed: f32,
//Vertical impulse applied to the character upon jumping in meters per second.
jump_impulse: f32,
//Vertical impulse applied to the character upon bouncing over a mob in meters per second.
bounce_impulse: f32,
//The downward acceleration when in the air, in meters per second.
fall_acceleration: f32,
//The target velocity of the character (node property)
target_velocity: Vector3,

base: Base<CharacterBody3D>,
}
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
#[derive(GodotClass)]
#[class(base=CharacterBody3D)]
pub struct Player {
//How fast the player moves in meters per second.
speed: f32,
//Vertical impulse applied to the character upon jumping in meters per second.
jump_impulse: f32,
//Vertical impulse applied to the character upon bouncing over a mob in meters per second.
bounce_impulse: f32,
//The downward acceleration when in the air, in meters per second.
fall_acceleration: f32,
//The target velocity of the character (node property)
target_velocity: Vector3,
base: Base<CharacterBody3D>,
}
#[derive(GodotClass)]
#[class(init, base=CharacterBody3D)]
pub struct Player {
/// How fast the player moves in meters per second.
#[export]
speed: f32,
/// Vertical impulse applied to the character upon jumping in meters per second.
#[export]
jump_impulse: f32,
/// Vertical impulse applied to the character upon bouncing over a mob in meters per second.
#[export]
bounce_impulse: f32,
/// The downward acceleration when in the air, in meters per second.
#[export]
fall_acceleration: f32,
/// The target velocity of the character (node property)
#[export]
target_velocity: Vector3,
base: Base<CharacterBody3D>,
}


//if direction != Vector3.ZERO:
if direction != Vector3::ZERO {
//# In the lines below, we turn the character when moving and make the animation play faster.
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

leftover #

//direction = direction.normalized()
direction = direction.normalized();

//TAKE THE PIVOT
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

capslock!

//var collision = get_slide_collision(index)
let collision = self.base_mut().get_slide_collision(index).unwrap();
//if collision.get_collider().is_in_group("mob"):
if let Some(collider) = collision.get_collider() {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

you can use let Some(collider) = collision.get_collider() else { continue }; here (and bellow as well)

@@ -0,0 +1,34 @@
# Rust Godot Boilerplate

This is a simple repository that acts as a boilerplate to start games using Rust as a scripting language in Godot.
Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It is misleading – Rust isn't used as a scripting library here (script in godot is very distinct thing, in fact people are bringing in their own scripting languages to godot using godot rust) but as a GDExtension library.

i.e. in layman terms, in godot "script" is something you attach to godot object to extend or override its default behavior implemented in GDExtension or Godot itself.

@@ -0,0 +1,98 @@
There are some guidelines you can rely on (which you probably already know):
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

(which you probably already know) doesn't add something here – it is just noise. I would advise to remove it

Shouldn't this file be .md instead of .txt?

@@ -0,0 +1,98 @@
There are some guidelines you can rely on (which you probably already know):
For Godot-native methods
There's no dynamic typing, so you need to cast your object to your desired type before attempting to call methods of that type on it.
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Uh, no? You can call Object methods on any other godot class, Node methods can be called on anything that Inherits<Node> etc.

Moreover, you can use Object::call or even Variant::call – it is discouraged (since one loses all the benefits of static typing) but comes in handy on few rare occasions.

Could you elaborate what you meant?

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

was a copy/pasting from a conversation in discord, the conversation where i asked if there are some kind of cheatsheet, and an user say that to me, we can refine that file or just remove, i used that file to understand better how rust-godot work

Both the godot documentation and the gdext-rust bindings specify which are const and which aren't, the gdext bindings specify that through method signatures (eg: fn get_position(&Node2D) vs fn add_child(&mut Node)).

Non-const methods
Calling can be done with either <&mut MyClass>::base_mut().method() or <&mut Gd<MyClass>::method().
Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Calling what (built-in, inherited methods)?

I would use snippets instead of mental shortcuts there (and further on), for example:

let mut obj: Gd<MyClass> = MyClass.new_alloc();

// To call method with &self receiver 
obj.bind().method();

// To call method with &mut self receiver 
obj.bind_mut().method();

<Type> has some specific meaning in rust, so it is misleading. (it can be used as <T>::method(&mut receiver... args);)


Const methods
Calling can be done with either <&MyClass>::base().method() or <&Gd<MyClass>>::method().
Both the godot documentation and the gdext-rust bindings specify which are const and which aren't, the gdext bindings specify that through method signatures (eg: fn get_position(&Node2D) vs fn add_child(&mut Node)).
Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

not const (which has its own specific meaning!) but with mutable/immutable receivers.

Could you elaborate what you meant?

Copy link
Contributor

@Yarwin Yarwin Mar 27, 2025

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I do appreciate mentioning documentation!

There is one issue though; Godot docs doesn't mention which methods mutate object and which doesn't.

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Let's analyze this snippet from your player.rs:

```rust
if let Some(collider) = collision.get_collider() {
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I made a comment earlier, but let Some(...) else {continue }; should be preferred in such cases

if let Some(node) = collider.try_cast::<Node3D>().ok() {
if node.is_in_group("mob") {
//var mob = collision.get_collider()
let mut mob = collision.get_collider().unwrap().cast::<Mob>();
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

is there a case in which collider can be null 🤔? I would use expect(some reasoning) instead of unwrap here 🤔 .

### Key Takeaways:
1. **Const Methods** - Use `base()` or direct reference, for reading data
2. **Non-Const Methods** - Use `base_mut()` or mutable reference, for modifying data
3. **Type Safety** - Always cast to correct type before using methods
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

yeah, in general it is good advice 👍

@Yarwin
Copy link
Contributor

Yarwin commented Mar 27, 2025

I'll give the proper look (and A/B testing with both squash the creeps) tomorrow; in meanwhile make sure to deal with clippy errors https://github.com/godot-rust/demo-projects/actions/runs/14109802627/job/39525244314?pr=4

EDIT: Done, control scheme is weird, gdextension file is wrongly configured, exports are missing (ofc), outside of that it is fine

Comment on lines 7 to 16
linux.debug.x86_64 = "res://../rust/target/debug/libsquash_the_creeps.so"
linux.release.x86_64 = "res://../rust/target/release/libsquash_the_creeps.so"
windows.debug.x86_64 = "res://../rust/target/debug/squash_the_creeps.dll"
windows.release.x86_64 = "res://../rust/target/release/squash_the_creeps.dll"
macos.debug = "res://../rust/target/debug/libsquash_the_creeps.dylib"
macos.release = "res://../rust/target/release/libsquash_the_creeps.dylib"
macos.debug.arm64 = "res://../rust/target/debug/libsquash_the_creeps.dylib"
macos.release.arm64 = "res://../rust/target/release/libsquash_the_creeps.dylib"
web.debug.wasm32 = "res://../rust/target/wasm32-unknown-emscripten/debug/squash_the_creeps.wasm"
web.release.wasm32 = "res://../rust/target/wasm32-unknown-emscripten/release/squash_the_creeps.wasm"
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
linux.debug.x86_64 = "res://../rust/target/debug/libsquash_the_creeps.so"
linux.release.x86_64 = "res://../rust/target/release/libsquash_the_creeps.so"
windows.debug.x86_64 = "res://../rust/target/debug/squash_the_creeps.dll"
windows.release.x86_64 = "res://../rust/target/release/squash_the_creeps.dll"
macos.debug = "res://../rust/target/debug/libsquash_the_creeps.dylib"
macos.release = "res://../rust/target/release/libsquash_the_creeps.dylib"
macos.debug.arm64 = "res://../rust/target/debug/libsquash_the_creeps.dylib"
macos.release.arm64 = "res://../rust/target/release/libsquash_the_creeps.dylib"
web.debug.wasm32 = "res://../rust/target/wasm32-unknown-emscripten/debug/squash_the_creeps.wasm"
web.release.wasm32 = "res://../rust/target/wasm32-unknown-emscripten/release/squash_the_creeps.wasm"
linux.debug.x86_64 = "res://../../target/debug/libsquash_the_creeps.so"
linux.release.x86_64 = "res://../../target/release/libsquash_the_creeps.so"
windows.debug.x86_64 = "res://../../target/debug/squash_the_creeps.dll"
windows.release.x86_64 = "res://../../target/release/squash_the_creeps.dll"
macos.debug = "res://../../target/debug/libsquash_the_creeps.dylib"
macos.release = "res://../../target/release/libsquash_the_creeps.dylib"
macos.debug.arm64 = "res://../../target/debug/libsquash_the_creeps.dylib"
macos.release.arm64 = "res://../../target/release/libsquash_the_creeps.dylib"
web.debug.wasm32 = "res://../../target/wasm32-unknown-emscripten/debug/squash_the_creeps.wasm"
web.release.wasm32 = "res://../../target/wasm32-unknown-emscripten/release/squash_the_creeps.wasm"

@Yarwin
Copy link
Contributor

Yarwin commented Mar 29, 2025

Also add "squash-the-creeps/rust" to members in our "main" Cargo.toml.

This commit adds the "squash-the-creeps" project to the Cargo workspace, enabling it to be built and managed alongside other projects in the workspace.
@Bromeon Bromeon added the new-demo New demo or content added label Mar 29, 2025
Update the comment in `main_scene.rs` to match the correct syntax for exporting a `PackedScene`. Remove redundant initialization code in `scorelabel.rs` by using the `#[class(init)]` attribute instead of manually implementing the `init` method.
Removed manual initialization code in Mob and Player structs by leveraging the #[init] attribute for default values. This improves code maintainability and reduces redundancy. Also removed unnecessary bind parameters in the mob squashed signal connection.
The `min_speed` and `max_speed` fields in the `Mob` struct are now exported, allowing for easier configuration in the Godot editor. Additionally, the transform of the Character node in the mob.tscn file has been adjusted for better alignment.
…d player modules

This commit refactors the code by adding consistent spacing and improving readability in the `main_scene`, `mob`, and `player` modules. The changes include adding line breaks for better visual separation of code blocks and ensuring consistent formatting. No functional changes were made.
Exported player properties such as speed, jump_impulse, bounce_impulse, fall_acceleration, and target_velocity to allow for easier configuration and customization through the Godot editor. This change improves maintainability and flexibility without altering the player's behavior.
…ions

This commit introduces additional input events for joystick and mouse controls, enhancing the game's accessibility and providing more options for player input. The changes include support for joystick motions and mouse button events alongside the existing keyboard inputs.
Add min_speed and max_speed to mob.tscn, speed, jump_impulse, bounce_impulse, and fall_acceleration to player.tscn. Update mob_scene and physics_interpolation_mode in main.tscn. Adjust paths in RustScripts.gdextension for consistency.
…nction

Add a detailed TODO comment explaining the error encountered when the `on_mob_timer_timeout` function is called. The error involves accessing a freed instance, causing a panic. This comment serves as a placeholder for future debugging and fixes.
The `mut` keyword was removed from the `self.user_interface.callable` method call as it is not required for the connection. This improves code clarity and adheres to Rust's best practices by avoiding unnecessary mutability.
The try_cast method is now used with if let Ok pattern for better readability and error handling. This change simplifies the code and aligns with Rust's idiomatic error handling practices.
The branch specification for the godot dependency was removed to use the default branch, simplifying the configuration and ensuring compatibility with the latest stable version.
This change updates the extension filename to be more consistent with naming conventions. The functionality remains unchanged, but the file is now named `rust.gdextension` instead of `RustScripts.gdextension`. The corresponding UID and extension list configurations have also been updated to reflect this change.
The Rust edition was downgraded to 2021 to ensure compatibility with existing dependencies and toolchains. This change avoids potential issues with newer language features that may not be fully supported yet.
…n logic

Removed the direct reference to the player node in MainScene to avoid potential access-after-free errors. Updated mob spawn logic to retrieve the player's position dynamically using the base node's get_node_as method. This improves code reliability and avoids runtime panics.
This commit reorganizes module imports for better readability and removes unnecessary whitespace and comments. The changes improve code maintainability without altering functionality.
@FrankCasanova
Copy link
Author

@Yarwin take a look at it when u have time and feel like it

Copy link
Member

@Bromeon Bromeon left a comment

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks a lot so far!

I'm not sure if writing the GDScript code on top of each Rust line is helpful. In fact, it becomes distracting pretty quickly; the need to use base() etc. becomes apparent quite faster after the first few times. A translation table / cheatsheet in the book would be more expedient in that regard.

If you absolutely want to do this, then please limit it to cases where GDScript and Rust are vastly different and it's very hard to find out the Rust code from the GDScript one. And please prefix the comment with // GDScript: <code>, so it's clear what it means. But avoid it, whenever reading the Rust code makes obvious how the GDScript code could have looked.

@@ -131,4 +131,5 @@ grow_horizontal = 2
grow_vertical = 2
text = "Press enter retry"

[connection signal="hit" from="Player" to="." method="on_player_hit"]
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Please define all signal connections in Rust code.

Some may still need the "manual" API but it's much easier to migrate that, than some scene files. They're also less brittle -- scene connections tend to be messed up when loading with a wrong Godot version.

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

thanks a lot for those guidelines, and about this, i dont know if i know how to do it exactly (im noob), but anyway, if i dont know tomorrow ill ask

macos.debug.arm64 = "res://../../target/debug/libsquash_the_creeps.dylib"
macos.release.arm64 = "res://../../target/release/libsquash_the_creeps.dylib"
web.debug.wasm32 = "res://../../target/wasm32-unknown-emscripten/debug/squash_the_creeps.wasm"
web.release.wasm32 = "res://../../target/wasm32-unknown-emscripten/release/squash_the_creeps.wasm"
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

All files should have newline at end of file.

"-C", "target-feature=+atomics,+bulk-memory,+mutable-globals",
"-Zlink-native-libraries=no",
"-Cllvm-args=-enable-emscripten-cxx-exceptions=0",
]
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Newline

[dependencies]
rand = "0.9.0"
godot = { git = "https://github.com/godot-rust/gdext.git" }
# For Wasm, feature "experimental-wasm" can be added, but this is already done in build-wasm.sh script.
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Newline -- also, is Wasm setup tested?

Copy link
Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

nope, im gonna test wasm tomorrow in a new polish cycle 📄

Comment on lines 1 to 14
#!/bin/sh
# 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/.

# Must be in dodge-the-creep's rust directory in order to pick up the .cargo/config
cd `dirname "$0"`

# We build the host gdextension first so that the godot editor doesn't complain.
cargo +nightly build --package dodge-the-creeps &&
cargo +nightly build --package dodge-the-creeps \
--features godot/experimental-wasm,godot/lazy-function-tables \
--target wasm32-unknown-emscripten -Zbuild-std $@
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

This is building the wrong package.

mod scorelabel;
use godot::prelude::*;

struct Scripts;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
struct Scripts;
struct SquashTheCreeps;

Comment on lines 102 to 113
// We apply gravity every frame so the character always collides with the ground when moving.
// This is necessary for the is_on_floor() function to work as a body can always detect
// the floor, walls, etc. when a collision happens the same frame.
if !self.base().is_on_floor() {
// velocity.y -= fall_acceleration * delta
self.target_velocity.y -= self.fall_acceleration * _delta as f32;
}
// moving the Character
let velocity = self.target_velocity;
self.base_mut().set_velocity(velocity);
// move_and_slide()
self.base_mut().move_and_slide();
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

General style guide:

  • Comments should whenever possible be proper sentences. Even keywords should ideally start with uppercase and end with period.
  • Separate groups of lines that belong together with an empty line, so they're visually more recognizable.
  • As mentioned, avoid obvious GDScript comments.

The first comment here is perfect, here's a suggestion for the remaining parts:

Suggested change
// We apply gravity every frame so the character always collides with the ground when moving.
// This is necessary for the is_on_floor() function to work as a body can always detect
// the floor, walls, etc. when a collision happens the same frame.
if !self.base().is_on_floor() {
// velocity.y -= fall_acceleration * delta
self.target_velocity.y -= self.fall_acceleration * _delta as f32;
}
// moving the Character
let velocity = self.target_velocity;
self.base_mut().set_velocity(velocity);
// move_and_slide()
self.base_mut().move_and_slide();
// We apply gravity every frame so the character always collides with the ground when moving.
// This is necessary for the is_on_floor() function to work as a body can always detect
// the floor, walls, etc. when a collision happens the same frame.
if !self.base().is_on_floor() {
// velocity.y -= fall_acceleration * delta
self.target_velocity.y -= self.fall_acceleration * _delta as f32;
}
// Move the character.
let velocity = self.target_velocity;
self.base_mut().set_velocity(velocity);
self.base_mut().move_and_slide();

In this particular case, it's also possible to store base_mut() in a variable, to reuse the guard and avoid repeated locking. Although it's not that important for a basic example.

let base = self.base_mut();
if base.is_on_floor() ... {

}
...

base.set_velocity()
base.move_and_slide()

Comment on lines 159 to 161
// signal hit
#[signal]
pub fn hit();
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Please avoid pointless comments 🙂

Comment on lines 1 to 3
use godot::classes::Control;
use godot::classes::Label;
use godot::prelude::*;
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Suggested change
use godot::classes::Control;
use godot::classes::Label;
use godot::prelude::*;
use godot::classes::{Control, Label};
use godot::prelude::*;

Removed unnecessary commented-out code to improve readability and maintainability. The changes do not alter the behavior of the code but make it cleaner and easier to understand.
Consolidate multiple import statements into single lines for better readability and remove redundant comments to clean up the codebase. This improves maintainability and reduces clutter without altering the functionality.
- Grouped imports for better organization
- Removed redundant comments
- Reordered mob connection logic for clarity
Updated comments in the codebase to ensure consistency in punctuation and clarity. This includes adding periods where missing and standardizing comment formatting to improve readability.
…ash-the-creeps

The script was using the incorrect package name 'dodge-the-creeps' instead of 'squash-the-creeps'. This would have caused build failures or incorrect builds. The change ensures the correct package is built for both the host and WASM targets.
Ensure the file ends with a newline to comply with POSIX standards and avoid potential issues with text processing tools.
Add `/emsdk` to .gitignore to exclude emsdk directory from version control. Update `godot` dependency in Cargo.toml to explicitly use the master branch. Modify rustflags in .cargo/cargo.toml to include a comment about thread support.
The comment in the build-wasm.sh script incorrectly referenced "dodge-the-creep" instead of "squash-the-creep". This commit fixes the comment to accurately reflect the correct directory name.
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Labels
new-demo New demo or content added
Projects
None yet
Development

Successfully merging this pull request may close these issues.

Squash The Creep Tutorial
3 participants