Killing the player

    We want to detect being hit by an enemy differently from squashing them. We want the player to die when they’re moving on the floor, but not if they’re in the air. We could use vector math to distinguish the two kinds of collisions. Instead, though, we will use an Area node, which works well for hitboxes.

    Head back to the Player scene and add a new Area node. Name it MobDetector. Add a CollisionShape node as a child of it.

    In the Inspector, assign a cylinder shape to it.

    image1

    Here is a trick you can use to make the collisions only happen when the player is on the ground or close to it. You can reduce the cylinder’s height and move it up to the top of the character. This way, when the player jumps, the shape will be too high up for the enemies to collide with it.

    You also want the cylinder to be wider than the sphere. This way, the player gets hit before colliding and being pushed on top of the monster’s collision box.

    The wider the cylinder, the more easily the player will get killed.

    Next, select the MobDetector node again, and in the Inspector, turn off its Monitorable property. This makes it so other physics nodes cannot detect the area. The complementary Monitoring property allows it to detect collisions. Then, remove the Collision -> Layer and set the mask to the “enemies” layer.

    When areas detect a collision, they emit signals. We’re going to connect one to the Player node. In the Node tab, double-click the signal and connect it to the Player.

    image4

    The MobDetector will emit body_entered when a KinematicBody or a RigidBody node enters it. As it only masks the “enemies” physics layers, it will only detect the Mob nodes.

    Code-wise, we’re going to do two things: emit a signal we’ll later use to end the game and destroy the player. We can wrap these operations in a die() function that helps us put a descriptive label on the code.

    GDScript   C#

    1. // Don't forget to rebuild the project so the editor knows about the new signal.
    2. // Emitted when the player was hit by a mob.
    3. [Signal]
    4. public delegate void Hit();
    5. // ...
    6. private void Die()
    7. {
    8. EmitSignal(nameof(Hit));
    9. QueueFree();
    10. }
    11. // We also specified this function name in PascalCase in the editor's connection window
    12. public void OnMobDetectorBodyEntered(Node body)
    13. {
    14. Die();
    15. }

    Try the game again by pressing F5. If everything is set up correctly, the character should die when an enemy runs into it.

    However, note that this depends entirely on the size and position of the Player and the Mob‘s collision shapes. You may need to move them and resize them to achieve a tight game feel.

    We can use the Player‘s hit signal to end the game. All we need to do is connect it to the Main node and stop the MobTimer in reaction.

    Open Main.tscn, select the Player node, and in the Node dock, connect its hit signal to the Main node.

    GDScript   C#

    1. func _on_Player_hit():
    2. $MobTimer.stop()

    If you try the game now, the monsters will stop spawning when you die, and the remaining ones will leave the screen.

    You can pat yourself in the back: you prototyped a complete 3D game, even if it’s still a bit rough.

    From there, we’ll add a score, the option to retry the game, and you’ll see how you can make the game feel much more alive with minimalistic animations.

    Here are the complete scripts for the Main, Mob, and Player nodes, for reference. You can use them to compare and check your code.

    Starting with Main.gd.

    GDScript   C#

    1. extends Node
    2. export(PackedScene) var mob_scene
    3. func _ready():
    4. randomize()
    5. func _on_MobTimer_timeout():
    6. # Create a new instance of the Mob scene.
    7. var mob = mob_scene.instance()
    8. # Choose a random location on the SpawnPath.
    9. var mob_spawn_location = get_node("SpawnPath/SpawnLocation")
    10. # And give it a random offset.
    11. mob_spawn_location.unit_offset = randf()
    12. # Communicate the spawn location and the player's location to the mob.
    13. var player_position = $Player.transform.origin
    14. mob.initialize(mob_spawn_location.translation, player_position)
    15. # Spawn the mob by adding it to the Main scene.
    16. add_child(mob)
    17. func _on_Player_hit():
    18. $MobTimer.stop()
    1. public class Main : Node
    2. {
    3. #pragma warning disable 649
    4. [Export]
    5. public PackedScene MobScene;
    6. #pragma warning restore 649
    7. public override void _Ready()
    8. GD.Randomize();
    9. public void OnMobTimerTimeout()
    10. {
    11. // Create a new instance of the Mob scene.
    12. var mob = (Mob)MobScene.Instance();
    13. // Choose a random location on the SpawnPath.
    14. // We store the reference to the SpawnLocation node.
    15. var mobSpawnLocation = GetNode<PathFollow>("SpawnPath/SpawnLocation");
    16. // And give it a random offset.
    17. mobSpawnLocation.UnitOffset = GD.Randf();
    18. // Communicate the spawn location and the player's location to the mob.
    19. Vector3 playerPosition = GetNode<Player>("Player").Transform.origin;
    20. mob.Initialize(mobSpawnLocation.Translation, playerPosition);
    21. // Spawn the mob by adding it to the Main scene.
    22. AddChild(mob);
    23. }
    24. public void OnPlayerHit()
    25. {
    26. GetNode<Timer>("MobTimer").Stop();
    27. }
    28. }

    Next is Mob.gd.

    GDScript   C#

    1. public class Mob : KinematicBody
    2. {
    3. // Emitted when the played jumped on the mob.
    4. [Signal]
    5. public delegate void Squashed();
    6. // Minimum speed of the mob in meters per second
    7. [Export]
    8. public int MinSpeed = 10;
    9. // Maximum speed of the mob in meters per second
    10. [Export]
    11. public int MaxSpeed = 18;
    12. private Vector3 _velocity = Vector3.Zero;
    13. public override void _PhysicsProcess(float delta)
    14. {
    15. MoveAndSlide(_velocity);
    16. }
    17. public void Initialize(Vector3 startPosition, Vector3 playerPosition)
    18. {
    19. LookAtFromPosition(startPosition, playerPosition, Vector3.Up);
    20. RotateY((float)GD.RandRange(-Mathf.Pi / 4.0, Mathf.Pi / 4.0));
    21. float randomSpeed = (float)GD.RandRange(MinSpeed, MaxSpeed);
    22. _velocity = Vector3.Forward * randomSpeed;
    23. _velocity = _velocity.Rotated(Vector3.Up, Rotation.y);
    24. }
    25. public void Squash()
    26. {
    27. EmitSignal(nameof(Squashed));
    28. QueueFree();
    29. }
    30. QueueFree();
    31. }
    32. }

    Finally, the longest script, Player.gd.

    1. extends KinematicBody
    2. # Emitted when a mob hit the player.
    3. signal hit
    4. # How fast the player moves in meters per second.
    5. export var speed = 14
    6. # The downward acceleration when in the air, in meters per second squared.
    7. export var fall_acceleration = 75
    8. # Vertical impulse applied to the character upon jumping in meters per second.
    9. export var jump_impulse = 20
    10. # Vertical impulse applied to the character upon bouncing over a mob in meters per second.
    11. export var bounce_impulse = 16
    12. var velocity = Vector3.ZERO
    13. func _physics_process(delta):
    14. var direction = Vector3.ZERO
    15. if Input.is_action_pressed("move_right"):
    16. direction.x += 1
    17. if Input.is_action_pressed("move_left"):
    18. direction.x -= 1
    19. if Input.is_action_pressed("move_back"):
    20. direction.z += 1
    21. if Input.is_action_pressed("move_forward"):
    22. direction.z -= 1
    23. if direction != Vector3.ZERO:
    24. direction = direction.normalized()
    25. $Pivot.look_at(translation + direction, Vector3.UP)
    26. velocity.x = direction.x * speed
    27. velocity.z = direction.z * speed
    28. # Jumping.
    29. if is_on_floor() and Input.is_action_just_pressed("jump"):
    30. velocity.y += jump_impulse
    31. velocity.y -= fall_acceleration * delta
    32. velocity = move_and_slide(velocity, Vector3.UP)
    33. for index in range(get_slide_count()):
    34. var collision = get_slide_collision(index)
    35. if collision.collider.is_in_group("mob"):
    36. var mob = collision.collider
    37. if Vector3.UP.dot(collision.normal) > 0.1:
    38. mob.squash()
    39. velocity.y = bounce_impulse
    40. func die():
    41. emit_signal("hit")
    42. queue_free()
    43. func _on_MobDetector_body_entered(_body):
    44. die()

    See you in the next lesson to add the score and the retry option.