-
-
Notifications
You must be signed in to change notification settings - Fork 186
/
Copy pathPreferences.py
275 lines (213 loc) · 10.4 KB
/
Preferences.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
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
# Copyright (c) 2018 Ultimaker B.V.
# Uranium is released under the terms of the LGPLv3 or higher.
import configparser
from typing import Any, Callable, Dict, IO, Optional, Tuple, Union
from UM.Logger import Logger
from UM.MimeTypeDatabase import MimeTypeDatabase, MimeType #To register the MIME type of the preference file.
from UM.SaveFile import SaveFile
from UM.Signal import Signal, signalemitter
MimeTypeDatabase.addMimeType(
MimeType(
name = "application/x-uranium-preferences",
comment = "Uranium Preferences File",
suffixes = ["cfg"],
preferred_suffix = "cfg"
)
)
@signalemitter
class Preferences:
"""Preferences are application based settings that are saved for future use.
Typical preferences would be window size, standard machine, etc.
The application preferences can be gotten from the getPreferences() function in Application
"""
Version = 7
def __init__(self) -> None:
super().__init__()
self._parser = None # type: Optional[configparser.ConfigParser]
self._preferences = {} # type: Dict[str, Dict[str, _Preference]]
self._untrusted_preferences: Dict[(str, str), Callable] = {}
def indicateUntrustedPreference(self, group: str, key: str, eval_func: Callable[[str], bool]) -> None:
"""Indicates that the value of this setting should be evaluated before acceptance, and otherwise not loaded."""
self._untrusted_preferences[(group, key)] = eval_func
# While this method should preferably have run before any load from file, also handle a call afterwards.
if group in self._preferences and key in self._preferences[group]:
if not eval_func(self._preferences[group][key]):
self._preferences[group][key].setValue(self._preferences[group][key].getDefault())
self.preferenceChanged.emit(group + "/" + key)
def addPreference(self, key: str, default_value: Any) -> None:
"""Add a new preference to the list.
If the preference was already added, it's default is set to whatever is provided
"""
if key.count("/") != 1:
raise Exception("Preferences must be in the [CATEGORY]/[KEY] format")
preference = self._findPreference(key)
if preference:
self.setDefault(key, default_value)
return
group, key = self._splitKey(key)
if group not in self._preferences:
self._preferences[group] = {}
self._preferences[group][key] = _Preference(key, default_value)
def removePreference(self, key: str) -> None:
preference = self._findPreference(key)
if preference is None:
Logger.log("i", "Preferences '%s' doesn't exist, nothing to remove.", key)
return
group, key = self._splitKey(key)
del self._preferences[group][key]
Logger.log("i", "Preferences '%s' removed.", key)
def setDefault(self, key: str, default_value: Any) -> None:
"""Changes the default value of a preference.
If the preference is currently set to the old default, the value of the
preference will be set to the new default.
:param key: The key of the preference to set the default of.
:param default_value: The new default value of the preference.
"""
preference = self._findPreference(key)
if not preference: # Key not found.
Logger.log("w", "Tried to set the default value of non-existing setting %s.", key)
return
if preference.getValue() == preference.getDefault():
self.setValue(key, default_value)
preference.setDefault(default_value)
def setValue(self, key: str, value: Any) -> None:
preference = self._findPreference(key)
if preference:
if preference.getValue() != value:
preference.setValue(value)
self.preferenceChanged.emit(key)
else:
Logger.log("w", "Tried to set the value of non-existing setting %s.", key)
def getValue(self, key: str) -> Any:
preference = self._findPreference(key)
if preference:
value = preference.getValue()
if value == "True":
value = True
elif value == "False":
value = False
return value
Logger.log("w", "Tried to get the value of non-existing setting %s.", key)
return None
def resetPreference(self, key: str) -> None:
preference = self._findPreference(key)
if preference:
if preference.getValue() != preference.getDefault():
preference.setValue(preference.getDefault())
self.preferenceChanged.emit(key)
else:
Logger.log("w", "Tried to reset unknown setting %s", key)
def readFromFile(self, file: Union[str, IO[str]]) -> None:
self._loadFile(file)
self.__initializeSettings()
def __initializeSettings(self) -> None:
if self._parser is None:
Logger.log("w", "Read the preferences file before initializing settings!")
return
for group, group_entries in self._parser.items():
if group == "DEFAULT":
continue
if group not in self._preferences:
self._preferences[group] = {}
for key, value in group_entries.items():
if key not in self._preferences[group]:
self._preferences[group][key] = _Preference(key)
if (group, key) in self._untrusted_preferences and not self._untrusted_preferences[(group, key)](value):
continue
self._preferences[group][key].setValue(value)
self.preferenceChanged.emit("{0}/{1}".format(group, key))
def writeToFile(self, file: Union[str, IO[str]]) -> None:
parser = configparser.ConfigParser(interpolation = None) #pylint: disable=bad-whitespace
for group, group_entries in self._preferences.items():
parser[group] = {}
for key, pref in group_entries.items():
if pref.getValue() != pref.getDefault():
parser[group][key] = str(pref.getValue())
parser["general"]["version"] = str(Preferences.Version)
try:
if hasattr(file, "read"): # If it already is a stream like object, write right away
parser.write(file) #type: ignore #Can't convince MyPy that it really is an IO object now.
else:
with SaveFile(file, "wt") as save_file:
parser.write(save_file)
except Exception as e:
Logger.log("e", "Failed to write preferences to %s: %s", file, str(e))
# A lot of things listen in on the preference changed signal, so always queue it for the next frame.
preferenceChanged = Signal(Signal.Queued)
def _splitKey(self, key: str) -> Tuple[str, str]:
group = "general"
key = key
if "/" in key:
parts = key.split("/")
group = parts[0]
key = parts[1]
return group, key
def _findPreference(self, key: str) -> Optional[Any]:
group, key = self._splitKey(key)
if group in self._preferences:
if key in self._preferences[group]:
return self._preferences[group][key]
return None
def _loadFile(self, file: Union[str, IO[str]]) -> None:
try:
self._parser = configparser.ConfigParser(interpolation = None) #pylint: disable=bad-whitespace
if hasattr(file, "read"):
self._parser.read_file(file)
else:
self._parser.read(file, encoding = "utf-8")
if self._parser["general"]["version"] != str(Preferences.Version):
Logger.log("w", "Old config file found, ignoring")
self._parser = None
return
except Exception:
Logger.logException("e", "An exception occurred while trying to read preferences file")
self._parser = None
return
del self._parser["general"]["version"]
def deserialize(self, serialized: str) -> None:
"""Extract data from string and store it in the Configuration parser."""
updated_preferences = self.__updateSerialized(serialized)
self._parser = configparser.ConfigParser(interpolation = None)
try:
self._parser.read_string(updated_preferences)
except (configparser.MissingSectionHeaderError, configparser.DuplicateOptionError, configparser.DuplicateSectionError, configparser.ParsingError, configparser.InterpolationError) as e:
Logger.log("w", "Could not deserialize preferences file: {error}".format(error = str(e)))
self._parser = None
return
has_version = "general" in self._parser and "version" in self._parser["general"]
if has_version:
if self._parser["general"]["version"] != str(Preferences.Version):
Logger.log("w", "Could not deserialize preferences from loaded project")
self._parser = None
return
else:
return
self.__initializeSettings()
def __updateSerialized(self, serialized: str) -> str:
"""Updates the given serialized data to the latest version."""
configuration_type = "preferences"
try:
from UM.VersionUpgradeManager import VersionUpgradeManager
version = VersionUpgradeManager.getInstance().getFileVersion(configuration_type, serialized)
if version is not None:
result = VersionUpgradeManager.getInstance().updateFilesData(configuration_type, version, [serialized], [""])
if result is not None:
serialized = result.files_data[0]
except:
Logger.logException("d", "An exception occurred while trying to update the preferences.")
return serialized
class _Preference:
def __init__(self, name: str, default: Any = None, value: Any = None) -> None:
self._name = name
self._default = default
self._value = default if value is None else value
def getName(self) -> str:
return self._name
def getValue(self) -> Any:
return self._value
def getDefault(self) -> Any:
return self._default
def setDefault(self, default: Any) -> None:
self._default = default
def setValue(self, value: Any) -> None:
self._value = value