home · contact · privacy
Add basic save file mechanism.
[plomrogue2-experiments] / new2 / plomrogue / mapping.py
1 import collections
2
3
4
5 class YX(collections.namedtuple('YX', ('y', 'x'))):
6
7     def __add__(self, other):
8         return YX(self.y + other.y, self.x + other.x)
9
10     def __sub__(self, other):
11         return YX(self.y - other.y, self.x - other.x)
12
13     def __str__(self):
14         return 'Y:%s,X:%s' % (self.y, self.x)
15
16
17
18 class MapGeometry():
19
20     def __init__(self, size):
21         self.size = size
22
23     def get_directions(self):
24         directions = []
25         for name in dir(self):
26             if name[:5] == 'move_':
27                 directions += [name[5:]]
28         return directions
29
30     def move(self, start_pos, direction):
31         mover = getattr(self, 'move_' + direction)
32         target = mover(start_pos)
33         if target.y < 0 or target.x < 0 or \
34                 target.y >= self.size.y or target.x >= self.size.x:
35             return None
36         return target
37
38
39
40 class MapGeometryWithLeftRightMoves(MapGeometry):
41
42     def move_LEFT(self, start_pos):
43         return YX(start_pos.y, start_pos.x - 1)
44
45     def move_RIGHT(self, start_pos):
46         return YX(start_pos.y, start_pos.x + 1)
47
48
49
50 class MapGeometrySquare(MapGeometryWithLeftRightMoves):
51
52     def move_UP(self, start_pos):
53         return YX(start_pos.y - 1, start_pos.x)
54
55     def move_DOWN(self, start_pos):
56         return YX(start_pos.y + 1, start_pos.x)
57
58
59
60 class Map():
61
62     def __init__(self, map_size):
63         self.size = map_size
64         self.terrain = '.' * self.size_i
65
66     def __getitem__(self, yx):
67         return self.terrain[self.get_position_index(yx)]
68
69     def __setitem__(self, yx, c):
70         pos_i = self.get_position_index(yx)
71         if type(c) == str:
72             self.terrain = self.terrain[:pos_i] + c + self.terrain[pos_i + 1:]
73         else:
74             self.terrain[pos_i] = c
75
76     @property
77     def size_i(self):
78         return self.size.y * self.size.x
79
80     def set_line(self, y, line):
81         height_map = self.size.y
82         width_map = self.size.x
83         if y >= height_map:
84             raise ArgError('too large row number %s' % y)
85         width_line = len(line)
86         if width_line > width_map:
87             raise ArgError('too large map line width %s' % width_line)
88         self.terrain = self.terrain[:y * width_map] + line +\
89                        self.terrain[(y + 1) * width_map:]
90
91     def get_position_index(self, yx):
92         return yx.y * self.size.x + yx.x
93
94     def lines(self):
95         width = self.size.x
96         for y in range(self.size.y):
97             yield (y, self.terrain[y * width:(y + 1) * width])