No Description
You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

auth.py 10KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291
  1. #-*- coding: utf-8 -*-
  2. from lodel.settings import Settings
  3. from lodel import logger
  4. from lodel.plugin.hooks import LodelHook
  5. from lodel.leapi.query import LeGetQuery
  6. from lodel.exceptions import *
  7. from .exceptions import *
  8. ##@brief Abstract class designed to be implemented by plugin interfaces
  9. #
  10. #A singleton class storing current client informations.
  11. #
  12. #For the moment the main goal is to be able to produce security log
  13. #containing well formated client informations
  14. class Client(object):
  15. ##@brief Stores the singleton instance
  16. _instance = None
  17. ##@brief Implements singleton behavior
  18. def __init__(self):
  19. if self.__class__ == Client:
  20. raise NotImplementedError("Abstract class")
  21. logger.debug("New instance of %s" % self.__class__.__name__)
  22. if self._instance is not None:
  23. old = self._instance
  24. self._instance = None
  25. del(old)
  26. logger.debug("Replacing old Client instance by a new one")
  27. Client._instance = self
  28. # Instanciation done. Triggering Auth instanciation
  29. self.__auth = Auth(self)
  30. ##@brief Destructor
  31. #@note calls Auth destructor too
  32. def __del__(self):
  33. del(self.__auth)
  34. ##@brief Abstract method.
  35. #
  36. #@note Used to generate security log message. Avoid \n etc.
  37. def __str__(self):
  38. raise NotImplementedError("Abstract method")
  39. #
  40. # Utility methods (Wrapper for Auth)
  41. #
  42. ##@brief Return current instance or raise an Exception
  43. #@throw AuthenticationError
  44. @classmethod
  45. def client(cls):
  46. if cls._instance is None:
  47. raise LodelFatalError("Calling a Client classmethod but no Client \
  48. instance exists")
  49. return cls._instance
  50. ##@brief Authenticate using login an password
  51. #@note Wrapper on Auth.auth()
  52. #@param login str
  53. #@param password str
  54. #@return None
  55. #@throw AuthenticationFailure
  56. #@see Auth.auth()
  57. @classmethod
  58. def auth_password(cls, login, password):
  59. cls.client.auth(login, password)
  60. ##@brief Authenticate using session token
  61. #@param token str : session token
  62. #@throw AuthenticationFailure
  63. #@see Auth.auth_session()
  64. @classmethod
  65. def auth_session(cls, token):
  66. cls.client.auth_session(token)
  67. ##@brief Generic authentication method
  68. #
  69. #Possible arguments are :
  70. # - authenticate(token) ( see @ref Client.auth_session() )
  71. # - authenticate(login, password) ( see @ref Client.auth_password() )
  72. #@param *args
  73. #@param **kwargs
  74. @classmethod
  75. def authenticate(cls, *args, **kwargs):
  76. token = None
  77. login_pass = None
  78. if 'token' in kwargs:
  79. #auth session
  80. if len(args) != 0 or len(kwargs) != 0:
  81. # security issue ?
  82. raise AuthenticationSecurityError(self)
  83. else:
  84. session = kwargs['token']
  85. elif len(args) == 1:
  86. if len(kwargs) == 0:
  87. #Auth session
  88. token = args[0]
  89. elif len(kwargs) == 1:
  90. if 'login' in kwargs:
  91. login_pass = (kwargs['login'], args[0])
  92. elif 'password' in kwargs:
  93. login_pass = (args[0], kwargs['password'])
  94. elif len(args) == 2:
  95. login_pass = tuple(args)
  96. if login_pass is None and token is None:
  97. # bad arguments given. Security issue ?
  98. raise AuthenticationSecurityError(cls.client())
  99. elif login is None:
  100. cls.auth_session(token)
  101. else:
  102. cls.auth_passwor(*login_pass)
  103. ##@brief Singleton class that handles authentication on lodel2 instances
  104. #
  105. #
  106. #@note Designed to be never called directly. The Client class is designed to
  107. #be implemented by UI and to provide a friendly/secure API for \
  108. #client/auth/session handling
  109. #@todo specs of client infos given as argument on authentication methods
  110. class Auth(object):
  111. ##@brief Stores singleton instance
  112. _instance = None
  113. ##@brief List of dict that stores field ref for login and password
  114. #
  115. # Storage specs :
  116. #
  117. # A list of dict, with keys 'login' and 'password', items are tuple.
  118. #- login tuple contains (LeObjectChild, FieldName, link_field) with:
  119. # - LeObjectChild the dynclass containing the login
  120. # - Fieldname the fieldname of LeObjectChild containing the login
  121. # - link_field None if both login and password are in the same
  122. # LeObjectChild. Else contains the field that make the link between
  123. # login LeObject and password LeObject
  124. #- password typle contains (LeObjectChild, FieldName)
  125. _infos_fields = None
  126. ##@brief Constructor
  127. #
  128. #@note Automatic clean of previous instance
  129. def __init__(self, client):
  130. ##@brief Stores infos about logged in user
  131. #
  132. #Tuple containing (LeObjectChild, UID) of logged in user
  133. self.__user_infos = False
  134. ##@brief Stores session id
  135. self.__session_id = False
  136. if not isinstance(client, Client):
  137. msg = "<class Client> instance was expected but got %s"
  138. msg %= type(client)
  139. raise TypeError(msg)
  140. ##@brief Stores client infos
  141. self.__client = client
  142. # Singleton
  143. if self._instance is not None:
  144. bck = self._instance
  145. self._instance = None
  146. del(bck)
  147. logger.debug("Previous Auth instance replaced by a new one")
  148. else:
  149. #First instance, fetching settings
  150. self.fetch_settings()
  151. self.__class__._instance = self
  152. ##@brief Instance destructor
  153. def __del__(self):
  154. self.__user_infos = LodelHook.call_hook('lodel2_session_destroy',
  155. caller = self, payload = token)
  156. pass
  157. ##@brief Raise exception because of authentication failure
  158. #@note trigger a security log containing client infos
  159. #@throw LodelFatalError if no instance exsists
  160. #@see Auth.fail()
  161. @classmethod
  162. def failure(cls):
  163. if cls._instance is None:
  164. raise LodelFatalError("No Auth instance found. Abording")
  165. raise AuthenticationFailure(cls._instance.fail())
  166. ##@brief Class method that fetches conf
  167. @classmethod
  168. def fetch_settings(self):
  169. from lodel import dyncode
  170. if cls._infos_fields is None:
  171. cls._infos_fields = list()
  172. else:
  173. #Allready fetched
  174. return
  175. infos = (
  176. Settings.auth.login_classfield.split('.'),
  177. Settings.auth.pass_classfield.split('.'))
  178. res_infos = []
  179. for clsname, fieldname in infos:
  180. res_infos.append((
  181. dyncode.lowername2class(infos[0]),
  182. dcls.field(infos[1])))
  183. link_field = None
  184. if res_infos[0][0] != res_infos[0][1]:
  185. # login and password are in two separated EmClass
  186. # determining the field that links login EmClass to password
  187. # EmClass
  188. for fname, fdh in res_infos[0][0].fields(True):
  189. if fdh.is_reference() and res_infos[1][0] in fdh.linked_classes():
  190. link_field = fname
  191. if link_field is None:
  192. #Unable to find link between login & password EmClasses
  193. raise AuthenticationError("Unable to find a link between \
  194. login EmClass '%s' and password EmClass '%s'. Abording..." % (
  195. res_infos[0][0], res_infos[1][0]))
  196. res_infos[0] = (res_infos[0][0], res_infos[0][1], link_field)
  197. cls._infos_fields.append(
  198. {'login':res_infos[0], 'password':res_infos[1]})
  199. ##@brief Raise an AuthenticationFailure exception
  200. #
  201. #@note Trigger a security log message containing client infos
  202. def fail(self):
  203. raise AuthenticationFailure(self.__client)
  204. ##@brief Is the user anonymous ?
  205. #@return True if no one is logged in
  206. def is_anon(self):
  207. return self._login is False
  208. ##@brief Authenticate using a login and a password
  209. #@param login str : provided login
  210. #@param password str : provided password
  211. #@todo automatic hashing
  212. #@warning brokes multiple UID
  213. #@note implements multiple login/password sources (useless ?)
  214. #@todo composed UID broken in this method
  215. def auth(self, login = None, password = None):
  216. # Authenticate
  217. for infos in self._infos_fields:
  218. login_cls = infos['login'][0]
  219. pass_cls = infos['pass'][0]
  220. qfilter = "passfname = passhash"
  221. uid_fname = login_cls.uid_fieldname()[0] #COMPOSED UID BROKEN
  222. if login_cls == pass_cls:
  223. #Same EmClass for login & pass
  224. qfilter = qfilter.format(
  225. passfname = infos['pass'][1],
  226. passhash = password)
  227. else:
  228. #Different EmClass, building a relational filter
  229. passfname = "%s.%s" % (infos['login'][2], infos['pass'][1])
  230. qfilter = qfilter.format(
  231. passfname = passfname,
  232. passhash = password)
  233. getq = LeGetQuery(infos['login'][0], qfilter,
  234. field_list = [uid_fname], limit = 1)
  235. req = getq.execute()
  236. if len(req) == 1:
  237. #Authenticated
  238. self.__set_authenticated(infos['login'][0], req[uid_fname])
  239. break
  240. if self.is_anon():
  241. self.fail() #Security logging
  242. ##@brief Authenticate using a session token
  243. #@note Call a dedicated hook in order to allow session implementation as
  244. #plugin
  245. #@thrown AuthenticationFailure
  246. def auth_session(self, token):
  247. try:
  248. self.__user_infos = LodelHook.call_hook('lodel2_session_load',
  249. caller = self, payload = token)
  250. except AuthenticationError:
  251. self.fail() #Security logging
  252. self.__session_id = token
  253. ##@brief Set a user as authenticated and start a new session
  254. #@param leo LeObject child class : The EmClass the user belong to
  255. #@param uid str : uniq ID (in leo)
  256. #@return None
  257. def __set_authenticated(self, leo, uid):
  258. # Storing user infos
  259. self.__user_infos = {'classname': leo.__name__, 'uid': uid}
  260. # Init session
  261. sid = LodelHook.call_hook('lodel2_session_start', caller = self,
  262. payload = copy.copy(self.__user_infos))
  263. self.__session_id = sid