[FIX] marketing_campaign: readded required attribute because of model violations...
[odoo/odoo.git] / addons / base_crypt / crypt.py
old mode 100755 (executable)
new mode 100644 (file)
index 3320cdf..c2fd0a2
 # USA.
 
 from random import seed, sample
-from string import letters, digits
+from string import ascii_letters, digits
 from osv import fields,osv
 import pooler
-import tools
 from tools.translate import _
 from service import security
 
 magic_md5 = '$1$'
 
-def gen_salt( length=8, symbols=letters + digits ):
+def gen_salt( length=8, symbols=ascii_letters + digits ):
     seed()
     return ''.join( sample( symbols, length ) )
 
@@ -66,11 +65,18 @@ def gen_salt( length=8, symbols=letters + digits ):
 # *
 # * Poul-Henning Kamp
 
-import md5
+
+#TODO: py>=2.6: from hashlib import md5
+import hashlib
 
 def encrypt_md5( raw_pw, salt, magic=magic_md5 ):
-    hash = md5.new( raw_pw + magic + salt )
-    stretch = md5.new( raw_pw + salt + raw_pw).digest()
+    raw_pw = raw_pw.encode('utf-8')
+    salt = salt.encode('utf-8')
+    hash = hashlib.md5()
+    hash.update( raw_pw + magic + salt )
+    st = hashlib.md5()
+    st.update( raw_pw + salt + raw_pw)
+    stretch = st.digest()
 
     for i in range( 0, len( raw_pw ) ):
         hash.update( stretch[i % 16] )
@@ -87,7 +93,7 @@ def encrypt_md5( raw_pw, salt, magic=magic_md5 ):
     saltedmd5 = hash.digest()
 
     for i in range( 1000 ):
-        hash = md5.new()
+        hash = hashlib.md5()
 
         if i & 1:
             hash.update( raw_pw )
@@ -129,41 +135,29 @@ class users(osv.osv):
     # agi - 022108
     # Add handlers for 'input_pw' field.
 
-    # Maps a res_users id to the salt used to encrypt its associated password.
-    _salt_cache = {}
-
     def set_pw(self, cr, uid, id, name, value, args, context):
-        print ">>>>>> set_pw %s" % str((self, cr, uid, id, name, value, args, context))
         if not value:
             raise osv.except_osv(_('Error'), _("Please specify the password !"))
 
-        salt = self._salt_cache[id] = gen_salt()
+        obj = pooler.get_pool(cr.dbname).get('res.users')
+        if not hasattr(obj, "_salt_cache"):
+            obj._salt_cache = {}
+
+        salt = obj._salt_cache[id] = gen_salt()
         encrypted = encrypt_md5(value, salt)
         cr.execute('update res_users set password=%s where id=%s',
-            (encrypted.encode('utf-8'), id))
+            (encrypted.encode('utf-8'), int(id)))
         cr.commit()
         del value
 
     def get_pw( self, cr, uid, ids, name, args, context ):
-        print ">>>>>> get_pw"
-        if len(ids) != 1:
-            # TODO multiple ids (and no id)
-            return {}
-        id = ids[0]
-
-        cr.execute('select password from res_users where id=%s', (id,))
-        stored_pw = cr.fetchone()
-
-        if stored_pw:
-            stored_pw = stored_pw[0]
-        else:
-            # Return early if no such id.
-            return False
+        cr.execute('select id, password from res_users where id in %s', (tuple(map(int, ids)),))
+        stored_pws = cr.fetchall()
+        res = {}
 
-        stored_pw = self.maybe_encrypt(cr, stored_pw, id)
+        for id, stored_pw in stored_pws:
+            res[id] = stored_pw
 
-        res = {}
-        res[id] = stored_pw
         return res
 
     _columns = {
@@ -171,103 +165,127 @@ class users(osv.osv):
         # an existing column cannot be downsized; thus we use the original
         # column size.
         'password': fields.function(get_pw, fnct_inv=set_pw, type='char',
-            method=True, size=64, string='Password', invisible=True,
+            size=64, string='Password', invisible=True,
             store=True),
     }
 
-    # TODO This doesn't seem right: _salt_cache doesn't necessarily contain uid.
-    def access(self, db, uid, passwd, sec_level, ids):
-        print ">>>>>> access"
-        cr = pooler.get_db(db).cursor()
-        salt = self._salt_cache[uid]
-        cr.execute('select id from res_users where id=%s and password=%s',
-            (uid, encrypt_md5(passwd, salt)))
-        res = cr.fetchone()
-        cr.close()
-        if not res:
-            raise Exception('Bad username or password')
-        return res[0]
-
     def login(self, db, login, password):
-        print ">>>>>> login"
-        cr = pooler.get_db(db).cursor()
-        cr.execute('select password, id from res_users where login=%s',
-            (login.encode( 'utf-8' ),))
-        stored_pw = id = cr.fetchone()
-
-        if stored_pw:
-            stored_pw = stored_pw[0]
-            id = id[1]
+        if not password:
+            return False
+        if db is False:
+            raise RuntimeError("Cannot authenticate to False db!")
+        cr = None
+        try:
+            cr = pooler.get_db(db).cursor()
+            return self._login(cr, db, login, password)
+        except Exception:
+            import logging
+            logging.getLogger('netsvc').exception('Could not authenticate')
+            return Exception('Access Denied')
+        finally:
+            if cr is not None:
+                cr.close()
+
+    def _login(self, cr, db, login, password):
+        cr.execute( 'SELECT password, id FROM res_users WHERE login=%s AND active',
+            (login.encode('utf-8'),))
+
+        if cr.rowcount:
+            stored_pw, id = cr.fetchone()
         else:
-            # Return early if there is no such login.
+            # Return early if no one has a login name like that.
             return False
-
+    
         stored_pw = self.maybe_encrypt(cr, stored_pw, id)
+        
+        if not stored_pw:
+            # means couldn't encrypt or user is not active!
+            return False
 
         # Calculate an encrypted password from the user-provided
         # password.
-        salt = self._salt_cache[id] = stored_pw[len(magic_md5):11]
+        obj = pooler.get_pool(db).get('res.users')
+        if not hasattr(obj, "_salt_cache"):
+            obj._salt_cache = {}
+        salt = obj._salt_cache[id] = stored_pw[len(magic_md5):11]
         encrypted_pw = encrypt_md5(password, salt)
-
+    
         # Check if the encrypted password matches against the one in the db.
-        cr.execute('select id from res_users where id=%s and password=%s and active', (id, encrypted_pw.encode('utf-8')))
+        cr.execute('UPDATE res_users SET date=now() ' \
+                'WHERE id=%s AND password=%s AND active RETURNING id', 
+            (int(id), encrypted_pw.encode('utf-8')))
         res = cr.fetchone()
-        cr.close()
-
+        cr.commit()
+    
         if res:
             return res[0]
         else:
             return False
 
     def check(self, db, uid, passwd):
-        print ">>>>>> check"
-        # TODO cannot use the cache as it would prevent the update by
-        # maybe_encrypt.
-        #cached_pass = self._uid_cache.get(db, {}).get(uid)
-        #if (cached_pass is not None) and cached_pass == passwd:
-        #    return True
+        if not passwd:
+            # empty passwords disallowed for obvious security reasons
+            raise security.ExceptionNoTb('AccessDenied')
+
+        # Get a chance to hash all passwords in db before using the uid_cache.
+        obj = pooler.get_pool(db).get('res.users')
+        if not hasattr(obj, "_salt_cache"):
+            obj._salt_cache = {}
+            self._uid_cache.get(db, {}).clear()
+
+        cached_pass = self._uid_cache.get(db, {}).get(uid)
+        if (cached_pass is not None) and cached_pass == passwd:
+            return True
 
         cr = pooler.get_db(db).cursor()
-        if uid not in self._salt_cache:
-            # TODO is int() useful ?
-            cr.execute('select login from res_users where id=%s', (int(uid),))
-            stored_login = cr.fetchone()
-            if stored_login:
-                stored_login = stored_login[0]
-
-            if not self.login(db,stored_login,passwd):
-                return False
-
-        salt = self._salt_cache[uid]
-        cr.execute('select count(id) from res_users where id=%s and password=%s',
-            (int(uid), encrypt_md5(passwd, salt)))
-        res = cr.fetchone()[0]
-        cr.close()
+        try:
+            if uid not in self._salt_cache.get(db, {}):
+                # If we don't have cache, we have to repeat the procedure
+                # through the login function.
+                cr.execute( 'SELECT login FROM res_users WHERE id=%s', (uid,) )
+                stored_login = cr.fetchone()
+                if stored_login:
+                    stored_login = stored_login[0]
+        
+                res = self._login(cr, db, stored_login, passwd)
+                if not res:
+                    raise security.ExceptionNoTb('AccessDenied')
+            else:
+                salt = self._salt_cache[db][uid]
+                cr.execute('SELECT COUNT(*) FROM res_users WHERE id=%s AND password=%s AND active', 
+                    (int(uid), encrypt_md5(passwd, salt)))
+                res = cr.fetchone()[0]
+        finally:
+            cr.close()
+
         if not bool(res):
-            raise Exception('AccessDenied')
-
-        #if res:
-        #    if self._uid_cache.has_key(db):
-        #        ulist = self._uid_cache[db]
-        #        ulist[uid] = passwd
-        #    else:
-        #        self._uid_cache[db] = {uid: passwd}
-        return bool(res)
+            raise security.ExceptionNoTb('AccessDenied')
 
+        if res:
+            if self._uid_cache.has_key(db):
+                ulist = self._uid_cache[db]
+                ulist[uid] = passwd
+            else:
+                self._uid_cache[db] = {uid: passwd}
+        return bool(res)
+    
     def maybe_encrypt(self, cr, pw, id):
-        # If the password 'pw' is not encrypted, then encrypt all passwords
-        # in the db. Returns the (possibly newly) encrypted password for 'id'.
-
-        if pw[0:len(magic_md5)] != magic_md5:
-            cr.execute('select id, password from res_users')
+        """ Return the password 'pw', making sure it is encrypted.
+        
+        If the password 'pw' is not encrypted, then encrypt all active passwords
+        in the db. Returns the (possibly newly) encrypted password for 'id'.
+        """
+
+        if not pw.startswith(magic_md5):
+            cr.execute("SELECT id, password FROM res_users " \
+                "WHERE active=true AND password NOT LIKE '$%'")
+            # Note that we skip all passwords like $.., in anticipation for
+            # more than md5 magic prefixes.
             res = cr.fetchall()
             for i, p in res:
-                encrypted = p
-                if p[0:len(magic_md5)] != magic_md5:
-                    encrypted = encrypt_md5(p, gen_salt())
-                    print ">>>>>> changing %s to %s" % (p, encrypted)
-                    cr.execute('update res_users set password=%s where id=%s',
-                        (encrypted.encode('utf-8'), i))
+                encrypted = encrypt_md5(p, gen_salt())
+                cr.execute('UPDATE res_users SET password=%s where id=%s',
+                        (encrypted, i))
                 if i == id:
                     encrypted_res = encrypted
             cr.commit()