Procházet zdrojové kódy

Code factorization and create methods for EmComponent and childs changes

Behaviour changed for EmComponent and childs create method :
	- Takes care of duplicated names at creation
	- Handle all the checks in EmComponent method
Factorization of EmField.get_class_table() method
Added a @property method class_table_name to EmClass
Yann Weber před 9 roky
rodič
revize
27d178e531

+ 10
- 12
EditorialModel/classes.py Zobrazit soubor

@@ -5,7 +5,7 @@
5 5
 
6 6
 import logging as logger
7 7
 
8
-from EditorialModel.components import EmComponent, EmComponentNotExistError
8
+from EditorialModel.components import EmComponent, EmComponentNotExistError, EmComponentExistError
9 9
 from Database import sqlutils
10 10
 import sqlalchemy as sql
11 11
 
@@ -33,24 +33,17 @@ class EmClass(EmComponent):
33 33
     # @param name str: name of the new class
34 34
     # @param class_type EmClasstype: type of the class
35 35
     # @return An EmClass instance
36
+    # @throw EmComponentExistError if an EmClass with this name and a different classtype exists
37
+    # @todo Check class_type argument
36 38
     @classmethod
37 39
     def create(cls, name, class_type):
38
-        try:
39
-            res = EmClass(name)
40
-            logger.info("Trying to create an EmClass that allready exists")
41
-        except EmComponentNotExistError:
42
-            res = cls._create_db(name, class_type)
43
-            logger.debug("EmClass successfully created")
44
-
45
-        return res
40
+        return cls._create_db(name, class_type)
46 41
 
47 42
     @classmethod
48 43
     ## Isolate SQL for EmClass::create
49 44
     # @todo Remove hardcoded default value for icon
50 45
     # @return An instance of EmClass
51 46
     def _create_db(cls, name, class_type):
52
-        """ Do the db querys for EmClass::create() """
53
-
54 47
         #Create a new entry in the em_class table
55 48
         values = {'name': name, 'classtype': class_type['name'], 'icon': 0}
56 49
         resclass = super(EmClass, cls).create(**values)
@@ -60,13 +53,18 @@ class EmClass(EmComponent):
60 53
 
61 54
         #Create a new table storing LodelObjects of this EmClass
62 55
         meta = sql.MetaData()
63
-        emclasstable = sql.Table(name, meta, sql.Column('uid', sql.VARCHAR(50), primary_key=True))
56
+        emclasstable = sql.Table(resclass.class_table_name, meta, sql.Column('uid', sql.VARCHAR(50), primary_key=True))
64 57
         emclasstable.create(conn)
65 58
 
66 59
         conn.close()
67 60
 
68 61
         return resclass
69 62
 
63
+    @property
64
+    ## @brief Return the table name used to stores data on this class
65
+    def class_table_name(self):
66
+        return self.name
67
+
70 68
     ## @brief Delete a class if it's ''empty''
71 69
     # If a class has no fieldgroups delete it
72 70
     # @return bool : True if deleted False if deletion aborded

+ 26
- 2
EditorialModel/components.py Zobrazit soubor

@@ -153,22 +153,40 @@ class EmComponent(object):
153 153
     # @param **kwargs : Names arguments representing object properties
154 154
     # @return An instance of the created component
155 155
     # @throw TypeError if an element of kwargs isn't a valid object propertie or if a mandatory argument is missing
156
-    #
156
+    # @throw RuntimeError if the creation fails at database level
157 157
     # @todo Check that the query didn't failed
158 158
     # @todo Check that every mandatory _fields are given in args
159 159
     # @todo Put a real rank at creation
160 160
     # @todo Stop using datetime.datetime.utcnow() for date_update and date_create init
161 161
     @classmethod
162 162
     def create(cls, **kwargs):
163
+        #Checking for invalid arguments
164
+        valid_args = [ name for name,_ in (cls._fields + EmComponent._fields)]
165
+
163 166
         for argname in kwargs:
164 167
             if argname in ['date_update', 'date_create', 'rank', 'uid']:  # Automatic properties
165 168
                 raise TypeError("Invalid argument : " + argname)
169
+            elif argname not in valid_args:
170
+                raise TypeError("Unexcepted keyword argument '"+argname+"' for "+cls.__name__+" creation")
171
+                
172
+        #Check uniq names constraint
173
+        try:
174
+            name = kwargs['name']
175
+            exist = cls(name)
176
+            for kname in kwargs:
177
+                if not (getattr(exist, kname) == kwargs[kname]):
178
+                    raise EmComponentExistError("An "+cls.__name__+" named "+name+" allready exists with a different "+kname)
179
+            logger.info("Trying to create an "+cls.__name__+" that allready exist with same attribute. Returning the existing one")
180
+            return exist
181
+        except EmComponentNotExistError:
182
+            pass
166 183
 
167 184
         #TODO check that every mandatory _fields are here like below for example
168 185
         #for name in cls._fields:
169 186
         #    if cls._fields[name].notNull and cls._fields[name].default == None:
170 187
         #        raise TypeError("Missing argument : "+name)
171 188
 
189
+
172 190
         kwargs['uid'] = cls.new_uid()
173 191
         kwargs['date_update'] = kwargs['date_create'] = datetime.datetime.utcnow()
174 192
 
@@ -179,7 +197,8 @@ class EmComponent(object):
179 197
 
180 198
         table = sql.Table(cls.table, sqlutils.meta(dbe))
181 199
         req = table.insert(kwargs)
182
-        conn.execute(req)  # Check ?
200
+        if not conn.execute(req):
201
+            raise RuntimeError("Unable to create the "+cls.__class__.__name__+" EmComponent ")
183 202
         conn.close()
184 203
         return cls(kwargs['name'])  # Maybe no need to check res because this would fail if the query failed
185 204
 
@@ -419,6 +438,11 @@ class EmComponent(object):
419 438
 class EmComponentNotExistError(Exception):
420 439
     pass
421 440
 
441
+## @brief Raised on uniq constraint error at creation
442
+# This exception class is dedicated to be raised when create() method is called
443
+# if an EmComponent with this name but different parameters allready exist
444
+class EmComponentExistError(Exception):
445
+    pass
422 446
 
423 447
 ## @brief An exception class to tell that no ranking exist yet for the group of the object
424 448
 class EmComponentRankingNotExistError(Exception):

+ 8
- 21
EditorialModel/fieldgroups.py Zobrazit soubor

@@ -34,31 +34,18 @@ class EmFieldGroup(EmComponent):
34 34
     #
35 35
     # Save it in database and return an instance*
36 36
     # @param name str: The name of the new EmFieldGroup
37
-    # @param em_class EmClass|str|int : Can be an EditorialModel::classes::EmClass uid, name or instance
38
-    # @throw ValueError If an EmFieldGroup with this name allready exists
39
-    # @throw ValueError If the specified EmClass don't exists
37
+    # @param em_class EmClass : An EditorialModel::classes::EmClass instance
38
+    # @param **em_component_args : @ref EditorialModel::components::create()
39
+    # @throw EmComponentExistError If an EmFieldGroup with this name allready exists
40 40
     # @throw TypeError If an argument is of an unexepted type
41
-    def create(cls, name, em_class):
42
-        if not isinstance(em_class, EmClass):
43
-            if isinstance(em_class, int) or isinstance(em_class, str):
44
-                try:
45
-                    arg = em_class
46
-                    em_class = EmClass(arg)
47
-                except EmComponentNotExistError:
48
-                    raise ValueError("No EmClass found with id or name '" + arg + "'")
49
-            else:
50
-                raise TypeError("Excepting an EmClass, an int or a str for 'em_class' argument. Not an " + str(type(em_class)) + ".")
51
-
41
+    def create(cls, name, em_class, **em_component_args):
52 42
         if not isinstance(name, str):
53
-            raise TypeError("Excepting a string as first argument, not an " + str(type(name)))
43
+            raise TypeError("Excepting <class str> as name. But got " + str(type(name)))
44
+        if not isinstance(em_class, EmClass):
45
+            raise TypeError("Excepting <class EmClass> as em_class. But got "+str(type(name)))
54 46
 
55
-        try:
56
-            exists = EmFieldGroup(name)
57
-            raise ValueError("An EmFieldgroup named " + name + " allready exist")
58
-        except EmComponentNotExistError:
59
-            return super(EmFieldGroup, cls).create(name=name, class_id=em_class.uid)  # Check the return value ?
47
+        return super(EmFieldGroup, cls).create(name=name, class_id=em_class.uid, **em_component_args)
60 48
 
61
-        return exists
62 49
 
63 50
     ## Get the list of associated fields
64 51
     # @return A list of EmField instance

+ 32
- 43
EditorialModel/fields.py Zobrazit soubor

@@ -47,36 +47,30 @@ class EmField(EmComponent):
47 47
     # @param rel_to_type_id int: default=0
48 48
     # @param rel_field_id int: default=0
49 49
     # @param icon int: default=0
50
-    # @param kwargs dict: Dictionary of the values to insert in the field record
50
+    # @param **em_component_args : @ref EditorialModel::components::create()
51 51
     #
52 52
     # @throw TypeError
53
+    # @throw RuntimeError if the associated column creation fails
54
+    # @throw EmComponentExistError if an EmField with this name allready exists in this fieldgroup
53 55
     # @see EmComponent::__init__()
54 56
     # @staticmethod
55 57
     @classmethod
56
-    def create(cls, name, fieldgroup, fieldtype, optional=0, internal=0, rel_to_type_id=0, rel_field_id=0, icon=0):
57
-        try:
58
-            exists = EmField(name)
59
-        except EmComponentNotExistError:
60
-            values = {
61
-                'name': name,
62
-                'fieldgroup_id': fieldgroup.uid,
63
-                'fieldtype': fieldtype.name,
64
-                'optional': optional,
65
-                'internal': internal,
66
-                'rel_to_type_id': rel_to_type_id,
67
-                'rel_field_id': rel_field_id,
68
-                'icon': icon
69
-            }
70
-
71
-            created_field = super(EmField, cls).create(**values)
72
-            if created_field:
73
-                is_field_column_added = created_field.add_field_column_to_class_table()
74
-                if is_field_column_added:
75
-                    return created_field
76
-
77
-            exists = created_field
78
-
79
-        return exists
58
+    def create(cls, name, fieldgroup, fieldtype, optional=0, internal=0, rel_to_type_id=0, rel_field_id=0, icon=0, **em_component_args):
59
+        created_field = super(EmField, cls).create(
60
+            name=name,
61
+            fieldgroup_id=fieldgroup.uid,
62
+            fieldtype=fieldtype.name,
63
+            optional=optional,
64
+            internal=internal,
65
+            rel_to_type_id=rel_to_type_id,
66
+            rel_field_id=rel_field_id,
67
+            icon=icon,
68
+            **em_component_args
69
+        )
70
+        if not created_field.add_field_column_to_class_table():
71
+            raise RuntimeError("Unable to create the column for the EmField "+str(created_field))
72
+
73
+        return created_field
80 74
 
81 75
     ## @brief Delete a field if it's not linked
82 76
     # @return bool : True if deleted False if deletion aborded
@@ -109,24 +103,19 @@ class EmField(EmComponent):
109 103
     #
110 104
     # @return Name of the table
111 105
     def get_class_table(self):
112
-        return self._get_class_table_db()
113
-
114
-    ## _get_class_tableDb (Function)
115
-    #
116
-    # Executes a request to the database to get the name of the table in which to add the field
117
-    #
118
-    # @return Name of the table
119
-    def _get_class_table_db(self):
106
+        #return self._get_class_table_db()
107
+        return self.get_class().class_table_name
108
+    
109
+    ## @brief Get the class that contains this field
110
+    # @return An EmClass instance
111
+    def get_class(self):
112
+        #<SQL>
120 113
         dbe = self.db_engine()
121 114
         conn = dbe.connect()
122
-        field_group_table = sql.Table(EmFieldGroup.table, sqlutils.meta(dbe))
123
-        request_get_class_id = field_group_table.select().where(field_group_table.c.uid == self.fieldgroup_id)
124
-        result_get_class_id = conn.execute(request_get_class_id).fetchall()
125
-        class_id = dict(zip(result_get_class_id[0].keys(), result_get_class_id[0]))['class_id']
126
-
127
-        class_table = sql.Table(EmClass.table, sqlutils.meta(dbe))
128
-        request_get_class_table = class_table.select().where(class_table.c.uid == class_id)
129
-        result_get_class_table = conn.execute(request_get_class_table).fetchall()
130
-        class_table_name = dict(zip(result_get_class_table[0].keys(), result_get_class_table[0]))['name']
115
+        fieldgroup_table = sqlutils.getTable(EmFieldGroup)
116
+        req = fieldgroup_table.select().where(fieldgroup_table.c.uid == self.fieldgroup_id)
117
+        res = conn.execute(req)
118
+        row = res.fetchone()
119
+        #</SQL>
120
+        return EmClass(row['class_id'])
131 121
 
132
-        return class_table_name

+ 26
- 1
EditorialModel/test/test_component.py Zobrazit soubor

@@ -14,7 +14,7 @@ import unittest
14 14
 from EditorialModel.classes import EmClass
15 15
 from EditorialModel.classtypes import EmClassType
16 16
 
17
-from EditorialModel.components import EmComponent, EmComponentNotExistError
17
+from EditorialModel.components import EmComponent, EmComponentNotExistError, EmComponentExistError
18 18
 import EditorialModel.fieldtypes as ftypes
19 19
 
20 20
 from EditorialModel.test.utils import *
@@ -415,8 +415,33 @@ class TestCreate(ComponentTestCase):
415 415
         with self.assertRaises(TypeError, msg="But no rank_fam was given"):
416 416
             vals = { 'name': 'created1', 'string': '{"fr":"testcomp"}', 'help': '{"en" :"help test", "fr":"test help"}', 'rank': 6, 'date_create': 0 , 'date_update': 0 }
417 417
             tc = EmTestComp.create(**vals)
418
+        with self.assertRaises(TypeError, msg="But invalid keyword argument given"):
419
+            vals = {'invalid': 42, 'name': 'created1', 'rank_fam': 'f', 'string': '{"fr":"testcomp"}', 'help': '{"en":"help test", "fr":"test help"}'}
420
+            tc = EmTestComp.create(**vals)
421
+            
422
+        pass
423
+
424
+    def test_create_existing_failure(self):
425
+        """ Testing that create fails when trying to create an EmComponent with an existing name but different properties """
426
+        vals = {'name': 'created1', 'rank_fam': 'f', 'string': '{"fr":"testcomp"}', 'help': '{"en":"help test", "fr":"test help"}'}
427
+        tc = EmTestComp.create(**vals)
428
+        with self.assertRaises(EmComponentExistError, msg="Should raise because attribute differs for a same name"):
429
+            vals['rank_fam'] = 'e'
430
+            EmTestComp.create(**vals)
418 431
         pass
419 432
 
433
+    def test_create_existing(self):
434
+        """ Testing that create dont fails when trying to create twice the same EmComponent """
435
+        vals = {'name': 'created1', 'rank_fam': 'f', 'string': '{"fr":"testcomp"}', 'help': '{"en":"help test", "fr":"test help"}'}
436
+        tc = EmTestComp.create(**vals)
437
+        try:
438
+            tc2 = EmTestComp.create(**vals)
439
+        except EmComponentExistError as e:
440
+            self.fail("create raises but should return the existing EmComponent instance instead")
441
+        self.assertEqual(tc.uid, tc2.uid, "Created twice the same EmComponent")
442
+        pass
443
+        
444
+
420 445
 #====================#
421 446
 # EmComponent.delete #
422 447
 #====================#

+ 1
- 4
EditorialModel/test/test_fieldgroups.py Zobrazit soubor

@@ -134,8 +134,6 @@ class TestCreate(FieldGroupTestCase):
134 134
         params = {  'EmClass entity instance': EmClass('entity1'),
135 135
                     'EmClass entry instance': EmClass('entry1'),
136 136
                     'EmClass person instance': EmClass('person1'),
137
-                    'EmClass id': EmClass('entity1').uid,
138
-                    'EmClass name': 'entity2',
139 137
                 }
140 138
 
141 139
         for i,param_name in enumerate(params):
@@ -173,8 +171,7 @@ class TestCreate(FieldGroupTestCase):
173 171
         #Creating a fieldgroup to test duplicate name
174 172
         exfg = EmFieldGroup.create('existingfg', EmClass('entity1'))
175 173
 
176
-        badargs = { 'a duplicate name': ('existingfg', ValueError),
177
-                    'an integer': (42, TypeError),
174
+        badargs = { 'an integer': (42, TypeError),
178 175
                     'a function': (print, TypeError),
179 176
                     'an EmClass': (EmClass('entry1'), TypeError),
180 177
                 }

+ 4
- 8
EditorialModel/types.py Zobrazit soubor

@@ -32,19 +32,15 @@ class EmType(EmComponent):
32 32
     ## Create a new EmType and instanciate it
33 33
     # @param name str: The name of the new type
34 34
     # @param em_class EmClass: The class that the new type will specialize
35
+    # @param **em_component_args : @ref EditorialModel::components::create()
35 36
     # @return An EmType instance
36
-    #
37
+    # @throw EmComponentExistError if an EmType with this name but different attributes exists
37 38
     # @see EmComponent::__init__()
38 39
     # 
39 40
     # @todo Remove hardcoded default value for icon
40 41
     # @todo check that em_class is an EmClass object
41
-    def create(c, name, em_class):
42
-        try:
43
-            exists = EmType(name)
44
-        except EmComponentNotExistError:
45
-            return super(EmType, c).create(name=name, class_id=em_class.uid, icon=0)
46
-
47
-        return exists
42
+    def create(c, name, em_class, **em_component_args):
43
+        return super(EmType, c).create(name=name, class_id=em_class.uid, icon=0, **em_component_args)
48 44
     
49 45
     ## @brief Delete an EmType
50 46
     # The deletion is only possible if a type is not linked by any EmClass

+ 4
- 1
Lodel/utils/mlstring.py Zobrazit soubor

@@ -40,9 +40,12 @@ class MlString(object):
40 40
             return ""
41 41
 
42 42
     ## Test if two MlString instance are equivalent
43
-    # @param other MlString : Another MlString instance
43
+    # @param other MlString|str : Another MlString instance or a string (json formated)
44 44
     # @return True or False
45 45
     def __eq__(self, other):
46
+        if isinstance(other, str):
47
+            other = MlString.load(other)
48
+
46 49
         if not isinstance(other, MlString):
47 50
             return False
48 51
         if not set(lng for lng in self.translations) == set( lng for lng in other.translations):

Loading…
Zrušit
Uložit