31 lines
680 B
Python
31 lines
680 B
Python
from engine import Engine
|
|
|
|
from entity import Entity
|
|
|
|
class Action:
|
|
def apply(self, engine: Engine) -> None:
|
|
raise NotImplementedError()
|
|
|
|
class QuitAction(Action):
|
|
def apply(self, engine: Engine) -> None:
|
|
raise SystemExit()
|
|
|
|
class MoveAction(Action):
|
|
def __init__(self, entity: Entity, xdir: int, ydir: int):
|
|
super().__init__()
|
|
self.entity = entity
|
|
self.xdir = xdir
|
|
self.ydir = ydir
|
|
|
|
def apply(self, engine: Engine) -> None:
|
|
x = self.entity.x + self.xdir
|
|
y = self.entity.y + self.ydir
|
|
|
|
#bounds and collision checks
|
|
if not engine.floor_map.in_bounds(x, y):
|
|
return
|
|
if not engine.floor_map.tiles["walkable"][x, y]:
|
|
return
|
|
|
|
self.entity.set_pos(x, y)
|