PyBitmessage/src/bmconfigparser.py

181 lines
6.2 KiB
Python
Raw Normal View History

2018-04-19 11:02:12 +00:00
"""
BMConfigParser class definition and default configuration settings
"""
import ConfigParser
import shutil
import os
2018-04-19 11:02:12 +00:00
from datetime import datetime
import state
2018-04-19 11:02:12 +00:00
from singleton import Singleton
BMConfigDefaults = {
"bitmessagesettings": {
"maxaddrperstreamsend": 500,
"maxbootstrapconnections": 20,
"maxdownloadrate": 0,
"maxoutboundconnections": 8,
"maxtotalconnections": 200,
"maxuploadrate": 0,
"apiinterface": "127.0.0.1",
"apiport": 8442
},
"threads": {
"receive": 3,
},
"network": {
"bind": '',
"dandelion": 90,
},
"inventory": {
"storage": "sqlite",
"acceptmismatch": False,
},
2017-06-24 10:17:01 +00:00
"knownnodes": {
"maxnodes": 20000,
},
"zlib": {
'maxsize': 1048576
}
}
2018-04-19 11:02:12 +00:00
@Singleton
class BMConfigParser(ConfigParser.SafeConfigParser):
"""
Singleton class inherited from :class:`ConfigParser.SafeConfigParser`
with additional methods specific to bitmessage config.
"""
2018-04-19 11:02:12 +00:00
_temp = {}
def set(self, section, option, value=None):
2016-12-06 10:01:17 +00:00
if self._optcre is self.OPTCRE or value:
if not isinstance(value, basestring):
raise TypeError("option values must be strings")
if not self.validate(section, option, value):
2018-04-19 11:02:12 +00:00
raise ValueError("Invalid value %s" % value)
return ConfigParser.ConfigParser.set(self, section, option, value)
2016-12-06 10:01:17 +00:00
2020-01-15 10:47:26 +00:00
def get(self, section, option, raw=False, variables=None):
# pylint: disable=arguments-differ
try:
if section == "bitmessagesettings" and option == "timeformat":
2018-04-19 11:02:12 +00:00
return ConfigParser.ConfigParser.get(
self, section, option, raw, variables)
try:
return self._temp[section][option]
except KeyError:
pass
2018-04-19 11:02:12 +00:00
return ConfigParser.ConfigParser.get(
self, section, option, True, variables)
except ConfigParser.InterpolationError:
2018-04-19 11:02:12 +00:00
return ConfigParser.ConfigParser.get(
self, section, option, True, variables)
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError) as e:
try:
return BMConfigDefaults[section][option]
except (KeyError, ValueError, AttributeError):
raise e
2016-12-06 10:01:17 +00:00
def setTemp(self, section, option, value=None):
"""Temporary set option to value, not saving."""
try:
self._temp[section][option] = value
except KeyError:
self._temp[section] = {option: value}
def safeGetBoolean(self, section, field):
2019-11-04 14:45:02 +00:00
"""Return value as boolean, False on exceptions"""
try:
return self.getboolean(section, field)
2018-04-19 11:02:12 +00:00
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError,
ValueError, AttributeError):
return False
def safeGetInt(self, section, field, default=0):
2019-11-04 14:45:02 +00:00
"""Return value as integer, default on exceptions, 0 if default missing"""
try:
return self.getint(section, field)
2018-04-19 11:02:12 +00:00
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError,
ValueError, AttributeError):
return default
2017-01-14 22:18:06 +00:00
2018-04-19 11:02:12 +00:00
def safeGet(self, section, option, default=None):
2019-11-04 14:45:02 +00:00
"""Return value as is, default on exceptions, None if default missing"""
try:
return self.get(section, option)
2018-04-19 11:02:12 +00:00
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError,
ValueError, AttributeError):
return default
2020-01-15 10:47:26 +00:00
def items(self, section, raw=False, variables=None):
2019-11-04 14:45:02 +00:00
"""Return section variables as parent, but override the "raw" argument to always True"""
2020-01-15 10:47:26 +00:00
# pylint: disable=arguments-differ
2017-06-24 10:13:35 +00:00
return ConfigParser.ConfigParser.items(self, section, True, variables)
2016-12-06 10:01:17 +00:00
2019-11-04 14:45:02 +00:00
@staticmethod
def addresses():
"""Return a list of local bitmessage addresses (from section labels)"""
return [
x for x in BMConfigParser().sections() if x.startswith('BM-')]
def read(self, filenames):
ConfigParser.ConfigParser.read(self, filenames)
for section in self.sections():
for option in self.options(section):
try:
2018-04-19 11:02:12 +00:00
if not self.validate(
section, option,
ConfigParser.ConfigParser.get(self, section, option)
):
try:
newVal = BMConfigDefaults[section][option]
except KeyError:
continue
2018-04-19 11:02:12 +00:00
ConfigParser.ConfigParser.set(
self, section, option, newVal)
except ConfigParser.InterpolationError:
continue
def save(self):
2019-11-04 14:45:02 +00:00
"""Save the runtime config onto the filesystem"""
fileName = os.path.join(state.appdata, 'keys.dat')
2018-04-19 11:02:12 +00:00
fileNameBak = '.'.join([
fileName, datetime.now().strftime("%Y%j%H%M%S%f"), 'bak'])
# create a backup copy to prevent the accidental loss due to
# the disk write failure
try:
shutil.copyfile(fileName, fileNameBak)
# The backup succeeded.
fileNameExisted = True
except (IOError, Exception):
2018-04-19 11:02:12 +00:00
# The backup failed. This can happen if the file
# didn't exist before.
fileNameExisted = False
# write the file
with open(fileName, 'wb') as configfile:
self.write(configfile)
# delete the backup
if fileNameExisted:
os.remove(fileNameBak)
def validate(self, section, option, value):
2019-11-04 14:45:02 +00:00
"""Input validator interface (using factory pattern)"""
try:
2018-04-19 11:02:12 +00:00
return getattr(self, 'validate_%s_%s' % (section, option))(value)
except AttributeError:
return True
2019-11-04 14:45:02 +00:00
@staticmethod
def validate_bitmessagesettings_maxoutboundconnections(value):
"""Reject maxoutboundconnections that are too high or too low"""
try:
value = int(value)
except ValueError:
return False
if value < 0 or value > 8:
return False
return True