Switch to passlib.PasswordHash.hash
[mudpy.git] / mudpy / command.py
1 """User command functions for the mudpy engine."""
2
3 # Copyright (c) 2004-2019 mudpy authors. Permission to use, copy,
4 # modify, and distribute this software is granted under terms
5 # provided in the LICENSE file distributed with this software.
6
7 import random
8 import re
9 import unicodedata
10
11 import mudpy
12
13
14 def chat(actor):
15     """Toggle chat mode."""
16     mode = actor.get("mode")
17     if not mode:
18         actor.set("mode", "chat")
19         actor.send("Entering chat mode (use $(grn)!chat$(nrm) to exit).")
20     elif mode == "chat":
21         actor.remove_facet("mode")
22         actor.send("Exiting chat mode.")
23     else:
24         actor.send("Sorry, but you're already busy with something else!")
25
26
27 def create(actor, parameters):
28     """Create an element if it does not exist."""
29     if not parameters:
30         message = "You must at least specify an element to create."
31     elif not actor.owner:
32         message = ""
33     else:
34         arguments = parameters.split()
35         if len(arguments) == 1:
36             arguments.append("")
37         if len(arguments) == 2:
38             element, filename = arguments
39             if element in actor.universe.contents:
40                 message = 'The "' + element + '" element already exists.'
41             else:
42                 message = ('You create "' +
43                            element + '" within the universe.')
44                 logline = actor.owner.account.get(
45                     "name"
46                 ) + " created an element: " + element
47                 if filename:
48                     logline += " in file " + filename
49                     if filename not in actor.universe.files:
50                         message += (
51                             ' Warning: "' + filename + '" is not yet '
52                             "included in any other file and will not be read "
53                             "on startup unless this is remedied.")
54                 mudpy.misc.Element(element, actor.universe, filename)
55                 mudpy.misc.log(logline, 6)
56         elif len(arguments) > 2:
57             message = "You can only specify an element and a filename."
58     actor.send(message)
59
60
61 def delete(actor, parameters):
62     """Delete a facet from an element."""
63     if not parameters:
64         message = "You must specify an element and a facet."
65     else:
66         arguments = parameters.split(" ")
67         if len(arguments) == 1:
68             message = ('What facet of element "' + arguments[0]
69                        + '" would you like to delete?')
70         elif len(arguments) != 2:
71             message = "You may only specify an element and a facet."
72         else:
73             element, facet = arguments
74             if element not in actor.universe.contents:
75                 message = 'The "' + element + '" element does not exist.'
76             elif facet not in actor.universe.contents[element].facets():
77                 message = ('The "' + element + '" element has no "' + facet
78                            + '" facet.')
79             else:
80                 actor.universe.contents[element].remove_facet(facet)
81                 message = ('You have successfully deleted the "' + facet
82                            + '" facet of element "' + element
83                            + '". Try "show element ' +
84                            element + '" for verification.')
85     actor.send(message)
86
87
88 def destroy(actor, parameters):
89     """Destroy an element if it exists."""
90     if actor.owner:
91         if not parameters:
92             message = "You must specify an element to destroy."
93         else:
94             if parameters not in actor.universe.contents:
95                 message = 'The "' + parameters + '" element does not exist.'
96             else:
97                 actor.universe.contents[parameters].destroy()
98                 message = ('You destroy "' + parameters
99                            + '" within the universe.')
100                 mudpy.misc.log(
101                     actor.owner.account.get(
102                         "name"
103                     ) + " destroyed an element: " + parameters,
104                     6
105                 )
106         actor.send(message)
107
108
109 def error(actor, input_data):
110     """Generic error for an unrecognized command word."""
111
112     # 90% of the time use a generic error
113     if random.randrange(10):
114         message = '''I'm not sure what "''' + input_data + '''" means...'''
115
116     # 10% of the time use the classic diku error
117     else:
118         message = "Arglebargle, glop-glyf!?!"
119
120     # send the error message
121     actor.send(message)
122
123
124 def halt(actor, parameters):
125     """Halt the world."""
126     if actor.owner:
127
128         # see if there's a message or use a generic one
129         if parameters:
130             message = "Halting: " + parameters
131         else:
132             message = "User " + actor.owner.account.get(
133                 "name"
134             ) + " halted the world."
135
136         # let everyone know
137         mudpy.misc.broadcast(message, add_prompt=False)
138         mudpy.misc.log(message, 8)
139
140         # set a flag to terminate the world
141         actor.universe.terminate_flag = True
142
143
144 def help(actor, parameters):
145     """List available commands and provide help for commands."""
146
147     # did the user ask for help on a specific command word?
148     if parameters and actor.owner:
149
150         # is the command word one for which we have data?
151         if parameters in actor.universe.groups["command"]:
152             command = actor.universe.groups["command"][parameters]
153         else:
154             command = None
155
156         # only for allowed commands
157         if actor.can_run(command):
158
159             # add a description if provided
160             description = command.get("description")
161             if not description:
162                 description = "(no short description provided)"
163             if command.get("administrative"):
164                 output = "$(red)"
165             else:
166                 output = "$(grn)"
167             output += parameters + "$(nrm) - " + description + "$(eol)$(eol)"
168
169             # add the help text if provided
170             help_text = command.get("help")
171             if not help_text:
172                 help_text = "No help is provided for this command."
173             output += help_text
174
175             # list related commands
176             see_also = command.get("see_also")
177             if see_also:
178                 really_see_also = ""
179                 for item in see_also:
180                     if item in actor.universe.groups["command"]:
181                         command = actor.universe.groups["command"][item]
182                         if actor.can_run(command):
183                             if really_see_also:
184                                 really_see_also += ", "
185                             if command.get("administrative"):
186                                 really_see_also += "$(red)"
187                             else:
188                                 really_see_also += "$(grn)"
189                             really_see_also += item + "$(nrm)"
190                 if really_see_also:
191                     output += "$(eol)$(eol)See also: " + really_see_also
192
193         # no data for the requested command word
194         else:
195             output = "That is not an available command."
196
197     # no specific command word was indicated
198     else:
199
200         # give a sorted list of commands with descriptions if provided
201         output = "These are the commands available to you:$(eol)$(eol)"
202         sorted_commands = list(actor.universe.groups["command"].keys())
203         sorted_commands.sort()
204         for item in sorted_commands:
205             command = actor.universe.groups["command"][item]
206             if actor.can_run(command):
207                 description = command.get("description")
208                 if not description:
209                     description = "(no short description provided)"
210                 if command.get("administrative"):
211                     output += "   $(red)"
212                 else:
213                     output += "   $(grn)"
214                 output += item + "$(nrm) - " + description + "$(eol)"
215         output += ('$(eol)Enter "help COMMAND" for help on a command '
216                    'named "COMMAND".')
217
218     # send the accumulated output to the user
219     actor.send(output)
220
221
222 def look(actor, parameters):
223     """Look around."""
224     if parameters:
225         actor.send("You can't look at or in anything yet.")
226     else:
227         actor.look_at(actor.get("location"))
228
229
230 def move(actor, parameters):
231     """Move the avatar in a given direction."""
232     if parameters in actor.universe.contents[actor.get("location")].portals():
233         actor.move_direction(parameters)
234     else:
235         actor.send("You cannot go that way.")
236
237
238 def preferences(actor, parameters):
239     """List, view and change actor preferences."""
240     message = ""
241     arguments = parameters.split()
242     allowed_prefs = set()
243     user_config = actor.universe.contents.get("mudpy.user")
244     if user_config:
245         allowed_prefs.update(user_config.get("pref_allow", []))
246         if actor.owner.account.get("administrator"):
247             allowed_prefs.update(user_config.get("pref_admin", []))
248     if not arguments:
249         message += "These are your current preferences:"
250         for pref in allowed_prefs:
251             message += ("$(eol)   $(red)%s $(grn)%s$(nrm)"
252                         % (pref, actor.owner.account.get(pref)))
253     elif arguments[0] not in allowed_prefs:
254         message += (
255             'Preference "%s" does not exist. Try the `preferences` command by '
256             "itself for a list of valid preferences." % arguments[0])
257     elif len(arguments) == 1:
258         message += "%s" % actor.owner.account.get(arguments[0])
259     else:
260         pref = arguments[0]
261         value = " ".join(arguments[1:])
262         try:
263             actor.owner.account.set(pref, value)
264             message += 'Preference "%s" set to "%s".' % (pref, value)
265         except ValueError:
266             message = (
267                 'Preference "%s" cannot be set to type "%s".' % (
268                     pref, type(value)))
269     actor.send(message)
270
271
272 def quit(actor):
273     """Leave the world and go back to the main menu."""
274     if actor.owner:
275         actor.owner.state = "main_utility"
276         actor.owner.deactivate_avatar()
277
278
279 def reload(actor):
280     """Reload all code modules, configs and data."""
281     if actor.owner:
282
283         # let the user know and log
284         actor.send("Reloading all code modules, configs and data.")
285         mudpy.misc.log(
286             "User " +
287             actor.owner.account.get("name") + " reloaded the world.",
288             6
289         )
290
291         # set a flag to reload
292         actor.universe.reload_flag = True
293
294
295 def say(actor, parameters):
296     """Speak to others in the same area."""
297
298     # check for replacement macros and escape them
299     parameters = mudpy.misc.escape_macros(parameters)
300
301     # if the message is wrapped in quotes, remove them and leave contents
302     # intact
303     if parameters.startswith('"') and parameters.endswith('"'):
304         message = parameters[1:-1]
305         literal = True
306
307     # otherwise, get rid of stray quote marks on the ends of the message
308     else:
309         message = parameters.strip('''"'`''')
310         literal = False
311
312     # the user entered a message
313     if message:
314
315         # match the punctuation used, if any, to an action
316         if "mudpy.linguistic" in actor.universe.contents:
317             actions = actor.universe.contents[
318                 "mudpy.linguistic"].get("actions", {})
319             default_punctuation = (actor.universe.contents[
320                 "mudpy.linguistic"].get("default_punctuation", "."))
321         else:
322             actions = {}
323             default_punctuation = "."
324         action = ""
325
326         # reverse sort punctuation options so the longest match wins
327         for mark in sorted(actions.keys(), reverse=True):
328             if not literal and message.endswith(mark):
329                 action = actions[mark]
330                 break
331
332         # add punctuation if needed
333         if not action:
334             action = actions[default_punctuation]
335             if message and not (
336                literal or unicodedata.category(message[-1]) == "Po"
337                ):
338                 message += default_punctuation
339
340         # failsafe checks to avoid unwanted reformatting and null strings
341         if message and not literal:
342
343             # decapitalize the first letter to improve matching
344             message = message[0].lower() + message[1:]
345
346             # iterate over all words in message, replacing typos
347             if "mudpy.linguistic" in actor.universe.contents:
348                 typos = actor.universe.contents[
349                     "mudpy.linguistic"].get("typos", {})
350             else:
351                 typos = {}
352             words = message.split()
353             for index in range(len(words)):
354                 word = words[index]
355                 while unicodedata.category(word[0]) == "Po":
356                     word = word[1:]
357                 while unicodedata.category(word[-1]) == "Po":
358                     word = word[:-1]
359                 if word in typos.keys():
360                     words[index] = words[index].replace(word, typos[word])
361             message = " ".join(words)
362
363             # capitalize the first letter
364             message = message[0].upper() + message[1:]
365
366     # tell the area
367     if message:
368         actor.echo_to_location(
369             actor.get("name") + " " + action + 's, "' + message + '"'
370         )
371         actor.send("You " + action + ', "' + message + '"')
372
373     # there was no message
374     else:
375         actor.send("What do you want to say?")
376
377
378 def c_set(actor, parameters):
379     """Set a facet of an element."""
380     if not parameters:
381         message = "You must specify an element, a facet and a value."
382     else:
383         arguments = parameters.split(" ", 2)
384         if len(arguments) == 1:
385             message = ('What facet of element "' + arguments[0]
386                        + '" would you like to set?')
387         elif len(arguments) == 2:
388             message = ('What value would you like to set for the "' +
389                        arguments[1] + '" facet of the "' + arguments[0]
390                        + '" element?')
391         else:
392             element, facet, value = arguments
393             if element not in actor.universe.contents:
394                 message = 'The "' + element + '" element does not exist.'
395             else:
396                 try:
397                     actor.universe.contents[element].set(facet, value)
398                 except PermissionError:
399                     message = ('The "%s" element is kept in read-only file '
400                                '"%s" and cannot be altered.' %
401                                (element, actor.universe.contents[
402                                         element].origin.source))
403                 except ValueError:
404                     message = ('Value "%s" of type "%s" cannot be coerced '
405                                'to the correct datatype for facet "%s".' %
406                                (value, type(value), facet))
407                 else:
408                     message = ('You have successfully (re)set the "' + facet
409                                + '" facet of element "' + element
410                                + '". Try "show element ' +
411                                element + '" for verification.')
412     actor.send(message)
413
414
415 def show(actor, parameters):
416     """Show program data."""
417     message = ""
418     arguments = parameters.split()
419     if not parameters:
420         message = "What do you want to show?"
421     elif arguments[0] == "version":
422         message = repr(actor.universe.versions)
423     elif arguments[0] == "time":
424         message = actor.universe.groups["internal"]["counters"].get(
425             "elapsed"
426         ) + " increments elapsed since the world was created."
427     elif arguments[0] == "groups":
428         message = "These are the element groups:$(eol)"
429         groups = list(actor.universe.groups.keys())
430         groups.sort()
431         for group in groups:
432             message += "$(eol)   $(grn)" + group + "$(nrm)"
433     elif arguments[0] == "files":
434         message = "These are the current files containing the universe:$(eol)"
435         filenames = sorted(actor.universe.files)
436         for filename in filenames:
437             if actor.universe.files[filename].is_writeable():
438                 status = "rw"
439             else:
440                 status = "ro"
441             message += ("$(eol)   $(red)(%s) $(grn)%s$(nrm)" %
442                         (status, filename))
443             if actor.universe.files[filename].flags:
444                 message += (" $(yel)[%s]$(nrm)" %
445                             ",".join(actor.universe.files[filename].flags))
446     elif arguments[0] == "group":
447         if len(arguments) != 2:
448             message = "You must specify one group."
449         elif arguments[1] in actor.universe.groups:
450             message = ('These are the elements in the "' + arguments[1]
451                        + '" group:$(eol)')
452             elements = [
453                 (
454                     actor.universe.groups[arguments[1]][x].key
455                 ) for x in actor.universe.groups[arguments[1]].keys()
456             ]
457             elements.sort()
458             for element in elements:
459                 message += "$(eol)   $(grn)" + element + "$(nrm)"
460         else:
461             message = 'Group "' + arguments[1] + '" does not exist.'
462     elif arguments[0] == "file":
463         if len(arguments) != 2:
464             message = "You must specify one file."
465         elif arguments[1] in actor.universe.files:
466             message = ('These are the nodes in the "' + arguments[1]
467                        + '" file:$(eol)')
468             elements = sorted(actor.universe.files[arguments[1]].data)
469             for element in elements:
470                 message += "$(eol)   $(grn)" + element + "$(nrm)"
471         else:
472             message = 'File "%s" does not exist.' % arguments[1]
473     elif arguments[0] == "element":
474         if len(arguments) != 2:
475             message = "You must specify one element."
476         elif arguments[1].strip(".") in actor.universe.contents:
477             element = actor.universe.contents[arguments[1].strip(".")]
478             message = ('These are the properties of the "' + arguments[1]
479                        + '" element (in "' + element.origin.source
480                        + '"):$(eol)')
481             facets = element.facets()
482             for facet in sorted(facets):
483                 message += ("$(eol)   $(grn)%s: $(red)%s$(nrm)" %
484                             (facet, str(facets[facet])))
485         else:
486             message = 'Element "' + arguments[1] + '" does not exist.'
487     elif arguments[0] == "result":
488         if len(arguments) < 2:
489             message = "You need to specify an expression."
490         else:
491             try:
492                 message = repr(eval(" ".join(arguments[1:])))
493             except Exception as e:
494                 message = ("$(red)Your expression raised an exception...$(eol)"
495                            "$(eol)$(bld)%s$(nrm)" % e)
496     elif arguments[0] == "log":
497         if len(arguments) == 4:
498             if re.match(r"^\d+$", arguments[3]) and int(arguments[3]) >= 0:
499                 stop = int(arguments[3])
500             else:
501                 stop = -1
502         else:
503             stop = 0
504         if len(arguments) >= 3:
505             if re.match(r"^\d+$", arguments[2]) and int(arguments[2]) > 0:
506                 start = int(arguments[2])
507             else:
508                 start = -1
509         else:
510             start = 10
511         if len(arguments) >= 2:
512             if (re.match(r"^\d+$", arguments[1])
513                     and 0 <= int(arguments[1]) <= 9):
514                 level = int(arguments[1])
515             else:
516                 level = -1
517         elif 0 <= actor.owner.account.get("loglevel", 0) <= 9:
518             level = actor.owner.account.get("loglevel", 0)
519         else:
520             level = 1
521         if level > -1 and start > -1 and stop > -1:
522             message = mudpy.misc.get_loglines(level, start, stop)
523         else:
524             message = ("When specified, level must be 0-9 (default 1), "
525                        "start and stop must be >=1 (default 10 and 1).")
526     else:
527         message = '''I don't know what "''' + parameters + '" is.'
528     actor.send(message)