Player.gd 1.9 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495
  1. class_name Player
  2. extends Area2D
  3. signal hit
  4. enum State {SLEEPING, DODGING, DEAD}
  5. export var speed = 400 # pixel / sec
  6. var screen
  7. var target = Vector2()
  8. var target_reached = true
  9. var _current_state
  10. func spawn(atPos):
  11. _current_state = State.DODGING
  12. position = atPos
  13. $CollisionShape2D.disabled = false
  14. $AnimatedSprite.animation = "idle"
  15. func sleep():
  16. _current_state = State.SLEEPING
  17. $AnimatedSprite.animation = "sleep"
  18. $AnimatedSprite.play()
  19. func die():
  20. _current_state = State.DEAD
  21. $AnimatedSprite.animation = "die"
  22. $AnimatedSprite.play()
  23. func _ready():
  24. screen = get_viewport_rect()
  25. sleep()
  26. func _process(delta: float):
  27. if _current_state == State.DODGING:
  28. dodge(delta)
  29. func dodge(delta: float):
  30. var velocity = get_velocity_from_action()
  31. if velocity == Vector2.ZERO :
  32. velocity = get_velocity_from_target(delta)
  33. if velocity.length_squared() > 0:
  34. velocity = velocity.normalized() * speed
  35. position += velocity * delta
  36. position.x = clamp(position.x, 0, screen.size.x)
  37. position.y = clamp(position.y, 0, screen.size.y)
  38. $AnimatedSprite.animation = "move"
  39. $AnimatedSprite.flip_h = velocity.x < 0
  40. else:
  41. $AnimatedSprite.animation = "idle"
  42. func _input(event):
  43. if event is InputEventMouseButton or event is InputEventMouseMotion :
  44. target = event.position
  45. target_reached = false
  46. func _on_Player_body_entered(_body):
  47. die()
  48. emit_signal("hit")
  49. $CollisionShape2D.set_deferred("disabled", true)
  50. func get_velocity_from_action() -> Vector2:
  51. var velocity = Vector2()
  52. if Input.is_action_pressed("ui_right"):
  53. velocity.x += 1
  54. if Input.is_action_pressed("ui_left"):
  55. velocity.x -= 1
  56. if Input.is_action_pressed("ui_down"):
  57. velocity.y += 1
  58. if Input.is_action_pressed("ui_up"):
  59. velocity.y -= 1
  60. return velocity;
  61. func get_velocity_from_target(delta):
  62. if target_reached :
  63. return Vector2.ZERO
  64. var path = target - position
  65. if path.length_squared() < speed * speed * delta * delta :
  66. target_reached = true
  67. return Vector2.ZERO
  68. return path