Browse Source

Merge test and "data fields in a dict"

ArnAud 9 years ago
parent
commit
460e6449fb
3 changed files with 678 additions and 17 deletions
  1. 30
    12
      EditorialModel/components.py
  2. 600
    4
      EditorialModel/test/test_component.py
  3. 48
    1
      runtest

+ 30
- 12
EditorialModel/components.py View File

@@ -170,6 +170,7 @@ class EmComponent(object):
170 170
     #
171 171
     # @return bool: True en cas de réussite False en cas d'echec.
172 172
     def modify_rank(self, new_rank, sign = '='):
173
+
173 174
         if(type(new_rank) is int):
174 175
             if(new_rank >= 0):
175 176
                 dbe = self.__class__.getDbE()
@@ -180,16 +181,16 @@ class EmComponent(object):
180 181
                     logger.error("Bad argument")
181 182
                     raise TypeError('Excepted a string (\'=\' or \'+\' or \'-\') not a '+str(type(sign)))
182 183
 
183
-                req = req.where((getattr(component.c, self.ranked_in) == getattr(self, self.ranked_in)) & (component.c.rank == new_rank))
184
-                c = dbe.connect()
185
-                res = c.execute(req)
186
-                res = res.fetchone()
187
-                c.close()
184
+                if(sign == '='):
188 185
 
189
-                req = sql.sql.select([component.c.uid, component.c.rank])
186
+                    req = sql.sql.select([component.c.uid, component.c.rank])
187
+                    req = req.where((getattr(component.c, self.ranked_in) == getattr(self, self.ranked_in)) & (component.c.rank == new_rank))
188
+                    c = dbe.connect()
189
+                    res = c.execute(req)
190
+                    res = res.fetchone()
191
+                    c.close()
190 192
 
191
-                if(res != None):
192
-                    if(sign == '='):
193
+                    if(res != None):
193 194
                         if(new_rank < self.rank):
194 195
                             req = req.where((getattr(component.c, self.ranked_in) == getattr(self, self.ranked_in)) & ( component.c.rank >= new_rank) & (component.c.rank < self.rank))
195 196
                         else:
@@ -214,7 +215,19 @@ class EmComponent(object):
214 215
                         c.close()
215 216
 
216 217
                         self.rank = new_rank
217
-                    elif(sign == '+'):
218
+
219
+                    else:
220
+                        logger.error("Bad argument")
221
+                        raise ValueError('new_rank to big, new_rank - 1 doesn\'t exist. new_rank = '+str((new_rank)))
222
+                elif(sign == '+'):
223
+                    req = sql.sql.select([component.c.uid, component.c.rank])
224
+                    req = req.where((getattr(component.c, self.ranked_in) == getattr(self, self.ranked_in)) & (component.c.rank == self.rank + new_rank))
225
+                    c = dbe.connect()
226
+                    res = c.execute(req)
227
+                    res = res.fetchone()
228
+                    c.close()
229
+
230
+                    if(res != None):
218 231
                         if(new_rank != 0):
219 232
                             req = req.where((getattr(component.c, self.ranked_in) == getattr(self, self.ranked_in)) & (component.c.rank <= self.rank + new_rank) & (component.c.rank > self.rank))
220 233
 
@@ -236,7 +249,11 @@ class EmComponent(object):
236 249
                         else:
237 250
                             logger.error("Bad argument")
238 251
                             raise ValueError('Excepted a positive int not a null. new_rank = '+str((new_rank)))
239
-                    elif(sign == '-'):
252
+                    else:
253
+                        logger.error("Bad argument")
254
+                        raise ValueError('new_rank to big, rank + new rank doesn\'t exist. new_rank = '+str((new_rank)))
255
+                elif(sign == '-'):
256
+                    if((self.rank + new_rank) > 0):
240 257
                         if(new_rank != 0):
241 258
                             req = req.where((getattr(component.c, self.ranked_in) == getattr(self, self.ranked_in)) & (component.c.rank >= self.rank - new_rank) & (component.c.rank < self.rank))
242 259
 
@@ -260,10 +277,11 @@ class EmComponent(object):
260 277
                             raise ValueError('Excepted a positive int not a null. new_rank = '+str((new_rank)))
261 278
                     else:
262 279
                         logger.error("Bad argument")
263
-                        raise ValueError('Excepted a string (\'=\' or \'+\' or \'-\') not a '+str((sign)))
280
+                        raise ValueError('new_rank to big, rank - new rank is negative. new_rank = '+str((new_rank)))
264 281
                 else:
265 282
                     logger.error("Bad argument")
266
-                    raise ValueError('new_rank to big, new_rank - 1 doesn\'t exist. new_rank = '+str((new_rank)))
283
+                    raise ValueError('Excepted a string (\'=\' or \'+\' or \'-\') not a '+str((sign)))
284
+
267 285
             else:
268 286
                 logger.error("Bad argument")
269 287
                 raise ValueError('Excepted a positive int not a negative. new_rank = '+str((new_rank)))

+ 600
- 4
EditorialModel/test/test_component.py View File

@@ -1,10 +1,606 @@
1
+import os
2
+import datetime
3
+import time
4
+import logging
5
+import json
6
+
1 7
 #from django.test import TestCase
8
+from django.conf import settings
9
+
2 10
 from unittest import TestCase
3
-from EditorialModel.component import EmComponent
11
+import unittest
12
+
13
+from EditorialModel.components import EmComponent, EmComponentNotExistError
14
+from Lodel.utils.mlstring import MlString
15
+
16
+from Database.sqlsetup import SQLSetup
17
+from Database.sqlwrapper import SqlWrapper
18
+from Database import sqlutils
19
+import sqlalchemy as sqla
20
+
21
+
22
+os.environ.setdefault("DJANGO_SETTINGS_MODULE", "Lodel.settings")
23
+
24
+#
25
+# TODO : test create
26
+#
27
+
28
+#=#############=# 
29
+#  TESTS SETUP  #
30
+#=#############=#
31
+
32
+def setUpModule():
33
+    """ This function is run once for this module.
34
+        
35
+        The goal are to overwrtie Db configs, and prepare objects for test_case initialisation
36
+    """
37
+    #Overwritting db confs to make tests
38
+    settings.LODEL2SQLWRAPPER = {
39
+        'default': {
40
+            'ENGINE': 'sqlite',
41
+            'NAME': '/tmp/testdb.sqlite'
42
+        }
43
+    }
44
+    
45
+    #Disable logging but CRITICAL
46
+    logging.basicConfig(level=logging.CRITICAL)
47
+
48
+    #testDB setup
49
+    sqls = SQLSetup()
50
+    tables = sqls.get_schema()
51
+    ttest = {   'name':'ttest',
52
+                'columns':  [
53
+                    {"name":"uid",          "type":"INTEGER", "extra":{"foreignkey":"uids.uid", "nullable":False, "primarykey":True}},
54
+                    {"name":"name",         "type":"VARCHAR(50)", "extra":{"nullable":False, "unique":True}},
55
+                    {"name":"string",       "type":"TEXT"},
56
+                    {"name":"help",         "type":"TEXT"},
57
+                    {"name":"rank",         "type":"INTEGER"},
58
+                    {"name":"rank_fam",    "type":"VARCHAR(1)"},
59
+                    {"name":"date_update",  "type":"DATETIME"},
60
+                    {"name":"date_create",  "type":"DATETIME"}
61
+                ]
62
+            }
63
+    tables.append(ttest)
4 64
 
65
+    globals()['dbwrapper'] = SqlWrapper(read_db='default', write_db = 'default', alchemy_logs=False)
66
+    globals()['tables'] = tables
67
+    pass
68
+
69
+
70
+#A dummy EmComponent child class use to make tests
71
+class EmTestComp(EmComponent):
72
+    table = 'ttest'
73
+    ranked_in = 'rank_fam'
74
+    def __init__(self, ion):
75
+        super(EmTestComp, self).__init__(ion)
76
+        pass
77
+
78
+    def populate(self):
79
+        row = super(EmTestComp, self).populate()
80
+        self.rank_fam = row.rank_fam
81
+        pass
82
+
83
+    def save(self):
84
+        values = { 'rank_fam': self.rank_fam }
85
+        return super(EmTestComp, self).save(values)
86
+
87
+# The parent class of all other test cases for component
88
+# It defines a SetUp function and some utility functions for EmComponent tests
5 89
 class ComponentTestCase(TestCase):
6 90
 
7
-    def test_component_instanciate_with_numeric_id(self):
8
-        testComp = EmComponent(2)
9
-        self.assertEqual(testComp.id, 2)
91
+    @classmethod
92
+    def setUpClass(cls):
93
+        pass
94
+        
95
+    @property
96
+    def db(self):
97
+        return globals()['dbwrapper']
98
+    @property
99
+    def tables(self):
100
+        return globals()['tables']
101
+
102
+    def setUp(self):
103
+        # Db RAZ
104
+        globals()['dbwrapper'].dropAll()
105
+        # Db schema creation
106
+        globals()['dbwrapper'].createAllFromConf(globals()['tables']);
107
+        #Db Engines init
108
+        self.dber = globals()['dbwrapper'].r_engine
109
+        self.dbew = globals()['dbwrapper'].w_engine
110
+        
111
+        # Insertion of testings datas
112
+        conn = self.dber.connect()
113
+        test_table = sqla.Table(EmTestComp.table, sqlutils.meta(self.dber))
114
+        uids_table = sqla.Table('uids', sqlutils.meta(self.dber))
115
+        tuid = [ 1, 2, 3 , 42, 84 , 1025 ]
116
+
117
+        #Creating uid for the EmTestComp
118
+        for uid in tuid:
119
+            req = uids_table.insert(values={'uid':uid, 'table': EmTestComp.table })
120
+            conn.execute(req)
121
+
122
+        # WARNING !!! Rank has to be ordened and incremented by one for the modify_rank tests
123
+        self.test_values = [
124
+            { 'uid': tuid[0], 'name': 'test', 'string': '{"fr":"testcomp"}', 'help': '{"en":"help test", "fr":"test help"}', 'rank': 0},
125
+            { 'uid': tuid[1], 'name': 'test-em_comp', 'string': '{"fr":"Super test comp"}', 'help': '{}', 'rank': 1},
126
+            { 'uid': tuid[2], 'name': 'test2', 'string': '{}', 'help': '{}', 'rank': 2},
127
+            { 'uid': tuid[3], 'name': 'foo', 'string': '{"foo":"bar"}', 'help': '{"foo":"foobar"}', 'rank': 3},
128
+            { 'uid': tuid[4], 'name': '123', 'string': '{"num":"456"}', 'help': '{"num":"4242"}', 'rank': 4},
129
+            { 'uid': tuid[5], 'name': 'name', 'string': '{}', 'help': '{}', 'rank': 5},
130
+        ]
131
+
132
+        for i in range(len(self.test_values)):
133
+            self.test_values[i]['date_create'] = datetime.datetime.utcnow()
134
+            self.test_values[i]['date_update'] = datetime.datetime.utcnow()
135
+            self.test_values[i]['rank_fam'] = '1'
136
+            
137
+
138
+        req = test_table.insert(values=self.test_values)
139
+        conn.execute(req)
140
+    
141
+        """#Uncomment this block to dump the test values at each setup
142
+        req = sqla.select([test_table])
143
+        res = conn.execute(req).fetchall()
144
+        print("\nDEBUG (dump inserted)")
145
+        for row in res:
146
+            strrow=""
147
+            for cname in row.keys():
148
+                strrow += "\t"+str(cname)+'\t: '+str(row[cname])+"\n"
149
+            print(strrow)
150
+        print("\n")
151
+        """
152
+        conn.close()
153
+
154
+        footable = sqla.Table('em_class', sqlutils.meta(self.dber))
155
+        foocol = footable.c.date_update
156
+        pass
157
+    
158
+    def check_equals(self, excepted_val, test_comp, check_date=True):
159
+        """ This function check that a EmTestComp has excepted_val for values """
160
+        val = excepted_val
161
+        self.assertIsInstance(test_comp, EmTestComp)
162
+        for vname in val:
163
+            if vname in ['string', 'help']: #Special test for mlStrings
164
+                #MlString comparison
165
+                vml = json.loads(val[vname])
166
+                for vn in vml:
167
+                    self.assertEqual(vml[vn], getattr(test_comp, vname).get(vn))
168
+            elif vname in ['date_create', 'date_update']:
169
+                # Datetime comparison
170
+                if check_date:
171
+                    self.assertEqualDatetime(val[vname], getattr(test_comp, vname))
172
+            else:
173
+                if vname == 'uid':
174
+                    prop = 'id'
175
+                else:
176
+                    prop = vname
177
+                self.assertEqual(getattr(test_comp, prop), val[vname], "Inconsistency for "+prop+" property")
178
+        pass
179
+
180
+    def assertEqualDatetime(self, d1,d2, msg=""):
181
+        """ Compare a date from the database with a datetime (that have microsecs, in db we dont have microsecs) """
182
+        self.assertTrue( d1.year == d2.year and d1.month == d2.month and d1.day == d2.day and d1.hour == d2.hour and d1.minute == d2.minute and d1.second == d2.second, msg+" Error the two dates differs : '"+str(d1)+"' '"+str(d2)+"'")
183
+
184
+    def assertEqualMlString(self, ms1, ms2, msg=""):
185
+        """ Compare two MlStrings """
186
+        ms1t = ms1.translations
187
+        ms2t = ms2.translations
188
+        self.assertEqual(set(name for name in ms1t), set(name for name in ms2t), msg+" The two MlString hasn't the same lang list")
189
+        for n in ms1t:
190
+            self.assertEqual(ms1t[n], ms2t[n])
191
+
192
+    def run(self, result=None):
193
+        
194
+        super(ComponentTestCase, self).run(result)
195
+
196
+#=#############=#
197
+#  TESTS BEGIN  #
198
+#=#############=#
199
+
200
+#=======================#
201
+#   EmComponent.newUid  #
202
+#=======================#
203
+class TestUid(ComponentTestCase):
204
+
205
+    
206
+    def test_newuid(self):
207
+        """ Test valid calls for newUid method """
208
+        for _ in range(10):
209
+            nuid = EmTestComp.newUid()
210
+        
211
+            conn = self.dber.connect()
212
+            tuid = sqla.Table('uids', sqlutils.meta(self.dber))
213
+            req = sqla.select([tuid]).where(tuid.c.uid == nuid)
214
+            rep = conn.execute(req)
215
+            res = rep.fetchall()
216
+        
217
+            self.assertEqual(len(res), 1, "Error when selecting : mutliple rows returned for 1 UID")
218
+            res = res[0]
219
+            self.assertEqual(res.uid, nuid, "Selected UID didn't match created uid")
220
+            self.assertEqual(res.table, EmTestComp.table, "Table not match with class table : expected '"+res.table+"' but got '"+EmTestComp.table+"'")
221
+        pass
222
+    
223
+    def test_newuid_abstract(self):
224
+        """ Test not valit call for newUid method """
225
+        with self.assertRaises(NotImplementedError):
226
+            EmComponent.newUid()
227
+        pass
228
+        
229
+#===========================#
230
+#   EmComponent.__init__    #
231
+#===========================#
232
+class TestInit(ComponentTestCase):
233
+
234
+
235
+    def test_component_abstract_init(self):
236
+        """ Test not valid call (from EmComponent) of __init__ """
237
+        with self.assertRaises(EnvironmentError):
238
+            test_comp = EmComponent(2)
239
+        with self.assertRaises(EnvironmentError):
240
+            test_comp = EmComponent('name')
241
+        pass
242
+
243
+
244
+    def test_component_init_not_exist(self):
245
+        """ Test __init__ with non existing objects """
246
+        with self.assertRaises(EmComponentNotExistError):
247
+            test_comp = EmTestComp('not_exist')
248
+
249
+        # TODO this assertion depends of the EmComponent behavior when instanciate with an ID
250
+        #with self.assertRaises(EmComponentNotExistError):
251
+        #    test_comp = EmTestComp(4096)
252
+
253
+        pass
254
+
255
+    def test_component_init_uid(self):
256
+        """ Test __init__ with numerical ID """
257
+        for val in self.test_values:
258
+            test_comp = EmTestComp(val['uid'])
259
+            self.assertIsInstance(test_comp, EmTestComp)
260
+            self.assertEqual(test_comp.id, val['uid'])
261
+        pass
262
+
263
+    def test_component_init_name(self):
264
+        """ Test __init__ with names """
265
+        for val in self.test_values:
266
+            test_comp = EmTestComp(val['name'])
267
+            self.check_equals(val, test_comp)
268
+        pass
269
+
270
+    def test_component_init_badargs(self):
271
+        for badarg in [ print, json, [], [1,2,3,4,5,6], {'hello': 'world'} ]:
272
+            with self.assertRaises(TypeError):
273
+                EmTestComp(badarg)
274
+        pass
275
+        
276
+#=======================#
277
+#   EmComponent.save    #
278
+#=======================#
279
+class TestSave(ComponentTestCase):
280
+
281
+
282
+    def _savecheck(self, test_comp, newval):
283
+        """ Utility function for test_component_save_namechange """
284
+        test_comp2 = EmTestComp(newval['name'])
285
+        
286
+        #Check if properties other than date are equals in the instance fetched from Db
287
+        self.check_equals(newval, test_comp2, check_date=False)
288
+
289
+        #Check if the date_update has been updated
290
+        self.assertTrue(newval['date_update'] < test_comp2.date_update, "The updated date_update is more in past than its previous value : old date : '"+str(newval['date_update'])+"' new date '"+str(test_comp2.date_update)+"'")
291
+
292
+        #Check if the date_create didn't change
293
+        self.assertEqualDatetime(newval['date_create'], test_comp2.date_create)
294
+
295
+        #Check if the instance fecthed from Db and the one used to call save have the same properties
296
+        for prop in ['name', 'help', 'string', 'date_update', 'date_create', 'rank' ]:
297
+            if prop in ['string', 'help']:
298
+                assertion = self.assertEqualMlString
299
+            elif prop in ['date_update', 'date_create']:
300
+                assertion = self.assertEqualDatetime
301
+            else:
302
+                assertion = self.assertEqual
303
+
304
+            assertion(getattr(test_comp, prop), getattr(test_comp2, prop), "Save don't propagate modification properly. The '"+prop+"' property differs between the modified instance and a new one fetch from Db : ")
305
+        pass
306
+
307
+    def test_component_save_setattr(self):
308
+        """ Checking save method after different changes using setattr """
309
+
310
+        val = self.test_values[0] #The row we will modify
311
+
312
+        test_comp = EmTestComp(val['name'])
313
+        self.check_equals(val, test_comp)
314
+
315
+        newval = val.copy()
316
+
317
+        time.sleep(2) # We have to sleep 2 secs here, so the update_date will be at least 2 secs more than newval['date_update']
318
+        
319
+        #name change
320
+        with self.subTest("Save after name change"):
321
+            newval['name'] = test_comp.name = 'newname'
322
+            test_comp.save()
323
+            self._savecheck(test_comp, newval)
324
+
325
+        #help change
326
+        with self.subTest("Save after help change"):
327
+            newval['help'] = '{"fr": "help fr", "en":"help en", "es":"help es"}'
328
+            test_comp.help = MlString.load(newval['help'])
329
+            test_comp.save()
330
+            self._savecheck(test_comp, newval)
331
+        
332
+        #string change
333
+        with self.subTest("Save after string change"):
334
+            newval['string'] = '{"fr": "string fr", "en":"string en", "es":"string es"}'
335
+            test_comp.string = MlString.load(newval['string'])
336
+            test_comp.save()
337
+            self._savecheck(test_comp, newval)
338
+
339
+        #no change
340
+        with self.subTest("Save without any change"):
341
+            test_comp.save()
342
+            self._savecheck(test_comp, newval)
343
+
344
+        #change all
345
+        with self.subTest("Save after name, help and string change"):
346
+            test_comp.name = newval['name'] = test_comp.name = 'newnewname'
347
+            newval['help'] = '{"fr": "help fra", "en":"help eng", "es":"help esp"}'
348
+            test_comp.help = MlString.load(newval['help'])
349
+            newval['string'] = '{"fr": "string FR", "en":"string EN", "es":"string ES", "foolang":"foofoobar"}'
350
+            test_comp.string = MlString.load(newval['string'])
351
+
352
+            test_comp.save()
353
+            self._savecheck(test_comp, newval)
354
+
355
+        pass
356
+
357
+    @unittest.skip("Soon we will not use anymore the values argument of the savec method")
358
+    def test_component_save(self):
359
+        """ Checking save method after different changes using values arg of save method """
360
+        val = self.test_values[0]
361
+        test_comp = EmTestComp(val['name'])
362
+        self.check_equals(val, test_comp)
363
+
364
+        save_args = [
365
+            { 'name': 'foonewname' },
366
+            { 'name': 'foo new name'},
367
+            { 'help': '{"fr": "strhelp fr", "en":"strhelp en", "es":"strhelp es"}'},
368
+            { 'string': '{"fr": "helpstr fr", "en":"helpstr en", "es":"helpstr es"}'},
369
+            { 'name': 'oldname', 'help':'{"fr": "help fra", "en":"help eng", "es":"help esp"}', 'string':'{"fr": "string FR", "en":"string EN", "es":"string ES", "foolang":"foofoobar"}'},
370
+            { 'help': '{}', 'string':'{}'},
371
+        ]
372
+        for values in save_args:
373
+            for vname in values:
374
+                val[vname] = values[vname]
375
+
376
+            v = values.copy()
377
+            #WARNING : v is set by save
378
+            test_comp.save(v)
379
+            
380
+            print(val,"\n" ,values)
381
+            self._savecheck(test_comp, val)
382
+
383
+    def test_component_save_illegalchanges(self):
384
+        """ checking that the save method forbids some changes """
385
+        val = self.test_values[1]
386
+
387
+        changes = { 'date_create': datetime.datetime(1982,4,2,13,37), 'date_update': datetime.datetime(1982,4,2,22,43), 'rank': 42 }
388
+
389
+        for prop in changes:
390
+            with self.subTest("Illega change of "+prop):
391
+                test_comp = EmTestComp(val['name'])
392
+                self.check_equals(val, test_comp)
393
+                
394
+                setattr(test_comp, prop, changes[prop])
395
+                test_comp.save()
396
+    
397
+                test_comp2 = EmTestComp(val['name'])
398
+    
399
+                if prop in ['date_create', 'date_update']:
400
+                    assertion = self.assertEqualDatetime
401
+                else: #rank
402
+                    assertion = self.assertEqual
403
+    
404
+                assertion(getattr(test_comp,prop), val[prop], "When using setattr the "+prop+" of a component is set : ")
405
+                assertion(getattr(test_comp2, prop), val[prop], "When using setattr and save the "+prop+" of a loaded component is set : ")
406
+    
407
+                # The code block commented bellow uses the values argument of the save method.
408
+                # soon this argument will not being used anymore
409
+                """
410
+                test_comp = EmTestComp(val['name'])
411
+                self.check_equals(val, test_comp)
412
+                test_comp.save({ prop: changes['prop'] })
413
+    
414
+                test_comp2 = EmTestComp(val['name'])
415
+                self.assertEqualDatetime(test_comp.date_create, val[prop], "The "+prop+" of the component instance has been changed")
416
+                self.assertEqualDatetime(test_comp2.date_create, val[prop], "When loaded the "+prop+" has been changed")
417
+                """
418
+        pass
419
+    
420
+#===========================#
421
+# EmComponent.modify_rank   #
422
+#===========================#
423
+class TestModifyRank(ComponentTestCase):
424
+
425
+    def dump_ranks(self):
426
+        names = [ v['name'] for v in self.test_values ]
427
+        ranks=""
428
+        for i in range(len(names)):
429
+            tc = EmTestComp(names[i])
430
+            ranks += " "+str(tc.rank)
431
+        return ranks
432
+
433
+    def test_modify_rank_absolute(self):
434
+        """ Testing modify_rank with absolute rank """
435
+        
436
+        names = [ v['name'] for v in self.test_values ]
437
+        nmax = len(names)-1
438
+        
439
+        #moving first to 3
440
+        #-----------------
441
+        test_comp = EmTestComp(names[0])
442
+
443
+        test_comp.modify_rank(3, '=')
444
+        self.assertEqual(test_comp.rank, 3, "Called modify_rank(3, '=') but rank is '"+str(test_comp.rank)+"'. Ranks dump : "+self.dump_ranks())
445
+        tc2 = EmTestComp(names[0])
446
+        self.assertEqual(tc2.rank, 3, "Called modify_rank(3, '=') but rank is '"+str(tc2.rank)+"'. Ranks dump : "+self.dump_ranks())
447
+
448
+        for i in range(1,4):
449
+            test_comp = EmTestComp(names[i])
450
+            self.assertEqual(test_comp.rank, i-1, "Excepted rank was '"+str(i-1)+"' but found '"+str(test_comp.rank)+"'. Ranks dump : "+self.dump_ranks())
451
+
452
+        for i in [4,nmax]:
453
+            test_comp = EmTestComp(names[i])
454
+            self.assertEqual(test_comp.rank, i, "Rank wasn't excepted to change, but : previous value was '"+str(i)+"' current value is '"+str(test_comp.rank)+"'. Ranks dump : "+self.dump_ranks())
455
+
456
+        #undoing last rank change
457
+        test_comp = EmTestComp(names[0])
458
+        test_comp.modify_rank(0,'=')
459
+        self.assertEqual(test_comp.rank, 0)
460
+        tc2 = EmTestComp(names[0])
461
+        self.assertEqual(tc2.rank, 0)
462
+
463
+        #moving last to 2
464
+        #----------------
465
+        test_comp = EmTestComp(names[nmax])
466
+
467
+        test_comp.modify_rank(2, '=')
468
+        
469
+        for i in [0,1]:
470
+            test_comp = EmTestComp(names[i])
471
+            self.assertEqual(test_comp.rank, i)
472
+        for i in range(3,nmax-1):
473
+            test_comp = EmTestComp(names[i])
474
+            self.assertEqual(test_comp.rank, i+1, "Excepted rank was '"+str(i+1)+"' but found '"+str(test_comp.rank)+"'. Ranks dump : "+self.dump_ranks())
475
+
476
+        #undoing last rank change
477
+        test_comp = EmTestComp(names[nmax])
478
+        test_comp.modify_rank(nmax,'=')
479
+        self.assertEqual(test_comp.rank, nmax)
480
+        
481
+        #Checking that we are in original state again
482
+        for i,name in enumerate(names):
483
+            test_comp = EmTestComp(name)
484
+            self.assertEqual(test_comp.rank, i, "Excepted rank was '"+str(i-1)+"' but found '"+str(test_comp.rank)+"'. Ranks dump : "+self.dump_ranks())
485
+        
486
+        #Inverting the list
487
+        #------------------
488
+        for i,name in enumerate(names):
489
+            test_comp = EmTestComp(name)
490
+            test_comp.modify_rank(0,'=')
491
+            self.assertEqual(test_comp.rank, 0)
492
+            for j in range(0,i+1):
493
+                test_comp = EmTestComp(names[j])
494
+                self.assertEqual(test_comp.rank, i-j)
495
+            for j in range(i+1,nmax+1):
496
+                test_comp = EmTestComp(names[j])
497
+                self.assertEqual(test_comp.rank, j)
498
+
499
+        #Not inverting the list (makes swap but at the end we are in reverse state again)
500
+        #--------------------------------------------------------------------------------
501
+        for i in range(nmax,-1,-1):
502
+            test_comp = EmTestComp(names[i])
503
+            test_comp.modify_rank(nmax,'=')
504
+            self.assertEqual(test_comp.rank, nmax)
505
+            for j in range(i,nmax+1):
506
+                test_comp = EmTestComp(names[j])
507
+                self.assertEqual(test_comp.rank, nmax-(j-i), "Excepted rank was '"+str(nmax-(j-i))+"' but got '"+str(test_comp.rank)+"'). Ranks dump : "+self.dump_ranks())
508
+            for j in range(0,i):
509
+                test_comp = EmTestComp(names[j])
510
+                self.assertEqual(test_comp.rank, i-j-1)
511
+
512
+        pass
513
+
514
+    def test_modify_rank_relative(self):
515
+        """ Testing modify_rank with relative rank modifier """
516
+        names = [ v['name'] for v in self.test_values ]
517
+        nmax = len(names)-1
518
+        
519
+        test_comp = EmTestComp(names[0])
520
+        #Running modify_rank(i,'+') and the modify_rank(i,'-') for i in range(1,nmax)
521
+        for i in range(1,nmax):
522
+            test_comp.modify_rank(i,'+')
523
+            self.assertEqual(test_comp.rank, i, "The instance (name="+names[0]+") on wich we applied the modify_rank doesn't have expected rank : expected '"+str(i)+"' but got '"+str(test_comp.rank)+"'")
524
+            test_comp2 = EmTestComp(names[0])
525
+            self.assertEqual(test_comp.rank, i, "The instance fetched in Db does'n't have expected rank : expected '"+str(i)+"' but got '"+str(test_comp.rank)+"'")
526
+
527
+            for j in range(1,i+1):
528
+                test_comp2 = EmTestComp(names[j])
529
+                self.assertEqual(test_comp2.rank, j-1)
530
+            for j in range(i+1,nmax+1):
531
+                test_comp2 = EmTestComp(names[j])
532
+                self.assertEqual(test_comp2.rank, j)
533
+
534
+            test_comp.modify_rank(i,'-')
535
+            self.assertEqual(test_comp.rank, 0, "The instance on wich we applied the modify_rank -"+str(i)+" doesn't have excepted rank : excepted '0' but got '"+str(test_comp.rank)+"'")
536
+            test_comp2 = EmTestComp(names[0])
537
+            self.assertEqual(test_comp.rank, 0, "The instance fetched in Db does'n't have expected rank : expected '0' but got '"+str(test_comp.rank)+"'"+self.dump_ranks())
538
+
539
+            for j in range(1,nmax+1):
540
+                test_comp2 = EmTestComp(names[j])
541
+                self.assertEqual(test_comp2.rank, j)
542
+
543
+        test_comp = EmTestComp(names[3])
544
+        test_comp.modify_rank(2,'+')
545
+        self.assertEqual(test_comp.rank, 5)
546
+        tc2 = EmTestComp(names[3])
547
+        self.assertEqual(tc2.rank,5)
548
+        for i in [4,5]:
549
+            tc2 = EmTestComp(names[i])
550
+            self.assertEqual(tc2.rank, i-1)
551
+        for i in range(0,3):
552
+            tc2 = EmTestComp(names[i])
553
+            self.assertEqual(tc2.rank, i)
554
+
555
+        test_comp.modify_rank(2, '-')
556
+        self.assertEqual(test_comp.rank, 3)
557
+        for i in range(0,6):
558
+            tc2 = EmTestComp(names[i])
559
+            self.assertEqual(tc2.rank, i)
560
+
561
+        pass
562
+
563
+    def test_modify_rank_badargs(self):
564
+        """ Testing modify_rank with bad arguments """
565
+        names = [ v['name'] for v in self.test_values ]
566
+        tc = EmTestComp(names[3])
567
+        
568
+        badargs = [
569
+            #Bad types
570
+            (('0','+'), TypeError),
571
+            ((0, 43), TypeError),
572
+            ((print, '='), TypeError),
573
+            ((3, print), TypeError),
574
+            ((0.0, '='), TypeError),
575
+            
576
+            #Bad new_rank
577
+            ((0,'+'), ValueError),
578
+            ((0,'-'), ValueError),
579
+            ((-1, '+'), ValueError),
580
+            ((-1,'-'), ValueError),
581
+            ((-1, '='), ValueError),
582
+            ((-1,), ValueError),
583
+            
584
+            #Bad sign
585
+            ((2, 'a'), ValueError),
586
+            ((1, '=='), ValueError),
587
+            ((1, '+-'), ValueError),
588
+            ((1, 'Hello world !'), ValueError),
589
+            
590
+            #Out of bounds
591
+            ((42*10**9, '+'), ValueError),
592
+            ((-42*10**9, '+'), ValueError),
593
+            ((len(names), '+'), ValueError),
594
+            ((len(names), '-'), ValueError),
595
+            ((len(names), '='), ValueError),
596
+            ((4, '-'), ValueError),
597
+            ((3, '+'), ValueError),
598
+        ]
599
+
600
+        for (args, err) in badargs:
601
+            with self.assertRaises(err, msg="Bad arguments supplied : "+str(args)+" for a component at rank 3 but no error raised"):
602
+                tc.modify_rank(*args)
603
+            self.assertEqual(tc.rank, 3, "The function raises an error but modify the rank")
604
+        pass
605
+
10 606
 

+ 48
- 1
runtest View File

@@ -1,5 +1,52 @@
1 1
 #!/bin/bash
2
+#
3
+# Usage : ./runtest [OPTIONS] [test_module[.test_class][ test_module2[.test_class2]...]
4
+#########
5
+#
6
+# Options list :
7
+################
8
+#
9
+# -b, --buffer
10
+#
11
+#    The standard output and standard error streams are buffered during the test run. Output during a passing test is discarded. Output is echoed normally on test fail or error and is added to the failure messages.
12
+#
13
+# -c, --catch
14
+#
15
+#    Control-C during the test run waits for the current test to end and then reports all the results so far. A second control-C raises the normal KeyboardInterrupt exception.
16
+#
17
+#
18
+# -f, --failfast
19
+#
20
+#    Stop the test run on the first error or failure.
21
+#
22
+# -h, --help
23
+#
24
+#    Get some help
25
+#
26
+# -v, --verbose
27
+#
28
+#   higher verbosity
29
+#
30
+# Examples :
31
+############
32
+#
33
+# Running all discoverables tests :
34
+# ./runtest
35
+#
36
+# Running only Em test about component object (only tests about the __init__ and modify_rank methods) with higher verbosity and failfast :
37
+# ./runtest -fv EditorialModel.test.test_component.TestInit EditorialModel.test.test_component.TestModifyRank
38
+#
39
+#
40
+# Running only Em tests
41
+# ./runtest discover EditorialModel
42
+#
43
+# More details :
44
+################
45
+#
46
+# https://docs.python.org/3.4/library/unittest.html
47
+#
48
+
2 49
 
3 50
 export DJANGO_SETTINGS_MODULE="Lodel.settings"
4 51
 
5
-python -m unittest
52
+python -m unittest $@

Loading…
Cancel
Save