Config file defaults and address unification
- bmconfigpaser.py now allows to put default values for a specific option in the file - addresses as sections are now detected by "BM-" rather than just ignoring bitmessagesettings. There can now be other sections with a cleaner config file
This commit is contained in:
parent
660997f8e7
commit
9f4a1fa0a4
|
@ -169,9 +169,7 @@ class MySimpleXMLRPCRequestHandler(SimpleXMLRPCRequestHandler):
|
||||||
|
|
||||||
def HandleListAddresses(self, method):
|
def HandleListAddresses(self, method):
|
||||||
data = '{"addresses":['
|
data = '{"addresses":['
|
||||||
configSections = BMConfigParser().sections()
|
for addressInKeysFile in BMConfigParser().addresses():
|
||||||
for addressInKeysFile in configSections:
|
|
||||||
if addressInKeysFile != 'bitmessagesettings':
|
|
||||||
status, addressVersionNumber, streamNumber, hash01 = decodeAddress(
|
status, addressVersionNumber, streamNumber, hash01 = decodeAddress(
|
||||||
addressInKeysFile)
|
addressInKeysFile)
|
||||||
if len(data) > 20:
|
if len(data) > 20:
|
||||||
|
|
|
@ -1024,9 +1024,8 @@ def run(stdscr):
|
||||||
curses.init_pair(9, curses.COLOR_YELLOW, curses.COLOR_BLACK) # orangish
|
curses.init_pair(9, curses.COLOR_YELLOW, curses.COLOR_BLACK) # orangish
|
||||||
|
|
||||||
# Init list of address in 'Your Identities' tab
|
# Init list of address in 'Your Identities' tab
|
||||||
configSections = BMConfigParser().sections()
|
configSections = BMConfigParser().addressses()
|
||||||
for addressInKeysFile in configSections:
|
for addressInKeysFile in configSections:
|
||||||
if addressInKeysFile != "bitmessagesettings":
|
|
||||||
isEnabled = BMConfigParser().getboolean(addressInKeysFile, "enabled")
|
isEnabled = BMConfigParser().getboolean(addressInKeysFile, "enabled")
|
||||||
addresses.append([BMConfigParser().get(addressInKeysFile, "label"), isEnabled, addressInKeysFile])
|
addresses.append([BMConfigParser().get(addressInKeysFile, "label"), isEnabled, addressInKeysFile])
|
||||||
# Set address color
|
# Set address color
|
||||||
|
|
|
@ -13,7 +13,7 @@ from utils import str_broadcast_subscribers
|
||||||
import time
|
import time
|
||||||
|
|
||||||
def getSortedAccounts():
|
def getSortedAccounts():
|
||||||
configSections = filter(lambda x: x != 'bitmessagesettings', BMConfigParser().sections())
|
configSections = BMConfigParser().addresses()
|
||||||
configSections.sort(cmp =
|
configSections.sort(cmp =
|
||||||
lambda x,y: cmp(unicode(BMConfigParser().get(x, 'label'), 'utf-8').lower(), unicode(BMConfigParser().get(y, 'label'), 'utf-8').lower())
|
lambda x,y: cmp(unicode(BMConfigParser().get(x, 'label'), 'utf-8').lower(), unicode(BMConfigParser().get(y, 'label'), 'utf-8').lower())
|
||||||
)
|
)
|
||||||
|
|
|
@ -6,6 +6,17 @@ import os
|
||||||
from singleton import Singleton
|
from singleton import Singleton
|
||||||
import state
|
import state
|
||||||
|
|
||||||
|
BMConfigDefaults = {
|
||||||
|
"bitmessagesettings": {
|
||||||
|
"maxaddrperstreamsend": 500,
|
||||||
|
"maxbootstrapconnections": 20,
|
||||||
|
"maxoutboundconnections": 8,
|
||||||
|
"maxtotalconnections": 200,
|
||||||
|
},
|
||||||
|
"zlib": {
|
||||||
|
'maxsize': 1048576
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
@Singleton
|
@Singleton
|
||||||
class BMConfigParser(ConfigParser.SafeConfigParser):
|
class BMConfigParser(ConfigParser.SafeConfigParser):
|
||||||
|
@ -21,33 +32,38 @@ class BMConfigParser(ConfigParser.SafeConfigParser):
|
||||||
return ConfigParser.ConfigParser.get(self, section, option, raw, vars)
|
return ConfigParser.ConfigParser.get(self, section, option, raw, vars)
|
||||||
except ConfigParser.InterpolationError:
|
except ConfigParser.InterpolationError:
|
||||||
return ConfigParser.ConfigParser.get(self, section, option, True, vars)
|
return ConfigParser.ConfigParser.get(self, section, option, True, vars)
|
||||||
|
try:
|
||||||
return ConfigParser.ConfigParser.get(self, section, option, True, vars)
|
return ConfigParser.ConfigParser.get(self, section, option, True, vars)
|
||||||
|
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError) as e:
|
||||||
|
try:
|
||||||
|
return BMConfigDefaults[section][option]
|
||||||
|
except KeyError:
|
||||||
|
raise e
|
||||||
|
|
||||||
def safeGetBoolean(self, section, field):
|
def safeGetBoolean(self, section, field):
|
||||||
if self.has_option(section, field):
|
|
||||||
try:
|
try:
|
||||||
return self.getboolean(section, field)
|
return self.getboolean(section, field)
|
||||||
except ValueError:
|
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError, ValueError):
|
||||||
return False
|
|
||||||
return False
|
return False
|
||||||
|
|
||||||
def safeGetInt(self, section, field, default=0):
|
def safeGetInt(self, section, field, default=0):
|
||||||
if self.has_option(section, field):
|
|
||||||
try:
|
try:
|
||||||
return self.getint(section, field)
|
return self.getint(section, field)
|
||||||
except ValueError:
|
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError, ValueError):
|
||||||
return default
|
|
||||||
return default
|
return default
|
||||||
|
|
||||||
def safeGet(self, section, option, default = None):
|
def safeGet(self, section, option, default = None):
|
||||||
if self.has_option(section, option):
|
try:
|
||||||
return self.get(section, option)
|
return self.get(section, option)
|
||||||
else:
|
except (ConfigParser.NoSectionError, ConfigParser.NoOptionError, ValueError):
|
||||||
return default
|
return default
|
||||||
|
|
||||||
def items(self, section, raw=False, vars=None):
|
def items(self, section, raw=False, vars=None):
|
||||||
return ConfigParser.ConfigParser.items(self, section, True, vars)
|
return ConfigParser.ConfigParser.items(self, section, True, vars)
|
||||||
|
|
||||||
|
def addresses(self):
|
||||||
|
return filter(lambda x: x.startswith('BM-'), BMConfigParser().sections())
|
||||||
|
|
||||||
def save(self):
|
def save(self):
|
||||||
fileName = os.path.join(state.appdata, 'keys.dat')
|
fileName = os.path.join(state.appdata, 'keys.dat')
|
||||||
fileNameBak = fileName + "." + datetime.datetime.now().strftime("%Y%j%H%M%S%f") + '.bak'
|
fileNameBak = fileName + "." + datetime.datetime.now().strftime("%Y%j%H%M%S%f") + '.bak'
|
||||||
|
|
|
@ -136,7 +136,7 @@ class singleWorker(threading.Thread, StoppableThread):
|
||||||
|
|
||||||
def doPOWForMyV2Pubkey(self, hash): # This function also broadcasts out the pubkey message once it is done with the POW
|
def doPOWForMyV2Pubkey(self, hash): # This function also broadcasts out the pubkey message once it is done with the POW
|
||||||
# Look up my stream number based on my address hash
|
# Look up my stream number based on my address hash
|
||||||
"""configSections = shared.config.sections()
|
"""configSections = shared.config.addresses()
|
||||||
for addressInKeysFile in configSections:
|
for addressInKeysFile in configSections:
|
||||||
if addressInKeysFile <> 'bitmessagesettings':
|
if addressInKeysFile <> 'bitmessagesettings':
|
||||||
status,addressVersionNumber,streamNumber,hashFromThisParticularAddress = decodeAddress(addressInKeysFile)
|
status,addressVersionNumber,streamNumber,hashFromThisParticularAddress = decodeAddress(addressInKeysFile)
|
||||||
|
|
|
@ -59,7 +59,7 @@ class smtpDeliver(threading.Thread, StoppableThread):
|
||||||
msg = MIMEText(body, 'plain', 'utf-8')
|
msg = MIMEText(body, 'plain', 'utf-8')
|
||||||
msg['Subject'] = Header(subject, 'utf-8')
|
msg['Subject'] = Header(subject, 'utf-8')
|
||||||
msg['From'] = fromAddress + '@' + SMTPDOMAIN
|
msg['From'] = fromAddress + '@' + SMTPDOMAIN
|
||||||
toLabel = map (lambda y: BMConfigParser().safeGet(y, "label"), filter(lambda x: x == toAddress, BMConfigParser().sections()))
|
toLabel = map (lambda y: BMConfigParser().safeGet(y, "label"), filter(lambda x: x == toAddress, BMConfigParser().addresses()))
|
||||||
if len(toLabel) > 0:
|
if len(toLabel) > 0:
|
||||||
msg['To'] = "\"%s\" <%s>" % (Header(toLabel[0], 'utf-8'), toAddress + '@' + SMTPDOMAIN)
|
msg['To'] = "\"%s\" <%s>" % (Header(toLabel[0], 'utf-8'), toAddress + '@' + SMTPDOMAIN)
|
||||||
else:
|
else:
|
||||||
|
|
|
@ -115,7 +115,7 @@ class smtpServerPyBitmessage(smtpd.SMTPServer):
|
||||||
sender, domain = p.sub(r'\1', mailfrom).split("@")
|
sender, domain = p.sub(r'\1', mailfrom).split("@")
|
||||||
if domain != SMTPDOMAIN:
|
if domain != SMTPDOMAIN:
|
||||||
raise Exception("Bad domain %s", domain)
|
raise Exception("Bad domain %s", domain)
|
||||||
if sender not in BMConfigParser().sections():
|
if sender not in BMConfigParser().addresses():
|
||||||
raise Exception("Nonexisting user %s", sender)
|
raise Exception("Nonexisting user %s", sender)
|
||||||
except Exception as err:
|
except Exception as err:
|
||||||
logger.debug("Bad envelope from %s: %s", mailfrom, repr(err))
|
logger.debug("Bad envelope from %s: %s", mailfrom, repr(err))
|
||||||
|
@ -125,7 +125,7 @@ class smtpServerPyBitmessage(smtpd.SMTPServer):
|
||||||
sender, domain = msg_from.split("@")
|
sender, domain = msg_from.split("@")
|
||||||
if domain != SMTPDOMAIN:
|
if domain != SMTPDOMAIN:
|
||||||
raise Exception("Bad domain %s", domain)
|
raise Exception("Bad domain %s", domain)
|
||||||
if sender not in BMConfigParser().sections():
|
if sender not in BMConfigParser().addresses():
|
||||||
raise Exception("Nonexisting user %s", sender)
|
raise Exception("Nonexisting user %s", sender)
|
||||||
except Exception as err:
|
except Exception as err:
|
||||||
logger.error("Bad headers from %s: %s", msg_from, repr(err))
|
logger.error("Bad headers from %s: %s", msg_from, repr(err))
|
||||||
|
|
|
@ -316,7 +316,7 @@ class sqlThread(threading.Thread):
|
||||||
|
|
||||||
# Adjust the required POW values for each of this user's addresses to conform to protocol v3 norms.
|
# Adjust the required POW values for each of this user's addresses to conform to protocol v3 norms.
|
||||||
if BMConfigParser().getint('bitmessagesettings', 'settingsversion') == 9:
|
if BMConfigParser().getint('bitmessagesettings', 'settingsversion') == 9:
|
||||||
for addressInKeysFile in BMConfigParser().sections():
|
for addressInKeysFile in BMConfigParser().addressses():
|
||||||
try:
|
try:
|
||||||
previousTotalDifficulty = float(BMConfigParser().getint(addressInKeysFile, 'noncetrialsperbyte')) / 320
|
previousTotalDifficulty = float(BMConfigParser().getint(addressInKeysFile, 'noncetrialsperbyte')) / 320
|
||||||
previousSmallMessageDifficulty = float(BMConfigParser().getint(addressInKeysFile, 'payloadlengthextrabytes')) / 14000
|
previousSmallMessageDifficulty = float(BMConfigParser().getint(addressInKeysFile, 'payloadlengthextrabytes')) / 14000
|
||||||
|
|
|
@ -110,10 +110,8 @@ def reloadMyAddressHashes():
|
||||||
#myPrivateKeys.clear()
|
#myPrivateKeys.clear()
|
||||||
|
|
||||||
keyfileSecure = checkSensitiveFilePermissions(state.appdata + 'keys.dat')
|
keyfileSecure = checkSensitiveFilePermissions(state.appdata + 'keys.dat')
|
||||||
configSections = BMConfigParser().sections()
|
|
||||||
hasEnabledKeys = False
|
hasEnabledKeys = False
|
||||||
for addressInKeysFile in configSections:
|
for addressInKeysFile in BMConfigParser().addresses():
|
||||||
if addressInKeysFile <> 'bitmessagesettings':
|
|
||||||
isEnabled = BMConfigParser().getboolean(addressInKeysFile, 'enabled')
|
isEnabled = BMConfigParser().getboolean(addressInKeysFile, 'enabled')
|
||||||
if isEnabled:
|
if isEnabled:
|
||||||
hasEnabledKeys = True
|
hasEnabledKeys = True
|
||||||
|
|
Loading…
Reference in New Issue
Block a user