forked from spyder-ide/spyder
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathuserconfig.py
449 lines (410 loc) · 17.2 KB
/
userconfig.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
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
# -*- coding: utf-8 -*-
#
# Copyright © 2009-2013 Pierre Raybaut
# Copyright © 2014-2015 The Spyder Development Team
# Licensed under the terms of the MIT License
# (see spyderlib/__init__.py for details)
"""
This module provides user configuration file management features for Spyder
It's based on the ConfigParser module (present in the standard library).
"""
from __future__ import print_function
# Std imports
import os
import re
import os.path as osp
import shutil
import time
# Local imports
from spyderlib import __version__
from spyderlib.baseconfig import (DEV, TEST, get_module_source_path,
get_home_dir)
from spyderlib.utils.programs import check_version
from spyderlib.py3compat import configparser as cp
from spyderlib.py3compat import PY2, is_text_string, to_text_string
# Std imports for Python 2
if PY2:
import codecs
#==============================================================================
# Auxiliary classes
#==============================================================================
class NoDefault:
pass
#==============================================================================
# Defaults class
#==============================================================================
class DefaultsConfig(cp.ConfigParser):
"""
Class used to save defaults to a file and as base class for
UserConfig
"""
def __init__(self, name, subfolder):
cp.ConfigParser.__init__(self)
self.name = name
self.subfolder = subfolder
def _write(self, fp):
"""
Private write method for Python 2
The one from configparser fails for non-ascii Windows accounts
"""
if self._defaults:
fp.write("[%s]\n" % cp.DEFAULTSECT)
for (key, value) in self._defaults.items():
fp.write("%s = %s\n" % (key, str(value).replace('\n', '\n\t')))
fp.write("\n")
for section in self._sections:
fp.write("[%s]\n" % section)
for (key, value) in self._sections[section].items():
if key == "__name__":
continue
if (value is not None) or (self._optcre == self.OPTCRE):
value = to_text_string(value)
key = " = ".join((key, value.replace('\n', '\n\t')))
fp.write("%s\n" % (key))
fp.write("\n")
def _set(self, section, option, value, verbose):
"""
Private set method
"""
if not self.has_section(section):
self.add_section( section )
if not is_text_string(value):
value = repr( value )
if verbose:
print('%s[ %s ] = %s' % (section, option, value))
cp.ConfigParser.set(self, section, option, value)
def _save(self):
"""
Save config into the associated .ini file
"""
# See Issue 1086 and 1242 for background on why this
# method contains all the exception handling.
fname = self.filename()
def _write_file(fname):
if PY2:
# Python 2
with codecs.open(fname, 'w', encoding='utf-8') as configfile:
self._write(configfile)
else:
# Python 3
with open(fname, 'w', encoding='utf-8') as configfile:
self.write(configfile)
try: # the "easy" way
_write_file(fname)
except IOError:
try: # the "delete and sleep" way
if osp.isfile(fname):
os.remove(fname)
time.sleep(0.05)
_write_file(fname)
except Exception as e:
print("Failed to write user configuration file.")
print("Please submit a bug report.")
raise(e)
def filename(self):
"""
Create a .ini filename located in user home directory
"""
if TEST is None:
folder = get_home_dir()
else:
import tempfile
folder = tempfile.gettempdir()
w_dot = osp.join(folder, '.%s.ini' % self.name)
if self.subfolder is None:
return w_dot
else:
folder = osp.join(folder, self.subfolder)
w_dot = osp.join(folder, '.%s.ini' % self.name)
# Save defaults in a "defaults" dir of .spyder2 to not pollute it
if 'defaults' in self.name:
folder = osp.join(folder, 'defaults')
try:
# Copying old config dir for Spyder 3.0. The new config
# dir for 3.0+ is going to be simply ~/.spyder{-py3}
if __version__.split('.')[0] == '3':
if PY2:
old_confdir = '.spyder2'
else:
old_confdir = '.spyder2-py3'
old_confdir = osp.join(get_home_dir(), old_confdir)
new_confdir = osp.join(get_home_dir(), self.subfolder)
if osp.isdir(old_confdir) and not osp.isdir(new_confdir):
shutil.copytree(old_confdir, new_confdir)
else:
os.makedirs(folder)
else:
os.makedirs(folder)
except os.error:
# Folder (or one of its parents) already exists
pass
old, new = w_dot, osp.join(folder, '%s.ini' % self.name)
if osp.isfile(old) and DEV is None:
try:
if osp.isfile(new):
os.remove(old)
else:
os.rename(old, new)
except OSError:
pass
return new
def set_defaults(self, defaults):
for section, options in defaults:
for option in options:
new_value = options[ option ]
self._set(section, option, new_value, False)
#==============================================================================
# User config class
#==============================================================================
class UserConfig(DefaultsConfig):
"""
UserConfig class, based on ConfigParser
name: name of the config
defaults: dictionnary containing options
*or* list of tuples (section_name, options)
version: version of the configuration file (X.Y.Z format)
subfolder: configuration file will be saved in %home%/subfolder/%name%.ini
Note that 'get' and 'set' arguments number and type
differ from the overriden methods
"""
DEFAULT_SECTION_NAME = 'main'
def __init__(self, name, defaults=None, load=True, version=None,
subfolder=None, backup=False, raw_mode=False,
remove_obsolete=False):
DefaultsConfig.__init__(self, name, subfolder)
self.raw = 1 if raw_mode else 0
if (version is not None) and (re.match('^(\d+).(\d+).(\d+)$', version) is None):
raise ValueError("Version number %r is incorrect - must be in X.Y.Z format" % version)
if isinstance(defaults, dict):
defaults = [ (self.DEFAULT_SECTION_NAME, defaults) ]
self.defaults = defaults
if defaults is not None:
self.reset_to_defaults(save=False)
fname = self.filename()
if backup:
try:
shutil.copyfile(fname, "%s.bak" % fname)
except IOError:
pass
if load:
# If config file already exists, it overrides Default options:
self.load_from_ini()
old_ver = self.get_version(version)
_major = lambda _t: _t[:_t.find('.')]
_minor = lambda _t: _t[:_t.rfind('.')]
# Save new defaults
self.__save_new_defaults(defaults, version, subfolder)
# Updating defaults only if major/minor version is different
if _minor(version) != _minor(old_ver):
if backup:
try:
shutil.copyfile(fname, "%s-%s.bak" % (fname, old_ver))
except IOError:
pass
if check_version(old_ver, '2.4.0', '<'):
self.reset_to_defaults(save=False)
else:
self.__update_defaults(defaults, old_ver)
# Remove deprecated options if major version has changed
if remove_obsolete or _major(version) != _major(old_ver):
self.__remove_deprecated_options(old_ver)
# Set new version number
self.set_version(version, save=False)
if defaults is None:
# If no defaults are defined, set .ini file settings as default
self.set_as_defaults()
def get_version(self, version='0.0.0'):
"""Return configuration (not application!) version"""
return self.get(self.DEFAULT_SECTION_NAME, 'version', version)
def set_version(self, version='0.0.0', save=True):
"""Set configuration (not application!) version"""
self.set(self.DEFAULT_SECTION_NAME, 'version', version, save=save)
def load_from_ini(self):
"""
Load config from the associated .ini file
"""
try:
if PY2:
# Python 2
fname = self.filename()
if osp.isfile(fname):
try:
with codecs.open(fname, encoding='utf-8') as configfile:
self.readfp(configfile)
except IOError:
print("Failed reading file", fname)
else:
# Python 3
self.read(self.filename(), encoding='utf-8')
except cp.MissingSectionHeaderError:
print("Warning: File contains no section headers.")
def __load_old_defaults(self, old_version):
"""Read old defaults"""
old_defaults = cp.ConfigParser()
if check_version(old_version, '3.0.0', '<='):
path = get_module_source_path('spyderlib')
else:
path = osp.dirname(self.filename())
path = osp.join(path, 'defaults')
old_defaults.read(osp.join(path, 'defaults-'+old_version+'.ini'))
return old_defaults
def __save_new_defaults(self, defaults, new_version, subfolder):
"""Save new defaults"""
new_defaults = DefaultsConfig(name='defaults-'+new_version,
subfolder=subfolder)
if not osp.isfile(new_defaults.filename()):
new_defaults.set_defaults(defaults)
new_defaults._save()
def __update_defaults(self, defaults, old_version, verbose=False):
"""Update defaults after a change in version"""
old_defaults = self.__load_old_defaults(old_version)
for section, options in defaults:
for option in options:
new_value = options[ option ]
try:
old_value = old_defaults.get(section, option)
except (cp.NoSectionError, cp.NoOptionError):
old_value = None
if old_value is None or \
to_text_string(new_value) != old_value:
self._set(section, option, new_value, verbose)
def __remove_deprecated_options(self, old_version):
"""
Remove options which are present in the .ini file but not in defaults
"""
old_defaults = self.__load_old_defaults(old_version)
for section in old_defaults.sections():
for option, _ in old_defaults.items(section, raw=self.raw):
if self.get_default(section, option) is NoDefault:
self.remove_option(section, option)
if len(self.items(section, raw=self.raw)) == 0:
self.remove_section(section)
def cleanup(self):
"""
Remove .ini file associated to config
"""
os.remove(self.filename())
def set_as_defaults(self):
"""
Set defaults from the current config
"""
self.defaults = []
for section in self.sections():
secdict = {}
for option, value in self.items(section, raw=self.raw):
secdict[option] = value
self.defaults.append( (section, secdict) )
def reset_to_defaults(self, save=True, verbose=False, section=None):
"""
Reset config to Default values
"""
for sec, options in self.defaults:
if section == None or section == sec:
for option in options:
value = options[ option ]
self._set(sec, option, value, verbose)
if save:
self._save()
def __check_section_option(self, section, option):
"""
Private method to check section and option types
"""
if section is None:
section = self.DEFAULT_SECTION_NAME
elif not is_text_string(section):
raise RuntimeError("Argument 'section' must be a string")
if not is_text_string(option):
raise RuntimeError("Argument 'option' must be a string")
return section
def get_default(self, section, option):
"""
Get Default value for a given (section, option)
-> useful for type checking in 'get' method
"""
section = self.__check_section_option(section, option)
for sec, options in self.defaults:
if sec == section:
if option in options:
return options[ option ]
else:
return NoDefault
def get(self, section, option, default=NoDefault):
"""
Get an option
section=None: attribute a default section name
default: default value (if not specified, an exception
will be raised if option doesn't exist)
"""
section = self.__check_section_option(section, option)
if not self.has_section(section):
if default is NoDefault:
raise cp.NoSectionError(section)
else:
self.add_section(section)
if not self.has_option(section, option):
if default is NoDefault:
raise cp.NoOptionError(option, section)
else:
self.set(section, option, default)
return default
value = cp.ConfigParser.get(self, section, option, raw=self.raw)
default_value = self.get_default(section, option)
if isinstance(default_value, bool):
value = eval(value)
elif isinstance(default_value, float):
value = float(value)
elif isinstance(default_value, int):
value = int(value)
else:
if PY2 and is_text_string(default_value):
try:
value = value.decode('utf-8')
except (UnicodeEncodeError, UnicodeDecodeError):
pass
try:
# lists, tuples, ...
value = eval(value)
except:
pass
return value
def set_default(self, section, option, default_value):
"""
Set Default value for a given (section, option)
-> called when a new (section, option) is set and no default exists
"""
section = self.__check_section_option(section, option)
for sec, options in self.defaults:
if sec == section:
options[ option ] = default_value
def set(self, section, option, value, verbose=False, save=True):
"""
Set an option
section=None: attribute a default section name
"""
section = self.__check_section_option(section, option)
default_value = self.get_default(section, option)
if default_value is NoDefault:
# This let us save correctly string value options with
# no config default that contain non-ascii chars in
# Python 2
if PY2 and is_text_string(value):
value = repr(value)
default_value = value
self.set_default(section, option, default_value)
if isinstance(default_value, bool):
value = bool(value)
elif isinstance(default_value, float):
value = float(value)
elif isinstance(default_value, int):
value = int(value)
elif not is_text_string(default_value):
value = repr(value)
self._set(section, option, value, verbose)
if save:
self._save()
def remove_section(self, section):
cp.ConfigParser.remove_section(self, section)
self._save()
def remove_option(self, section, option):
cp.ConfigParser.remove_option(self, section, option)
self._save()