home · contact · privacy
Add song deletion to MusicPlayer.
[plomrogue2] / plomrogue / things.py
1 from plomrogue.errors import GameError, PlayError
2 from plomrogue.mapping import YX
3
4
5
6 class ThingBase:
7     type_ = '?'
8
9     def __init__(self, game, id_=0, position=(YX(0, 0), YX(0, 0))):
10         self.game = game
11         if id_ == 0:
12             self.id_ = self.game.new_thing_id()
13         else:
14             self.id_ = id_
15         self.position = position
16
17
18
19 class Thing(ThingBase):
20     blocking = False
21     portable = False
22     protection = '.'
23     commandable = False
24
25     def __init__(self, *args, **kwargs):
26         super().__init__(*args, **kwargs)
27
28     def proceed(self):
29         pass
30
31     @property
32     def type_(self):
33         return self.__class__.get_type()
34
35     @classmethod
36     def get_type(cls):
37         return cls.__name__[len('Thing_'):]
38
39     def sound(self, name, msg):
40         from plomrogue.mapping import DijkstraMap
41         from plomrogue.misc import quote
42
43         def lower_msg_by_volume(msg, volume, largest_audible_distance):
44             import random
45             factor = largest_audible_distance / 4
46             lowered_msg = ''
47             for c in msg:
48                 c = c
49                 while random.random() > volume * factor:
50                     if c.isupper():
51                         c = c.lower()
52                     elif c != '.' and c != ' ':
53                         c = '.'
54                     else:
55                         c = ' '
56                 lowered_msg += c
57             return lowered_msg
58
59         largest_audible_distance = 20
60         # player's don't block sound (or should they?)
61         things = [t for t in self.game.things if t.type_ != 'Player']
62         dijkstra_map = DijkstraMap(things, self.game.maps, self.position,
63                                    largest_audible_distance, self.game.get_map)
64         for c_id in self.game.sessions:
65             listener = self.game.get_player(c_id)
66             target_yx = dijkstra_map.target_yx(*listener.position, True)
67             if not target_yx:
68                 continue
69             listener_distance = dijkstra_map[target_yx]
70             if listener_distance > largest_audible_distance:
71                 continue
72             volume = 1 / max(1, listener_distance)
73             lowered_msg = lower_msg_by_volume(msg, volume,
74                                               largest_audible_distance)
75             lowered_nick = lower_msg_by_volume(name, volume,
76                                                largest_audible_distance)
77             self.game.io.send('CHAT ' +
78                               quote('(volume: %.2f) %s: %s' % (volume,
79                                                                lowered_nick,
80                                                                lowered_msg)),
81                               c_id)
82
83
84
85 class Thing_Item(Thing):
86     symbol_hint = 'i'
87     portable = True
88
89
90
91 class ThingSpawner(Thing):
92     symbol_hint = 'S'
93
94     def proceed(self):
95         for t in [t for t in self.game.things
96                   if t != self and t.position == self.position]:
97             return
98         t = self.game.thing_types[self.child_type](self.game,
99                                                    position=self.position)
100         self.game.things += [t]
101         self.game.changed = True
102
103
104
105 class Thing_ItemSpawner(ThingSpawner):
106     child_type = 'Item'
107
108
109
110 class Thing_SpawnPointSpawner(ThingSpawner):
111     child_type = 'SpawnPoint'
112
113
114
115 class Thing_SpawnPoint(Thing):
116     symbol_hint = 's'
117     portable = True
118     name = 'username'
119
120
121
122 class Thing_DoorSpawner(ThingSpawner):
123     child_type = 'Door'
124
125
126
127 class Thing_Door(Thing):
128     symbol_hint = 'D'
129     blocking = False
130     portable = True
131     installable = True
132
133     def open(self):
134         self.blocking = False
135         del self.thing_char
136
137     def close(self):
138         self.blocking = True
139         self.thing_char = '#'
140
141     def install(self):
142         self.portable = False
143
144     def uninstall(self):
145         self.portable = True
146
147
148
149 class Thing_Bottle(Thing):
150     symbol_hint = 'B'
151     portable = True
152     full = True
153     thing_char = '~'
154
155     def empty(self):
156         self.thing_char = '_'
157         self.full = False
158
159
160
161 class Thing_BottleSpawner(ThingSpawner):
162     child_type = 'Bottle'
163
164
165
166 import datetime
167 class Thing_MusicPlayer(Thing):
168     symbol_hint = 'R'
169     commandable = True
170     portable = True
171     repeat = True
172     next_song_start = datetime.datetime.now()
173     playlist_index = -1
174     playing = True
175
176     def __init__(self, *args, **kwargs):
177         super().__init__(*args, **kwargs)
178         self.next_song_start = datetime.datetime.now()
179         self.playlist = []
180
181     def proceed(self):
182         if (not self.playing) or len(self.playlist) == 0:
183             return
184         if datetime.datetime.now() > self.next_song_start:
185             self.playlist_index += 1
186             if self.playlist_index == len(self.playlist):
187                 self.playlist_index = 0
188                 if not self.repeat:
189                     self.playing = False
190                     return
191             song_data = self.playlist[self.playlist_index]
192             self.next_song_start = datetime.datetime.now() +\
193                 datetime.timedelta(seconds=song_data[1])
194             self.sound('MUSICPLAYER', song_data[0])
195             self.game.changed = True
196
197     def interpret(self, command):
198         msg_lines = []
199         if command == 'HELP':
200             msg_lines += ['available commands:']
201             msg_lines += ['HELP – show this help']
202             msg_lines += ['ON/OFF – toggle playback on/off']
203             msg_lines += ['REWIND – return to start of playlist']
204             msg_lines += ['LIST – list programmed songs, durations']
205             msg_lines += ['SKIP – to skip to next song']
206             msg_lines += ['REPEAT – toggle playlist repeat on/off']
207             msg_lines += ['ADD LENGTH SONG – add SONG to playlist, with LENGTH in format "minutes:seconds", i.e. something like "0:47" or "11:02"']
208             return msg_lines
209         elif command == 'LIST':
210             msg_lines += ['playlist:']
211             i = 0
212             for entry in self.playlist:
213                 minutes = entry[1] // 60
214                 seconds = entry[1] % 60
215                 if seconds < 10:
216                     seconds = '0%s' % seconds
217                 selector = 'next:' if i == self.playlist_index else '     '
218                 msg_lines += ['%s %s:%s – %s' % (selector, minutes, seconds, entry[0])]
219                 i += 1
220             return msg_lines
221         elif command == 'ON/OFF':
222             self.playing = False if self.playing else True
223             self.game.changed = True
224             if self.playing:
225                 return ['playing']
226             else:
227                 return ['paused']
228         elif command == 'REMOVE':
229             if len(self.playlist) == 0:
230                 return ['playlist already empty']
231             del self.playlist[max(0, self.playlist_index)]
232             self.playlist_index -= 1
233             if self.playlist_index < -1:
234                 self.playlist_index = -1
235             return ['removed song']
236         elif command == 'REWIND':
237             self.playlist_index = -1
238             self.next_song_start = datetime.datetime.now()
239             self.game.changed = True
240             return ['back at start of playlist']
241         elif command == 'SKIP':
242             self.next_song_start = datetime.datetime.now()
243             self.game.changed = True
244             return ['skipped']
245         elif command == 'REPEAT':
246             self.repeat = False if self.repeat else True
247             self.game.changed = True
248             if self.repeat:
249                 return ['playlist repeat turned on']
250             else:
251                 return ['playlist repeat turned off']
252         elif command.startswith('ADD '):
253             tokens = command.split(' ', 2)
254             if len(tokens) != 3:
255                 return ['wrong syntax, see HELP']
256             length = tokens[1].split(':')
257             if len(length) != 2:
258                 return ['wrong syntax, see HELP']
259             try:
260                 minutes = int(length[0])
261                 seconds = int(length[1])
262             except ValueError:
263                 return ['wrong syntax, see HELP']
264             self.playlist += [(tokens[2], minutes * 60 + seconds)]
265             self.game.changed = True
266             return ['added']
267         else:
268             return ['cannot understand command']
269
270
271
272 class Thing_BottleDeposit(Thing):
273     bottle_counter = 0
274     symbol_hint = 'O'
275
276     def proceed(self):
277         if self.bottle_counter >= 3:
278             self.bottle_counter = 0
279             t = self.game.thing_types['MusicPlayer'](self.game,
280                                                      position=self.position)
281             self.game.things += [t]
282             self.sound('BOTTLE DEPOSITOR',
283                        'here is a gift as a reward for ecological consciousness –'
284                        'use "command thing" on it to learn more!')
285             self.game.changed = True
286
287     def accept(self):
288         self.bottle_counter += 1
289         self.sound('BOTTLE DEPOSITOR',
290                    'thanks for this empty bottle – deposit %s more for a gift!' %
291                    (3 - self.bottle_counter))
292
293
294
295
296 class ThingAnimate(Thing):
297     blocking = True
298     drunk = 0
299
300     def __init__(self, *args, **kwargs):
301         super().__init__(*args, **kwargs)
302         self.next_task = [None]
303         self.task = None
304         self._fov = None
305
306     def set_next_task(self, task_name, args=()):
307         task_class = self.game.tasks[task_name]
308         self.next_task = [task_class(self, args)]
309
310     def get_next_task(self):
311         if self.next_task[0]:
312             task = self.next_task[0]
313             self.next_task = [None]
314             task.check()
315             return task
316
317     def proceed(self):
318         self.drunk -= 1
319         if self.drunk == 0:
320             for c_id in self.game.sessions:
321                 if self.game.sessions[c_id]['thing_id'] == self.id_:
322                     self.game.io.send('DEFAULT_COLORS', c_id)
323                     self.game.io.send('CHAT "You sober up."', c_id)
324                     break
325             self.game.changed = True
326         self._fov = None
327         if self.task is None:
328             self.task = self.get_next_task()
329             return
330         try:
331             self.task.check()
332         except (PlayError, GameError) as e:
333             self.task = None
334             raise e
335         self.task.todo -= 1
336         if self.task.todo <= 0:
337             self.task.do()
338             self.game.changed = True
339             self.task = self.get_next_task()
340
341     def prepare_multiprocessible_fov_stencil(self):
342         fov_map_class = self.game.map_geometry.fov_map_class
343         fov_radius = 3 if self.drunk > 0 else 12
344         self._fov = fov_map_class(self.game.things, self.game.maps,
345                                   self.position, fov_radius, self.game.get_map)
346
347     def multiprocessible_fov_stencil(self):
348         self._fov.init_terrain()
349
350     @property
351     def fov_stencil(self):
352         if self._fov:
353             return self._fov
354         # due to the pre-multiprocessing in game.send_gamestate,
355         # the following should actually never be called
356         self.prepare_multiprocessible_fov_stencil()
357         self.multiprocessible_fov_stencil()
358         return self._fov
359
360     def fov_stencil_make(self):
361         self._fov.make()
362
363     def fov_test(self, big_yx, little_yx):
364         test_position = self.fov_stencil.target_yx(big_yx, little_yx)
365         if self.fov_stencil.inside(test_position):
366             if self.fov_stencil[test_position] == '.':
367                 return True
368         return False
369
370     def fov_stencil_map(self, map_type='normal'):
371         visible_terrain = ''
372         for yx in self.fov_stencil:
373             if self.fov_stencil[yx] == '.':
374                 big_yx, little_yx = self.fov_stencil.source_yxyx(yx)
375                 map_ = self.game.get_map(big_yx, map_type)
376                 visible_terrain += map_[little_yx]
377             else:
378                 visible_terrain += ' '
379         return visible_terrain
380
381
382
383 class Thing_Player(ThingAnimate):
384     symbol_hint = '@'
385
386     def __init__(self, *args, **kwargs):
387         super().__init__(*args, **kwargs)
388         self.carrying = None
389
390     def send_msg(self, msg):
391         for c_id in self.game.sessions:
392             if self.game.sessions[c_id]['thing_id'] == self.id_:
393                 self.game.io.send(msg, c_id)
394                 break