Browse Source

Normalize comments for components.py

Yann Weber 9 years ago
parent
commit
ff72825720
1 changed files with 55 additions and 30 deletions
  1. 55
    30
      EditorialModel/components.py

+ 55
- 30
EditorialModel/components.py View File

@@ -1,9 +1,7 @@
1 1
 # -*- coding: utf-8 -*-
2 2
 
3
-## Main object to manipulate Editorial Model
4
-#    parent of all other EM editing classes
5
-#    @see EmClass, EmType, EmFieldGroup, EmField
6
-
3
+## @file components.py
4
+# Defines the EditorialModel::components::EmComponent class and the EditorialModel::components::ComponentNotExistError exception class
7 5
 
8 6
 import datetime
9 7
 
@@ -16,19 +14,30 @@ from collections import OrderedDict
16 14
 
17 15
 logger = logging.getLogger('Lodel2.EditorialModel')
18 16
 
17
+## This class is the mother class of all editorial model objects
18
+#
19
+# It gather all the properties and mechanism that are common to every editorial model objects
20
+# @see EditorialModel::classes::EmClass, EditorialModel::types::EmType, EditorialModel::fieldgroups::EmFieldGroup, EditorialModel::fields::EmField
21
+# @pure
19 22
 class EmComponent(object):
20 23
 
21
-    dbconf = 'default' #the name of the engine configuration
24
+    ## The name of the engine configuration
25
+    # @todo Not a good idea to store it here
26
+    dbconf = 'default'
27
+    ## The table in wich we store data for this object
28
+    # None for EmComponent
22 29
     table = None
30
+    ## Used by EmComponent::modify_rank
23 31
     ranked_in = None
24 32
 
25
-    """ instaciate an EmComponent
26
-        @param id_or_name int|str: name or id of the object
27
-        @exception TypeError
28
-    """
33
+    ## Instaciate an EmComponent
34
+    # @param id_or_name int|str: name or id of the object
35
+    # @throw TypeError if id_or_name is not an integer nor a string
36
+    # @throw NotImplementedError if called with EmComponent
29 37
     def __init__(self, id_or_name):
38
+
30 39
         if type(self) is EmComponent:
31
-            raise EnvironmentError('Abstract class')
40
+            raise NotImplementedError('Abstract class')
32 41
 
33 42
         # data fields of the object
34 43
         self._fields = OrderedDict([('uid', ftypes.EmField_integer()), ('name', ftypes.EmField_char()), ('rank', ftypes.EmField_integer()), ('date_update', ftypes.EmField_date()), ('date_create', ftypes.EmField_date()), ('string', ftypes.EmField_mlstring()), ('help', ftypes.EmField_mlstring())] + self._fields)
@@ -44,22 +53,26 @@ class EmComponent(object):
44 53
             raise TypeError('Bad argument: expecting <int> or <str> but got : '+str(type(id_or_name)))
45 54
         self.populate()
46 55
 
47
-    # access values of data fields from the object properties
56
+    ## Access values of data fields from the object properties
57
+    # @param name str: The propertie name
58
+    # @throw AttributeError if attribute don't exists
48 59
     def __getattr__(self, name):
49 60
         if name != '_fields' and name in self._fields:
50 61
             return self._fields[name].value
51 62
 
52 63
         raise AttributeError('Error unknown attribute : '+name)
53 64
 
54
-    # set values of data fields from the object properties
65
+    ## Set values of data fields from the object properties
66
+    # @param name str: The propertie name
67
+    # @param value *: The value
55 68
     def __setattr__(self, name, value):
56 69
         if name != '_fields' and hasattr(self, '_fields') and name in object.__getattribute__(self, '_fields'):
57 70
             self._fields[name].from_python(value)
58 71
         else:
59 72
             object.__setattr__(self, name, value)
60 73
 
61
-    """ Lookup in the database properties of the object to populate the properties
62
-    """
74
+    ## Lookup in the database properties of the object to populate the properties
75
+    # @throw EmComponentNotExistError if the instance is not anymore stored in database
63 76
     def populate(self):
64 77
         records = self._populateDb() #Db query
65 78
 
@@ -69,12 +82,13 @@ class EmComponent(object):
69 82
                     self._fields[keys].from_string(record[keys])
70 83
 
71 84
     @classmethod
85
+    ## Shortcut that return the sqlAlchemy engine
72 86
     def getDbE(c):
73
-        """ Shortcut that return the sqlAlchemy engine """
74 87
         return sqlutils.getEngine(c.dbconf)
75
-
88
+    
89
+    ## Do the query on the database for EmComponent::populate()
90
+    # @throw EmComponentNotExistError if the instance is not anymore stored in database
76 91
     def _populateDb(self):
77
-        """ Do the query on the db """
78 92
         dbe = self.__class__.getDbE()
79 93
         component = sql.Table(self.table, sqlutils.meta(dbe))
80 94
         req = sql.sql.select([component])
@@ -95,9 +109,12 @@ class EmComponent(object):
95 109
         return res
96 110
 
97 111
     ## Insert a new component in the database
98
-    # This function create and assign a new UID and handle the date_create value
99
-    # @param values The values of the new component
112
+    #
113
+    # This function create and assign a new UID and handle the date_create and date_update values
114
+    #
115
+    # @param **kwargs : Names arguments representing object properties
100 116
     # @return An instance of the created component
117
+    # @throw TypeError if an element of kwargs isn't a valid object propertie or if a mandatory argument is missing
101 118
     #
102 119
     # @todo Check that the query didn't failed
103 120
     # @todo Check that every mandatory _fields are given in args
@@ -128,9 +145,8 @@ class EmComponent(object):
128 145
         return cl(kwargs['name']) #Maybe no need to check res because this would fail if the query failed
129 146
 
130 147
 
131
-    """ write the representation of the component in the database
132
-        @return bool
133
-    """
148
+    ## Write the representation of the component in the database
149
+    # @return bool
134 150
     def save(self):
135 151
         values = {}
136 152
         for name, field in self._fields.items():
@@ -142,7 +158,10 @@ class EmComponent(object):
142 158
             logger.warning("date_create supplied for save, but overwritting of date_create not allowed, the date will not be changed")
143 159
 
144 160
         self._saveDb(values)
145
-
161
+    
162
+    ## Do the query in the datbase for EmComponent::save()
163
+    # @param values dict: A dictionnary of the values to insert
164
+    # @throw RunTimeError if it was unable to do the Db update
146 165
     def _saveDb(self, values):
147 166
         """ Do the query on the db """
148 167
         dbe = self.__class__.getDbE()
@@ -156,9 +175,10 @@ class EmComponent(object):
156 175
             raise RuntimeError("Unable to save the component in the database")
157 176
 
158 177
 
159
-    """ delete this component data in the database
160
-        @return bool
161
-    """
178
+    ## Delete this component data in the database
179
+    # @return bool
180
+    # @todo Use something like __del__ instead (or call it at the end)
181
+    # @throw RunTimeError if it was unable to do the deletion
162 182
     def delete(self):
163 183
         #<SQL>
164 184
         dbe = self.__class__.getDbE()
@@ -180,6 +200,8 @@ class EmComponent(object):
180 200
     # @param sign str: Un charactère qui peut être : '=' pour afecter un rank, '+' pour ajouter le modificateur de rank ou '-' pour soustraire le modificateur de rank.
181 201
     #
182 202
     # @return bool: True en cas de réussite False en cas d'echec.
203
+    # @throw TypeError if an argument isn't from the expected type
204
+    # @thrown ValueError if an argument as a wrong value but is of the good type
183 205
     def modify_rank(self, new_rank, sign = '='):
184 206
 
185 207
         if(type(new_rank) is int):
@@ -308,7 +330,10 @@ class EmComponent(object):
308 330
             return "<%s #%s, '%s'>" % (type(self).__name__, self.uid, self.name)
309 331
 
310 332
     @classmethod
311
-    def newUid(c):
333
+    ## Register a new component in UID table
334
+    # 
335
+    # Use the class property table
336
+    def newUid(cl):
312 337
         """ This function register a new component in uids table
313 338
             @return The new uid
314 339
         """
@@ -316,16 +341,16 @@ class EmComponent(object):
316 341
 
317 342
         uidtable = sql.Table('uids', sqlutils.meta(dbe))
318 343
         conn = dbe.connect()
319
-        req = uidtable.insert(values={'table':c.table})
344
+        req = uidtable.insert(values={'table':cl.table})
320 345
         res = conn.execute(req)
321 346
 
322 347
         uid = res.inserted_primary_key[0]
323
-        logger.debug("Registering a new UID '"+str(uid)+"' for '"+c.table+"' component")
348
+        logger.debug("Registering a new UID '"+str(uid)+"' for '"+cl.table+"' component")
324 349
 
325 350
         conn.close()
326 351
 
327 352
         return uid
328 353
 
329
-
354
+## An exception class to tell that a component don't exist
330 355
 class EmComponentNotExistError(Exception):
331 356
     pass

Loading…
Cancel
Save