[FIX] hr: remove referecne of res.partner.address
[odoo/odoo.git] / addons / hr / hr.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2010 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 from osv import fields, osv
23 import logging
24 import addons
25
26 class hr_employee_category(osv.osv):
27
28     def name_get(self, cr, uid, ids, context=None):
29         if not ids:
30             return []
31         reads = self.read(cr, uid, ids, ['name','parent_id'], context=context)
32         res = []
33         for record in reads:
34             name = record['name']
35             if record['parent_id']:
36                 name = record['parent_id'][1]+' / '+name
37             res.append((record['id'], name))
38         return res
39
40     def _name_get_fnc(self, cr, uid, ids, prop, unknow_none, context=None):
41         res = self.name_get(cr, uid, ids, context=context)
42         return dict(res)
43
44     _name = "hr.employee.category"
45     _description = "Employee Category"
46     _columns = {
47         'name': fields.char("Category", size=64, required=True),
48         'complete_name': fields.function(_name_get_fnc, type="char", string='Name'),
49         'parent_id': fields.many2one('hr.employee.category', 'Parent Category', select=True),
50         'child_ids': fields.one2many('hr.employee.category', 'parent_id', 'Child Categories'),
51         'employee_ids': fields.many2many('hr.employee', 'employee_category_rel', 'category_id', 'emp_id', 'Employees'),
52     }
53
54     def _check_recursion(self, cr, uid, ids, context=None):
55         level = 100
56         while len(ids):
57             cr.execute('select distinct parent_id from hr_employee_category where id IN %s', (tuple(ids), ))
58             ids = filter(None, map(lambda x:x[0], cr.fetchall()))
59             if not level:
60                 return False
61             level -= 1
62         return True
63
64     _constraints = [
65         (_check_recursion, 'Error ! You cannot create recursive Categories.', ['parent_id'])
66     ]
67
68 hr_employee_category()
69
70 class hr_job(osv.osv):
71
72     def _no_of_employee(self, cr, uid, ids, name, args, context=None):
73         res = {}
74         for job in self.browse(cr, uid, ids, context=context):
75             nb_employees = len(job.employee_ids or [])
76             res[job.id] = {
77                 'no_of_employee': nb_employees,
78                 'expected_employees': nb_employees + job.no_of_recruitment,
79             }
80         return res
81
82     def _get_job_position(self, cr, uid, ids, context=None):
83         res = []
84         for employee in self.pool.get('hr.employee').browse(cr, uid, ids, context=context):
85             if employee.job_id:
86                 res.append(employee.job_id.id)
87         return res
88
89     _name = "hr.job"
90     _description = "Job Description"
91     _columns = {
92         'name': fields.char('Job Name', size=128, required=True, select=True),
93         'expected_employees': fields.function(_no_of_employee, string='Expected Employees', help='Required number of employees in total for that job.',
94             store = {
95                 'hr.job': (lambda self,cr,uid,ids,c=None: ids, ['no_of_recruitment'], 10),
96                 'hr.employee': (_get_job_position, ['job_id'], 10),
97             },
98             multi='no_of_employee'),
99         'no_of_employee': fields.function(_no_of_employee, string="Number of Employees", help='Number of employees with that job.',
100             store = {
101                 'hr.employee': (_get_job_position, ['job_id'], 10),
102             },
103             multi='no_of_employee'),
104         'no_of_recruitment': fields.float('Expected in Recruitment'),
105         'employee_ids': fields.one2many('hr.employee', 'job_id', 'Employees'),
106         'description': fields.text('Job Description'),
107         'requirements': fields.text('Requirements'),
108         'department_id': fields.many2one('hr.department', 'Department'),
109         'company_id': fields.many2one('res.company', 'Company'),
110         'state': fields.selection([('open', 'In Position'),('old', 'Old'),('recruit', 'In Recruitement')], 'State', readonly=True, required=True),
111     }
112     _defaults = {
113         'expected_employees': 1,
114         'company_id': lambda self,cr,uid,c: self.pool.get('res.company')._company_default_get(cr, uid, 'hr.job', context=c),
115         'state': 'open',
116     }
117
118     _sql_constraints = [
119         ('name_company_uniq', 'unique(name, company_id)', 'The name of the job position must be unique per company!'),
120     ]
121
122
123     def on_change_expected_employee(self, cr, uid, ids, no_of_recruitment, no_of_employee, context=None):
124         if context is None:
125             context = {}
126         return {'value': {'expected_employees': no_of_recruitment + no_of_employee}}
127
128     def job_old(self, cr, uid, ids, *args):
129         self.write(cr, uid, ids, {'state': 'old', 'no_of_recruitment': 0})
130         return True
131
132     def job_recruitement(self, cr, uid, ids, *args):
133         for job in self.browse(cr, uid, ids):
134             no_of_recruitment = job.no_of_recruitment == 0 and 1 or job.no_of_recruitment
135             self.write(cr, uid, [job.id], {'state': 'recruit', 'no_of_recruitment': no_of_recruitment})
136         return True
137
138     def job_open(self, cr, uid, ids, *args):
139         self.write(cr, uid, ids, {'state': 'open', 'no_of_recruitment': 0})
140         return True
141
142 hr_job()
143
144 class hr_employee(osv.osv):
145     _name = "hr.employee"
146     _description = "Employee"
147     _inherits = {'resource.resource': "resource_id"}
148     _columns = {
149         'country_id': fields.many2one('res.country', 'Nationality'),
150         'birthday': fields.date("Date of Birth"),
151         'ssnid': fields.char('SSN No', size=32, help='Social Security Number'),
152         'sinid': fields.char('SIN No', size=32, help="Social Insurance Number"),
153         'identification_id': fields.char('Identification No', size=32),
154         'otherid': fields.char('Other Id', size=64),
155         'gender': fields.selection([('male', 'Male'),('female', 'Female')], 'Gender'),
156         'marital': fields.selection([('single', 'Single'), ('married', 'Married'), ('widower', 'Widower'), ('divorced', 'Divorced')], 'Marital Status'),
157         'department_id':fields.many2one('hr.department', 'Department'),
158         'address_id': fields.many2one('res.partner', 'Working Address'),
159         'address_home_id': fields.many2one('res.partner', 'Home Address'),
160         'bank_account_id':fields.many2one('res.partner.bank', 'Bank Account Number', domain="[('partner_id','=',address_home_id)]", help="Employee bank salary account"),
161         'work_phone': fields.char('Work Phone', size=32, readonly=False),
162         'mobile_phone': fields.char('Work Mobile', size=32, readonly=False),
163         'work_email': fields.char('Work E-mail', size=240),
164         'work_location': fields.char('Office Location', size=32),
165         'notes': fields.text('Notes'),
166         'parent_id': fields.many2one('hr.employee', 'Manager'),
167         'category_ids': fields.many2many('hr.employee.category', 'employee_category_rel', 'emp_id', 'category_id', 'Categories'),
168         'child_ids': fields.one2many('hr.employee', 'parent_id', 'Subordinates'),
169         'resource_id': fields.many2one('resource.resource', 'Resource', ondelete='cascade', required=True),
170         'coach_id': fields.many2one('hr.employee', 'Coach'),
171         'job_id': fields.many2one('hr.job', 'Job'),
172         'photo': fields.binary('Photo'),
173         'passport_id':fields.char('Passport No', size=64),
174         'color': fields.integer('Color Index'),
175         'city': fields.related('address_id', 'city', type='char', string='City'),
176         'login': fields.related('user_id', 'login', type='char', string='Login', readonly=1),
177     }
178
179     def unlink(self, cr, uid, ids, context=None):
180         resource_obj = self.pool.get('resource.resource')
181         resource_ids = []
182         for employee in self.browse(cr, uid, ids, context=context):
183             resource = employee.resource_id
184             if resource:
185                 resource_ids.append(resource.id)
186         if resource_ids:
187             resource_obj.unlink(cr, uid, resource_ids, context=context)
188         return super(hr_employee, self).unlink(cr, uid, ids, context=context)
189
190     def onchange_address_id(self, cr, uid, ids, address, context=None):
191         if address:
192             address = self.pool.get('res.partner').browse(cr, uid, address, context=context)
193             return {'value': {'work_email': address.email, 'work_phone': address.phone, 'mobile_phone': address.mobile}}
194         return {'value': {}}
195
196     def onchange_company(self, cr, uid, ids, company, context=None):
197         address_id = False
198         if company:
199             company_id = self.pool.get('res.company').browse(cr, uid, company, context=context)
200             address = self.pool.get('res.partner').address_get(cr, uid, [company_id.address_id.id], ['default'])
201             address_id = address and address['default'] or False
202         return {'value': {'address_id' : address_id}}
203
204     def onchange_department_id(self, cr, uid, ids, department_id, context=None):
205         value = {'parent_id': False}
206         if department_id:
207             department = self.pool.get('hr.department').browse(cr, uid, department_id)
208             value['parent_id'] = department.manager_id.id
209         return {'value': value}
210
211     def onchange_user(self, cr, uid, ids, user_id, context=None):
212         work_email = False
213         if user_id:
214             work_email = self.pool.get('res.users').browse(cr, uid, user_id, context=context).user_email
215         return {'value': {'work_email' : work_email}}
216
217     def _get_photo(self, cr, uid, context=None):
218         photo_path = addons.get_module_resource('hr','images','photo.png')
219         return open(photo_path, 'rb').read().encode('base64')
220
221     _defaults = {
222         'active': 1,
223         'photo': _get_photo,
224         'marital': 'single',
225         'color': 0,
226     }
227
228     def _check_recursion(self, cr, uid, ids, context=None):
229         level = 100
230         while len(ids):
231             cr.execute('SELECT DISTINCT parent_id FROM hr_employee WHERE id IN %s AND parent_id!=id',(tuple(ids),))
232             ids = filter(None, map(lambda x:x[0], cr.fetchall()))
233             if not level:
234                 return False
235             level -= 1
236         return True
237
238     _constraints = [
239         (_check_recursion, 'Error ! You cannot create recursive Hierarchy of Employees.', ['parent_id']),
240     ]
241
242 hr_employee()
243
244 class hr_department(osv.osv):
245     _description = "Department"
246     _inherit = 'hr.department'
247     _columns = {
248         'manager_id': fields.many2one('hr.employee', 'Manager'),
249         'member_ids': fields.one2many('hr.employee', 'department_id', 'Members', readonly=True),
250     }
251
252 hr_department()
253
254
255 class res_users(osv.osv):
256     _name = 'res.users'
257     _inherit = 'res.users'
258
259     def create(self, cr, uid, data, context=None):
260         user_id = super(res_users, self).create(cr, uid, data, context=context)
261
262         # add shortcut unless 'noshortcut' is True in context
263         if not(context and context.get('noshortcut', False)):
264             data_obj = self.pool.get('ir.model.data')
265             try:
266                 data_id = data_obj._get_id(cr, uid, 'hr', 'ir_ui_view_sc_employee')
267                 view_id  = data_obj.browse(cr, uid, data_id, context=context).res_id
268                 self.pool.get('ir.ui.view_sc').copy(cr, uid, view_id, default = {
269                                             'user_id': user_id}, context=context)
270             except:
271                 # Tolerate a missing shortcut. See product/product.py for similar code.
272                 logging.getLogger('orm').debug('Skipped meetings shortcut for user "%s"', data.get('name','<new'))
273
274         return user_id
275
276 res_users()
277
278
279 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: