# ============================================================================
#
# Copyright (C) 2007-2016 Conceptive Engineering bvba.
# www.conceptive.be / info@conceptive.be
#
# Redistribution and use in source and binary forms, with or without
# modification, are permitted provided that the following conditions are met:
# * Redistributions of source code must retain the above copyright
# notice, this list of conditions and the following disclaimer.
# * Redistributions in binary form must reproduce the above copyright
# notice, this list of conditions and the following disclaimer in the
# documentation and/or other materials provided with the distribution.
# * Neither the name of Conceptive Engineering nor the
# names of its contributors may be used to endorse or promote products
# derived from this software without specific prior written permission.
#
# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
# ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
# WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
# DISCLAIMED. IN NO EVENT SHALL <COPYRIGHT HOLDER> BE LIABLE FOR ANY
# DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES
# (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES;
# LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND
# ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT
# (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS
# SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
#
# ============================================================================
"""
This module is used to store/retrieve user profiles on the local machine.
A user profile can contain information such as connection parameters to the
database or the language the user wants to use in the application.
For this module to function correctly, the `settings` should have an attribute
named `CAMELOT_DBPROFILES_CIPHER`. This is a 'secret' per application string
that is used to encrypt the profile information as it is stored on the local
machine.
"""
import base64
import functools
import logging
import six
from .qt import QtCore, variant_to_py, py_to_variant
from camelot.core.conf import settings
logger = logging.getLogger('camelot.core.dbprofiles')
profile_fields = [ 'name', 'dialect', 'host', 'database', 'user', 'password',
'port', 'media_location', 'locale_language', 'proxy_host',
'proxy_port', 'proxy_username', 'proxy_password' ]
@functools.total_ordering
[docs]class Profile(object):
"""This class holds the local configuration of the application, such as
the location of the database. It provides some convenience functions to
store and retrieve this information to :class:`QtCore.QSettings`
:param name: the name of the profile
The Profile class has ordering methods based on the name of the profile
object.
"""
def __init__( self, name, **kwargs ):
kwargs['name'] = name
for profile_field in profile_fields:
kwargs.setdefault( profile_field, '' )
for key, value in six.iteritems(kwargs):
setattr(self, key, value )
[docs] def get_connection_string( self ):
"""The database connection string according to SQLAlchemy conventions,
as specified by this profile.
"""
connection_string = '%s://'%self.dialect
if self.user or self.password:
connection_string = connection_string + '%s:%s@'%( self.user,
self.password )
if self.host:
connection_string = connection_string + self.host
if self.port:
connection_string = connection_string + ':%s'%self.port
connection_string = connection_string + '/%s'%self.database
return connection_string
[docs] def create_engine( self, **kwargs ):
"""
create a SQLAlchemy Engine from the selected profile, all arguments
are passed to the `create_engine` function.
"""
from sqlalchemy import create_engine
kwargs.setdefault( 'pool_recycle', 600 )
if self.dialect == 'mysql':
kwargs.setdefault( 'connect_args', dict(charset='utf8') )
return create_engine( self.get_connection_string(), **kwargs )
[docs] def get_language_code(self):
"""
:return: two-letter ISO 639 language code
"""
return self.locale_language[:2]
[docs] def get_country_code(self):
"""
:return: two-letter ISO 3166 country code
"""
return self.locale_language[2:]
def __getstate__( self ):
"""Retrieve the state of a profile object into a dictionary
:return: a `dict` with the profile information, in encrypted and
encoded form
"""
state = dict()
for key, value in six.iteritems(self.__dict__):
# flip 'pass' and 'password' for backward compatibility
if key=='password':
key='pass'
elif key=='name':
key='profilename'
state[key] = value
return state
def __setstate__( self, state ):
"""Restore the state of a profile object.from a dictionary.
:param state: a `dict` with the profile information in encrypted and
encoded form, as created by `__getstate__`.
"""
for key, value in six.iteritems(state):
if key=='pass':
key='password'
if key=='profilename':
key='name'
setattr(self, key, value)
def __lt__(self, other):
if isinstance(other, Profile):
return self.name.__lt__(other.name)
return id(self) < id(other)
def __eq__(self, other):
if isinstance(other, Profile):
return self.name.__eq__(other.name)
return False
def __hash__(self):
return hash(self.name)
[docs]class ProfileStore(object):
"""Class that reads/writes profiles, either to a file or to the local
application settings.
:param filename: the name of the file to read/write profiles from, if
left to `None`, the application settings are used.
:param profile_class: a serializeable class that can be used to create
new profile objects.
:param cipher_key: cipher key used to encrypt profile information to make
it only readeable to the application itself. If left to `None`,
`camelot.core.conf.settings.CAMELOT_DBPROFILES_CIPHER is used.
"""
def __init__( self, filename=None, profile_class=Profile, cipher_key=None):
if cipher_key is None:
cipher_key = settings.get('CAMELOT_DBPROFILES_CIPHER',
'The Knights Who Say Ni')
self.cipher_key = cipher_key
self.profile_class = profile_class
self.filename = filename
def _cipher( self ):
""":return: the :class:`Crypto.Cipher` object used for encryption and
decryption in :meth:`_encode` and :meth:`_decode`.
"""
from Crypto.Cipher import ARC4
return ARC4.new( self.cipher_key )
def _encode( self, value ):
"""Encrypt and encode a single value, this method is used to
write profiles."""
cipher = self._cipher()
return base64.b64encode( cipher.encrypt( six.text_type(value).encode('utf-8' ) ) ).decode('ascii')
def _decode( self, value ):
"""Decrypt and decode a single value, this method is used to
read profiles.
"""
cipher = self._cipher()
return cipher.decrypt( base64.b64decode( value ) ).decode('utf-8')
def _qsettings(self):
# recreate QSettings each time it's needed, to make sure we're at
# the same entry point
if self.filename is None:
return QtCore.QSettings()
else:
return QtCore.QSettings(self.filename,
QtCore.QSettings.IniFormat)
def write_to_file(self, filename):
file_store = ProfileStore(filename, cipher_key=self.cipher_key)
file_store.write_profiles(self.read_profiles())
def read_from_file(self, filename):
file_store = ProfileStore(filename, cipher_key=self.cipher_key)
self.write_profiles(file_store.read_profiles())
[docs] def read_profiles(self):
"""
:return: a list of profiles read
"""
profiles = []
qsettings = self._qsettings()
size = qsettings.beginReadArray('database_profiles')
if size == 0:
return profiles
empty = py_to_variant(b'')
for index in range(size):
qsettings.setArrayIndex(index)
profile = self.profile_class(name=None)
state = profile.__getstate__()
for key in six.iterkeys(state):
value = variant_to_py(qsettings.value(key, empty))
if key != 'profilename':
value = self._decode(value or b'')
else:
value = value
state[key] = value
profile.__setstate__(state)
# only profiles with a name can be selected and handled
if profile.name:
profiles.append(profile)
qsettings.endArray()
return profiles
[docs] def read_profile(self, name):
"""
:return: the profile object with the requested name,
`None` if there is no such profile
"""
for profile in self.read_profiles():
if profile.name==name:
return profile
[docs] def write_profiles(self, profiles):
"""
:param profiles: a list of profiles
"""
qsettings = self._qsettings()
qsettings.beginWriteArray('database_profiles', len(profiles))
for index, profile in enumerate(profiles):
qsettings.setArrayIndex(index)
for key, value in six.iteritems(profile.__getstate__()):
if key != 'profilename':
value = self._encode(value)
else:
value = (value or u'')
qsettings.setValue(key, value)
qsettings.endArray()
qsettings.sync()
[docs] def write_profile(self, profile):
"""
:param profile: a :class:`Profile` object
"""
profiles = self.read_profiles()
for existing_profile in profiles:
if existing_profile.name == profile.name:
profiles.remove(existing_profile)
break
profiles.append(profile)
self.write_profiles(profiles)
[docs] def get_last_profile(self):
"""
:return: the last used profile, or `None` of no profile has been used
yet or the profile information is not available.
"""
profiles = self.read_profiles()
name = variant_to_py(self._qsettings().value('last_used_database_profile',
u''))
for profile in profiles:
if profile.name == name:
return profile
[docs] def set_last_profile(self, profile):
"""
:param profile: a profile that has been written to or is available in
the store
"""
qsettings = self._qsettings()
qsettings.setValue('last_used_database_profile',
profile.name)
qsettings.sync()