Launchpad automatic translations update.
[odoo/odoo.git] / addons / survey / survey.py
1 # -*- encoding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-TODAY OpenERP S.A. <http://www.openerp.com>
6 #
7 #    This program is free software: you can redistribute it and/or modify
8 #    it under the terms of the GNU Affero General Public License as
9 #    published by the Free Software Foundation, either version 3 of the
10 #    License, or (at your option) any later version.
11 #
12 #    This program is distributed in the hope that it will be useful,
13 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
14 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 #    GNU Affero General Public License for more details.
16 #
17 #    You should have received a copy of the GNU Affero General Public License
18 #    along with this program.  If not, see <http://www.gnu.org/licenses/>.
19 #
20 ##############################################################################
21
22 from osv import osv
23 from osv import fields
24 import tools
25 import netsvc
26 from tools.translate import _
27
28 from time import strftime
29 from datetime import datetime
30 from dateutil.relativedelta import relativedelta
31 import copy
32 import os
33
34 class survey_type(osv.osv):
35     _name = 'survey.type'
36     _description = 'Survey Type'
37     _columns = {
38         'name': fields.char("Name", size=128, required=1),
39         'code': fields.char("Code", size=64),
40     }
41 survey_type()
42
43 class survey(osv.osv):
44     _name = 'survey'
45     _description = 'Survey'
46     _rec_name = 'title'
47
48     def default_get(self, cr, uid, fields, context=None):
49         data = super(survey, self).default_get(cr, uid, fields, context)
50         return data
51
52     _columns = {
53         'id': fields.integer('ID'),
54         'title': fields.char('Survey Title', size=128, required=1),
55         'page_ids': fields.one2many('survey.page', 'survey_id', 'Page'),
56         'date_open': fields.datetime('Survey Open Date', readonly=1),
57         'date_close': fields.datetime('Survey Close Date', readonly=1),
58         'max_response_limit': fields.integer('Maximum Answer Limit',
59                      help="Set to one if survey is answerable only once"),
60         'response_user': fields.integer('Maximum Answer per User',
61                      help="Set to one if  you require only one Answer per user"),
62         'state': fields.selection([('open', 'Open'), ('close', 'Closed'), ('cancel', 'Cancelled')], 'Status', readonly=True),
63         'responsible_id': fields.many2one('res.users', 'Responsible', help="User responsible for survey"),
64         'tot_start_survey': fields.integer("Total Started Survey", readonly=1),
65         'tot_comp_survey': fields.integer("Total Completed Survey", readonly=1),
66         'note': fields.text('Description', size=128),
67         'history': fields.one2many('survey.history', 'survey_id', 'History Lines', readonly=True),
68         'users': fields.many2many('res.users', 'survey_users_rel', 'sid', 'uid', 'Users'),
69         'send_response': fields.boolean('E-mail Notification on Answer'),
70         'type': fields.many2one('survey.type', 'Type'),
71         'invited_user_ids': fields.many2many('res.users', 'survey_invited_user_rel', 'sid', 'uid', 'Invited User'),
72     }
73     _defaults = {
74         'state': lambda * a: "open",
75         'tot_start_survey': lambda * a: 0,
76         'tot_comp_survey': lambda * a: 0,
77         'send_response': lambda * a: 1,
78         'response_user': lambda * a:1,
79     }
80
81     def survey_open(self, cr, uid, ids, arg):
82         self.write(cr, uid, ids, {'state': 'open', 'date_open': strftime("%Y-%m-%d %H:%M:%S")})
83         return True
84
85     def survey_close(self, cr, uid, ids, arg):
86         self.write(cr, uid, ids, {'state': 'close', 'date_close': strftime("%Y-%m-%d %H:%M:%S") })
87         return True
88
89     def survey_cancel(self, cr, uid, ids, arg):
90         self.write(cr, uid, ids, {'state': 'cancel' })
91         return True
92
93     def copy(self, cr, uid, ids, default=None, context=None):
94         vals = {}
95         current_rec = self.read(cr, uid, ids, context=context)
96         title = current_rec.get('title') + ' (Copy)'
97         vals.update({'title':title})
98         vals.update({'history':[],'tot_start_survey':0,'tot_comp_survey':0})
99         return super(survey, self).copy(cr, uid, ids, vals, context=context)
100
101     def action_print_survey(self, cr, uid, ids, context=None):
102         """
103         If response is available then print this response otherwise print survey form(print template of the survey).
104         @param self: The object pointer
105         @param cr: the current row, from the database cursor,
106         @param uid: the current user’s ID for security checks,
107         @param ids: List of Survey IDs
108         @param context: A standard dictionary for contextual values
109         @return : Dictionary value for print survey form.
110         """
111         if context is None:
112             context = {}
113         datas = {}
114         if 'response_id' in context:
115             response_id = context.get('response_id', 0)
116             datas['ids'] = [context.get('survey_id', 0)]
117         else:
118             response_id = self.pool.get('survey.response').search(cr, uid, [('survey_id','=', ids)], context=context)
119             datas['ids'] = ids
120         page_setting = {'orientation': 'vertical', 'without_pagebreak': 0, 'paper_size': 'letter', 'page_number': 1, 'survey_title': 1}
121         report = {}
122         if response_id and response_id[0]:
123             context.update({'survey_id': datas['ids']})
124             datas['form'] = page_setting
125             datas['model'] = 'survey.print.answer'
126             report = {
127                 'type': 'ir.actions.report.xml',
128                 'report_name': 'survey.browse.response',
129                 'datas': datas,
130                 'context' : context,
131                 'nodestroy':True,
132             }
133         else:
134
135             datas['form'] = page_setting
136             datas['model'] = 'survey.print'
137             report = {
138                 'type': 'ir.actions.report.xml',
139                 'report_name': 'survey.form',
140                 'datas': datas,
141                 'context' : context,
142                 'nodestroy':True,
143             }
144         return report
145 survey()
146
147 class survey_history(osv.osv):
148     _name = 'survey.history'
149     _description = 'Survey History'
150     _rec_name = 'date'
151     _columns = {
152         'survey_id': fields.many2one('survey', 'Survey'),
153         'user_id': fields.many2one('res.users', 'User', readonly=True),
154         'date': fields.datetime('Date started', readonly=1),
155     }
156     _defaults = {
157          'date': lambda * a: datetime.datetime.now()
158     }
159 survey_history()
160
161 class survey_page(osv.osv):
162     _name = 'survey.page'
163     _description = 'Survey Pages'
164     _rec_name = 'title'
165     _order = 'sequence'
166     _columns = {
167         'title': fields.char('Page Title', size=128, required=1),
168         'survey_id': fields.many2one('survey', 'Survey', ondelete='cascade'),
169         'question_ids': fields.one2many('survey.question', 'page_id', 'Question'),
170         'sequence': fields.integer('Page Nr'),
171         'note': fields.text('Description'),
172     }
173     _defaults = {
174         'sequence': lambda * a: 1
175     }
176
177     def default_get(self, cr, uid, fields, context=None):
178         if context is None:
179             context = {}
180         data = super(survey_page, self).default_get(cr, uid, fields, context)
181         self.pool.get('survey.question').data_get(cr,uid,data,context)
182         if context.has_key('survey_id'):
183             data['survey_id'] = context.get('survey_id', False)
184         return data
185
186     def survey_save(self, cr, uid, ids, context=None):
187         if context is None:
188             context = {}
189         search_obj = self.pool.get('ir.ui.view')
190         search_id = search_obj.search(cr,uid,[('model','=','survey.question.wiz'),('name','=','Survey Search')])
191         surv_name_wiz = self.pool.get('survey.name.wiz')
192         surv_name_wiz.write(cr, uid, [context.get('sur_name_id',False)], {'transfer':True, 'page_no' : context.get('page_number',0) })
193         return {
194             'view_type': 'form',
195             'view_mode': 'form',
196             'res_model': 'survey.question.wiz',
197             'type': 'ir.actions.act_window',
198             'target': 'new',
199             'search_view_id': search_id[0],
200             'context': context
201         }
202
203     def copy(self, cr, uid, ids, default=None, context=None):
204         vals = {}
205         current_rec = self.read(cr, uid, ids, context=context)
206         title = current_rec.get('title') + ' (Copy)'
207         vals.update({'title':title})
208         return super(survey_page, self).copy(cr, uid, ids, vals, context=context)
209
210 survey_page()
211
212 class survey_question(osv.osv):
213     _name = 'survey.question'
214     _description = 'Survey Question'
215     _rec_name = 'question'
216     _order = 'sequence'
217
218     def _calc_response(self, cr, uid, ids, field_name, arg, context=None):
219         if len(ids) == 0:
220             return {}
221         val = {}
222         cr.execute("select question_id, count(id) as Total_response from \
223                 survey_response_line where state='done' and question_id IN %s\
224                  group by question_id" ,(tuple(ids),))
225         ids1 = copy.deepcopy(ids)
226         for rec in  cr.fetchall():
227             ids1.remove(rec[0])
228             val[rec[0]] = int(rec[1])
229         for id in ids1:
230             val[id] = 0
231         return val
232
233     _columns = {
234         'page_id': fields.many2one('survey.page', 'Survey Page', ondelete='cascade', required=1),
235         'question':  fields.char('Question', size=128, required=1),
236         'answer_choice_ids': fields.one2many('survey.answer', 'question_id', 'Answer'),
237         'is_require_answer': fields.boolean('Require Answer to Question'),
238         'required_type': fields.selection([('all','All'), ('at least','At Least'), ('at most','At Most'), ('exactly','Exactly'), ('a range','A Range')], 'Respondent must answer'),
239         'req_ans': fields.integer('#Required Answer'),
240         'maximum_req_ans': fields.integer('Maximum Required Answer'),
241         'minimum_req_ans': fields.integer('Minimum Required Answer'),
242         'req_error_msg': fields.text('Error Message'),
243         'allow_comment': fields.boolean('Allow Comment Field'),
244         'sequence': fields.integer('Sequence'),
245         'tot_resp': fields.function(_calc_response, string="Total Answer"),
246         'survey': fields.related('page_id', 'survey_id', type='many2one', relation='survey', string='Survey'),
247         'descriptive_text': fields.text('Descriptive Text', size=255),
248         'column_heading_ids': fields.one2many('survey.question.column.heading', 'question_id',' Column heading'),
249         'type': fields.selection([('multiple_choice_only_one_ans','Multiple Choice (Only One Answer)'),
250              ('multiple_choice_multiple_ans','Multiple Choice (Multiple Answer)'),
251              ('matrix_of_choices_only_one_ans','Matrix of Choices (Only One Answers Per Row)'),
252              ('matrix_of_choices_only_multi_ans','Matrix of Choices (Multiple Answers Per Row)'),
253              ('matrix_of_drop_down_menus','Matrix of Drop-down Menus'),
254              ('rating_scale','Rating Scale'),('single_textbox','Single Textbox'),
255              ('multiple_textboxes','Multiple Textboxes'),
256              ('multiple_textboxes_diff_type','Multiple Textboxes With Different Type'),
257              ('comment','Comment/Essay Box'),
258              ('numerical_textboxes','Numerical Textboxes'),('date','Date'),
259              ('date_and_time','Date and Time'),('descriptive_text','Descriptive Text'),
260              ('table','Table'),
261             ], 'Question Type',  required=1,),
262         'is_comment_require': fields.boolean('Add Comment Field'),
263         'comment_label': fields.char('Field Label', size = 255),
264         'comment_field_type': fields.selection([('char', 'Single Line Of Text'), ('text', 'Paragraph of Text')], 'Comment Field Type'),
265         'comment_valid_type': fields.selection([('do_not_validate', '''Don't Validate Comment Text.'''),
266              ('must_be_specific_length', 'Must Be Specific Length'),
267              ('must_be_whole_number', 'Must Be A Whole Number'),
268              ('must_be_decimal_number', 'Must Be A Decimal Number'),
269              ('must_be_date', 'Must Be A Date'),
270              ('must_be_email_address', 'Must Be An Email Address'),
271              ], 'Text Validation'),
272         'comment_minimum_no': fields.integer('Minimum number'),
273         'comment_maximum_no': fields.integer('Maximum number'),
274         'comment_minimum_float': fields.float('Minimum decimal number'),
275         'comment_maximum_float': fields.float('Maximum decimal number'),
276         'comment_minimum_date': fields.date('Minimum date'),
277         'comment_maximum_date': fields.date('Maximum date'),
278         'comment_valid_err_msg': fields.text('Error message'),
279         'make_comment_field': fields.boolean('Make Comment Field an Answer Choice'),
280         'make_comment_field_err_msg': fields.text('Error message'),
281         'is_validation_require': fields.boolean('Validate Text'),
282         'validation_type': fields.selection([('do_not_validate', '''Don't Validate Comment Text.'''),\
283              ('must_be_specific_length', 'Must Be Specific Length'),\
284              ('must_be_whole_number', 'Must Be A Whole Number'),\
285              ('must_be_decimal_number', 'Must Be A Decimal Number'),\
286              ('must_be_date', 'Must Be A Date'),\
287              ('must_be_email_address', 'Must Be An Email Address')\
288              ], 'Text Validation'),
289         'validation_minimum_no': fields.integer('Minimum number'),
290         'validation_maximum_no': fields.integer('Maximum number'),
291         'validation_minimum_float': fields.float('Minimum decimal number'),
292         'validation_maximum_float': fields.float('Maximum decimal number'),
293         'validation_minimum_date': fields.date('Minimum date'),
294         'validation_maximum_date': fields.date('Maximum date'),
295         'validation_valid_err_msg': fields.text('Error message'),
296         'numeric_required_sum': fields.integer('Sum of all choices'),
297         'numeric_required_sum_err_msg': fields.text('Error message'),
298         'rating_allow_one_column_require': fields.boolean('Allow Only One Answer per Column (Forced Ranking)'),
299         'in_visible_rating_weight': fields.boolean('Is Rating Scale Invisible?'),
300         'in_visible_menu_choice': fields.boolean('Is Menu Choice Invisible?'),
301         'in_visible_answer_type': fields.boolean('Is Answer Type Invisible?'),
302         'comment_column': fields.boolean('Add comment column in matrix'),
303         'column_name': fields.char('Column Name',size=256),
304         'no_of_rows': fields.integer('No of Rows'),
305     }
306     _defaults = {
307          'sequence': lambda * a: 1,
308          'type': lambda * a: 'multiple_choice_multiple_ans',
309          'req_error_msg': lambda * a: 'This question requires an answer.',
310          'required_type': lambda * a: 'at least',
311          'req_ans': lambda * a: 1,
312          'comment_field_type': lambda * a: 'char',
313          'comment_label': lambda * a: 'Other (please specify)',
314          'comment_valid_type': lambda * a: 'do_not_validate',
315          'comment_valid_err_msg': lambda * a : 'The comment you entered is in an invalid format.',
316          'validation_type': lambda * a: 'do_not_validate',
317          'validation_valid_err_msg': lambda * a : 'The comment you entered is in an invalid format.',
318          'numeric_required_sum_err_msg': lambda * a :'The choices need to add up to [enter sum here].',
319          'make_comment_field_err_msg': lambda * a : 'Please enter a comment.',
320          'in_visible_answer_type': lambda * a: 1
321     }
322
323     def on_change_type(self, cr, uid, ids, type, context=None):
324         val = {}
325         val['is_require_answer'] = False
326         val['is_comment_require'] = False
327         val['is_validation_require'] = False
328         val['comment_column'] = False
329
330         if type in ['multiple_textboxes_diff_type']:
331             val['in_visible_answer_type'] = False
332             return {'value': val}
333
334         if type in ['rating_scale']:
335             val.update({'in_visible_rating_weight':False, 'in_visible_menu_choice':True})
336             return {'value': val}
337
338         elif type in ['matrix_of_drop_down_menus']:
339             val.update({'in_visible_rating_weight':True, 'in_visible_menu_choice':False})
340             return {'value': val}
341
342         elif type in ['single_textbox']:
343             val.update({'in_visible_rating_weight':True, 'in_visible_menu_choice':True})
344             return {'value': val}
345
346         else:
347             val.update({'in_visible_rating_weight':True, 'in_visible_menu_choice':True,\
348                          'in_visible_answer_type':True})
349             return {'value': val}
350
351     def write(self, cr, uid, ids, vals, context=None):
352         questions = self.read(cr,uid, ids, ['answer_choice_ids', 'type', 'required_type',\
353                         'req_ans', 'minimum_req_ans', 'maximum_req_ans', 'column_heading_ids'])
354         for question in questions:
355             col_len = len(question['column_heading_ids'])
356             if vals.has_key('column_heading_ids'):
357                 for col in vals['column_heading_ids']:
358                     if type(col[2]) == type({}):
359                         col_len += 1
360                     else:
361                         col_len -= 1
362
363             if vals.has_key('type'):
364                 que_type = vals['type']
365             else:
366                 que_type = question['type']
367
368             if que_type in ['matrix_of_choices_only_one_ans', 'matrix_of_choices_only_multi_ans',\
369                              'matrix_of_drop_down_menus', 'rating_scale']:
370                 if not col_len:
371                     raise osv.except_osv(_('Warning !'),_("You must enter one or more column heading."))
372             ans_len = len(question['answer_choice_ids'])
373
374             if vals.has_key('answer_choice_ids'):
375                 for ans in vals['answer_choice_ids']:
376                     if type(ans[2]) == type({}):
377                         ans_len += 1
378                     else:
379                         ans_len -= 1
380
381             if que_type not in ['descriptive_text', 'single_textbox', 'comment','table']:
382                 if not ans_len:
383                     raise osv.except_osv(_('Warning !'),_("You must enter one or more Answer."))
384             req_type = ""
385
386             if vals.has_key('required_type'):
387                 req_type = vals['required_type']
388             else:
389                 req_type = question['required_type']
390
391             if que_type in ['multiple_choice_multiple_ans','matrix_of_choices_only_one_ans', \
392                         'matrix_of_choices_only_multi_ans', 'matrix_of_drop_down_menus',\
393                          'rating_scale','multiple_textboxes','numerical_textboxes','date','date_and_time']:
394                 if req_type in ['at least', 'at most', 'exactly']:
395                     if vals.has_key('req_ans'):
396                         if not vals['req_ans'] or  vals['req_ans'] > ans_len:
397                             raise osv.except_osv(_('Warning !'),_("#Required Answer you entered \
398                                     is greater than the number of answer. \
399                                     Please use a number that is smaller than %d.") % (ans_len + 1))
400                     else:
401                         if not question['req_ans'] or  question['req_ans'] > ans_len:
402                             raise osv.except_osv(_('Warning !'),_("#Required Answer you entered is \
403                                     greater than the number of answer.\
404                                     Please use a number that is smaller than %d.") % (ans_len + 1))
405
406                 if req_type == 'a range':
407                     minimum_ans = 0
408                     maximum_ans = 0
409                     if vals.has_key('minimum_req_ans'):
410                         minimum_ans = vals['minimum_req_ans']
411                         if not vals['minimum_req_ans'] or  vals['minimum_req_ans'] > ans_len:
412                             raise osv.except_osv(_('Warning !'),_("Minimum Required Answer\
413                                      you entered is greater than the number of answer.\
414                                     Please use a number that is smaller than %d.") % (ans_len + 1))
415                     else:
416                         minimum_ans = question['minimum_req_ans']
417                         if not question['minimum_req_ans'] or  question['minimum_req_ans'] > ans_len:
418                             raise osv.except_osv(_('Warning !'),_("Minimum Required Answer you\
419                                      entered is greater than the number of answer. \
420                                      Please use a number that is smaller than %d.") % (ans_len + 1))
421                     if vals.has_key('maximum_req_ans'):
422                         maximum_ans = vals['maximum_req_ans']
423                         if not vals['maximum_req_ans'] or vals['maximum_req_ans'] > ans_len:
424                             raise osv.except_osv(_('Warning !'),_("Maximum Required Answer you \
425                                     entered for your maximum is greater than the number of answer.\
426                                      Please use a number that is smaller than %d.") % (ans_len + 1))
427                     else:
428                         maximum_ans = question['maximum_req_ans']
429                         if not question['maximum_req_ans'] or question['maximum_req_ans'] > ans_len:
430                             raise osv.except_osv(_('Warning !'),_("Maximum Required Answer you\
431                                      entered for your maximum is greater than the number of answer.\
432                                       Please use a number that is smaller than %d.") % (ans_len + 1))
433                     if maximum_ans <= minimum_ans:
434                         raise osv.except_osv(_('Warning !'),_("Maximum Required Answer is greater \
435                                     than Minimum Required Answer"))
436
437             if question['type'] ==  'matrix_of_drop_down_menus' and vals.has_key('column_heading_ids'):
438                 for col in vals['column_heading_ids']:
439                     if not col[2] or not col[2].has_key('menu_choice') or not col[2]['menu_choice']:
440                         raise osv.except_osv(_('Warning !'),_("You must enter one or more menu choices\
441                                  in column heading"))
442                     elif not col[2] or not col[2].has_key('menu_choice') or\
443                              col[2]['menu_choice'].strip() == '':
444                         raise osv.except_osv(_('Warning !'),_("You must enter one or more menu \
445                                 choices in column heading (white spaces not allowed)"))
446
447         return super(survey_question, self).write(cr, uid, ids, vals, context=context)
448
449     def create(self, cr, uid, vals, context=None):
450         minimum_ans = 0
451         maximum_ans = 0
452         if vals.has_key('answer_choice_ids') and  not len(vals['answer_choice_ids']):
453             if vals.has_key('type') and vals['type'] not in ['descriptive_text', 'single_textbox', 'comment','table']:
454                 raise osv.except_osv(_('Warning !'),_("You must enter one or more answer."))
455
456         if vals.has_key('column_heading_ids') and  not len(vals['column_heading_ids']):
457             if vals.has_key('type') and vals['type'] in ['matrix_of_choices_only_one_ans', 'matrix_of_choices_only_multi_ans', 'matrix_of_drop_down_menus', 'rating_scale']:
458                 raise osv.except_osv(_('Warning !'),_("You must enter one or more column heading."))
459
460         if vals['type'] in ['multiple_choice_multiple_ans','matrix_of_choices_only_one_ans', 'matrix_of_choices_only_multi_ans', 'matrix_of_drop_down_menus', 'rating_scale','multiple_textboxes','numerical_textboxes','date','date_and_time']:
461             if vals.has_key('is_require_answer') and vals.has_key('required_type') and vals['required_type'] in ['at least', 'at most', 'exactly']:
462                 if vals.has_key('answer_choice_ids') and vals['req_ans'] > len(vals['answer_choice_ids']) or not vals['req_ans']:
463                     raise osv.except_osv(_('Warning !'),_("#Required Answer you entered is greater than the number of answer. Please use a number that is smaller than %d.") % (len(vals['answer_choice_ids'])+1))
464
465             if vals.has_key('is_require_answer') and vals.has_key('required_type') and vals['required_type'] == 'a range':
466                 minimum_ans = vals['minimum_req_ans']
467                 maximum_ans = vals['maximum_req_ans']
468                 if vals.has_key('answer_choice_ids') or vals['minimum_req_ans'] > len(vals['answer_choice_ids']) or not vals['minimum_req_ans']:
469                     raise osv.except_osv(_('Warning !'),_("Minimum Required Answer you entered is greater than the number of answer. Please use a number that is smaller than %d.") % (len(vals['answer_choice_ids'])+1))
470                 if vals.has_key('answer_choice_ids') or vals['maximum_req_ans'] > len(vals['answer_choice_ids']) or not vals['maximum_req_ans']:
471                     raise osv.except_osv(_('Warning !'),_("Maximum Required Answer you entered for your maximum is greater than the number of answer. Please use a number that is smaller than %d.") % (len(vals['answer_choice_ids'])+1))
472                 if maximum_ans <= minimum_ans:
473                     raise osv.except_osv(_('Warning !'),_("Maximum Required Answer is greater than Minimum Required Answer"))
474
475         if vals['type'] ==  'matrix_of_drop_down_menus':
476             for col in vals['column_heading_ids']:
477                 if not col[2] or not col[2].has_key('menu_choice') or not col[2]['menu_choice']:
478                     raise osv.except_osv(_('Warning !'),_("You must enter one or more menu choices in column heading"))
479                 elif not col[2] or not col[2].has_key('menu_choice') or col[2]['menu_choice'].strip() == '':
480                     raise osv.except_osv(_('Warning !'),_("You must enter one or more menu choices in column heading (white spaces not allowed)"))
481
482         res = super(survey_question, self).create(cr, uid, vals, context)
483         return res
484
485     def survey_save(self, cr, uid, ids, context=None):
486         if context is None:
487             context = {}
488         search_obj = self.pool.get('ir.ui.view')
489         search_id = search_obj.search(cr,uid,[('model','=','survey.question.wiz'),('name','=','Survey Search')])
490         surv_name_wiz = self.pool.get('survey.name.wiz')
491         surv_name_wiz.write(cr, uid, [context.get('sur_name_id',False)], {'transfer':True, 'page_no' : context.get('page_number',False) })
492         return {
493             'view_type': 'form',
494             'view_mode': 'form',
495             'res_model': 'survey.question.wiz',
496             'type': 'ir.actions.act_window',
497             'target': 'new',
498             'search_view_id': search_id[0],
499             'context': context
500         }
501
502     def data_get(self, cr, uid, data, context):
503         if data and context:
504             if context.get('line_order', False):
505                 lines =  context.get('line_order')
506                 seq = data.get('sequence', 0)
507                 for line in  lines:
508                     seq = seq + 1
509                 data.update({'sequence': seq})
510         return data
511
512     def default_get(self, cr, uid, fields, context=None):
513         if context is None:
514             context = {}
515         data = super(survey_question, self).default_get(cr, uid, fields, context)
516         self.data_get(cr,uid,data,context)
517         if context.has_key('page_id'):
518             data['page_id']= context.get('page_id', False)
519         return data
520
521 survey_question()
522
523
524 class survey_question_column_heading(osv.osv):
525     _name = 'survey.question.column.heading'
526     _description = 'Survey Question Column Heading'
527     _rec_name = 'title'
528
529     def _get_in_visible_rating_weight(self,cr, uid, context=None):
530         if context is None:
531             context = {}
532         if context.get('in_visible_rating_weight', False):
533             return context['in_visible_rating_weight']
534         return False
535     def _get_in_visible_menu_choice(self,cr, uid, context=None):
536         if context is None:
537             context = {}
538         if context.get('in_visible_menu_choice', False):
539             return context['in_visible_menu_choice']
540         return False
541
542     _columns = {
543         'title': fields.char('Column Heading', size=128, required=1),
544         'menu_choice': fields.text('Menu Choice'),
545         'rating_weight': fields.integer('Weight'),
546         'question_id': fields.many2one('survey.question', 'Question', ondelete='cascade'),
547         'in_visible_rating_weight': fields.boolean('Is Rating Scale Invisible ??'),
548         'in_visible_menu_choice': fields.boolean('Is Menu Choice Invisible??')
549     }
550     _defaults={
551        'in_visible_rating_weight': _get_in_visible_rating_weight,
552        'in_visible_menu_choice': _get_in_visible_menu_choice,
553     }
554 survey_question_column_heading()
555
556 class survey_answer(osv.osv):
557     _name = 'survey.answer'
558     _description = 'Survey Answer'
559     _rec_name = 'answer'
560     _order = 'sequence'
561
562     def _calc_response_avg(self, cr, uid, ids, field_name, arg, context=None):
563         val = {}
564         for rec in self.browse(cr, uid, ids, context=context):
565             cr.execute("select count(question_id) ,(select count(answer_id) \
566                 from survey_response_answer sra, survey_response_line sa \
567                 where sra.response_id = sa.id and sra.answer_id = %d \
568                 and sa.state='done') as tot_ans from survey_response_line \
569                 where question_id = %d and state = 'done'"\
570                      % (rec.id, rec.question_id.id))
571             res = cr.fetchone()
572             if res[0]:
573                 avg = float(res[1]) * 100 / res[0]
574             else:
575                 avg = 0.0
576             val[rec.id] = {
577                 'response': res[1],
578                 'average': round(avg, 2),
579             }
580         return val
581
582     def _get_in_visible_answer_type(self,cr, uid, context=None):
583         if context is None:
584             context = {}
585         return context.get('in_visible_answer_type', False)
586
587     _columns = {
588         'question_id': fields.many2one('survey.question', 'Question', ondelete='cascade'),
589         'answer': fields.char('Answer', size=128, required=1),
590         'sequence': fields.integer('Sequence'),
591         'response': fields.function(_calc_response_avg, string="#Answer", multi='sums'),
592         'average': fields.function(_calc_response_avg, string="#Avg", multi='sums'),
593         'type': fields.selection([('char','Character'),('date','Date'),('datetime','Date & Time'),\
594             ('integer','Integer'),('float','Float'),('selection','Selection'),\
595             ('email','Email')], "Type of Answer",required=1),
596         'menu_choice': fields.text('Menu Choices'),
597         'in_visible_answer_type': fields.boolean('Is Answer Type Invisible??')
598     }
599     _defaults = {
600 #         'sequence' : lambda * a: 1,
601          'type' : lambda * a: 'char',
602          'in_visible_answer_type':_get_in_visible_answer_type,
603     }
604
605     def default_get(self, cr, uid, fields, context=None):
606         if context is None:
607             context = {}
608         data = super(survey_answer, self).default_get(cr, uid, fields, context)
609         self.pool.get('survey.question').data_get(cr,uid,data,context)
610         return data
611
612 survey_answer()
613
614 class survey_response(osv.osv):
615     _name = "survey.response"
616     _rec_name = 'date_create'
617     _columns = {
618         'survey_id' : fields.many2one('survey', 'Survey', required=1, ondelete='cascade'),
619         'date_create' : fields.datetime('Create Date', required=1),
620         'user_id' : fields.many2one('res.users', 'User'),
621         'response_type' : fields.selection([('manually', 'Manually'), ('link', 'Link')], \
622                                     'Answer Type', required=1, readonly=1),
623         'question_ids' : fields.one2many('survey.response.line', 'response_id', 'Answer'),
624         'state' : fields.selection([('done', 'Finished '),('skip', 'Not Finished')], \
625                             'Status', readonly=True),
626     }
627     _defaults = {
628         'state' : lambda * a: "skip",
629         'response_type' : lambda * a: "manually",
630     }
631
632     def name_get(self, cr, uid, ids, context=None):
633         if not len(ids):
634             return []
635         reads = self.read(cr, uid, ids, ['user_id','date_create'], context=context)
636         res = []
637         for record in reads:
638             name = (record['user_id'] and record['user_id'][1] or '' )+ ' (' + record['date_create'].split('.')[0] + ')'
639             res.append((record['id'], name))
640         return res
641
642     def copy(self, cr, uid, id, default=None, context=None):
643         raise osv.except_osv(_('Warning !'),_('You cannot duplicate the resource!'))
644
645 survey_response()
646
647 class survey_response_line(osv.osv):
648     _name = 'survey.response.line'
649     _description = 'Survey Response Line'
650     _rec_name = 'date_create'
651     _columns = {
652         'response_id': fields.many2one('survey.response', 'Answer', ondelete='cascade'),
653         'date_create': fields.datetime('Create Date', required=1),
654         'state': fields.selection([('draft', 'Draft'), ('done', 'Answered'),('skip', 'Skiped')],\
655                                    'Status', readonly=True),
656         'question_id': fields.many2one('survey.question', 'Question'),
657         'page_id': fields.related('question_id', 'page_id', type='many2one', \
658                                   relation='survey.page', string='Page'),
659         'response_answer_ids': fields.one2many('survey.response.answer', 'response_id', 'Answer'),
660         'response_table_ids': fields.one2many('survey.tbl.column.heading', \
661                                     'response_table_id', 'Answer'),
662         'comment': fields.text('Notes'),
663         'single_text': fields.char('Text', size=255),
664     }
665     _defaults = {
666         'state' : lambda * a: "draft",
667     }
668
669 survey_response_line()
670
671 class survey_tbl_column_heading(osv.osv):
672     _name = 'survey.tbl.column.heading'
673     _order = 'name'
674     _columns = {
675         'name': fields.integer('Row Number'),
676         'column_id': fields.many2one('survey.question.column.heading', 'Column'),
677         'value': fields.char('Value', size = 255),
678         'response_table_id': fields.many2one('survey.response.line', 'Answer', ondelete='cascade'),
679     }
680
681 survey_tbl_column_heading()
682
683 class survey_response_answer(osv.osv):
684     _name = 'survey.response.answer'
685     _description = 'Survey Answer'
686     _rec_name = 'response_id'
687     _columns = {
688         'response_id': fields.many2one('survey.response.line', 'Answer', ondelete='cascade'),
689         'answer_id': fields.many2one('survey.answer', 'Answer', required=1, ondelete='cascade'),
690         'column_id': fields.many2one('survey.question.column.heading','Column'),
691         'answer': fields.char('Value', size =255),
692         'value_choice': fields.char('Value Choice', size =255),
693         'comment': fields.text('Notes'),
694         'comment_field': fields.char('Comment', size = 255)
695     }
696
697 survey_response_answer()
698
699 class res_users(osv.osv):
700     _inherit = "res.users"
701     _name = "res.users"
702     _columns = {
703         'survey_id': fields.many2many('survey', 'survey_users_rel', 'uid', 'sid', 'Groups'),
704     }
705
706 res_users()
707
708 class survey_request(osv.osv):
709     _name = "survey.request"
710     _order = 'date_deadline'
711     _rec_name = 'date_deadline'
712     _columns = {
713         'date_deadline': fields.date("Deadline date"),
714         'user_id': fields.many2one("res.users", "User"),
715         'email': fields.char("E-mail", size=64),
716         'survey_id': fields.many2one("survey", "Survey", required=1, ondelete='cascade'),
717         'response': fields.many2one('survey.response', 'Answer'),
718         'state': fields.selection([('draft','Draft'),('waiting_answer', 'Waiting Answer'),('done', 'Done'),('cancel', 'Cancelled')], 'State', readonly=1)
719     }
720     _defaults = {
721         'state': lambda * a: 'draft',
722 #        'date_deadline': lambda * a :  (datetime.now() + relativedelta(months=+1)).strftime("%Y-%m-%d %H:%M:%S")
723     }
724     def survey_req_waiting_answer(self, cr, uid, ids, arg):
725         self.write(cr, uid, ids, { 'state' : 'waiting_answer'})
726         return True
727
728     def survey_req_draft(self, cr, uid, ids, arg):
729         self.write(cr, uid, ids, { 'state' : 'draft'})
730         return True
731
732     def survey_req_done(self, cr, uid, ids, arg):
733         self.write(cr, uid, ids, { 'state' : 'done'})
734         return True
735
736     def survey_req_cancel(self, cr, uid, ids, arg):
737         self.write(cr, uid, ids, { 'state' : 'cancel'})
738         return True
739
740     def on_change_user(self, cr, uid, ids, user_id, context=None):
741         if user_id:
742             user_obj = self.pool.get('res.users')
743             user = user_obj.browse(cr, uid, user_id, context=context)
744             return {'value': {'email': user.user_email}}
745         return {}
746
747 survey_request()
748
749 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: