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
|
extends Node2D
@onready var grid_manager = get_node("../GridManager")
@onready var tilemap = get_node("../Map/TileMapLayer")
var tile_size : float
var max_x : float
var max_y : float
var dirs = {"move_right": Vector2.RIGHT,
"move_left": Vector2.LEFT,
"move_up": Vector2.UP,
"move_down": Vector2.DOWN}
var towers : Dictionary = {
"place_warlock": {
"scene": preload("res://scenes/warlock.tscn"),
"cost": 10
},
"place_wyvern": {
"scene": preload("res://scenes/wyvern.tscn"),
"cost": 15
}
}
func _ready():
tile_size = grid_manager.tile_size
max_x = 20 * tile_size
max_y = 15 * tile_size
position = position.snapped(Vector2.ONE * tile_size)
position += Vector2(max_x / 2, max_y / 2) + Vector2(1, 0) * tile_size / 2
func _unhandled_input(event):
for dir in dirs.keys():
if event.is_action_pressed(dir):
handle_move(dirs[dir])
return
for tower in towers.keys():
if event.is_action_pressed(tower):
handle_tower(towers[tower])
return
func handle_tower(tower):
var tower_cost = tower["cost"]
if is_valid_placement_tile() && GameData.get_life() >= tower_cost:
var tmp = tower["scene"].instantiate()
var path = get_tree().get_root().get_node("Main/Defenders")
path.add_child(tmp)
tmp.global_position = position
grid_manager.occupy_tile(position)
GameData.subtract_life(tower_cost)
func handle_move(dir):
position += dir * tile_size
position.x = max(position.x, tile_size / 2)
position.y = max(position.y, tile_size / 2)
position.x = min(position.x, max_x - (tile_size / 2))
position.y = min(position.y, max_y - tile_size - (tile_size / 2))
func is_valid_placement_tile():
var tile_coords = tilemap.get_cell_atlas_coords(tilemap.local_to_map(global_position))
return (tile_coords == (Vector2i(-1, -1))) && (!grid_manager.is_tile_occupied(position))
|