[MERGE] chm - improved subtype - fixes
[odoo/odoo.git] / addons / hr_recruitment / hr_recruitment.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2009 Tiny SPRL (<http://tiny.be>).
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 import time
23 import tools
24
25 from base_status.base_stage import base_stage
26 from datetime import datetime
27 from osv import fields, osv
28 from tools.translate import _
29
30 AVAILABLE_STATES = [
31     ('draft', 'New'),
32     ('cancel', 'Refused'),
33     ('open', 'In Progress'),
34     ('pending', 'Pending'),
35     ('done', 'Hired')
36 ]
37
38 AVAILABLE_PRIORITIES = [
39     ('', ''),
40     ('5', 'Not Good'),
41     ('4', 'On Average'),
42     ('3', 'Good'),
43     ('2', 'Very Good'),
44     ('1', 'Excellent')
45 ]
46
47 class hr_recruitment_source(osv.osv):
48     """ Sources of HR Recruitment """
49     _name = "hr.recruitment.source"
50     _description = "Source of Applicants"
51     _columns = {
52         'name': fields.char('Source Name', size=64, required=True, translate=True),
53     }
54
55 class hr_recruitment_stage(osv.osv):
56     """ Stage of HR Recruitment """
57     _name = "hr.recruitment.stage"
58     _description = "Stage of Recruitment"
59     _order = 'sequence'
60     _columns = {
61         'name': fields.char('Name', size=64, required=True, translate=True),
62         'sequence': fields.integer('Sequence', help="Gives the sequence order when displaying a list of stages."),
63         'department_id':fields.many2one('hr.department', 'Specific to a Department', help="Stages of the recruitment process may be different per department. If this stage is common to all departments, keep this field empty."),
64         'state': fields.selection(AVAILABLE_STATES, 'State', required=True, help="The related state for the stage. The state of your document will automatically change according to the selected stage. Example, a stage is related to the state 'Close', when your document reach this stage, it will be automatically closed."),
65         'fold': fields.boolean('Hide in views if empty', help="This stage is not visible, for example in status bar or kanban view, when there are no records in that stage to display."),
66         'requirements': fields.text('Requirements'),
67     }
68     _defaults = {
69         'sequence': 1,
70         'state': 'draft',
71         'fold': False,
72     }
73
74 class hr_recruitment_degree(osv.osv):
75     """ Degree of HR Recruitment """
76     _name = "hr.recruitment.degree"
77     _description = "Degree of Recruitment"
78     _columns = {
79         'name': fields.char('Name', size=64, required=True, translate=True),
80         'sequence': fields.integer('Sequence', help="Gives the sequence order when displaying a list of degrees."),
81     }
82     _defaults = {
83         'sequence': 1,
84     }
85     _sql_constraints = [
86         ('name_uniq', 'unique (name)', 'The name of the Degree of Recruitment must be unique!')
87     ]
88
89 class hr_applicant(base_stage, osv.Model):
90     _name = "hr.applicant"
91     _description = "Applicant"
92     _order = "id desc"
93     _inherit = ['mail.thread', 'ir.needaction_mixin']
94
95     def _get_default_department_id(self, cr, uid, context=None):
96         """ Gives default department by checking if present in the context """
97         return (self._resolve_department_id_from_context(cr, uid, context=context) or False)
98
99     def _get_default_stage_id(self, cr, uid, context=None):
100         """ Gives default stage_id """
101         department_id = self._get_default_department_id(cr, uid, context=context)
102         return self.stage_find(cr, uid, [], department_id, [('state', '=', 'draft')], context=context)
103
104     def _resolve_department_id_from_context(self, cr, uid, context=None):
105         """ Returns ID of department based on the value of 'default_department_id'
106             context key, or None if it cannot be resolved to a single
107             department.
108         """
109         if context is None:
110             context = {}
111         if type(context.get('default_department_id')) in (int, long):
112             return context.get('default_department_id')
113         if isinstance(context.get('default_department_id'), basestring):
114             department_name = context['default_department_id']
115             department_ids = self.pool.get('hr.department').name_search(cr, uid, name=department_name, context=context)
116             if len(department_ids) == 1:
117                 return int(department_ids[0][0])
118         return None
119
120     def _read_group_stage_ids(self, cr, uid, ids, domain, read_group_order=None, access_rights_uid=None, context=None):
121         access_rights_uid = access_rights_uid or uid
122         stage_obj = self.pool.get('hr.recruitment.stage')
123         order = stage_obj._order
124         # lame hack to allow reverting search, should just work in the trivial case
125         if read_group_order == 'stage_id desc':
126             order = "%s desc" % order
127         # retrieve section_id from the context and write the domain
128         # - ('id', 'in', 'ids'): add columns that should be present
129         # - OR ('department_id', '=', False), ('fold', '=', False): add default columns that are not folded
130         # - OR ('department_id', 'in', department_id), ('fold', '=', False) if department_id: add department columns that are not folded
131         department_id = self._resolve_department_id_from_context(cr, uid, context=context)
132         search_domain = []
133         if department_id:
134             search_domain += ['|', ('department_id', '=', department_id)]
135         search_domain += ['|', ('id', 'in', ids), ('department_id', '=', False)]
136         stage_ids = stage_obj._search(cr, uid, search_domain, order=order, access_rights_uid=access_rights_uid, context=context)
137         result = stage_obj.name_get(cr, access_rights_uid, stage_ids, context=context)
138         # restore order of the search
139         result.sort(lambda x,y: cmp(stage_ids.index(x[0]), stage_ids.index(y[0])))
140
141         fold = {}
142         for stage in stage_obj.browse(cr, access_rights_uid, stage_ids, context=context):
143             fold[stage.id] = stage.fold or False
144         return result, fold
145
146     def _compute_day(self, cr, uid, ids, fields, args, context=None):
147         """
148         @param cr: the current row, from the database cursor,
149         @param uid: the current user’s ID for security checks,
150         @param ids: List of Openday’s IDs
151         @return: difference between current date and log date
152         @param context: A standard dictionary for contextual values
153         """
154         res = {}
155         for issue in self.browse(cr, uid, ids, context=context):
156             for field in fields:
157                 res[issue.id] = {}
158                 duration = 0
159                 ans = False
160                 hours = 0
161
162                 if field in ['day_open']:
163                     if issue.date_open:
164                         date_create = datetime.strptime(issue.create_date, "%Y-%m-%d %H:%M:%S")
165                         date_open = datetime.strptime(issue.date_open, "%Y-%m-%d %H:%M:%S")
166                         ans = date_open - date_create
167
168                 elif field in ['day_close']:
169                     if issue.date_closed:
170                         date_create = datetime.strptime(issue.create_date, "%Y-%m-%d %H:%M:%S")
171                         date_close = datetime.strptime(issue.date_closed, "%Y-%m-%d %H:%M:%S")
172                         ans = date_close - date_create
173                 if ans:
174                     duration = float(ans.days)
175                     res[issue.id][field] = abs(float(duration))
176         return res
177
178     _columns = {
179         'name': fields.char('Subject', size=128, required=True),
180         'active': fields.boolean('Active', help="If the active field is set to false, it will allow you to hide the case without removing it."),
181         'description': fields.text('Description'),
182         'email_from': fields.char('Email', size=128, help="These people will receive email."),
183         'email_cc': fields.text('Watchers Emails', size=252, help="These email addresses will be added to the CC field of all inbound and outbound emails for this record before being sent. Separate multiple email addresses with a comma"),
184         'probability': fields.float('Probability'),
185         'partner_id': fields.many2one('res.partner', 'Contact'),
186         'create_date': fields.datetime('Creation Date', readonly=True, select=True),
187         'write_date': fields.datetime('Update Date', readonly=True),
188         'stage_id': fields.many2one ('hr.recruitment.stage', 'Stage',
189                         domain="['&', ('fold', '=', False), '|', ('department_id', '=', department_id), ('department_id', '=', False)]"),
190         'state': fields.related('stage_id', 'state', type="selection", store=True,
191                 selection=AVAILABLE_STATES, string="State", readonly=True,
192                 help='The state is set to \'Draft\', when a case is created.\
193                       If the case is in progress the state is set to \'Open\'.\
194                       When the case is over, the state is set to \'Done\'.\
195                       If the case needs to be reviewed then the state is \
196                       set to \'Pending\'.'),
197         'categ_ids': fields.many2many('hr.applicant_category', string='Tags'),
198         'company_id': fields.many2one('res.company', 'Company'),
199         'user_id': fields.many2one('res.users', 'Responsible'),
200         # Applicant Columns
201         'date_closed': fields.datetime('Closed', readonly=True, select=True),
202         'date_open': fields.datetime('Opened', readonly=True, select=True),
203         'date': fields.datetime('Date'),
204         'date_action': fields.date('Next Action Date'),
205         'title_action': fields.char('Next Action', size=64),
206         'priority': fields.selection(AVAILABLE_PRIORITIES, 'Appreciation'),
207         'job_id': fields.many2one('hr.job', 'Applied Job'),
208         'salary_proposed_extra': fields.char('Proposed Salary Extra', size=100, help="Salary Proposed by the Organisation, extra advantages"),
209         'salary_expected_extra': fields.char('Expected Salary Extra', size=100, help="Salary Expected by Applicant, extra advantages"),
210         'salary_proposed': fields.float('Proposed Salary', help="Salary Proposed by the Organisation"),
211         'salary_expected': fields.float('Expected Salary', help="Salary Expected by Applicant"),
212         'availability': fields.integer('Availability'),
213         'partner_name': fields.char("Applicant's Name", size=64),
214         'partner_phone': fields.char('Phone', size=32),
215         'partner_mobile': fields.char('Mobile', size=32),
216         'type_id': fields.many2one('hr.recruitment.degree', 'Degree'),
217         'department_id': fields.many2one('hr.department', 'Department'),
218         'survey': fields.related('job_id', 'survey_id', type='many2one', relation='survey', string='Survey'),
219         'response': fields.integer("Response"),
220         'reference': fields.char('Referred By', size=128),
221         'source_id': fields.many2one('hr.recruitment.source', 'Source'),
222         'day_open': fields.function(_compute_day, string='Days to Open', \
223                                 multi='day_open', type="float", store=True),
224         'day_close': fields.function(_compute_day, string='Days to Close', \
225                                 multi='day_close', type="float", store=True),
226         'color': fields.integer('Color Index'),
227         'emp_id': fields.many2one('hr.employee', 'employee'),
228         'user_email': fields.related('user_id', 'email', type='char', string='User Email', readonly=True),
229     }
230
231     _defaults = {
232         'active': lambda *a: 1,
233         'user_id':  lambda s, cr, uid, c: uid,
234         'email_from': lambda s, cr, uid, c: s._get_default_email(cr, uid, c),
235         'stage_id': lambda s, cr, uid, c: s._get_default_stage_id(cr, uid, c),
236         'department_id': lambda s, cr, uid, c: s._get_default_department_id(cr, uid, c),
237         'priority': lambda *a: '',
238         'company_id': lambda s, cr, uid, c: s.pool.get('res.company')._company_default_get(cr, uid, 'hr.applicant', context=c),
239         'color': 0,
240     }
241
242     _group_by_full = {
243         'stage_id': _read_group_stage_ids
244     }
245
246     def onchange_job(self, cr, uid, ids, job, context=None):
247         result = {}
248
249         if job:
250             job_obj = self.pool.get('hr.job')
251             result['department_id'] = job_obj.browse(cr, uid, job, context=context).department_id.id
252             return {'value': result}
253         return {'value': {'department_id': False}}
254
255     def onchange_department_id(self, cr, uid, ids, department_id=False, context=None):
256         obj_recru_stage = self.pool.get('hr.recruitment.stage')
257         stage_ids = obj_recru_stage.search(cr, uid, ['|',('department_id','=',department_id),('department_id','=',False)], context=context)
258         stage_id = stage_ids and stage_ids[0] or False
259         return {'value': {'stage_id': stage_id}}
260
261     def stage_find(self, cr, uid, cases, section_id, domain=[], order='sequence', context=None):
262         """ Override of the base.stage method
263             Parameter of the stage search taken from the lead:
264             - department_id: if set, stages must belong to this section or
265               be a default case
266         """
267         if isinstance(cases, (int, long)):
268             cases = self.browse(cr, uid, cases, context=context)
269         # collect all section_ids
270         department_ids = []
271         if section_id:
272             department_ids.append(section_id)
273         for case in cases:
274             if case.department_id:
275                 department_ids.append(case.department_id.id)
276         # OR all section_ids and OR with case_default
277         search_domain = []
278         if department_ids:
279             search_domain += ['|', ('department_id', 'in', department_ids)]
280         search_domain.append(('department_id', '=', False))
281         # AND with the domain in parameter
282         search_domain += list(domain)
283         # perform search, return the first found
284         stage_ids = self.pool.get('hr.recruitment.stage').search(cr, uid, search_domain, order=order, context=context)
285         if stage_ids:
286             return stage_ids[0]
287         return False
288
289     def action_makeMeeting(self, cr, uid, ids, context=None):
290         """ This opens Meeting's calendar view to schedule meeting on current applicant
291             @return: Dictionary value for created Meeting view
292         """
293         applicant = self.browse(cr, uid, ids[0], context)
294         category = self.pool.get('ir.model.data').get_object(cr, uid, 'hr_recruitment', 'categ_meet_interview', context)
295         res = self.pool.get('ir.actions.act_window').for_xml_id(cr, uid, 'base_calendar', 'action_crm_meeting', context)
296         res['context'] = {
297             'default_partner_ids': applicant.partner_id and [applicant.partner_id.id] or False,
298             'default_user_id': uid,
299             'default_state': 'open',
300             'default_name': applicant.name,
301             'default_categ_ids': category and [category.id] or False,
302         }
303         return res
304
305     def action_print_survey(self, cr, uid, ids, context=None):
306         """
307         If response is available then print this response otherwise print survey form(print template of the survey).
308
309         @param self: The object pointer
310         @param cr: the current row, from the database cursor,
311         @param uid: the current user’s ID for security checks,
312         @param ids: List of Survey IDs
313         @param context: A standard dictionary for contextual values
314         @return: Dictionary value for print survey form.
315         """
316         if context is None:
317             context = {}
318         record = self.browse(cr, uid, ids, context=context)
319         record = record and record[0]
320         context.update({'survey_id': record.survey.id, 'response_id': [record.response], 'response_no': 0, })
321         value = self.pool.get("survey").action_print_survey(cr, uid, ids, context=context)
322         return value
323
324     def message_new(self, cr, uid, msg, custom_values=None, context=None):
325         """ Overrides mail_thread message_new that is called by the mailgateway
326             through message_process.
327             This override updates the document according to the email.
328         """
329         if custom_values is None: custom_values = {}
330         custom_values.update({
331             'name':  msg.get('subject') or _("No Subject"),
332             'description': msg.get('body'),
333             'email_from': msg.get('from'),
334             'email_cc': msg.get('cc'),
335             'user_id': False,
336         })
337         if msg.get('priority'):
338             custom_values['priority'] = msg.get('priority')
339         return super(hr_applicant,self).message_new(cr, uid, msg, custom_values=custom_values, context=context)
340
341     def message_update(self, cr, uid, ids, msg, update_vals=None, context=None):
342         """ Override mail_thread message_update that is called by the mailgateway
343             through message_process.
344             This method updates the document according to the email.
345         """
346         if isinstance(ids, (str, int, long)):
347             ids = [ids]
348         if update_vals is None: vals = {}
349
350         update_vals.update({
351             'description': msg.get('body'),
352             'email_from': msg.get('from'),
353             'email_cc': msg.get('cc'),
354         })
355         if msg.get('priority'):
356             update_vals['priority'] = msg.get('priority')
357
358         maps = {
359             'cost': 'planned_cost',
360             'revenue': 'planned_revenue',
361             'probability': 'probability',
362         }
363         for line in msg.get('body', '').split('\n'):
364             line = line.strip()
365             res = tools.misc.command_re.match(line)
366             if res and maps.get(res.group(1).lower(), False):
367                 key = maps.get(res.group(1).lower())
368                 update_vals[key] = res.group(2).lower()
369
370         return super(hr_applicant, self).message_update(cr, uids, ids, update_vals=update_vals, context=context)
371
372     def create(self, cr, uid, vals, context=None):
373         obj_id = super(hr_applicant, self).create(cr, uid, vals, context=context)
374         self.create_send_note(cr, uid, [obj_id], context=context)
375         return obj_id
376
377     def case_open(self, cr, uid, ids, context=None):
378         """
379             open Request of the applicant for the hr_recruitment
380         """
381         res = super(hr_applicant, self).case_open(cr, uid, ids, context)
382         date = self.read(cr, uid, ids, ['date_open'])[0]
383         if not date['date_open']:
384             self.write(cr, uid, ids, {'date_open': time.strftime('%Y-%m-%d %H:%M:%S'),})
385         return res
386
387     def case_close(self, cr, uid, ids, context=None):
388         res = super(hr_applicant, self).case_close(cr, uid, ids, context)
389         return res
390
391     def case_close_with_emp(self, cr, uid, ids, context=None):
392         if context is None:
393             context = {}
394         hr_employee = self.pool.get('hr.employee')
395         model_data = self.pool.get('ir.model.data')
396         act_window = self.pool.get('ir.actions.act_window')
397         emp_id = False
398         for applicant in self.browse(cr, uid, ids, context=context):
399             address_id = False
400             if applicant.partner_id:
401                 address_id = self.pool.get('res.partner').address_get(cr,uid,[applicant.partner_id.id],['contact'])['contact']
402             if applicant.job_id:
403                 applicant.job_id.write({'no_of_recruitment': applicant.job_id.no_of_recruitment - 1})
404                 emp_id = hr_employee.create(cr,uid,{'name': applicant.partner_name or applicant.name,
405                                                      'job_id': applicant.job_id.id,
406                                                      'address_home_id': address_id,
407                                                      'department_id': applicant.department_id.id
408                                                      })
409                 self.write(cr, uid, [applicant.id], {'emp_id': emp_id}, context=context)
410                 self.case_close(cr, uid, [applicant.id], context)
411             else:
412                 raise osv.except_osv(_('Warning!'),_('You must define Applied Job for this applicant.'))
413
414         action_model, action_id = model_data.get_object_reference(cr, uid, 'hr', 'open_view_employee_list')
415         dict_act_window = act_window.read(cr, uid, action_id, [])
416         if emp_id:
417             dict_act_window['res_id'] = emp_id
418         dict_act_window['view_mode'] = 'form,tree'
419         return dict_act_window
420
421     def case_cancel(self, cr, uid, ids, context=None):
422         """Overrides cancel for crm_case for setting probability
423         """
424         res = super(hr_applicant, self).case_cancel(cr, uid, ids, context)
425         self.write(cr, uid, ids, {'probability' : 0.0})
426         return res
427
428     def case_pending(self, cr, uid, ids, context=None):
429         """Marks case as pending"""
430         res = super(hr_applicant, self).case_pending(cr, uid, ids, context)
431         self.write(cr, uid, ids, {'probability' : 0.0})
432         return res
433
434     def case_reset(self, cr, uid, ids, context=None):
435         """Resets case as draft
436         """
437         res = super(hr_applicant, self).case_reset(cr, uid, ids, context)
438         self.write(cr, uid, ids, {'date_open': False, 'date_closed': False})
439         return res
440
441     def set_priority(self, cr, uid, ids, priority, *args):
442         """Set applicant priority
443         """
444         return self.write(cr, uid, ids, {'priority' : priority})
445
446     def set_high_priority(self, cr, uid, ids, *args):
447         """Set applicant priority to high
448         """
449         return self.set_priority(cr, uid, ids, '1')
450
451     def set_normal_priority(self, cr, uid, ids, *args):
452         """Set applicant priority to normal
453         """
454         return self.set_priority(cr, uid, ids, '3')
455
456     # -------------------------------------------------------
457     # OpenChatter methods and notifications
458     # -------------------------------------------------------
459
460     def stage_set_send_note(self, cr, uid, ids, stage_id, context=None):
461         """ Override of the (void) default notification method. """
462         if not stage_id: return True
463         stage_name = self.pool.get('hr.recruitment.stage').name_get(cr, uid, [stage_id], context=context)[0][1]
464         return self.message_post(cr, uid, ids, body=_("Stage changed to <b>%s</b>.") % (stage_name), context=context)
465
466     def case_get_note_msg_prefix(self, cr, uid, id, context=None):
467                 return 'Applicant'
468
469     def case_open_send_note(self, cr, uid, ids, context=None):
470         message = _("Applicant has been set <b>in progress</b>.")
471         return self.message_post(cr, uid, ids, body=message, context=context)
472
473     def case_close_send_note(self, cr, uid, ids, context=None):
474         if context is None:
475             context = {}
476         for applicant in self.browse(cr, uid, ids, context=context):
477             if applicant.job_id:
478                 self.pool.get('hr.job').message_post(cr, uid, [applicant.job_id.id], body=_('New employee joined the company %s.')%(applicant.name,), subtype="hr_recruitment.mt_hired", context=context)
479             if applicant.emp_id:
480                 message = _("Applicant has been <b>hired</b> and created as an employee.")
481                 self.message_post(cr, uid, [applicant.id], body=message, context=context)
482             else:
483                 message = _("Applicant has been <b>hired</b>.")
484                 self.message_post(cr, uid, [applicant.id], body=message, context=context)
485         return True
486
487     def case_cancel_send_note(self, cr, uid, ids, context=None):
488         msg = 'Applicant <b>refused</b>.'
489         return self.message_post(cr, uid, ids, body=msg, context=context)
490
491     def case_reset_send_note(self,  cr, uid, ids, context=None):
492         message =_("Applicant has been set as <b>new</b>.")
493         return self.message_post(cr, uid, ids, body=message, context=context)
494
495     def create_send_note(self, cr, uid, ids, context=None):
496         message = _("Applicant has been <b>created</b>.")
497         for applicant in self.browse(cr, uid, ids, context=context):
498             if applicant.job_id:
499                 self.pool.get('hr.job').message_post(cr, uid, [applicant.job_id.id], body=message, subtype="hr_recruitment.mt_applicant_new", context=context)
500         return self.message_post(cr, uid, ids, body=message, context=context)
501
502 class hr_job(osv.osv):
503     _inherit = "hr.job"
504     _name = "hr.job"
505     _inherits = {'mail.alias': 'alias_id'}
506     _columns = {
507         'survey_id': fields.many2one('survey', 'Interview Form', help="Choose an interview form for this job position and you will be able to print/answer this interview from all applicants who apply for this job"),
508         'alias_id': fields.many2one('mail.alias', 'Alias', ondelete="cascade", required=True,
509                                     help="Email alias for this job position. New emails will automatically "
510                                          "create new applicants for this job position."),
511     }
512     _defaults = {
513         'alias_domain': False, # always hide alias during creation
514     }
515
516     def _auto_init(self, cr, context=None):
517         """Installation hook to create aliases for all jobs and avoid constraint errors."""
518         self.pool.get('mail.alias').migrate_to_alias(cr, self._name, self._table, super(hr_job,self)._auto_init,
519             self._columns['alias_id'], 'name', alias_prefix='job+', alias_defaults={'job_id': 'id'}, context=context)
520
521     def create(self, cr, uid, vals, context=None):
522         mail_alias = self.pool.get('mail.alias')
523         if not vals.get('alias_id'):
524             vals.pop('alias_name', None) # prevent errors during copy()
525             alias_id = mail_alias.create_unique_alias(cr, uid,
526                           # Using '+' allows using subaddressing for those who don't
527                           # have a catchall domain setup.
528                           {'alias_name': 'jobs+'+vals['name']},
529                           model_name="hr.applicant",
530                           context=context)
531             vals['alias_id'] = alias_id
532         res = super(hr_job, self).create(cr, uid, vals, context)
533         mail_alias.write(cr, uid, [vals['alias_id']], {"alias_defaults": {'job_id': res}}, context)
534         return res
535
536     def unlink(self, cr, uid, ids, context=None):
537         # Cascade-delete mail aliases as well, as they should not exist without the job position.
538         mail_alias = self.pool.get('mail.alias')
539         alias_ids = [job.alias_id.id for job in self.browse(cr, uid, ids, context=context) if job.alias_id]
540         res = super(hr_job, self).unlink(cr, uid, ids, context=context)
541         mail_alias.unlink(cr, uid, alias_ids, context=context)
542         return res
543
544     def action_print_survey(self, cr, uid, ids, context=None):
545         if context is None:
546             context = {}
547         datas = {}
548         record = self.browse(cr, uid, ids, context=context)[0]
549         if record.survey_id:
550             datas['ids'] = [record.survey_id.id]
551         datas['model'] = 'survey.print'
552         context.update({'response_id': [0], 'response_no': 0,})
553         return {
554             'type': 'ir.actions.report.xml',
555             'report_name': 'survey.form',
556             'datas': datas,
557             'context' : context,
558             'nodestroy':True,
559         }
560
561 class applicant_category(osv.osv):
562     """ Category of applicant """
563     _name = "hr.applicant_category"
564     _description = "Category of applicant"
565     _columns = {
566         'name': fields.char('Name', size=64, required=True, translate=True),
567     }
568
569 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: