source: main/waeup.kofa/trunk/src/waeup/kofa/hostels/tests.py @ 13315

Last change on this file since 13315 was 13315, checked in by Henrik Bettermann, 9 years ago

Improve test to show why notify(grok.ObjectModifiedEvent?(self)) is necessary when releasing a bed.

  • Property svn:keywords set to Id
File size: 24.5 KB
Line 
1## $Id: tests.py 13315 2015-10-14 06:56:25Z henrik $
2##
3## Copyright (C) 2011 Uli Fouquet & Henrik Bettermann
4## This program is free software; you can redistribute it and/or modify
5## it under the terms of the GNU General Public License as published by
6## the Free Software Foundation; either version 2 of the License, or
7## (at your option) any later version.
8##
9## This program is distributed in the hope that it will be useful,
10## but WITHOUT ANY WARRANTY; without even the implied warranty of
11## MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
12## GNU General Public License for more details.
13##
14## You should have received a copy of the GNU General Public License
15## along with this program; if not, write to the Free Software
16## Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
17##
18"""
19Tests for hostels and their UI components.
20"""
21import os
22import shutil
23import tempfile
24import grok
25import pytz
26from datetime import datetime, timedelta
27from zope.event import notify
28from zope.interface.verify import verifyClass, verifyObject
29from zope.component.hooks import setSite, clearSite
30from zope.testbrowser.testing import Browser
31from zope.security.interfaces import Unauthorized
32from zope.catalog.interfaces import ICatalog
33from zope.component import queryUtility
34from waeup.kofa.app import University
35from waeup.kofa.hostels.interfaces import (
36    IHostelsContainer, IHostel, IBed)
37from waeup.kofa.hostels.container import HostelsContainer
38from waeup.kofa.hostels.hostel import Hostel, Bed
39from waeup.kofa.hostels.batching import HostelProcessor
40from waeup.kofa.hostels.export import BedExporter, HostelExporter
41from waeup.kofa.testing import (FunctionalLayer, FunctionalTestCase)
42from waeup.kofa.students.student import Student
43from waeup.kofa.students.accommodation import BedTicket
44from waeup.kofa.university.department import Department
45
46HOSTEL_SAMPLE_DATA = open(
47    os.path.join(os.path.dirname(__file__), 'sample_hostel_data.csv'),
48    'rb').read()
49
50HOSTEL_HEADER_FIELDS = HOSTEL_SAMPLE_DATA.split(
51    '\n')[0].split(',')
52
53class HostelsContainerTestCase(FunctionalTestCase):
54
55    layer = FunctionalLayer
56
57    def test_interfaces(self):
58        # Make sure the correct interfaces are implemented.
59        self.assertTrue(
60            verifyClass(
61                IHostelsContainer, HostelsContainer)
62            )
63        self.assertTrue(
64            verifyObject(
65                IHostelsContainer, HostelsContainer())
66            )
67        self.assertTrue(
68            verifyClass(
69                IHostel, Hostel)
70            )
71        self.assertTrue(
72            verifyObject(
73                IHostel, Hostel())
74            )
75        self.assertTrue(
76            verifyClass(
77                IBed, Bed)
78            )
79        bed = Bed()
80        bed.bed_id = u'a_b_c_d'
81        bed.bed_type = u'a_b_c'
82        self.assertTrue(
83            verifyObject(
84                IBed, bed)
85            )
86        return
87
88    def test_base(self):
89        # We cannot call the fundamental methods of a base in that case
90        container = HostelsContainer()
91        hostel = Hostel()
92        # We cannot add arbitrary objects
93        department = Department()
94        self.assertRaises(
95            TypeError, container.addHostel, department)
96        self.assertRaises(
97            TypeError, hostel.addBed, department)
98        # Application is expired if startdate or enddate are not set
99        # or current datetime is outside application period.
100        self.assertTrue(container.expired)
101        delta = timedelta(days=10)
102        container.startdate = datetime.now(pytz.utc) - delta
103        self.assertTrue(container.expired)
104        container.enddate = datetime.now(pytz.utc) + delta
105        self.assertFalse(container.expired)
106
107class HostelsFullSetup(FunctionalTestCase):
108
109    def setUp(self):
110        super(HostelsFullSetup, self).setUp()
111
112        # Setup a sample site for each test
113        app = University()
114        self.dc_root = tempfile.mkdtemp()
115        app['datacenter'].setStoragePath(self.dc_root)
116
117        # Prepopulate the ZODB...
118        self.getRootFolder()['app'] = app
119        # we add the site immediately after creation to the
120        # ZODB. Catalogs and other local utilities are not setup
121        # before that step.
122        self.app = self.getRootFolder()['app']
123        # Set site here. Some of the following setup code might need
124        # to access grok.getSite() and should get our new app then
125        setSite(app)
126
127        # Add student with subobjects
128        student = Student()
129        student.firstname = u'Anna'
130        student.lastname = u'Tester'
131        student.reg_number = u'123'
132        student.matric_number = u'234'
133        student.sex = u'f'
134        self.app['students'].addStudent(student)
135        self.student_id = student.student_id
136        self.student = self.app['students'][self.student_id]
137        self.student['studycourse'].current_session = 2004
138        self.student['studycourse'].entry_session = 2004
139        # The students_catalog must be informed that the
140        # session attribute has changed
141        notify(grok.ObjectModifiedEvent(self.student))
142
143        # Set accommodation_session
144        self.app['hostels'].accommodation_session = 2004
145
146        # Create a hostel
147        hostel = Hostel()
148        hostel.hostel_id = u'hall-x'
149        self.app['hostels'][hostel.hostel_id] = hostel
150
151        # Create a bed
152        bed = Bed()
153        bed.bed_id = u'hall_block_room_bed'
154        bed.bed_number = 1
155        bed.bed_type = u'a_b_c'
156        self.app['hostels'][hostel.hostel_id][bed.bed_id] = bed
157
158        self.container_path = 'http://localhost/app/hostels'
159        self.student_path = 'http://localhost/app/students/%s' % self.student_id
160        self.manage_container_path = self.container_path + '/@@manage'
161        self.add_hostel_path = self.container_path + '/addhostel'
162
163        # Put the prepopulated site into test ZODB and prepare test
164        # browser
165        self.browser = Browser()
166        self.browser.handleErrors = False
167
168        self.logfile = os.path.join(
169            self.app['datacenter'].storage, 'logs', 'hostels.log')
170
171    def tearDown(self):
172        super(HostelsFullSetup, self).tearDown()
173        clearSite()
174        shutil.rmtree(self.dc_root)
175
176class BedCatalogTests(HostelsFullSetup):
177
178    layer = FunctionalLayer
179
180    def test_get_catalog(self):
181        # We can get a beds catalog if we wish
182        cat = queryUtility(ICatalog, name='beds_catalog')
183        assert cat is not None
184
185    def test_search_by_type(self):
186        # We can find a certain bed
187        cat = queryUtility(ICatalog, name='beds_catalog')
188        results = cat.searchResults(bed_type=(u'a_b_c', u'a_b_c'))
189        results = [x for x in results] # Turn results generator into list
190        assert len(results) == 1
191        assert results[0] is self.app['hostels']['hall-x']['hall_block_room_bed']
192
193    def test_search_by_owner(self):
194        # We can find a certain bed
195        myobj = self.app['hostels']['hall-x']['hall_block_room_bed']
196        myobj.owner = u'abc'
197        notify(grok.ObjectModifiedEvent(myobj))
198        cat = queryUtility(ICatalog, name='beds_catalog')
199        results = cat.searchResults(owner=(u'abc', u'abc'))
200        results = [x for x in results] # Turn results generator into list
201        assert len(results) == 1
202        assert results[0] is self.app['hostels']['hall-x']['hall_block_room_bed']
203
204class HostelsUITests(HostelsFullSetup):
205
206    layer = FunctionalLayer
207
208    def test_anonymous_access(self):
209        # Anonymous users can't access hostels containers
210        self.assertRaises(
211            Unauthorized, self.browser.open, self.manage_container_path)
212        return
213
214    def test_add_search_edit_delete_manage_hostels(self):
215        self.browser.addHeader('Authorization', 'Basic mgr:mgrpw')
216        self.browser.open(self.container_path)
217        self.browser.getLink("Manage accommodation").click()
218        self.assertEqual(self.browser.headers['Status'], '200 Ok')
219        self.assertEqual(self.browser.url, self.manage_container_path)
220        self.browser.getControl("Add hostel").click()
221        self.assertEqual(self.browser.headers['Status'], '200 Ok')
222        self.assertEqual(self.browser.url, self.add_hostel_path)
223        self.browser.getControl("Create hostel").click()
224        self.assertEqual(self.browser.headers['Status'], '200 Ok')
225        self.assertTrue('Hostel created' in self.browser.contents)
226        self.browser.open(self.container_path + '/addhostel')
227        self.browser.getControl("Create hostel").click()
228        self.assertTrue('The hostel already exists' in self.browser.contents)
229        hall = self.app['hostels']['hall-1']
230        hall.blocks_for_female = ['A','B']
231        self.browser.open(self.container_path + '/hall-1')
232        expected = '...<ul id="form.blocks_for_female" ><li>Block A</li>...'
233        self.assertMatches(expected,self.browser.contents)
234        self.browser.open(self.container_path + '/hall-1/manage')
235        self.browser.getControl(name="form.rooms_per_floor").value = '1'
236        self.browser.getControl("Save").click()
237        self.assertTrue('Form has been saved' in self.browser.contents)
238        # Since the testbrowser does not support Javascrip the
239        # save action cleared the settings above and we have to set them
240        # again.
241        self.assertTrue(len(hall.blocks_for_female) == 0)
242        hall.blocks_for_female = ['A','B']
243        hall.beds_for_fresh = ['A']
244        hall.beds_for_returning = ['B']
245        hall.beds_for_final = ['C']
246        hall.beds_for_all = ['D','E']
247        self.browser.getControl("Update all beds").click()
248        expected = '...0 empty beds removed, 10 beds added, 0 occupied beds modified ()...'
249        self.assertMatches(expected,self.browser.contents)
250        cat = queryUtility(ICatalog, name='beds_catalog')
251        results = cat.searchResults(
252            bed_type=('regular_female_all', 'regular_female_all'))
253        results = [(x.bed_id, x.bed_type) for x in results]
254        self.assertEqual(results,
255            [(u'hall-1_A_101_D', u'regular_female_all'),
256             (u'hall-1_A_101_E', u'regular_female_all'),
257             (u'hall-1_B_101_D', u'regular_female_all'),
258             (u'hall-1_B_101_E', u'regular_female_all')])
259        # Reserve beds.
260        self.browser.getControl("Switch reservation", index=0).click()
261        self.assertTrue('No item selected' in self.browser.contents)
262        ctrl = self.browser.getControl(name='val_id')
263        ctrl.getControl(value='hall-1_A_101_A').selected = True
264        ctrl.getControl(value='hall-1_A_101_B').selected = True
265        ctrl.getControl(value='hall-1_A_101_C').selected = True
266        ctrl.getControl(value='hall-1_A_101_D').selected = True
267        self.browser.getControl("Switch reservation", index=0).click()
268        self.assertTrue('Successfully switched beds: hall-1_A_101_A (reserved)'
269            in self.browser.contents)
270        self.assertEqual(self.app['hostels']['hall-1'][
271            'hall-1_A_101_D'].bed_type, 'regular_female_reserved')
272        self.assertTrue('A_101_A&nbsp;&nbsp;' in self.browser.contents)
273        # The catalog has been updated.
274        results = cat.searchResults(
275            bed_type=('regular_female_all', 'regular_female_all'))
276        results = [(x.bed_id, x.bed_type) for x in results]
277        self.assertEqual(results,
278            [(u'hall-1_A_101_E', u'regular_female_all'),
279             (u'hall-1_B_101_D', u'regular_female_all'),
280             (u'hall-1_B_101_E', u'regular_female_all')])
281        results = cat.searchResults(
282            bed_type=('regular_female_reserved', 'regular_female_reserved'))
283        results = [(x.bed_id, x.bed_type) for x in results]
284        self.assertEqual(results,
285            [(u'hall-1_A_101_A', u'regular_female_reserved'),
286             (u'hall-1_A_101_B', u'regular_female_reserved'),
287             (u'hall-1_A_101_C', u'regular_female_reserved'),
288             (u'hall-1_A_101_D', u'regular_female_reserved')])
289        # Change hostel configuration with one bed booked.
290        hall['hall-1_A_101_E'].owner = u'anyid'
291        notify(grok.ObjectModifiedEvent(hall['hall-1_A_101_E']))
292        hall.beds_for_fresh = ['A', 'E']
293        hall.beds_for_all = ['D']
294        self.browser.getControl("Update all beds").click()
295        expected = '...9 empty beds removed, 9 beds added, 1 occupied beds modified...'
296        self.assertMatches(expected,self.browser.contents)
297        # Updating beds (including booked beds!) does update catalog.
298        results = cat.searchResults(
299            bed_type=('regular_female_all', 'regular_female_all'))
300        results = [(x.bed_id, x.bed_type) for x in results]
301        self.assertEqual(results,
302            [(u'hall-1_B_101_D', u'regular_female_all'),])
303        # Unreserve beds.
304        ctrl = self.browser.getControl(name='val_id')
305        ctrl.getControl(value='hall-1_A_101_A').selected = True
306        ctrl.getControl(value='hall-1_A_101_B').selected = True
307        ctrl.getControl(value='hall-1_A_101_C').selected = True
308        ctrl.getControl(value='hall-1_A_101_D').selected = True
309        self.browser.getControl("Switch reservation", index=0).click()
310        assert self.app['hostels']['hall-1'][
311            'hall-1_A_101_D'].bed_type == 'regular_female_all'
312        self.assertFalse(expected in self.browser.contents)
313        # Release bed which has previously been booked.
314        bedticket = BedTicket()
315        bedticket.booking_session = 2004
316        bedticket.bed_coordinates = u'anything'
317        self.student['accommodation'].addBedTicket(bedticket)
318        self.app['hostels']['hall-1']['hall-1_A_101_D'].owner = self.student_id
319        notify(grok.ObjectModifiedEvent(self.app['hostels']['hall-1']['hall-1_A_101_D']))
320        self.browser.open(self.container_path + '/hall-1/manage')
321        ctrl = self.browser.getControl(name='val_id')
322        self.browser.getControl("Release selected beds", index=0).click()
323        self.assertMatches("...No item selected...", self.browser.contents)
324        ctrl = self.browser.getControl(name='val_id')
325        ctrl.getControl(value='hall-1_A_101_D').selected = True
326        self.browser.getControl("Release selected beds", index=0).click()
327        self.assertMatches(
328          '...Successfully released beds: hall-1_A_101_D (%s)...' % self.student_id,
329          self.browser.contents)
330        self.assertMatches(bedticket.bed_coordinates,
331          u' -- booking cancelled on <YYYY-MM-DD hh:mm:ss> UTC --')
332        # The catalog was updated.
333        results = cat.searchResults(owner=(self.student_id, self.student_id))
334        assert len(results) == 0
335        # If we release a free bed, nothing will happen.
336        ctrl = self.browser.getControl(name='val_id')
337        ctrl.getControl(value='hall-1_A_101_D').selected = True
338        self.browser.getControl("Release selected beds", index=0).click()
339        self.assertMatches(
340          '...No allocated bed selected...', self.browser.contents)
341        # Managers can manually allocate eligible students after cancellation.
342        self.browser.open(self.container_path + '/hall-1/hall-1_A_101_A')
343        # 'not occupied' is not accepted.
344        self.browser.getControl("Save").click()
345        self.assertMatches(
346            "...No valid student id...",
347            self.browser.contents)
348        # Invalid student ids are not accepted.
349        self.browser.getControl(name="form.owner").value = 'nonsense'
350        self.browser.getControl("Save").click()
351        self.assertMatches(
352            "...Either student does not exist or student "
353            "is not in accommodation session...",
354            self.browser.contents)
355        self.browser.getControl(name="form.owner").value = self.student_id
356        self.browser.getControl("Save").click()
357        self.assertMatches("...Form has been saved...", self.browser.contents)
358        # Students can only be allocated once.
359        self.browser.open(self.container_path + '/hall-1/hall-1_A_101_B')
360        self.browser.getControl(name="form.owner").value = self.student_id
361        self.browser.getControl("Save").click()
362        self.assertMatches(
363            "...This student resides in bed hall-1_A_101_A...",
364            self.browser.contents)
365        # If we open the same form again, we will be redirected to hostel
366        # manage page. Beds must be released first before they can be
367        # allocated to other students.
368        self.browser.open(self.container_path + '/hall-1/hall-1_A_101_A')
369        self.assertEqual(self.browser.url,
370            self.container_path + '/hall-1/@@manage#tab2')
371        # Updating the beds again will not affect the allocation and also
372        # the bed numbering remains the same.
373        old_number = self.app['hostels']['hall-1']['hall-1_A_101_A'].bed_number
374        old_owner = self.app['hostels']['hall-1']['hall-1_A_101_A'].owner
375        self.browser.getControl("Update all beds").click()
376        # 8 beds have been removed and re-added, 2 beds remains untouched
377        # because they are occupied.
378        expected = '...8 empty beds removed, 8 beds added, 0 occupied beds modified...'
379        self.assertMatches(expected,self.browser.contents)
380        new_number = self.app['hostels']['hall-1']['hall-1_A_101_A'].bed_number
381        new_owner = self.app['hostels']['hall-1']['hall-1_A_101_A'].owner
382        self.assertEqual(new_number, old_number)
383        self.assertEqual(new_owner, old_owner)
384        # If we change the bed type of an allocated bed, the modification will
385        # be indicated.
386        hall.blocks_for_female = ['B']
387        hall.blocks_for_male = ['A']
388        self.browser.getControl("Update all beds").click()
389        expected = '...8 empty beds removed, 8 beds added, ' + \
390            '2 occupied beds modified (hall-1_A_101_A, hall-1_A_101_E, )...'
391        self.assertMatches(expected,self.browser.contents)
392        new_number = self.app['hostels']['hall-1']['hall-1_A_101_A'].bed_number
393        # Also the number of the bed has changed.
394        self.assertFalse(new_number == old_number)
395        # The number of occupied beds are displayed on container page.
396        self.browser.open(self.container_path)
397        self.assertTrue('2 of 10' in self.browser.contents)
398        # Remove entire hostel.
399        self.browser.open(self.manage_container_path)
400        ctrl = self.browser.getControl(name='val_id')
401        value = ctrl.options[0]
402        ctrl.getControl(value=value).selected = True
403        self.browser.getControl("Remove selected", index=0).click()
404        self.assertTrue('Successfully removed' in self.browser.contents)
405        # Catalog is empty.
406        results = cat.searchResults(
407            bed_type=('regular_female_all', 'regular_female_all'))
408        results = [x for x in results]
409        assert len(results) == 0
410        # Actions are logged.
411        logcontent = open(self.logfile).read()
412        self.assertTrue(
413            'hall-1 - 9 empty beds removed, 9 beds added, 1 occupied '
414            'beds modified (hall-1_A_101_E, )'
415            in logcontent)
416
417    def test_clear_hostels(self):
418        self.browser.addHeader('Authorization', 'Basic mgr:mgrpw')
419        self.browser.open(self.container_path)
420        self.browser.getLink("Manage accommodation").click()
421        self.browser.getControl("Add hostel").click()
422        self.browser.getControl("Create hostel").click()
423        hall = self.app['hostels']['hall-1']
424        hall.blocks_for_female = ['A','B']
425        hall.rooms_per_floor = 1
426        hall.beds_for_fresh = ['A']
427        hall.beds_for_returning = ['B']
428        hall.beds_for_final = ['C']
429        hall.beds_for_all = ['D','E']
430        self.browser.open(self.container_path + '/hall-1/manage')
431        self.browser.getControl("Update all beds").click()
432        cat = queryUtility(ICatalog, name='beds_catalog')
433        results = cat.searchResults(bed_type=(None, None))
434        self.assertEqual(len(results), 11)
435        self.browser.getControl("Clear hostel").click()
436        self.assertEqual(len(self.app['hostels']['hall-1']), 0)
437        # Only the bed in hall-x remains in the catalog.
438        results = cat.searchResults(bed_type=(None, None))
439        self.assertEqual(len(results), 1)
440        # We can clear all hostels at the same time.
441        self.browser.open(self.manage_container_path)
442        self.browser.getControl("Clear all hostels").click()
443        results = cat.searchResults(bed_type=(None, None))
444        self.assertEqual(len(results), 0)
445        # Both actions have been logged.
446        logcontent = open(self.logfile).read()
447        self.assertTrue('INFO - zope.mgr - hostels.browser.HostelManageFormPage'
448                        ' - hall-1 - cleared' in logcontent)
449        self.assertTrue('zope.mgr - hostels.browser.HostelsContainerManagePage'
450                        ' - hostels - all hostels cleared' in logcontent)
451
452class ExportTests(HostelsFullSetup):
453
454    layer = FunctionalLayer
455
456    def setUp(self):
457        super(ExportTests, self).setUp()
458        self.workdir = tempfile.mkdtemp()
459        self.outfile = os.path.join(self.workdir, 'myoutput.csv')
460        return
461
462    def test_export_hostels(self):
463        exporter = HostelExporter()
464        exporter.export_all(self.app, self.outfile)
465        result = open(self.outfile, 'rb').read()
466        self.assertEqual(
467            result,
468            'beds_for_all,beds_for_final,beds_for_fresh,beds_for_pre,'
469            'beds_for_returning,beds_reserved,blocks_for_female,'
470            'blocks_for_male,floors_per_block,hostel_id,hostel_name,maint_fee,'
471            'rooms_per_floor,sort_id,special_handling\r\n,,,,,[],,,1,'
472            'hall-x,Hall 1,0.0,2,10,regular\r\n'
473            )
474        return
475
476    def test_export_beds(self):
477        exporter = BedExporter()
478        exporter.export_all(self.app, self.outfile)
479        result = open(self.outfile, 'rb').read()
480        self.assertEqual(
481            result,
482            'bed_id,bed_number,bed_type,owner,hall,block,room,bed,'
483            'special_handling,sex,bt\r\nhall_block_room_bed,1,a_b_c,,'
484            'hall,block,room,bed,a,b,c\r\n'
485            )
486        return
487
488    def tearDown(self):
489        super(ExportTests, self).tearDown()
490        clearSite()
491        shutil.rmtree(os.path.dirname(self.outfile))
492
493class HostelProcessorTest(HostelsFullSetup):
494
495    layer = FunctionalLayer
496
497    def test_import(self):
498        self.processor = HostelProcessor()
499        self.workdir = tempfile.mkdtemp()
500        self.csv_file = os.path.join(self.workdir, 'sample_hostel_data.csv')
501        open(self.csv_file, 'wb').write(HOSTEL_SAMPLE_DATA)
502        num, num_warns, fin_file, fail_file = self.processor.doImport(
503            self.csv_file, HOSTEL_HEADER_FIELDS)
504        self.assertEqual(num_warns,0)
505        self.assertEqual(len(self.app['hostels'].keys()), 11) # including hall-x
506        self.assertEqual(self.app['hostels'][
507            'block-a-upper-hostel'].hostel_id,'block-a-upper-hostel')
508        self.assertEqual(self.app['hostels'][
509            'block-a-upper-hostel'].beds_for_final, ['A', 'B'])
510        logcontent = open(self.logfile).read()
511        self.assertTrue(
512            "Hostel Processor - sample_hostel_data - block-a-upper-hostel - "
513            "updated: "
514            "beds_for_pre=['G'], floors_per_block=1, "
515            "beds_for_final=['A', 'B'], rooms_per_floor=32, "
516            "hostel_id=block-a-upper-hostel, "
517            "sort_id=20, beds_for_returning=['C', 'D'], "
518            "hostel_name=Block A Upper Hostel, beds_for_fresh=['E', 'F'], "
519            "blocks_for_female=['A']"
520            in logcontent)
521        shutil.rmtree(os.path.dirname(fin_file))
522        shutil.rmtree(self.workdir)
523        return
524
525    def test_import_update(self):
526        self.processor = HostelProcessor()
527        self.workdir = tempfile.mkdtemp()
528        self.csv_file = os.path.join(self.workdir, 'sample_hostel_data.csv')
529        open(self.csv_file, 'wb').write(HOSTEL_SAMPLE_DATA)
530        self.csv_file = os.path.join(self.workdir, 'sample_hostel_data.csv')
531        open(self.csv_file, 'wb').write(HOSTEL_SAMPLE_DATA)
532        num, num_warns, fin_file, fail_file = self.processor.doImport(
533            self.csv_file, HOSTEL_HEADER_FIELDS)
534        # We import the same file in update mode
535        num, num_warns, fin_file, fail_file = self.processor.doImport(
536            self.csv_file, HOSTEL_HEADER_FIELDS, 'update')
537        self.assertEqual(num_warns,0)
538        logcontent = open(self.logfile).read()
539        self.assertTrue(
540            "Hostel Processor - sample_hostel_data - block-a-upper-hostel - "
541            "updated: "
542            "beds_for_pre=['G'], floors_per_block=1, "
543            "beds_for_final=['A', 'B'], rooms_per_floor=32, "
544            "hostel_id=block-a-upper-hostel, "
545            "sort_id=20, beds_for_returning=['C', 'D'], "
546            "hostel_name=Block A Upper Hostel, beds_for_fresh=['E', 'F'], "
547            "blocks_for_female=['A']"
548            in logcontent)
549        shutil.rmtree(os.path.dirname(fin_file))
550        shutil.rmtree(self.workdir)
551        return
Note: See TracBrowser for help on using the repository browser.