-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathplugin.py
172 lines (149 loc) · 7.06 KB
/
plugin.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
"""
Contains the Plugin base class, which allows developers to create their own plugins.
The Plugin class should be inherited from, rather than used as-is.
"""
import curses
import typing_extensions
from typing import Callable, Type, Any
import inspect
from custom_types import CommandType, OptionType
# Imports the main.py file. If another file is used as top-level import, the program will crash.
import __main__
if hasattr(__main__, "App"):
AppType = Type[__main__.App]
else:
AppType = Any
class Plugin:
_next_pair_number = 10
def __init__(self, app: AppType, suppress_warnings: bool = False):
self.app: AppType = app # An instance of the app
self.plugin_name: str = "" # The name of the plugin
self.config: dict = {} # The config data of the plugin
self.translations: dict = {} # The translations of your app
self.was_initialized: bool = False # Whether the init() method was called. If True, will not call the method. If False, will turn to True upon call of init().
# Checks whether the class is a singleton, and raises a warning if it is not
if f"_{type(self).__name__}__singleton" not in dir(type(self)) and not suppress_warnings:
print(f"WARNING: Plugin {type(self).__name__} is not a singleton ! Are you sure it is intended to be this way ?")
def init(self):
"""
Called when loading the plugin.
"""
pass
def update_on_syntax_highlight(self, line: str, splitted_line: list, i: int):
"""
Gets called every frame, right after the syntax highlighting of the current line is complete.
Gets called n times each frame, where n is the amount of lines in the program.
"""
pass
def update_on_keypress(self, key: str):
"""
Gets called right after the user presses a non-command/non-special key.
:param key: The key pressed by the user.
"""
pass
def update_on_compilation(self, final_compiled_code: str, compilation_type: str):
"""
Gets called at the end of a compilation.
:param final_compiled_code: The compiled code.
:param compilation_type: The language in which the code was compiled. Can be either "cpp" or "algo".
"""
pass
def on_crash(self):
"""
Gets called in case of a crash. Lets the plugin do some work in order to save necessary or important data.
"""
pass
def fixed_update(self):
"""
Gets called every frame. Avoid using if unnecessary.
WARNING: Both `getch()` and `getkey()` will be non-blocking functions !
"""
pass
def translate(self, *keys: str, language: str = None, **format_keys) -> str:
"""
Gives you the translation of the string found at the key with the given language.
If language is None, the app's language will be used.
:param keys: The keys to the translation.
:param language: The language to be used to translate. If None (default), the app's language.
:param format_keys: Parameters that would be used in the str.format() method.
:return: The translated string.
:exception KeyError: If the specified keys are not found in both the specified/default language and english,
a KeyError is raised.
"""
# Tries to reach the correct translation
try:
# Loads the translation in the given language
string = self.translations[self.app.language if language is None else language]
# Loads, key by key, the contents of the translation
for key in keys:
string = string[key]
# If anything happens, we fall back to english.
except KeyError:
if language != "en":
string = self.translate(*keys, language="en")
else:
raise KeyError(f"Translation for {keys} not found !")
# We format the string based on the given format_keys
if format_keys:
string = string.format(**format_keys)
# We return the given string
return string
def add_command(self, character: str, function: Callable[[], Any], description: str, hidden: bool = False):
"""
Adds a command to the app.
:param character: The character triggering the command. It is highly recommended to make it no more than one character.
:param function: The function called on command trigger.
:param description: A very short description of the command shown to the user (less than 20 characters).
:param hidden: Whether the command should be hidden (only displayed in the commands list, and not the bottom of
the screen). False by default.
"""
# If a command with the same prefix exists, it replaces it
self.app.commands[character] = CommandType(function, description, hidden)
def add_option(self, name: str, current_value: Callable[[], Any], callback: Callable[[], Any]):
"""
Adds a new option to the app that the user can access from the options command.
:param name: The name of the config option (preferably translated), as indicative as possible.
:param current_value: A callback function returning the current value of the config option, generally a lambda.
:param callback: A function to be called when the user chooses to change the config for the new option.
"""
# If a command with the same prefix exists, it replaces it
self.app.options_list.append(OptionType(name, current_value, callback))
def create_pair(self, fg: int, bg: int) -> int:
"""
Creates a new color pair with the given colors, and returns its ID. UNAVAILABLE IN __init__ !
:param fg: A curses color.
:param bg: A curses color.
:return: The ID of the color pair.
:exception SyntaxError: A SyntaxError is raised if called from the function's __init__ method.
"""
if inspect.stack()[1].function == "__init__": # If the method's caller is an __init__ method, we error out
raise SyntaxError("Cannot call 'create_pair' in an __init__() method ! Try the init() method instead.")
curses.init_pair(Plugin._next_pair_number, fg, bg)
Plugin._next_pair_number += 1
return Plugin._next_pair_number - 1
def get_config(self, key: str, default: Any) -> Any:
"""
Returns the element of the config at the given key.
If 'key' does not exist in config, sets the value of 'key' to the given 'default' and returns
'default'.
This method CANNOT BE USED IN __INIT__ !
:param key: The key of the config element you want to get.
:param default: The value to assign to 'key' and return if 'key' is not in the config.
:return: The value of the config at the given key, or the value of 'default' if 'key' is not in the config.
:exception SyntaxError: A SyntaxError is raised if called from the function's __init__ method.
"""
if inspect.stack()[1].function == "__init__": # If the method's caller is an __init__ method, we error out
raise SyntaxError("Cannot call 'get_config' in an __init__() method ! Try the init() method instead.")
if key not in self.config:
self.config[key] = default
return self.config[key]
def bind_control(self, letter: str, command_prefix: str) -> None:
"""
Binds a command to a control keybind.
:param letter: A single letter for the CTRL keybind.
:param command_prefix: The prefix for the command to bind.
:exception SyntaxError: If letter is different than one character, raises a SyntaxError.
"""
if len(letter) != 1:
raise SyntaxError(f"Control bind letter should only be one character, not {letter} ({len(letter)} characters)")
self.app.command_bind_controls[letter] = command_prefix