Refactored some logic
This commit is contained in:
parent
920f731fb1
commit
e1231a58e6
@ -1,58 +1,63 @@
|
|||||||
from engine import Engine
|
|
||||||
from entity import Entity
|
from entity import Entity
|
||||||
|
|
||||||
class Action:
|
class Action:
|
||||||
def apply(self, engine: Engine, entity: Entity) -> None:
|
def __init__(self, entity: Entity):
|
||||||
|
self.entity = entity
|
||||||
|
|
||||||
|
def apply(self) -> None:
|
||||||
raise NotImplementedError()
|
raise NotImplementedError()
|
||||||
|
|
||||||
class QuitAction(Action):
|
class QuitAction(Action):
|
||||||
def apply(self, engine: Engine, entity: Entity) -> None:
|
def __init__(self): #override the base __init__
|
||||||
|
pass
|
||||||
|
|
||||||
|
def apply(self) -> None:
|
||||||
raise SystemExit()
|
raise SystemExit()
|
||||||
|
|
||||||
|
|
||||||
class DirectionAction(Action):
|
class DirectionAction(Action):
|
||||||
def __init__(self, xdir: int, ydir: int):
|
def __init__(self, entity: Entity, xdir: int, ydir: int):
|
||||||
super().__init__()
|
super().__init__(entity)
|
||||||
self.xdir = xdir
|
self.xdir = xdir
|
||||||
self.ydir = ydir
|
self.ydir = ydir
|
||||||
|
|
||||||
def apply(self, engine: Engine, entity: Entity) -> None:
|
def apply(self) -> None:
|
||||||
raise NotImplementedError()
|
raise NotImplementedError()
|
||||||
|
|
||||||
|
|
||||||
class MovementAction(DirectionAction):
|
class MovementAction(DirectionAction):
|
||||||
def apply(self, engine: Engine, entity: Entity) -> None:
|
def apply(self) -> None:
|
||||||
dest_x = entity.x + self.xdir
|
dest_x = self.entity.x + self.xdir
|
||||||
dest_y = entity.y + self.ydir
|
dest_y = self.entity.y + self.ydir
|
||||||
|
|
||||||
#bounds and collision checks
|
#bounds and collision checks
|
||||||
if not engine.floor_map.in_bounds(dest_x, dest_y):
|
if not self.entity.floor_map.in_bounds(dest_x, dest_y):
|
||||||
return
|
return
|
||||||
if not engine.floor_map.tiles["walkable"][dest_x, dest_y]:
|
if not self.entity.floor_map.tiles["walkable"][dest_x, dest_y]:
|
||||||
return
|
return
|
||||||
if engine.floor_map.get_entity_at(dest_x, dest_y, unwalkable_only=True) is not None:
|
if self.entity.floor_map.get_entity_at(dest_x, dest_y, unwalkable_only=True) is not None:
|
||||||
return
|
return
|
||||||
|
|
||||||
entity.set_pos(dest_x, dest_y)
|
self.entity.set_pos(dest_x, dest_y)
|
||||||
|
|
||||||
class MeleeAction(DirectionAction):
|
class MeleeAction(DirectionAction):
|
||||||
def apply(self, engine: Engine, entity: Entity) -> None:
|
def apply(self) -> None:
|
||||||
dest_x = entity.x + self.xdir
|
dest_x = self.entity.x + self.xdir
|
||||||
dest_y = entity.y + self.ydir
|
dest_y = self.entity.y + self.ydir
|
||||||
|
|
||||||
target = engine.floor_map.get_entity_at(dest_x, dest_y)
|
target = self.entity.floor_map.get_entity_at(dest_x, dest_y)
|
||||||
|
|
||||||
if not target:
|
if not target:
|
||||||
return
|
return
|
||||||
|
|
||||||
print(f"You kicked the {target.name}, which did nothing")
|
print(f"You kicked the {target.name}, which was funny")
|
||||||
|
|
||||||
class MoveAction(DirectionAction):
|
class MoveAction(DirectionAction):
|
||||||
def apply(self, engine: Engine, entity: Entity) -> None:
|
def apply(self) -> None:
|
||||||
dest_x = entity.x + self.xdir
|
dest_x = self.entity.x + self.xdir
|
||||||
dest_y = entity.y + self.ydir
|
dest_y = self.entity.y + self.ydir
|
||||||
|
|
||||||
if engine.floor_map.get_entity_at(dest_x, dest_y):
|
if self.entity.floor_map.get_entity_at(dest_x, dest_y):
|
||||||
return MeleeAction(self.xdir, self.ydir).apply(engine, entity)
|
return MeleeAction(self.entity, self.xdir, self.ydir).apply()
|
||||||
else:
|
else:
|
||||||
return MovementAction(self.xdir, self.ydir).apply(engine, entity)
|
return MovementAction(self.entity, self.xdir, self.ydir).apply()
|
||||||
|
@ -1,42 +1,41 @@
|
|||||||
from typing import Any, Iterable
|
|
||||||
|
|
||||||
from tcod.context import Context
|
from tcod.context import Context
|
||||||
from tcod.console import Console
|
from tcod.console import Console
|
||||||
from tcod.map import compute_fov
|
from tcod.map import compute_fov
|
||||||
|
|
||||||
from entity import Entity
|
|
||||||
import entity_types
|
import entity_types
|
||||||
from floor_map import FloorMap #TODO: replace with "DungeonMap"
|
from floor_map import FloorMap #TODO: replace with "DungeonMap"
|
||||||
|
|
||||||
class Engine:
|
class Engine:
|
||||||
def __init__(self, floor_map: FloorMap):
|
def __init__(self, floor_map: FloorMap):
|
||||||
from event_handler import EventHandler #here to prevent circular imports
|
from event_handler import EventHandler
|
||||||
self.event_handler = EventHandler(self)
|
self.event_handler = EventHandler(self)
|
||||||
self.floor_map = floor_map
|
self.floor_map = floor_map
|
||||||
|
self.floor_map.engine = self #references everywhere!
|
||||||
|
|
||||||
#spawn the player object
|
#grab the player object
|
||||||
self.player = entity_types.player.clone(self.floor_map.procgen_cache["spawn_x"], self.floor_map.procgen_cache["spawn_y"])
|
self.player = self.floor_map.player
|
||||||
self.floor_map.entities.add(self.player)
|
|
||||||
|
|
||||||
#kick off the render
|
#kick off the render
|
||||||
self.update_fov()
|
self.update_fov()
|
||||||
|
|
||||||
def handle_events(self, events: Iterable[Any]) -> None:
|
|
||||||
for event in events:
|
|
||||||
action = self.event_handler.dispatch(event)
|
|
||||||
|
|
||||||
if action is None:
|
|
||||||
continue
|
|
||||||
|
|
||||||
action.apply(self, self.player)
|
|
||||||
self.handle_entities()
|
|
||||||
|
|
||||||
self.update_fov() #update before the next action
|
|
||||||
|
|
||||||
def handle_entities(self) -> None:
|
def handle_entities(self) -> None:
|
||||||
for entity in self.floor_map.entities - {self.player}:
|
self.update_fov() #knowing the FOV lets entities mess with it
|
||||||
pass #run entity AI
|
|
||||||
|
|
||||||
|
#all entities in the level
|
||||||
|
for entity in self.floor_map.entities - {self.player}:
|
||||||
|
pass #TODO: run entity AI
|
||||||
|
|
||||||
|
def handle_rendering(self, context: Context, console: Console) -> None:
|
||||||
|
#map and all entities within
|
||||||
|
self.floor_map.render(console)
|
||||||
|
|
||||||
|
#TODO: UI
|
||||||
|
|
||||||
|
#send to the screen
|
||||||
|
context.present(console)
|
||||||
|
console.clear()
|
||||||
|
|
||||||
|
#utils
|
||||||
def update_fov(self):
|
def update_fov(self):
|
||||||
self.floor_map.visible[:] = compute_fov(
|
self.floor_map.visible[:] = compute_fov(
|
||||||
self.floor_map.tiles["transparent"],
|
self.floor_map.tiles["transparent"],
|
||||||
@ -46,12 +45,3 @@ class Engine:
|
|||||||
|
|
||||||
#add the visible tiles to the explored list
|
#add the visible tiles to the explored list
|
||||||
self.floor_map.explored |= self.floor_map.visible
|
self.floor_map.explored |= self.floor_map.visible
|
||||||
|
|
||||||
def render(self, context: Context, console: Console) -> None:
|
|
||||||
self.floor_map.render(console)
|
|
||||||
|
|
||||||
console.print(self.player.x, self.player.y, self.player.char, fg=self.player.color)
|
|
||||||
|
|
||||||
#send to the screen
|
|
||||||
context.present(console)
|
|
||||||
console.clear()
|
|
||||||
|
@ -1,9 +1,7 @@
|
|||||||
from __future__ import annotations
|
from __future__ import annotations
|
||||||
|
|
||||||
import copy
|
import copy
|
||||||
from typing import Tuple, TypeVar
|
from typing import Tuple
|
||||||
|
|
||||||
T = TypeVar("T", bound="Entity")
|
|
||||||
|
|
||||||
class Entity:
|
class Entity:
|
||||||
def __init__(
|
def __init__(
|
||||||
@ -13,7 +11,8 @@ class Entity:
|
|||||||
char: str = "?",
|
char: str = "?",
|
||||||
color: Tuple[int, int, int] = (255, 255, 255),
|
color: Tuple[int, int, int] = (255, 255, 255),
|
||||||
name: str = "<Unnamed>",
|
name: str = "<Unnamed>",
|
||||||
walkable: bool = True
|
walkable: bool = True,
|
||||||
|
floor_map = None,
|
||||||
):
|
):
|
||||||
self.x = x
|
self.x = x
|
||||||
self.y = y
|
self.y = y
|
||||||
@ -21,11 +20,14 @@ class Entity:
|
|||||||
self.color = color
|
self.color = color
|
||||||
self.name = name
|
self.name = name
|
||||||
self.walkable = walkable
|
self.walkable = walkable
|
||||||
|
self.floor_map = floor_map
|
||||||
|
|
||||||
def clone(self: T, x: int, y: int) -> T:
|
def spawn(self: T, x: int, y: int, floor_map):
|
||||||
clone = copy.deepcopy(self)
|
clone = copy.deepcopy(self)
|
||||||
clone.x = x
|
clone.x = x
|
||||||
clone.y = y
|
clone.y = y
|
||||||
|
clone.floor_map = floor_map
|
||||||
|
clone.floor_map.entities.add(clone)
|
||||||
return clone
|
return clone
|
||||||
|
|
||||||
def set_pos(self, x: int, y: int) -> None:
|
def set_pos(self, x: int, y: int) -> None:
|
||||||
|
@ -5,30 +5,43 @@ import tcod
|
|||||||
from actions import Action, QuitAction, MoveAction
|
from actions import Action, QuitAction, MoveAction
|
||||||
from engine import Engine
|
from engine import Engine
|
||||||
|
|
||||||
|
#event handler is one part of the engine
|
||||||
class EventHandler(tcod.event.EventDispatch[Action]):
|
class EventHandler(tcod.event.EventDispatch[Action]):
|
||||||
def __init__(self, engine: Engine):
|
def __init__(self, engine: Engine):
|
||||||
super().__init__()
|
super().__init__()
|
||||||
self.engine = engine
|
self.engine = engine
|
||||||
|
|
||||||
|
def handle_events(self) -> None:
|
||||||
|
for event in tcod.event.wait():
|
||||||
|
action = self.dispatch(event)
|
||||||
|
|
||||||
|
if action is None:
|
||||||
|
continue
|
||||||
|
|
||||||
|
action.apply() #entity references the engine
|
||||||
|
|
||||||
|
#callbacks
|
||||||
def ev_quit(self, event: tcod.event.Quit) -> Optional[Action]:
|
def ev_quit(self, event: tcod.event.Quit) -> Optional[Action]:
|
||||||
return QuitAction()
|
return QuitAction()
|
||||||
|
|
||||||
def ev_keydown(self, event: tcod.event.KeyDown) -> Optional[Action]:
|
def ev_keydown(self, event: tcod.event.KeyDown) -> Optional[Action]:
|
||||||
key = event.sym #SDL stuff, neat.
|
key = event.sym #SDL stuff, neat.
|
||||||
|
|
||||||
#parse input
|
player = self.engine.player
|
||||||
|
|
||||||
|
#parse player input
|
||||||
match key:
|
match key:
|
||||||
case tcod.event.KeySym.ESCAPE:
|
case tcod.event.KeySym.ESCAPE:
|
||||||
return QuitAction()
|
return QuitAction()
|
||||||
|
|
||||||
case tcod.event.KeySym.UP:
|
case tcod.event.KeySym.UP:
|
||||||
return MoveAction(xdir = 0, ydir = -1)
|
return MoveAction(player, xdir = 0, ydir = -1)
|
||||||
case tcod.event.KeySym.DOWN:
|
case tcod.event.KeySym.DOWN:
|
||||||
return MoveAction(xdir = 0, ydir = 1)
|
return MoveAction(player, xdir = 0, ydir = 1)
|
||||||
case tcod.event.KeySym.LEFT:
|
case tcod.event.KeySym.LEFT:
|
||||||
return MoveAction(xdir = -1, ydir = 0)
|
return MoveAction(player, xdir = -1, ydir = 0)
|
||||||
case tcod.event.KeySym.RIGHT:
|
case tcod.event.KeySym.RIGHT:
|
||||||
return MoveAction(xdir = 1, ydir = 0)
|
return MoveAction(player, xdir = 1, ydir = 0)
|
||||||
|
|
||||||
case _:
|
case _:
|
||||||
return None
|
return None
|
@ -8,7 +8,7 @@ import tile_types
|
|||||||
from entity import Entity
|
from entity import Entity
|
||||||
|
|
||||||
class FloorMap:
|
class FloorMap:
|
||||||
def __init__(self, width: int, height: int, entities: Iterable[Entity] = (), ):
|
def __init__(self, width: int, height: int, entities: Iterable[Entity] = ()):
|
||||||
#terrain stuff
|
#terrain stuff
|
||||||
self.width, self.height = width, height
|
self.width, self.height = width, height
|
||||||
self.tiles = np.full((width, height), fill_value=tile_types.wall, order="F")
|
self.tiles = np.full((width, height), fill_value=tile_types.wall, order="F")
|
||||||
@ -20,6 +20,10 @@ class FloorMap:
|
|||||||
self.entities = set(entities)
|
self.entities = set(entities)
|
||||||
self.procgen_cache = {} #reserved for the procgen algorithm, otherwise ignored
|
self.procgen_cache = {} #reserved for the procgen algorithm, otherwise ignored
|
||||||
|
|
||||||
|
#set externally
|
||||||
|
self.engine = None
|
||||||
|
self.player = None
|
||||||
|
|
||||||
def in_bounds(self, x: int, y: int) -> bool:
|
def in_bounds(self, x: int, y: int) -> bool:
|
||||||
return 0 <= x < self.width and 0 <= y < self.height
|
return 0 <= x < self.width and 0 <= y < self.height
|
||||||
|
|
||||||
|
@ -5,13 +5,11 @@ from engine import Engine
|
|||||||
from procgen import generate_floor_map
|
from procgen import generate_floor_map
|
||||||
|
|
||||||
def main() -> None:
|
def main() -> None:
|
||||||
#assets
|
#tcod stuff
|
||||||
tileset = tcod.tileset.load_tilesheet("assets/dejavu10x10_gs_tc.png", 32, 8, tcod.tileset.CHARMAP_TCOD)
|
|
||||||
|
|
||||||
context = tcod.context.new(
|
context = tcod.context.new(
|
||||||
columns = 80,
|
columns = 80,
|
||||||
rows = 45,
|
rows = 45,
|
||||||
tileset = tileset,
|
tileset = tcod.tileset.load_tilesheet("assets/dejavu10x10_gs_tc.png", 32, 8, tcod.tileset.CHARMAP_TCOD),
|
||||||
title = "Stepwise Roguelike",
|
title = "Stepwise Roguelike",
|
||||||
vsync = True
|
vsync = True
|
||||||
)
|
)
|
||||||
@ -25,14 +23,15 @@ def main() -> None:
|
|||||||
)
|
)
|
||||||
|
|
||||||
engine = Engine(
|
engine = Engine(
|
||||||
|
#is created externally, because
|
||||||
floor_map = generate_floor_map(80, 45, 10, 10)
|
floor_map = generate_floor_map(80, 45, 10, 10)
|
||||||
)
|
)
|
||||||
|
|
||||||
# game loop
|
# game loop
|
||||||
while True:
|
while True:
|
||||||
engine.render(context, console)
|
engine.event_handler.handle_events()
|
||||||
events = tcod.event.wait()
|
engine.handle_entities()
|
||||||
engine.handle_events(events)
|
engine.handle_rendering(context, console)
|
||||||
|
|
||||||
# this seems odd to me
|
# this seems odd to me
|
||||||
if __name__ == "__main__":
|
if __name__ == "__main__":
|
||||||
|
@ -51,7 +51,7 @@ class RectangularRoom:
|
|||||||
self.y2 >= other.y1
|
self.y2 >= other.y1
|
||||||
)
|
)
|
||||||
|
|
||||||
def spawn_monsters(room: RectangularRoom, floor_map: FloorMap, room_monsters_max: int) -> None:
|
def spawn_monsters(floor_map: FloorMap, room: RectangularRoom, room_monsters_max: int) -> None:
|
||||||
monster_count = random.randint(0, room_monsters_max)
|
monster_count = random.randint(0, room_monsters_max)
|
||||||
|
|
||||||
#There can only be one
|
#There can only be one
|
||||||
@ -60,18 +60,19 @@ def spawn_monsters(room: RectangularRoom, floor_map: FloorMap, room_monsters_max
|
|||||||
|
|
||||||
for i in range(monster_count):
|
for i in range(monster_count):
|
||||||
#admittedly weird layout here, because player isn't in the entities list yet
|
#admittedly weird layout here, because player isn't in the entities list yet
|
||||||
x, y = floor_map.procgen_cache["spawn_x"], floor_map.procgen_cache["spawn_y"]
|
x, y = floor_map.player.x, floor_map.player.y
|
||||||
while x == floor_map.procgen_cache["spawn_x"] and y == floor_map.procgen_cache["spawn_y"]:
|
while x == floor_map.player.x and y == floor_map.player.y:
|
||||||
x = random.randint(room.x1 + 1, room.x2 - 1)
|
x = random.randint(room.x1 + 1, room.x2 - 1)
|
||||||
y = random.randint(room.y1 + 1, room.y2 - 1)
|
y = random.randint(room.y1 + 1, room.y2 - 1)
|
||||||
|
|
||||||
#if there's no entity at that position
|
#if there's no entity at that position
|
||||||
if not any(entity.x == x and entity.y == y for entity in floor_map.entities):
|
if not any(entity.x == x and entity.y == y for entity in floor_map.entities):
|
||||||
|
#there's never more than one red gobbo, but there can be none at all
|
||||||
if not floor_map.procgen_cache["gobbo_red"] and random.random() < 0.2:
|
if not floor_map.procgen_cache["gobbo_red"] and random.random() < 0.2:
|
||||||
floor_map.procgen_cache["gobbo_red"] = True
|
floor_map.procgen_cache["gobbo_red"] = True
|
||||||
floor_map.entities.add(entity_types.gobbo_red.clone(x, y))
|
entity_types.gobbo_red.spawn(x, y, floor_map)
|
||||||
else:
|
else:
|
||||||
floor_map.entities.add(entity_types.gobbo.clone(x, y))
|
entity_types.gobbo.spawn(x, y, floor_map)
|
||||||
|
|
||||||
#generators
|
#generators
|
||||||
def generate_floor_map(
|
def generate_floor_map(
|
||||||
@ -99,17 +100,20 @@ def generate_floor_map(
|
|||||||
new_room = RectangularRoom(x, y, room_width, room_height)
|
new_room = RectangularRoom(x, y, room_width, room_height)
|
||||||
|
|
||||||
if any(new_room.intersects(other_room) for other_room in rooms):
|
if any(new_room.intersects(other_room) for other_room in rooms):
|
||||||
continue
|
continue #nope.jpg
|
||||||
|
|
||||||
floor_map.tiles[new_room.inner] = tile_types.floor
|
floor_map.tiles[new_room.inner] = tile_types.floor
|
||||||
|
|
||||||
if len(rooms) == 0:
|
if len(rooms) == 0:
|
||||||
floor_map.procgen_cache["spawn_x"], floor_map.procgen_cache["spawn_y"] = new_room.center
|
x, y = new_room.center
|
||||||
|
floor_map.player = entity_types.player.spawn(x, y, floor_map)
|
||||||
|
|
||||||
|
floor_map.entities.add(floor_map.player) #get it working first
|
||||||
else:
|
else:
|
||||||
for x, y in make_corridor(rooms[-1].center, new_room.center):
|
for x, y in make_corridor(rooms[-1].center, new_room.center):
|
||||||
floor_map.tiles[x, y] = tile_types.floor
|
floor_map.tiles[x, y] = tile_types.floor
|
||||||
|
|
||||||
spawn_monsters(new_room, floor_map, room_monsters_max)
|
spawn_monsters(floor_map, new_room, room_monsters_max)
|
||||||
|
|
||||||
rooms.append(new_room)
|
rooms.append(new_room)
|
||||||
|
|
||||||
|
Loading…
x
Reference in New Issue
Block a user