Changed licencing terms
[odoo/odoo.git] / addons / hr_timesheet_sheet / hr_timesheet_sheet.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 from osv import fields
24 from osv import osv
25 import netsvc
26
27 from mx import DateTime
28 from tools.translate import _
29
30
31 class one2many_mod2(fields.one2many):
32     def get(self, cr, obj, ids, name, user=None, offset=0, context={}, values={}):
33         res = {}
34         for id in ids:
35             res[id] = []
36
37         res5 = obj.read(cr, user, ids, ['date_current', 'user_id'], context)
38         res6 = {}
39         for r in res5:
40             res6[r['id']] = (r['date_current'], r['user_id'][0])
41
42         ids2 = []
43         for id in ids:
44             dom = []
45             if id in res6:
46                 dom = [('name', '>=', res6[id][0] + ' 00:00:00'),
47                         ('name', '<=', res6[id][0] + ' 23:59:59'),
48                         ('employee_id.user_id', '=', res6[id][1])]
49             ids2.extend(obj.pool.get(self._obj).search(cr, user,
50                 dom, limit=self._limit))
51
52         for r in obj.pool.get(self._obj)._read_flat(cr, user, ids2,
53                 [self._fields_id], context=context, load='_classic_write'):
54             if r[self._fields_id]:
55                 res.setdefault(r[self._fields_id][0], []).append(r['id'])
56
57         return res
58
59     def set(self, cr, obj, id, field, values, user=None, context=None):
60         if context is None:
61             context = {}
62         context = context.copy()
63         context['sheet_id'] = id
64         return super(one2many_mod2, self).set(cr, obj, id, field, values, user=user,
65                 context=context)
66
67
68 class one2many_mod(fields.one2many):
69     def get(self, cr, obj, ids, name, user=None, offset=0, context={}, values={}):
70         res = {}
71         for id in ids:
72             res[id] = []
73
74         res5 = obj.read(cr, user, ids, ['date_current', 'user_id'], context)
75         res6 = {}
76         for r in res5:
77             res6[r['id']] = (r['date_current'], r['user_id'][0])
78
79         ids2 = []
80         for id in ids:
81             dom = []
82             if id in res6:
83                 dom = [('date', '=', res6[id][0]), ('user_id', '=', res6[id][1])]
84             ids2.extend(obj.pool.get(self._obj).search(cr, user,
85                 dom, limit=self._limit))
86
87         for r in obj.pool.get(self._obj)._read_flat(cr, user, ids2,
88                 [self._fields_id], context=context, load='_classic_write'):
89             if r[self._fields_id]:
90                 res.setdefault(r[self._fields_id][0], []).append(r['id'])
91
92         return res
93
94 class hr_timesheet_sheet(osv.osv):
95     _name = "hr_timesheet_sheet.sheet"
96     _table = 'hr_timesheet_sheet_sheet'
97     _order = "id desc"
98
99     def _total_day(self, cr, uid, ids, name, args, context):
100         res = {}
101         cr.execute('SELECT sheet.id, day.total_attendance, day.total_timesheet, day.total_difference\
102                 FROM hr_timesheet_sheet_sheet AS sheet \
103                 LEFT JOIN hr_timesheet_sheet_sheet_day AS day \
104                     ON (sheet.id = day.sheet_id \
105                         AND day.name = sheet.date_current) \
106                 WHERE sheet.id in (' + ','.join([str(x) for x in ids]) + ')')
107         for record in cr.fetchall():
108             res[record[0]] = {}
109             res[record[0]]['total_attendance_day'] = record[1]
110             res[record[0]]['total_timesheet_day'] = record[2]
111             res[record[0]]['total_difference_day'] = record[3]
112         return res
113
114     def _total(self, cr, uid, ids, name, args, context):
115         res = {}
116         cr.execute('SELECT s.id, COALESCE(SUM(d.total_attendance),0), COALESCE(SUM(d.total_timesheet),0), COALESCE(SUM(d.total_difference),0) \
117                 FROM hr_timesheet_sheet_sheet s \
118                     LEFT JOIN hr_timesheet_sheet_sheet_day d \
119                         ON (s.id = d.sheet_id) \
120                 WHERE s.id in ('+ ','.join(map(str, ids)) + ') \
121                 GROUP BY s.id')
122         for record in cr.fetchall():
123             res[record[0]] = {}
124             res[record[0]]['total_attendance'] = record[1]
125             res[record[0]]['total_timesheet'] = record[2]
126             res[record[0]]['total_difference'] = record[3]
127         return res
128
129     def _state_attendance(self, cr, uid, ids, name, args, context):
130         result = {}
131         link_emp = {}
132         emp_ids = []
133         emp_obj = self.pool.get('hr.employee')
134
135         for sheet in self.browse(cr, uid, ids, context):
136             result[sheet.id] = 'none'
137             emp_ids2 = emp_obj.search(cr, uid,
138                     [('user_id', '=', sheet.user_id.id)])
139             if emp_ids2:
140                 link_emp[emp_ids2[0]] = sheet.id
141                 emp_ids.append(emp_ids2[0])
142         for emp in emp_obj.browse(cr, uid, emp_ids, context=context):
143             if emp.id in link_emp:
144                 sheet_id = link_emp[emp.id]
145                 result[sheet_id] = emp.state
146         return result
147
148     def copy(self, cr, uid, ids, *args, **argv):
149         raise osv.except_osv(_('Error !'), _('You can not duplicate a timesheet !'))
150
151     def button_confirm(self, cr, uid, ids, context):
152         for sheet in self.browse(cr, uid, ids, context):
153             di = sheet.user_id.company_id.timesheet_max_difference
154             if (abs(sheet.total_difference) < di) or not di:
155                 wf_service = netsvc.LocalService("workflow")
156                 wf_service.trg_validate(uid, 'hr_timesheet_sheet.sheet', sheet.id, 'confirm', cr)
157             else:
158                 raise osv.except_osv(_('Warning !'), _('Please verify that the total difference of the sheet is lower than %.2f !') %(di,))
159         return True
160
161     def date_today(self, cr, uid, ids, context):
162         for sheet in self.browse(cr, uid, ids, context):
163             if DateTime.now() <= DateTime.strptime(sheet.date_from, '%Y-%m-%d'):
164                 self.write(cr, uid, [sheet.id], {'date_current': sheet.date_from,})
165             elif DateTime.now() >= DateTime.strptime(sheet.date_to, '%Y-%m-%d'):
166                 self.write(cr, uid, [sheet.id], {'date_current': sheet.date_to,})
167             else:
168                 self.write(cr, uid, [sheet.id], {'date_current': time.strftime('%Y-%m-%d')})
169         return True
170
171     def date_previous(self, cr, uid, ids, context):
172         for sheet in self.browse(cr, uid, ids, context):
173             if DateTime.strptime(sheet.date_current, '%Y-%m-%d') <= DateTime.strptime(sheet.date_from, '%Y-%m-%d'):
174                 self.write(cr, uid, [sheet.id], {'date_current': sheet.date_from,})
175             else:
176                 self.write(cr, uid, [sheet.id], {
177                     'date_current': (DateTime.strptime(sheet.date_current, '%Y-%m-%d') + DateTime.RelativeDateTime(days=-1)).strftime('%Y-%m-%d'),
178                 })
179         return True
180
181     def date_next(self, cr, uid, ids, context):
182         for sheet in self.browse(cr, uid, ids, context):
183             if DateTime.strptime(sheet.date_current, '%Y-%m-%d') >= DateTime.strptime(sheet.date_to, '%Y-%m-%d'):
184                 self.write(cr, uid, [sheet.id], {'date_current': sheet.date_to,})
185             else:
186                 self.write(cr, uid, [sheet.id], {
187                     'date_current': (DateTime.strptime(sheet.date_current, '%Y-%m-%d') + DateTime.RelativeDateTime(days=1)).strftime('%Y-%m-%d'),
188                 })
189         return True
190
191     def button_dummy(self, cr, uid, ids, context):
192         for sheet in self.browse(cr, uid, ids, context):
193             if DateTime.strptime(sheet.date_current, '%Y-%m-%d') <= DateTime.strptime(sheet.date_from, '%Y-%m-%d'):
194                 self.write(cr, uid, [sheet.id], {'date_current': sheet.date_from,})
195             elif DateTime.strptime(sheet.date_current, '%Y-%m-%d') >= DateTime.strptime(sheet.date_to, '%Y-%m-%d'):
196                 self.write(cr, uid, [sheet.id], {'date_current': sheet.date_to,})
197         return True
198
199     def sign_in(self, cr, uid, ids, context):
200         if not self.browse(cr, uid, ids, context)[0].date_current == time.strftime('%Y-%m-%d'):
201             raise osv.except_osv(_('Error !'), _('You can not sign in from an other date than today'))
202         emp_obj = self.pool.get('hr.employee')
203         emp_id = emp_obj.search(cr, uid, [('user_id', '=', uid)])
204         context['sheet_id']=ids[0]
205         success = emp_obj.sign_in(cr, uid, emp_id, context=context)
206         return True
207
208     def sign_out(self, cr, uid, ids, context):
209         if not self.browse(cr, uid, ids, context)[0].date_current == time.strftime('%Y-%m-%d'):
210             raise osv.except_osv(_('Error !'), _('You can not sign out from an other date than today'))
211         emp_obj = self.pool.get('hr.employee')
212         emp_id = emp_obj.search(cr, uid, [('user_id', '=', uid)])
213         context['sheet_id']=ids[0]
214         success = emp_obj.sign_out(cr, uid, emp_id, context=context)
215         return True
216
217     _columns = {
218         'name': fields.char('Description', size=64, select=1, 
219                             states={'confirm':[('readonly', True)], 'done':[('readonly', True)]}),
220         'user_id': fields.many2one('res.users', 'User', required=True, select=1,
221                             states={'confirm':[('readonly', True)], 'done':[('readonly', True)]}),
222         'date_from': fields.date('Date from', required=True, select=1, readonly=True, states={'new':[('readonly', False)]}),
223         'date_to': fields.date('Date to', required=True, select=1, readonly=True, states={'new':[('readonly', False)]}),
224         'date_current': fields.date('Current date', required=True),
225         'timesheet_ids' : one2many_mod('hr.analytic.timesheet', 'sheet_id',
226             'Timesheet lines', domain=[('date', '=', time.strftime('%Y-%m-%d'))],
227             readonly=True, states={
228                 'draft': [('readonly', False)],
229                 'new': [('readonly', False)]}
230             ),
231         'attendances_ids' : one2many_mod2('hr.attendance', 'sheet_id', 'Attendances', readonly=True, states={'draft':[('readonly',False)],'new':[('readonly',False)]}),
232         'state' : fields.selection([('new', 'New'),('draft','Draft'),('confirm','Confirmed'),('done','Done')], 'Status', select=True, required=True, readonly=True),
233         'state_attendance' : fields.function(_state_attendance, method=True, type='selection', selection=[('absent', 'Absent'), ('present', 'Present'),('none','No employee defined')], string='Current Status'),
234         'total_attendance_day': fields.function(_total_day, method=True, string='Total Attendance', multi="_total_day"),
235         'total_timesheet_day': fields.function(_total_day, method=True, string='Total Timesheet', multi="_total_day"),
236         'total_difference_day': fields.function(_total_day, method=True, string='Difference', multi="_total_day"),
237         'total_attendance': fields.function(_total, method=True, string='Total Attendance', multi="_total_sheet"),
238         'total_timesheet': fields.function(_total, method=True, string='Total Timesheet', multi="_total_sheet"),
239         'total_difference': fields.function(_total, method=True, string='Difference', multi="_total_sheet"),
240         'period_ids': fields.one2many('hr_timesheet_sheet.sheet.day', 'sheet_id', 'Period', readonly=True),
241         'account_ids': fields.one2many('hr_timesheet_sheet.sheet.account', 'sheet_id', 'Analytic accounts', readonly=True),
242     }
243
244     def _default_date_from(self,cr, uid, context={}):
245         user = self.pool.get('res.users').browse(cr, uid, uid, context)
246         r = user.company_id and user.company_id.timesheet_range or 'month'
247         if r=='month':
248             return time.strftime('%Y-%m-01')
249         elif r=='week':
250             return (DateTime.now() + DateTime.RelativeDateTime(weekday=(DateTime.Monday,0))).strftime('%Y-%m-%d')
251         elif r=='year':
252             return time.strftime('%Y-01-01')
253         return time.strftime('%Y-%m-%d')
254
255     def _default_date_to(self,cr, uid, context={}):
256         user = self.pool.get('res.users').browse(cr, uid, uid, context)
257         r = user.company_id and user.company_id.timesheet_range or 'month'
258         if r=='month':
259             return (DateTime.now() + DateTime.RelativeDateTime(months=+1,day=1,days=-1)).strftime('%Y-%m-%d')
260         elif r=='week':
261             return (DateTime.now() + DateTime.RelativeDateTime(weekday=(DateTime.Sunday,0))).strftime('%Y-%m-%d')
262         elif r=='year':
263             return time.strftime('%Y-12-31')
264         return time.strftime('%Y-%m-%d')
265
266     _defaults = {
267         'user_id': lambda self,cr,uid,c: uid,
268         'date_from' : _default_date_from,
269         'date_current' : lambda *a: time.strftime('%Y-%m-%d'),
270         'date_to' : _default_date_to,
271         'state': lambda *a: 'new',
272     }
273
274     def _sheet_date(self, cr, uid, ids):
275         for sheet in self.browse(cr, uid, ids):
276             cr.execute('SELECT id \
277                     FROM hr_timesheet_sheet_sheet \
278                     WHERE (date_from < %s and %s < date_to) \
279                         AND user_id=%s \
280                         AND id <> %s', (sheet.date_to, sheet.date_from,
281                             sheet.user_id.id, sheet.id))
282             if cr.fetchall():
283                 return False
284         return True
285
286     def _date_current_check(self, cr, uid, ids):
287         for sheet in self.browse(cr, uid, ids):
288             if sheet.date_current < sheet.date_from or sheet.date_current > sheet.date_to:
289                 return False
290         return True
291
292
293     _constraints = [
294         (_sheet_date, 'You can not have 2 timesheets that overlaps !\nPlease use the menu \'My Current Timesheet\' to avoid this problem.', ['date_from','date_to']),
295         (_date_current_check, 'You must select a Current date wich is in the timesheet dates !', ['date_current']),
296     ]
297
298     def action_set_to_draft(self, cr, uid, ids, *args):
299         self.write(cr, uid, ids, {'state': 'draft'})
300         wf_service = netsvc.LocalService('workflow')
301         for id in ids:
302             wf_service.trg_create(uid, self._name, id, cr)
303         return True
304
305     def name_get(self, cr, uid, ids, context={}):
306         if not len(ids):
307             return []
308         return [(r['id'], r['date_from'] + ' - ' + r['date_to']) \
309                 for r in self.read(cr, uid, ids, ['date_from', 'date_to'],
310                     context, load='_classic_write')]
311
312     def unlink(self, cr, uid, ids, context=None):
313         sheets = self.read(cr, uid, ids, ['state'])
314         if any(s['state'] in ('confirm', 'done') for s in sheets):
315             raise osv.except_osv(_('Invalid action !'), _('Cannot delete Sheet(s) which are already confirmed !'))
316         return super(hr_timesheet_sheet, self).unlink(cr, uid, ids, context=context)
317
318 hr_timesheet_sheet()
319
320
321 class hr_timesheet_line(osv.osv):
322     _inherit = "hr.analytic.timesheet"
323
324     def _get_default_date(self, cr, uid, context={}):
325         if 'date' in context:
326             return context['date']
327         return time.strftime('%Y-%m-%d')
328
329     def _sheet(self, cursor, user, ids, name, args, context):
330         sheet_obj = self.pool.get('hr_timesheet_sheet.sheet')
331
332         cursor.execute('SELECT l.id, COALESCE(MAX(s.id), 0) \
333                 FROM hr_timesheet_sheet_sheet s \
334                     LEFT JOIN (hr_analytic_timesheet l \
335                         LEFT JOIN account_analytic_line al \
336                             ON (l.line_id = al.id)) \
337                         ON (s.date_to >= al.date \
338                             AND s.date_from <= al.date \
339                             AND s.user_id = al.user_id) \
340                 WHERE l.id in (' + ','.join([str(x) for x in ids]) + ') \
341                 GROUP BY l.id')
342         res = dict(cursor.fetchall())
343         sheet_names = {}
344         for sheet_id, name in sheet_obj.name_get(cursor, user, res.values(),
345                 context=context):
346             sheet_names[sheet_id] = name
347
348         for line_id in {}.fromkeys(ids):
349             sheet_id = res.get(line_id, False)
350             if sheet_id:
351                 res[line_id] = (sheet_id, sheet_names[sheet_id])
352             else:
353                 res[line_id] = False
354         return res
355
356     def _sheet_search(self, cursor, user, obj, name, args):
357         if not len(args):
358             return []
359         sheet_obj = self.pool.get('hr_timesheet_sheet.sheet')
360
361         i = 0
362         while i < len(args):
363             fargs = args[i][0].split('.', 1)
364             if len(fargs) > 1:
365                 args[i] = (fargs[0], 'in', sheet_obj.search(cursor, user,
366                     [(fargs[1], args[i][1], args[i][2])]))
367                 i += 1
368                 continue
369             if isinstance(args[i][2], basestring):
370                 res_ids = sheet_obj.name_search(cursor, user, args[i][2], [],
371                         args[i][1])
372                 args[i] = (args[i][0], 'in', [x[0] for x in res_ids])
373             i += 1
374         qu1, qu2 = [], []
375         for x in args:
376             if x[1] != 'in':
377                 if (x[2] is False) and (x[1] == '='):
378                     qu1.append('(s.id IS NULL)')
379                 elif (x[2] is False) and (x[1] == '<>' or x[1] == '!='):
380                     qu1.append('(s.id IS NOT NULL)')
381                 else:
382                     qu1.append('(s.id %s %s)' % (x[1], '%s'))
383                     qu2.append(x[2])
384             elif x[1] == 'in':
385                 if len(x[2]) > 0:
386                     qu1.append('(s.id in (%s))' % (','.join(['%d'] * len(x[2]))))
387                     qu2 += x[2]
388                 else:
389                     qu1.append('(False)')
390         if len(qu1):
391             qu1 = ' WHERE ' + ' AND '.join(qu1)
392         else:
393             qu1 = ''
394         cursor.execute('SELECT l.id \
395                 FROM hr_timesheet_sheet_sheet s \
396                     LEFT JOIN (hr_analytic_timesheet l \
397                         LEFT JOIN account_analytic_line al \
398                             ON (l.line_id = al.id)) \
399                         ON (s.date_to >= al.date \
400                             AND s.date_from <= al.date \
401                             AND s.user_id = al.user_id)' + \
402                 qu1, qu2)
403         res = cursor.fetchall()
404         if not len(res):
405             return [('id', '=', '0')]
406         return [('id', 'in', [x[0] for x in res])]
407
408     _columns = {
409         'sheet_id': fields.function(_sheet, method=True, string='Sheet',
410             type='many2one', relation='hr_timesheet_sheet.sheet',
411             fnct_search=_sheet_search),
412     }
413     _defaults = {
414         'date': _get_default_date,
415     }
416
417     def create(self, cr, uid, vals, *args, **kwargs):
418         if vals.get('sheet_id', False):
419             ts = self.pool.get('hr_timesheet_sheet.sheet').browse(cr, uid, vals['sheet_id'])
420             if not ts.state in ('draft', 'new'):
421                 raise osv.except_osv(_('Error !'), _('You can not modify an entry in a confirmed timesheet !'))
422         return super(hr_timesheet_line,self).create(cr, uid, vals, *args, **kwargs)
423
424     def unlink(self, cr, uid, ids, *args, **kwargs):
425         self._check(cr, uid, ids)
426         return super(hr_timesheet_line,self).unlink(cr, uid, ids,*args, **kwargs)
427
428     def write(self, cr, uid, ids, *args, **kwargs):
429         self._check(cr, uid, ids)
430         return super(hr_timesheet_line,self).write(cr, uid, ids,*args, **kwargs)
431
432     def _check(self, cr, uid, ids):
433         for att in self.browse(cr, uid, ids):
434             if att.sheet_id and att.sheet_id.state not in ('draft', 'new'):
435                 raise osv.except_osv(_('Error !'), _('You can not modify an entry in a confirmed timesheet !'))
436         return True
437
438 hr_timesheet_line()
439
440 class hr_attendance(osv.osv):
441     _inherit = "hr.attendance"
442
443     def _get_default_date(self, cr, uid, context={}):
444         if 'name' in context:
445             return context['name'] + time.strftime(' %H:%M:%S')
446         return time.strftime('%Y-%m-%d %H:%M:%S')
447
448     def _sheet(self, cursor, user, ids, name, args, context):
449         sheet_obj = self.pool.get('hr_timesheet_sheet.sheet')
450         cursor.execute("SELECT a.id, COALESCE(MAX(s.id), 0) \
451                 FROM hr_timesheet_sheet_sheet s \
452                     LEFT JOIN (hr_attendance a \
453                         LEFT JOIN hr_employee e \
454                             ON (a.employee_id = e.id)) \
455                         ON (s.date_to >= to_date(to_char(a.name, 'YYYY-MM-dd'),'YYYY-MM-dd') \
456                             AND s.date_from <= to_date(to_char(a.name, 'YYYY-MM-dd'),'YYYY-MM-dd') \
457                             AND s.user_id = e.user_id) \
458                 WHERE a.id in (" + ",".join([str(x) for x in ids]) + ") \
459                 GROUP BY a.id")
460         res = dict(cursor.fetchall())
461         sheet_names = {}
462         for sheet_id, name in sheet_obj.name_get(cursor, user, res.values(),
463                 context=context):
464             sheet_names[sheet_id] = name
465         for line_id in {}.fromkeys(ids):
466             sheet_id = res.get(line_id, False)
467             if sheet_id:
468                 res[line_id] = (sheet_id, sheet_names[sheet_id])
469             else:
470                 res[line_id] = False
471         return res
472
473     def _sheet_search(self, cursor, user, obj, name, args):
474         if not len(args):
475             return []
476         sheet_obj = self.pool.get('hr_timesheet_sheet.sheet')
477
478         i = 0
479         while i < len(args):
480             fargs = args[i][0].split('.', 1)
481             if len(fargs) > 1:
482                 args[i] = (fargs[0], 'in', sheet_obj.search(cursor, user,
483                     [(fargs[1], args[i][1], args[i][2])]))
484                 i += 1
485                 continue
486             if isinstance(args[i][2], basestring):
487                 res_ids = sheet_obj.name_search(cursor, user, args[i][2], [],
488                         args[i][1])
489                 args[i] = (args[i][0], 'in', [x[0] for x in res_ids])
490             i += 1
491         qu1, qu2 = [], []
492         for x in args:
493             if x[1] != 'in':
494                 if (x[2] is False) and (x[1] == '='):
495                     qu1.append('(s.id IS NULL)')
496                 elif (x[2] is False) and (x[1] == '<>' or x[1] == '!='):
497                     qu1.append('(s.id IS NOT NULL)')
498                 else:
499                     qu1.append('(s.id %s %s)' % (x[1], '%s'))
500                     qu2.append(x[2])
501             elif x[1] == 'in':
502                 if len(x[2]) > 0:
503                     qu1.append('(s.id in (%s))' % (','.join(['%d'] * len(x[2]))))
504                     qu2 += x[2]
505                 else:
506                     qu1.append('(False)')
507         if len(qu1):
508             qu1 = ' WHERE ' + ' AND '.join(qu1)
509         else:
510             qu1 = ''
511         cursor.execute('SELECT a.id\
512                 FROM hr_timesheet_sheet_sheet s \
513                     LEFT JOIN (hr_attendance a \
514                         LEFT JOIN hr_employee e \
515                             ON (a.employee_id = e.id)) \
516                         ON (s.date_to >= a.name::date \
517                             AND s.date_from <= a.name::date \
518                             AND s.user_id = e.user_id) ' + \
519                 qu1, qu2)
520         res = cursor.fetchall()
521         if not len(res):
522             return [('id', '=', '0')]
523         return [('id', 'in', [x[0] for x in res])]
524
525     _columns = {
526         'sheet_id': fields.function(_sheet, method=True, string='Sheet',
527             type='many2one', relation='hr_timesheet_sheet.sheet',
528             fnct_search=_sheet_search),
529     }
530     _defaults = {
531         'name': _get_default_date,
532     }
533
534     def create(self, cr, uid, vals, context={}):
535         if 'sheet_id' in context:
536             ts = self.pool.get('hr_timesheet_sheet.sheet').browse(cr, uid, context['sheet_id'])
537             if ts.state not in ('draft', 'new'):
538                 raise osv.except_osv(_('Error !'), _('You cannot modify an entry in a confirmed timesheet !'))
539         res = super(hr_attendance,self).create(cr, uid, vals, context=context)
540         if 'sheet_id' in context:
541             if context['sheet_id'] != self.browse(cr, uid, res, context=context).sheet_id.id:
542                 raise osv.except_osv(_('UserError'), _('You cannot enter an attendance ' \
543                         'date outside the current timesheet dates!'))
544         return res
545
546     def unlink(self, cr, uid, ids, *args, **kwargs):
547         self._check(cr, uid, ids)
548         return super(hr_attendance,self).unlink(cr, uid, ids,*args, **kwargs)
549
550     def write(self, cr, uid, ids, vals, context={}):
551         self._check(cr, uid, ids)
552         res = super(hr_attendance,self).write(cr, uid, ids, vals, context=context)
553         if 'sheet_id' in context:
554             for attendance in self.browse(cr, uid, ids, context=context):
555                 if context['sheet_id'] != attendance.sheet_id.id:
556                     raise osv.except_osv(_('UserError'), _('You cannot enter an attendance ' \
557                             'date outside the current timesheet dates!'))
558         return res
559
560     def _check(self, cr, uid, ids):
561         for att in self.browse(cr, uid, ids):
562             if att.sheet_id and att.sheet_id.state not in ('draft', 'new'):
563                 raise osv.except_osv(_('Error !'), _('You cannot modify an entry in a confirmed timesheet !'))
564         return True
565
566 hr_attendance()
567
568 class hr_timesheet_sheet_sheet_day(osv.osv):
569     _name = "hr_timesheet_sheet.sheet.day"
570     _description = "Timesheets by period"
571     _auto = False
572     _order='name'
573     _columns = {
574         'name': fields.date('Date', readonly=True),
575         'sheet_id': fields.many2one('hr_timesheet_sheet.sheet', 'Sheet', readonly=True, select="1"),
576         'total_timesheet': fields.float('Project Timesheet', readonly=True),
577         'total_attendance': fields.float('Attendance', readonly=True),
578         'total_difference': fields.float('Difference', readonly=True),
579     }
580
581     def init(self, cr):
582         cr.execute("""create or replace view hr_timesheet_sheet_sheet_day as
583             SELECT
584                 id,
585                 name,
586                 sheet_id,
587                 total_timesheet,
588                 total_attendance,
589                 cast(round(cast(total_attendance - total_timesheet as Numeric),2) as Double Precision) AS total_difference
590             FROM
591                 ((
592                     SELECT
593                         MAX(id) as id,
594                         name,
595                         sheet_id,
596                         SUM(total_timesheet) as total_timesheet,
597                         CASE WHEN SUM(total_attendance) < 0
598                             THEN (SUM(total_attendance) +
599                                 CASE WHEN current_date <> name
600                                     THEN 1440
601                                     ELSE (EXTRACT(hour FROM current_time) * 60) + EXTRACT(minute FROM current_time)
602                                 END
603                                 )
604                             ELSE SUM(total_attendance)
605                         END /60  as total_attendance
606                     FROM
607                         ((
608                             select
609                                 min(hrt.id) as id,
610                                 l.date::date as name,
611                                 s.id as sheet_id,
612                                 sum(l.unit_amount) as total_timesheet,
613                                 0.0 as total_attendance
614                             from
615                                 hr_analytic_timesheet hrt
616                                 left join (account_analytic_line l
617                                     LEFT JOIN hr_timesheet_sheet_sheet s
618                                     ON (s.date_to >= l.date
619                                         AND s.date_from <= l.date
620                                         AND s.user_id = l.user_id))
621                                     on (l.id = hrt.line_id)
622                             group by l.date::date, s.id
623                         ) union (
624                             select
625                                 -min(a.id) as id,
626                                 a.name::date as name,
627                                 s.id as sheet_id,
628                                 0.0 as total_timesheet,
629                                 SUM(((EXTRACT(hour FROM a.name) * 60) + EXTRACT(minute FROM a.name)) * (CASE WHEN a.action = 'sign_in' THEN -1 ELSE 1 END)) as total_attendance
630                             from
631                                 hr_attendance a
632                                 LEFT JOIN (hr_timesheet_sheet_sheet s
633                                     LEFT JOIN hr_employee e
634                                     ON (s.user_id = e.user_id))
635                                 ON (a.employee_id = e.id
636                                     AND s.date_to >= a.name::date
637                                     AND s.date_from <= a.name::date)
638                             WHERE action in ('sign_in', 'sign_out')
639                             group by a.name::date, s.id
640                         )) AS foo
641                         GROUP BY name, sheet_id
642                 )) AS bar""")
643
644 hr_timesheet_sheet_sheet_day()
645
646
647 class hr_timesheet_sheet_sheet_account(osv.osv):
648     _name = "hr_timesheet_sheet.sheet.account"
649     _description = "Timesheets by period"
650     _auto = False
651     _order='name'
652     _columns = {
653         'name': fields.many2one('account.analytic.account', 'Analytic Account', readonly=True),
654         'sheet_id': fields.many2one('hr_timesheet_sheet.sheet', 'Sheet', readonly=True),
655         'total': fields.float('Total Time', digits=(16,2), readonly=True),
656         'invoice_rate': fields.many2one('hr_timesheet_invoice.factor', 'Invoice rate', readonly=True),
657         }
658
659     def init(self, cr):
660         cr.execute("""create or replace view hr_timesheet_sheet_sheet_account as (
661             select
662                 min(hrt.id) as id,
663                 l.account_id as name,
664                 s.id as sheet_id,
665                 sum(l.unit_amount) as total,
666                 l.to_invoice as invoice_rate
667             from
668                 hr_analytic_timesheet hrt
669                 left join (account_analytic_line l
670                     LEFT JOIN hr_timesheet_sheet_sheet s
671                         ON (s.date_to >= l.date
672                             AND s.date_from <= l.date
673                             AND s.user_id = l.user_id))
674                     on (l.id = hrt.line_id)
675             group by l.account_id, s.id, l.to_invoice
676         )""")
677
678 hr_timesheet_sheet_sheet_account()
679
680
681
682 class res_company(osv.osv):
683     _inherit = 'res.company'
684     _columns = {
685         'timesheet_range': fields.selection(
686             [('day','Day'),('week','Week'),('month','Month'),('year','Year')], 'Timeshet range'),
687         'timesheet_max_difference': fields.float('Timesheet allowed difference',
688             help="Allowed difference between the sign in/out and the timesheet " \
689                  "computation for one sheet. Set this to 0 if you do not want any control."),
690     }
691     _defaults = {
692         'timesheet_range': lambda *args: 'month',
693         'timesheet_max_difference': lambda *args: 0.0
694     }
695
696 res_company()
697
698 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4:
699