[MERGE] sync with latest trunk
[odoo/odoo.git] / addons / account / account_move_line.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 import time
23 from datetime import datetime
24 from operator import itemgetter
25
26 import netsvc
27 from osv import fields, osv
28 from tools.translate import _
29 import decimal_precision as dp
30 import tools
31
32 class account_move_line(osv.osv):
33     _name = "account.move.line"
34     _description = "Journal Items"
35
36     def _query_get(self, cr, uid, obj='l', context=None):
37         fiscalyear_obj = self.pool.get('account.fiscalyear')
38         fiscalperiod_obj = self.pool.get('account.period')
39         account_obj = self.pool.get('account.account')
40         fiscalyear_ids = []
41         if context is None:
42             context = {}
43         initial_bal = context.get('initial_bal', False)
44         company_clause = " "
45         if context.get('company_id', False):
46             company_clause = " AND " +obj+".company_id = %s" % context.get('company_id', False)
47         if not context.get('fiscalyear', False):
48             if context.get('all_fiscalyear', False):
49                 #this option is needed by the aged balance report because otherwise, if we search only the draft ones, an open invoice of a closed fiscalyear won't be displayed
50                 fiscalyear_ids = fiscalyear_obj.search(cr, uid, [])
51             else:
52                 fiscalyear_ids = fiscalyear_obj.search(cr, uid, [('state', '=', 'draft')])
53         else:
54             #for initial balance as well as for normal query, we check only the selected FY because the best practice is to generate the FY opening entries
55             fiscalyear_ids = [context['fiscalyear']]
56
57         fiscalyear_clause = (','.join([str(x) for x in fiscalyear_ids])) or '0'
58         state = context.get('state', False)
59         where_move_state = ''
60         where_move_lines_by_date = ''
61
62         if context.get('date_from', False) and context.get('date_to', False):
63             if initial_bal:
64                 where_move_lines_by_date = " AND " +obj+".move_id IN (SELECT id FROM account_move WHERE date < '" +context['date_from']+"')"
65             else:
66                 where_move_lines_by_date = " AND " +obj+".move_id IN (SELECT id FROM account_move WHERE date >= '" +context['date_from']+"' AND date <= '"+context['date_to']+"')"
67
68         if state:
69             if state.lower() not in ['all']:
70                 where_move_state= " AND "+obj+".move_id IN (SELECT id FROM account_move WHERE account_move.state = '"+state+"')"
71         if context.get('period_from', False) and context.get('period_to', False) and not context.get('periods', False):
72             if initial_bal:
73                 period_company_id = fiscalperiod_obj.browse(cr, uid, context['period_from'], context=context).company_id.id
74                 first_period = fiscalperiod_obj.search(cr, uid, [('company_id', '=', period_company_id)], order='date_start', limit=1)[0]
75                 context['periods'] = fiscalperiod_obj.build_ctx_periods(cr, uid, first_period, context['period_from'])
76             else:
77                 context['periods'] = fiscalperiod_obj.build_ctx_periods(cr, uid, context['period_from'], context['period_to'])
78         if context.get('periods', False):
79             if initial_bal:
80                 query = obj+".state <> 'draft' AND "+obj+".period_id IN (SELECT id FROM account_period WHERE fiscalyear_id IN (%s)) %s %s" % (fiscalyear_clause, where_move_state, where_move_lines_by_date)
81                 period_ids = fiscalperiod_obj.search(cr, uid, [('id', 'in', context['periods'])], order='date_start', limit=1)
82                 if period_ids and period_ids[0]:
83                     first_period = fiscalperiod_obj.browse(cr, uid, period_ids[0], context=context)
84                     ids = ','.join([str(x) for x in context['periods']])
85                     query = obj+".state <> 'draft' AND "+obj+".period_id IN (SELECT id FROM account_period WHERE fiscalyear_id IN (%s) AND date_start <= '%s' AND id NOT IN (%s)) %s %s" % (fiscalyear_clause, first_period.date_start, ids, where_move_state, where_move_lines_by_date)
86             else:
87                 ids = ','.join([str(x) for x in context['periods']])
88                 query = obj+".state <> 'draft' AND "+obj+".period_id IN (SELECT id FROM account_period WHERE fiscalyear_id IN (%s) AND id IN (%s)) %s %s" % (fiscalyear_clause, ids, where_move_state, where_move_lines_by_date)
89         else:
90             query = obj+".state <> 'draft' AND "+obj+".period_id IN (SELECT id FROM account_period WHERE fiscalyear_id IN (%s)) %s %s" % (fiscalyear_clause, where_move_state, where_move_lines_by_date)
91
92         if initial_bal and not context.get('periods', False) and not where_move_lines_by_date:
93             #we didn't pass any filter in the context, and the initial balance can't be computed using only the fiscalyear otherwise entries will be summed twice
94             #so we have to invalidate this query
95             raise osv.except_osv(_('Warning !'),_("You haven't supplied enough argument to compute the initial balance"))
96
97
98         if context.get('journal_ids', False):
99             query += ' AND '+obj+'.journal_id IN (%s)' % ','.join(map(str, context['journal_ids']))
100
101         if context.get('chart_account_id', False):
102             child_ids = account_obj._get_children_and_consol(cr, uid, [context['chart_account_id']], context=context)
103             query += ' AND '+obj+'.account_id IN (%s)' % ','.join(map(str, child_ids))
104
105         query += company_clause
106         return query
107
108     def _amount_residual(self, cr, uid, ids, field_names, args, context=None):
109         """
110            This function returns the residual amount on a receivable or payable account.move.line.
111            By default, it returns an amount in the currency of this journal entry (maybe different
112            of the company currency), but if you pass 'residual_in_company_currency' = True in the
113            context then the returned amount will be in company currency.
114         """
115         res = {}
116         if context is None:
117             context = {}
118         cur_obj = self.pool.get('res.currency')
119         for move_line in self.browse(cr, uid, ids, context=context):
120             res[move_line.id] = {
121                 'amount_residual': 0.0,
122                 'amount_residual_currency': 0.0,
123             }
124
125             if move_line.reconcile_id:
126                 continue
127             if not move_line.account_id.type in ('payable', 'receivable'):
128                 #this function does not suport to be used on move lines not related to payable or receivable accounts
129                 continue
130
131             if move_line.currency_id:
132                 move_line_total = move_line.amount_currency
133                 sign = move_line.amount_currency < 0 and -1 or 1
134             else:
135                 move_line_total = move_line.debit - move_line.credit
136                 sign = (move_line.debit - move_line.credit) < 0 and -1 or 1
137             line_total_in_company_currency =  move_line.debit - move_line.credit
138             context_unreconciled = context.copy()
139             if move_line.reconcile_partial_id:
140                 for payment_line in move_line.reconcile_partial_id.line_partial_ids:
141                     if payment_line.id == move_line.id:
142                         continue
143                     if payment_line.currency_id and move_line.currency_id and payment_line.currency_id.id == move_line.currency_id.id:
144                             move_line_total += payment_line.amount_currency
145                     else:
146                         if move_line.currency_id:
147                             context_unreconciled.update({'date': payment_line.date})
148                             amount_in_foreign_currency = cur_obj.compute(cr, uid, move_line.company_id.currency_id.id, move_line.currency_id.id, (payment_line.debit - payment_line.credit), round=False, context=context_unreconciled)
149                             move_line_total += amount_in_foreign_currency
150                         else:
151                             move_line_total += (payment_line.debit - payment_line.credit)
152                     line_total_in_company_currency += (payment_line.debit - payment_line.credit)
153
154             result = move_line_total
155             res[move_line.id]['amount_residual_currency'] =  sign * (move_line.currency_id and self.pool.get('res.currency').round(cr, uid, move_line.currency_id, result) or result)
156             res[move_line.id]['amount_residual'] = sign * line_total_in_company_currency
157         return res
158
159     def default_get(self, cr, uid, fields, context=None):
160         data = self._default_get(cr, uid, fields, context=context)
161         for f in data.keys():
162             if f not in fields:
163                 del data[f]
164         return data
165
166     def create_analytic_lines(self, cr, uid, ids, context=None):
167         acc_ana_line_obj = self.pool.get('account.analytic.line')
168         for obj_line in self.browse(cr, uid, ids, context=context):
169             if obj_line.analytic_account_id:
170                 if not obj_line.journal_id.analytic_journal_id:
171                     raise osv.except_osv(_('No Analytic Journal !'),_("You have to define an analytic journal on the '%s' journal!") % (obj_line.journal_id.name, ))
172                 amt = (obj_line.credit or  0.0) - (obj_line.debit or 0.0)
173                 vals_lines = {
174                     'name': obj_line.name,
175                     'date': obj_line.date,
176                     'account_id': obj_line.analytic_account_id.id,
177                     'unit_amount': obj_line.quantity,
178                     'product_id': obj_line.product_id and obj_line.product_id.id or False,
179                     'product_uom_id': obj_line.product_uom_id and obj_line.product_uom_id.id or False,
180                     'amount': amt,
181                     'general_account_id': obj_line.account_id.id,
182                     'journal_id': obj_line.journal_id.analytic_journal_id.id,
183                     'ref': obj_line.ref,
184                     'move_id': obj_line.id,
185                     'user_id': uid
186                 }
187                 acc_ana_line_obj.create(cr, uid, vals_lines)
188         return True
189
190     def _default_get_move_form_hook(self, cursor, user, data):
191         '''Called in the end of default_get method for manual entry in account_move form'''
192         if data.has_key('analytic_account_id'):
193             del(data['analytic_account_id'])
194         if data.has_key('account_tax_id'):
195             del(data['account_tax_id'])
196         return data
197
198     def convert_to_period(self, cr, uid, context=None):
199         if context is None:
200             context = {}
201         period_obj = self.pool.get('account.period')
202         #check if the period_id changed in the context from client side
203         if context.get('period_id', False):
204             period_id = context.get('period_id')
205             if type(period_id) == str:
206                 ids = period_obj.search(cr, uid, [('name', 'ilike', period_id)])
207                 context.update({
208                     'period_id': ids[0]
209                 })
210         return context
211
212     def _default_get(self, cr, uid, fields, context=None):
213         if context is None:
214             context = {}
215         if not context.get('journal_id', False) and context.get('search_default_journal_id', False):
216             context['journal_id'] = context.get('search_default_journal_id')
217         account_obj = self.pool.get('account.account')
218         period_obj = self.pool.get('account.period')
219         journal_obj = self.pool.get('account.journal')
220         move_obj = self.pool.get('account.move')
221         tax_obj = self.pool.get('account.tax')
222         fiscal_pos_obj = self.pool.get('account.fiscal.position')
223         partner_obj = self.pool.get('res.partner')
224         currency_obj = self.pool.get('res.currency')
225         context = self.convert_to_period(cr, uid, context)
226         # Compute simple values
227         data = super(account_move_line, self).default_get(cr, uid, fields, context=context)
228         # Starts: Manual entry from account.move form
229         if context.get('lines',[]):
230             total_new = 0.00
231             for i in context['lines']:
232                 if i[2]:
233                     total_new += (i[2]['debit'] or 0.00)- (i[2]['credit'] or 0.00)
234                     for item in i[2]:
235                             data[item] = i[2][item]
236             if context['journal']:
237                 journal_data = journal_obj.browse(cr, uid, context['journal'], context=context)
238                 if journal_data.type == 'purchase':
239                     if total_new > 0:
240                         account = journal_data.default_credit_account_id
241                     else:
242                         account = journal_data.default_debit_account_id
243                 else:
244                     if total_new > 0:
245                         account = journal_data.default_credit_account_id
246                     else:
247                         account = journal_data.default_debit_account_id
248                 if account and ((not fields) or ('debit' in fields) or ('credit' in fields)) and 'partner_id' in data and (data['partner_id']):
249                     part = partner_obj.browse(cr, uid, data['partner_id'], context=context)
250                     account = fiscal_pos_obj.map_account(cr, uid, part and part.property_account_position or False, account.id)
251                     account = account_obj.browse(cr, uid, account, context=context)
252                     data['account_id'] =  account.id
253
254             s = -total_new
255             data['debit'] = s > 0 and s or 0.0
256             data['credit'] = s < 0 and -s or 0.0
257             data = self._default_get_move_form_hook(cr, uid, data)
258             return data
259         # Ends: Manual entry from account.move form
260         if not 'move_id' in fields: #we are not in manual entry
261             return data
262         # Compute the current move
263         move_id = False
264         partner_id = False
265         if context.get('journal_id', False) and context.get('period_id', False):
266             if 'move_id' in fields:
267                 cr.execute('SELECT move_id \
268                     FROM \
269                         account_move_line \
270                     WHERE \
271                         journal_id = %s and period_id = %s AND create_uid = %s AND state = %s \
272                     ORDER BY id DESC limit 1',
273                     (context['journal_id'], context['period_id'], uid, 'draft'))
274                 res = cr.fetchone()
275                 move_id = (res and res[0]) or False
276                 if not move_id:
277                     return data
278                 else:
279                     data['move_id'] = move_id
280             if 'date' in fields:
281                 cr.execute('SELECT date \
282                     FROM \
283                         account_move_line \
284                     WHERE \
285                         journal_id = %s AND period_id = %s AND create_uid = %s \
286                     ORDER BY id DESC',
287                     (context['journal_id'], context['period_id'], uid))
288                 res = cr.fetchone()
289                 if res:
290                     data['date'] = res[0]
291                 else:
292                     period = period_obj.browse(cr, uid, context['period_id'],
293                             context=context)
294                     data['date'] = period.date_start
295         if not move_id:
296             return data
297         total = 0
298         ref_id = False
299         move = move_obj.browse(cr, uid, move_id, context=context)
300         if 'name' in fields:
301             data.setdefault('name', move.line_id[-1].name)
302         acc1 = False
303         for l in move.line_id:
304             acc1 = l.account_id
305             partner_id = partner_id or l.partner_id.id
306             ref_id = ref_id or l.ref
307             total += (l.debit or 0.0) - (l.credit or 0.0)
308
309         if 'ref' in fields:
310             data['ref'] = ref_id
311         if 'partner_id' in fields:
312             data['partner_id'] = partner_id
313
314         if move.journal_id.type == 'purchase':
315             if total > 0:
316                 account = move.journal_id.default_credit_account_id
317             else:
318                 account = move.journal_id.default_debit_account_id
319         else:
320             if total > 0:
321                 account = move.journal_id.default_credit_account_id
322             else:
323                 account = move.journal_id.default_debit_account_id
324         part = partner_id and partner_obj.browse(cr, uid, partner_id) or False
325         # part = False is acceptable for fiscal position.
326         account = fiscal_pos_obj.map_account(cr, uid, part and part.property_account_position or False, account.id)
327         if account:
328             account = account_obj.browse(cr, uid, account, context=context)
329
330         if account and ((not fields) or ('debit' in fields) or ('credit' in fields)):
331             data['account_id'] = account.id
332             # Propose the price VAT excluded, the VAT will be added when confirming line
333             if account.tax_ids:
334                 taxes = fiscal_pos_obj.map_tax(cr, uid, part and part.property_account_position or False, account.tax_ids)
335                 tax = tax_obj.browse(cr, uid, taxes)
336                 for t in tax_obj.compute_inv(cr, uid, tax, total, 1):
337                     total -= t['amount']
338
339         s = -total
340         data['debit'] = s > 0  and s or 0.0
341         data['credit'] = s < 0  and -s or 0.0
342
343         if account and account.currency_id:
344             data['currency_id'] = account.currency_id.id
345             acc = account
346             if s>0:
347                 acc = acc1
348             compute_ctx = context.copy()
349             compute_ctx.update({
350                     'res.currency.compute.account': acc,
351                     'res.currency.compute.account_invert': True,
352                 })
353             v = currency_obj.compute(cr, uid, account.company_id.currency_id.id, data['currency_id'], s, context=compute_ctx)
354             data['amount_currency'] = v
355         return data
356
357     def on_create_write(self, cr, uid, id, context=None):
358         if not id:
359             return []
360         ml = self.browse(cr, uid, id, context=context)
361         return map(lambda x: x.id, ml.move_id.line_id)
362
363     def _balance(self, cr, uid, ids, name, arg, context=None):
364         if context is None:
365             context = {}
366         c = context.copy()
367         c['initital_bal'] = True
368         sql = """SELECT l2.id, SUM(l1.debit-l1.credit)
369                     FROM account_move_line l1, account_move_line l2
370                     WHERE l2.account_id = l1.account_id
371                       AND l1.id <= l2.id
372                       AND l2.id IN %s AND """ + \
373                 self._query_get(cr, uid, obj='l1', context=c) + \
374                 " GROUP BY l2.id"
375
376         cr.execute(sql, [tuple(ids)])
377         return dict(cr.fetchall())
378
379     def _invoice(self, cursor, user, ids, name, arg, context=None):
380         invoice_obj = self.pool.get('account.invoice')
381         res = {}
382         for line_id in ids:
383             res[line_id] = False
384         cursor.execute('SELECT l.id, i.id ' \
385                         'FROM account_move_line l, account_invoice i ' \
386                         'WHERE l.move_id = i.move_id ' \
387                         'AND l.id IN %s',
388                         (tuple(ids),))
389         invoice_ids = []
390         for line_id, invoice_id in cursor.fetchall():
391             res[line_id] = invoice_id
392             invoice_ids.append(invoice_id)
393         invoice_names = {False: ''}
394         for invoice_id, name in invoice_obj.name_get(cursor, user, invoice_ids, context=context):
395             invoice_names[invoice_id] = name
396         for line_id in res.keys():
397             invoice_id = res[line_id]
398             res[line_id] = (invoice_id, invoice_names[invoice_id])
399         return res
400
401     def name_get(self, cr, uid, ids, context=None):
402         if not ids:
403             return []
404         result = []
405         for line in self.browse(cr, uid, ids, context=context):
406             if line.ref:
407                 result.append((line.id, (line.move_id.name or '')+' ('+line.ref+')'))
408             else:
409                 result.append((line.id, line.move_id.name))
410         return result
411
412     def _balance_search(self, cursor, user, obj, name, args, domain=None, context=None):
413         if context is None:
414             context = {}
415         if not args:
416             return []
417         where = ' AND '.join(map(lambda x: '(abs(sum(debit-credit))'+x[1]+str(x[2])+')',args))
418         cursor.execute('SELECT id, SUM(debit-credit) FROM account_move_line \
419                      GROUP BY id, debit, credit having '+where)
420         res = cursor.fetchall()
421         if not res:
422             return [('id', '=', '0')]
423         return [('id', 'in', [x[0] for x in res])]
424
425     def _invoice_search(self, cursor, user, obj, name, args, context=None):
426         if not args:
427             return []
428         invoice_obj = self.pool.get('account.invoice')
429         i = 0
430         while i < len(args):
431             fargs = args[i][0].split('.', 1)
432             if len(fargs) > 1:
433                 args[i] = (fargs[0], 'in', invoice_obj.search(cursor, user,
434                     [(fargs[1], args[i][1], args[i][2])]))
435                 i += 1
436                 continue
437             if isinstance(args[i][2], basestring):
438                 res_ids = invoice_obj.name_search(cursor, user, args[i][2], [],
439                         args[i][1])
440                 args[i] = (args[i][0], 'in', [x[0] for x in res_ids])
441             i += 1
442         qu1, qu2 = [], []
443         for x in args:
444             if x[1] != 'in':
445                 if (x[2] is False) and (x[1] == '='):
446                     qu1.append('(i.id IS NULL)')
447                 elif (x[2] is False) and (x[1] == '<>' or x[1] == '!='):
448                     qu1.append('(i.id IS NOT NULL)')
449                 else:
450                     qu1.append('(i.id %s %s)' % (x[1], '%s'))
451                     qu2.append(x[2])
452             elif x[1] == 'in':
453                 if len(x[2]) > 0:
454                     qu1.append('(i.id IN (%s))' % (','.join(['%s'] * len(x[2]))))
455                     qu2 += x[2]
456                 else:
457                     qu1.append(' (False)')
458         if qu1:
459             qu1 = ' AND' + ' AND'.join(qu1)
460         else:
461             qu1 = ''
462         cursor.execute('SELECT l.id ' \
463                 'FROM account_move_line l, account_invoice i ' \
464                 'WHERE l.move_id = i.move_id ' + qu1, qu2)
465         res = cursor.fetchall()
466         if not res:
467             return [('id', '=', '0')]
468         return [('id', 'in', [x[0] for x in res])]
469
470     def _get_move_lines(self, cr, uid, ids, context=None):
471         result = []
472         for move in self.pool.get('account.move').browse(cr, uid, ids, context=context):
473             for line in move.line_id:
474                 result.append(line.id)
475         return result
476
477     _columns = {
478         'name': fields.char('Name', size=64, required=True),
479         'quantity': fields.float('Quantity', digits=(16,2), help="The optional quantity expressed by this line, eg: number of product sold. The quantity is not a legal requirement but is very useful for some reports."),
480         'product_uom_id': fields.many2one('product.uom', 'UoM'),
481         'product_id': fields.many2one('product.product', 'Product'),
482         'debit': fields.float('Debit', digits_compute=dp.get_precision('Account')),
483         'credit': fields.float('Credit', digits_compute=dp.get_precision('Account')),
484         'account_id': fields.many2one('account.account', 'Account', required=True, ondelete="cascade", domain=[('type','<>','view'), ('type', '<>', 'closed')], select=2),
485         'move_id': fields.many2one('account.move', 'Move', ondelete="cascade", help="The move of this entry line.", select=2, required=True),
486         'narration': fields.related('move_id','narration', type='text', relation='account.move', string='Internal Note'),
487         'ref': fields.related('move_id', 'ref', string='Reference', type='char', size=64, store=True),
488         'statement_id': fields.many2one('account.bank.statement', 'Statement', help="The bank statement used for bank reconciliation", select=1),
489         'reconcile_id': fields.many2one('account.move.reconcile', 'Reconcile', readonly=True, ondelete='set null', select=2),
490         'reconcile_partial_id': fields.many2one('account.move.reconcile', 'Partial Reconcile', readonly=True, ondelete='set null', select=2),
491         'amount_currency': fields.float('Amount Currency', help="The amount expressed in an optional other currency if it is a multi-currency entry.", digits_compute=dp.get_precision('Account')),
492         'amount_residual_currency': fields.function(_amount_residual, string='Residual Amount', multi="residual", help="The residual amount on a receivable or payable of a journal entry expressed in its currency (maybe different of the company currency)."),
493         'amount_residual': fields.function(_amount_residual, string='Residual Amount', multi="residual", help="The residual amount on a receivable or payable of a journal entry expressed in the company currency."),
494         'currency_id': fields.many2one('res.currency', 'Currency', help="The optional other currency if it is a multi-currency entry."),
495         'period_id': fields.many2one('account.period', 'Period', required=True, select=2),
496         'journal_id': fields.many2one('account.journal', 'Journal', required=True, select=1),
497         'blocked': fields.boolean('Litigation', help="You can check this box to mark this journal item as a litigation with the associated partner"),
498         'partner_id': fields.many2one('res.partner', 'Partner', select=1, ondelete='restrict'),
499         'date_maturity': fields.date('Due date', select=True ,help="This field is used for payable and receivable journal entries. You can put the limit date for the payment of this line."),
500         'date': fields.related('move_id','date', string='Effective date', type='date', required=True, select=True,
501                                 store = {
502                                     'account.move': (_get_move_lines, ['date'], 20)
503                                 }),
504         'date_created': fields.date('Creation date', select=True),
505         'analytic_lines': fields.one2many('account.analytic.line', 'move_id', 'Analytic lines'),
506         'centralisation': fields.selection([('normal','Normal'),('credit','Credit Centralisation'),('debit','Debit Centralisation'),('currency','Currency Adjustment')], 'Centralisation', size=8),
507         'balance': fields.function(_balance, fnct_search=_balance_search, string='Balance'),
508         'state': fields.selection([('draft','Unbalanced'), ('valid','Valid')], 'State', readonly=True,
509                                   help='When new move line is created the state will be \'Draft\'.\n* When all the payments are done it will be in \'Valid\' state.'),
510         'tax_code_id': fields.many2one('account.tax.code', 'Tax Account', help="The Account can either be a base tax code or a tax code account."),
511         'tax_amount': fields.float('Tax/Base Amount', digits_compute=dp.get_precision('Account'), select=True, help="If the Tax account is a tax code account, this field will contain the taxed amount.If the tax account is base tax code, "\
512                     "this field will contain the basic amount(without tax)."),
513         'invoice': fields.function(_invoice, string='Invoice',
514             type='many2one', relation='account.invoice', fnct_search=_invoice_search),
515         'account_tax_id':fields.many2one('account.tax', 'Tax'),
516         'analytic_account_id': fields.many2one('account.analytic.account', 'Analytic Account'),
517         'company_id': fields.related('account_id', 'company_id', type='many2one', relation='res.company', string='Company', store=True, readonly=True)
518     }
519
520     def _get_date(self, cr, uid, context=None):
521         if context is None:
522             context or {}
523         period_obj = self.pool.get('account.period')
524         dt = time.strftime('%Y-%m-%d')
525         if ('journal_id' in context) and ('period_id' in context):
526             cr.execute('SELECT date FROM account_move_line ' \
527                     'WHERE journal_id = %s AND period_id = %s ' \
528                     'ORDER BY id DESC limit 1',
529                     (context['journal_id'], context['period_id']))
530             res = cr.fetchone()
531             if res:
532                 dt = res[0]
533             else:
534                 period = period_obj.browse(cr, uid, context['period_id'], context=context)
535                 dt = period.date_start
536         return dt
537
538     def _get_currency(self, cr, uid, context=None):
539         if context is None:
540             context = {}
541         if not context.get('journal_id', False):
542             return False
543         cur = self.pool.get('account.journal').browse(cr, uid, context['journal_id']).currency
544         return cur and cur.id or False
545
546     _defaults = {
547         'blocked': False,
548         'centralisation': 'normal',
549         'date': _get_date,
550         'date_created': lambda *a: time.strftime('%Y-%m-%d'),
551         'state': 'draft',
552         'currency_id': _get_currency,
553         'journal_id': lambda self, cr, uid, c: c.get('journal_id', False),
554         'account_id': lambda self, cr, uid, c: c.get('account_id', False),
555         'period_id': lambda self, cr, uid, c: c.get('period_id', False),
556         'company_id': lambda self, cr, uid, c: self.pool.get('res.company')._company_default_get(cr, uid, 'account.move.line', context=c)
557     }
558     _order = "date desc, id desc"
559     _sql_constraints = [
560         ('credit_debit1', 'CHECK (credit*debit=0)',  'Wrong credit or debit value in accounting entry !'),
561         ('credit_debit2', 'CHECK (credit+debit>=0)', 'Wrong credit or debit value in accounting entry !'),
562     ]
563
564     def _auto_init(self, cr, context=None):
565         super(account_move_line, self)._auto_init(cr, context=context)
566         cr.execute('SELECT indexname FROM pg_indexes WHERE indexname = \'account_move_line_journal_id_period_id_index\'')
567         if not cr.fetchone():
568             cr.execute('CREATE INDEX account_move_line_journal_id_period_id_index ON account_move_line (journal_id, period_id)')
569
570     def _check_no_view(self, cr, uid, ids, context=None):
571         lines = self.browse(cr, uid, ids, context=context)
572         for l in lines:
573             if l.account_id.type == 'view':
574                 return False
575         return True
576
577     def _check_no_closed(self, cr, uid, ids, context=None):
578         lines = self.browse(cr, uid, ids, context=context)
579         for l in lines:
580             if l.account_id.type == 'closed':
581                 return False
582         return True
583
584     def _check_company_id(self, cr, uid, ids, context=None):
585         lines = self.browse(cr, uid, ids, context=context)
586         for l in lines:
587             if l.company_id != l.account_id.company_id or l.company_id != l.period_id.company_id:
588                 return False
589         return True
590
591     def _check_date(self, cr, uid, ids, context=None):
592         for l in self.browse(cr, uid, ids, context=context):
593             if l.journal_id.allow_date:
594                 if not time.strptime(l.date[:10],'%Y-%m-%d') >= time.strptime(l.period_id.date_start, '%Y-%m-%d') or not time.strptime(l.date[:10], '%Y-%m-%d') <= time.strptime(l.period_id.date_stop, '%Y-%m-%d'):
595                     return False
596         return True
597
598     _constraints = [
599         (_check_no_view, 'You can not create move line on view account.', ['account_id']),
600         (_check_no_closed, 'You can not create move line on closed account.', ['account_id']),
601         (_check_company_id, 'Company must be same for its related account and period.',['company_id'] ),
602         (_check_date, 'The date of your Journal Entry is not in the defined period!',['date'] ),
603     ]
604
605     #TODO: ONCHANGE_ACCOUNT_ID: set account_tax_id
606     def onchange_currency(self, cr, uid, ids, account_id, amount, currency_id, date=False, journal=False, context=None):
607         if context is None:
608             context = {}
609         account_obj = self.pool.get('account.account')
610         journal_obj = self.pool.get('account.journal')
611         currency_obj = self.pool.get('res.currency')
612         if (not currency_id) or (not account_id):
613             return {}
614         result = {}
615         acc = account_obj.browse(cr, uid, account_id, context=context)
616         if (amount>0) and journal:
617             x = journal_obj.browse(cr, uid, journal).default_credit_account_id
618             if x: acc = x
619         context.update({
620                 'date': date,
621                 'res.currency.compute.account': acc,
622             })
623         v = currency_obj.compute(cr, uid, currency_id, acc.company_id.currency_id.id, amount, context=context)
624         result['value'] = {
625             'debit': v > 0 and v or 0.0,
626             'credit': v < 0 and -v or 0.0
627         }
628         return result
629
630     def onchange_partner_id(self, cr, uid, ids, move_id, partner_id, account_id=None, debit=0, credit=0, date=False, journal=False):
631         partner_obj = self.pool.get('res.partner')
632         payment_term_obj = self.pool.get('account.payment.term')
633         journal_obj = self.pool.get('account.journal')
634         fiscal_pos_obj = self.pool.get('account.fiscal.position')
635         val = {}
636         val['date_maturity'] = False
637
638         if not partner_id:
639             return {'value':val}
640         if not date:
641             date = datetime.now().strftime('%Y-%m-%d')
642         part = partner_obj.browse(cr, uid, partner_id)
643
644         if part.property_payment_term:
645             res = payment_term_obj.compute(cr, uid, part.property_payment_term.id, 100, date)
646             if res:
647                 val['date_maturity'] = res[0][0]
648         if not account_id:
649             id1 = part.property_account_payable.id
650             id2 =  part.property_account_receivable.id
651             if journal:
652                 jt = journal_obj.browse(cr, uid, journal).type
653                 if jt in ('sale', 'purchase_refund'):
654                     val['account_id'] = fiscal_pos_obj.map_account(cr, uid, part and part.property_account_position or False, id2)
655                 elif jt in ('purchase', 'sale_refund'):
656                     val['account_id'] = fiscal_pos_obj.map_account(cr, uid, part and part.property_account_position or False, id1)
657                 elif jt in ('general', 'bank', 'cash'):
658                     if part.customer:
659                         val['account_id'] = fiscal_pos_obj.map_account(cr, uid, part and part.property_account_position or False, id2)
660                     elif part.supplier:
661                         val['account_id'] = fiscal_pos_obj.map_account(cr, uid, part and part.property_account_position or False, id1)
662                 if val.get('account_id', False):
663                     d = self.onchange_account_id(cr, uid, ids, val['account_id'])
664                     val.update(d['value'])
665         return {'value':val}
666
667     def onchange_account_id(self, cr, uid, ids, account_id=False, partner_id=False):
668         account_obj = self.pool.get('account.account')
669         partner_obj = self.pool.get('res.partner')
670         fiscal_pos_obj = self.pool.get('account.fiscal.position')
671         val = {}
672         if account_id:
673             res = account_obj.browse(cr, uid, account_id)
674             tax_ids = res.tax_ids
675             if tax_ids and partner_id:
676                 part = partner_obj.browse(cr, uid, partner_id)
677                 tax_id = fiscal_pos_obj.map_tax(cr, uid, part and part.property_account_position or False, tax_ids)[0]
678             else:
679                 tax_id = tax_ids and tax_ids[0].id or False
680             val['account_tax_id'] = tax_id
681         return {'value': val}
682     #
683     # type: the type if reconciliation (no logic behind this field, for info)
684     #
685     # writeoff; entry generated for the difference between the lines
686     #
687     def search(self, cr, uid, args, offset=0, limit=None, order=None, context=None, count=False):
688         if context is None:
689             context = {}
690         if context and context.get('next_partner_only', False):
691             if not context.get('partner_id', False):
692                 partner = self.get_next_partner_only(cr, uid, offset, context)
693             else:
694                 partner = context.get('partner_id', False)
695             if not partner:
696                 return []
697             args.append(('partner_id', '=', partner[0]))
698         return super(account_move_line, self).search(cr, uid, args, offset, limit, order, context, count)
699
700     def get_next_partner_only(self, cr, uid, offset=0, context=None):
701         cr.execute(
702              """
703              SELECT p.id
704              FROM res_partner p
705              RIGHT JOIN (
706                 SELECT l.partner_id AS partner_id, SUM(l.debit) AS debit, SUM(l.credit) AS credit
707                 FROM account_move_line l
708                 LEFT JOIN account_account a ON (a.id = l.account_id)
709                     LEFT JOIN res_partner p ON (l.partner_id = p.id)
710                     WHERE a.reconcile IS TRUE
711                     AND l.reconcile_id IS NULL
712                     AND (p.last_reconciliation_date IS NULL OR l.date > p.last_reconciliation_date)
713                     AND l.state <> 'draft'
714                     GROUP BY l.partner_id
715                 ) AS s ON (p.id = s.partner_id)
716                 WHERE debit > 0 AND credit > 0
717                 ORDER BY p.last_reconciliation_date LIMIT 1 OFFSET %s""", (offset, )
718             )
719         return cr.fetchone()
720
721     def reconcile_partial(self, cr, uid, ids, type='auto', context=None, writeoff_acc_id=False, writeoff_period_id=False, writeoff_journal_id=False):
722         move_rec_obj = self.pool.get('account.move.reconcile')
723         merges = []
724         unmerge = []
725         total = 0.0
726         merges_rec = []
727         company_list = []
728         if context is None:
729             context = {}
730         for line in self.browse(cr, uid, ids, context=context):
731             if company_list and not line.company_id.id in company_list:
732                 raise osv.except_osv(_('Warning !'), _('To reconcile the entries company should be the same for all entries'))
733             company_list.append(line.company_id.id)
734
735         for line in self.browse(cr, uid, ids, context=context):
736             company_currency_id = line.company_id.currency_id
737             if line.reconcile_id:
738                 raise osv.except_osv(_('Warning'), _('Already Reconciled!'))
739             if line.reconcile_partial_id:
740                 for line2 in line.reconcile_partial_id.line_partial_ids:
741                     if not line2.reconcile_id:
742                         if line2.id not in merges:
743                             merges.append(line2.id)
744                         total += (line2.debit or 0.0) - (line2.credit or 0.0)
745                 merges_rec.append(line.reconcile_partial_id.id)
746             else:
747                 unmerge.append(line.id)
748                 total += (line.debit or 0.0) - (line.credit or 0.0)
749         if self.pool.get('res.currency').is_zero(cr, uid, company_currency_id, total):
750             res = self.reconcile(cr, uid, merges+unmerge, context=context, writeoff_acc_id=writeoff_acc_id, writeoff_period_id=writeoff_period_id, writeoff_journal_id=writeoff_journal_id)
751             return res
752         r_id = move_rec_obj.create(cr, uid, {
753             'type': type,
754             'line_partial_ids': map(lambda x: (4,x,False), merges+unmerge)
755         })
756         move_rec_obj.reconcile_partial_check(cr, uid, [r_id] + merges_rec, context=context)
757         return True
758
759     def reconcile(self, cr, uid, ids, type='auto', writeoff_acc_id=False, writeoff_period_id=False, writeoff_journal_id=False, context=None):
760         account_obj = self.pool.get('account.account')
761         move_obj = self.pool.get('account.move')
762         move_rec_obj = self.pool.get('account.move.reconcile')
763         partner_obj = self.pool.get('res.partner')
764         currency_obj = self.pool.get('res.currency')
765         lines = self.browse(cr, uid, ids, context=context)
766         unrec_lines = filter(lambda x: not x['reconcile_id'], lines)
767         credit = debit = 0.0
768         currency = 0.0
769         account_id = False
770         partner_id = False
771         if context is None:
772             context = {}
773         company_list = []
774         for line in self.browse(cr, uid, ids, context=context):
775             if company_list and not line.company_id.id in company_list:
776                 raise osv.except_osv(_('Warning !'), _('To reconcile the entries company should be the same for all entries'))
777             company_list.append(line.company_id.id)
778         for line in unrec_lines:
779             if line.state <> 'valid':
780                 raise osv.except_osv(_('Error'),
781                         _('Entry "%s" is not valid !') % line.name)
782             credit += line['credit']
783             debit += line['debit']
784             currency += line['amount_currency'] or 0.0
785             account_id = line['account_id']['id']
786             partner_id = (line['partner_id'] and line['partner_id']['id']) or False
787         writeoff = debit - credit
788
789         # Ifdate_p in context => take this date
790         if context.has_key('date_p') and context['date_p']:
791             date=context['date_p']
792         else:
793             date = time.strftime('%Y-%m-%d')
794
795         cr.execute('SELECT account_id, reconcile_id '\
796                    'FROM account_move_line '\
797                    'WHERE id IN %s '\
798                    'GROUP BY account_id,reconcile_id',
799                    (tuple(ids), ))
800         r = cr.fetchall()
801         #TODO: move this check to a constraint in the account_move_reconcile object
802         if (len(r) != 1) and not context.get('fy_closing', False):
803             raise osv.except_osv(_('Error'), _('Entries are not of the same account or already reconciled ! '))
804         if not unrec_lines:
805             raise osv.except_osv(_('Error'), _('Entry is already reconciled'))
806         account = account_obj.browse(cr, uid, account_id, context=context)
807         if not context.get('fy_closing', False) and not account.reconcile:
808             raise osv.except_osv(_('Error'), _('The account is not defined to be reconciled !'))
809         if r[0][1] != None:
810             raise osv.except_osv(_('Error'), _('Some entries are already reconciled !'))
811
812         if (not currency_obj.is_zero(cr, uid, account.company_id.currency_id, writeoff)) or \
813            (account.currency_id and (not currency_obj.is_zero(cr, uid, account.currency_id, currency))):
814             if not writeoff_acc_id:
815                 raise osv.except_osv(_('Warning'), _('You have to provide an account for the write off/exchange difference entry !'))
816             if writeoff > 0:
817                 debit = writeoff
818                 credit = 0.0
819                 self_credit = writeoff
820                 self_debit = 0.0
821             else:
822                 debit = 0.0
823                 credit = -writeoff
824                 self_credit = 0.0
825                 self_debit = -writeoff
826             # If comment exist in context, take it
827             if 'comment' in context and context['comment']:
828                 libelle = context['comment']
829             else:
830                 libelle = _('Write-Off')
831
832             cur_obj = self.pool.get('res.currency')
833             cur_id = False
834             amount_currency_writeoff = 0.0
835             if context.get('company_currency_id',False) != context.get('currency_id',False):
836                 cur_id = context.get('currency_id',False)
837                 for line in unrec_lines:
838                     if line.currency_id and line.currency_id.id == context.get('currency_id',False):
839                         amount_currency_writeoff += line.amount_currency
840                     else:
841                         tmp_amount = cur_obj.compute(cr, uid, line.account_id.company_id.currency_id.id, context.get('currency_id',False), abs(line.debit-line.credit), context={'date': line.date})
842                         amount_currency_writeoff += (line.debit > 0) and tmp_amount or -tmp_amount
843
844             writeoff_lines = [
845                 (0, 0, {
846                     'name': libelle,
847                     'debit': self_debit,
848                     'credit': self_credit,
849                     'account_id': account_id,
850                     'date': date,
851                     'partner_id': partner_id,
852                     'currency_id': cur_id or (account.currency_id.id or False),
853                     'amount_currency': amount_currency_writeoff and -1 * amount_currency_writeoff or (account.currency_id.id and -1 * currency or 0.0)
854                 }),
855                 (0, 0, {
856                     'name': libelle,
857                     'debit': debit,
858                     'credit': credit,
859                     'account_id': writeoff_acc_id,
860                     'analytic_account_id': context.get('analytic_id', False),
861                     'date': date,
862                     'partner_id': partner_id,
863                     'currency_id': cur_id or (account.currency_id.id or False),
864                     'amount_currency': amount_currency_writeoff and amount_currency_writeoff or (account.currency_id.id and currency or 0.0)
865                 })
866             ]
867
868             writeoff_move_id = move_obj.create(cr, uid, {
869                 'period_id': writeoff_period_id,
870                 'journal_id': writeoff_journal_id,
871                 'date':date,
872                 'state': 'draft',
873                 'line_id': writeoff_lines
874             })
875
876             writeoff_line_ids = self.search(cr, uid, [('move_id', '=', writeoff_move_id), ('account_id', '=', account_id)])
877             if account_id == writeoff_acc_id:
878                 writeoff_line_ids = [writeoff_line_ids[1]]
879             ids += writeoff_line_ids
880
881         r_id = move_rec_obj.create(cr, uid, {
882             'type': type,
883             'line_id': map(lambda x: (4, x, False), ids),
884             'line_partial_ids': map(lambda x: (3, x, False), ids)
885         })
886         wf_service = netsvc.LocalService("workflow")
887         # the id of the move.reconcile is written in the move.line (self) by the create method above
888         # because of the way the line_id are defined: (4, x, False)
889         for id in ids:
890             wf_service.trg_trigger(uid, 'account.move.line', id, cr)
891
892         if lines and lines[0]:
893             partner_id = lines[0].partner_id and lines[0].partner_id.id or False
894             if partner_id and context and context.get('stop_reconcile', False):
895                 partner_obj.write(cr, uid, [partner_id], {'last_reconciliation_date': time.strftime('%Y-%m-%d %H:%M:%S')})
896         return r_id
897
898     def view_header_get(self, cr, user, view_id, view_type, context=None):
899         if context is None:
900             context = {}
901         context = self.convert_to_period(cr, user, context=context)
902         if context.get('account_id', False):
903             cr.execute('SELECT code FROM account_account WHERE id = %s', (context['account_id'], ))
904             res = cr.fetchone()
905             if res:
906                 res = _('Entries: ')+ (res[0] or '')
907             return res
908         if (not context.get('journal_id', False)) or (not context.get('period_id', False)):
909             return False
910         cr.execute('SELECT code FROM account_journal WHERE id = %s', (context['journal_id'], ))
911         j = cr.fetchone()[0] or ''
912         cr.execute('SELECT code FROM account_period WHERE id = %s', (context['period_id'], ))
913         p = cr.fetchone()[0] or ''
914         if j or p:
915             return j + (p and (':' + p) or '')
916         return False
917
918     def onchange_date(self, cr, user, ids, date, context=None):
919         """
920         Returns a dict that contains new values and context
921         @param cr: A database cursor
922         @param user: ID of the user currently logged in
923         @param date: latest value from user input for field date
924         @param args: other arguments
925         @param context: context arguments, like lang, time zone
926         @return: Returns a dict which contains new values, and context
927         """
928         res = {}
929         if context is None:
930             context = {}
931         period_pool = self.pool.get('account.period')
932         pids = period_pool.search(cr, user, [('date_start','<=',date), ('date_stop','>=',date)])
933         if pids:
934             res.update({
935                 'period_id':pids[0]
936             })
937             context.update({
938                 'period_id':pids[0]
939             })
940         return {
941             'value':res,
942             'context':context,
943         }
944
945     def fields_view_get(self, cr, uid, view_id=None, view_type='form', context=None, toolbar=False, submenu=False):
946         journal_pool = self.pool.get('account.journal')
947         if context is None:
948             context = {}
949         result = super(account_move_line, self).fields_view_get(cr, uid, view_id, view_type, context=context, toolbar=toolbar, submenu=submenu)
950         if view_type != 'tree':
951             #Remove the toolbar from the form view
952             if view_type == 'form':
953                 if result.get('toolbar', False):
954                     result['toolbar']['action'] = []
955             #Restrict the list of journal view in search view
956             if view_type == 'search' and result['fields'].get('journal_id', False):
957                 result['fields']['journal_id']['selection'] = journal_pool.name_search(cr, uid, '', [], context=context)
958                 ctx = context.copy()
959                 #we add the refunds journal in the selection field of journal
960                 if context.get('journal_type', False) == 'sale':
961                     ctx.update({'journal_type': 'sale_refund'})
962                     result['fields']['journal_id']['selection'] += journal_pool.name_search(cr, uid, '', [], context=ctx)
963                 elif context.get('journal_type', False) == 'purchase':
964                     ctx.update({'journal_type': 'purchase_refund'})
965                     result['fields']['journal_id']['selection'] += journal_pool.name_search(cr, uid, '', [], context=ctx)
966             return result
967         if context.get('view_mode', False):
968             return result
969         fld = []
970         fields = {}
971         flds = []
972         title = _("Accounting Entries") #self.view_header_get(cr, uid, view_id, view_type, context)
973         xml = '''<?xml version="1.0"?>\n<tree string="%s" editable="top" refresh="5" on_write="on_create_write" colors="red:state==\'draft\';black:state==\'valid\'">\n\t''' % (title)
974
975         ids = journal_pool.search(cr, uid, [])
976         journals = journal_pool.browse(cr, uid, ids, context=context)
977         all_journal = [None]
978         common_fields = {}
979         total = len(journals)
980         for journal in journals:
981             all_journal.append(journal.id)
982             for field in journal.view_id.columns_id:
983                 if not field.field in fields:
984                     fields[field.field] = [journal.id]
985                     fld.append((field.field, field.sequence, field.name))
986                     flds.append(field.field)
987                     common_fields[field.field] = 1
988                 else:
989                     fields.get(field.field).append(journal.id)
990                     common_fields[field.field] = common_fields[field.field] + 1
991         fld.append(('period_id', 3, _('Period')))
992         fld.append(('journal_id', 10, _('Journal')))
993         flds.append('period_id')
994         flds.append('journal_id')
995         fields['period_id'] = all_journal
996         fields['journal_id'] = all_journal
997         fld = sorted(fld, key=itemgetter(1))
998         widths = {
999             'statement_id': 50,
1000             'state': 60,
1001             'tax_code_id': 50,
1002             'move_id': 40,
1003         }
1004         for field_it in fld:
1005             field = field_it[0]
1006             if common_fields.get(field) == total:
1007                 fields.get(field).append(None)
1008 #            if field=='state':
1009 #                state = 'colors="red:state==\'draft\'"'
1010             attrs = []
1011             if field == 'debit':
1012                 attrs.append('sum = "%s"' % _("Total debit"))
1013
1014             elif field == 'credit':
1015                 attrs.append('sum = "%s"' % _("Total credit"))
1016
1017             elif field == 'move_id':
1018                 attrs.append('required = "False"')
1019
1020             elif field == 'account_tax_id':
1021                 attrs.append('domain="[(\'parent_id\', \'=\' ,False)]"')
1022                 attrs.append("context=\"{'journal_id': journal_id}\"")
1023
1024             elif field == 'account_id' and journal.id:
1025                 attrs.append('domain="[(\'journal_id\', \'=\', journal_id),(\'type\',\'&lt;&gt;\',\'view\'), (\'type\',\'&lt;&gt;\',\'closed\')]" on_change="onchange_account_id(account_id, partner_id)"')
1026
1027             elif field == 'partner_id':
1028                 attrs.append('on_change="onchange_partner_id(move_id, partner_id, account_id, debit, credit, date, journal_id)"')
1029
1030             elif field == 'journal_id':
1031                 attrs.append("context=\"{'journal_id': journal_id}\"")
1032
1033             elif field == 'statement_id':
1034                 attrs.append("domain=\"[('state', '!=', 'confirm'),('journal_id.type', '=', 'bank')]\"")
1035
1036             elif field == 'date':
1037                 attrs.append('on_change="onchange_date(date)"')
1038
1039             elif field == 'analytic_account_id':
1040                 attrs.append('''groups="analytic.group_analytic_accounting"''') # Currently it is not working due to framework problem may be ..
1041
1042             if field in ('amount_currency', 'currency_id'):
1043                 attrs.append('on_change="onchange_currency(account_id, amount_currency, currency_id, date, journal_id)"')
1044                 attrs.append('''attrs="{'readonly': [('state', '=', 'valid')]}"''')
1045
1046             if field in widths:
1047                 attrs.append('width="'+str(widths[field])+'"')
1048
1049             if field in ('journal_id',):
1050                 attrs.append("invisible=\"context.get('journal_id', False)\"")
1051             elif field in ('period_id',):
1052                 attrs.append("invisible=\"context.get('period_id', False)\"")
1053             else:
1054                 attrs.append("invisible=\"context.get('visible_id') not in %s\"" % (fields.get(field)))
1055             xml += '''<field name="%s" %s/>\n''' % (field,' '.join(attrs))
1056
1057         xml += '''</tree>'''
1058         result['arch'] = xml
1059         result['fields'] = self.fields_get(cr, uid, flds, context)
1060         return result
1061
1062     def _check_moves(self, cr, uid, context=None):
1063         # use the first move ever created for this journal and period
1064         if context is None:
1065             context = {}
1066         cr.execute('SELECT id, state, name FROM account_move WHERE journal_id = %s AND period_id = %s ORDER BY id limit 1', (context['journal_id'],context['period_id']))
1067         res = cr.fetchone()
1068         if res:
1069             if res[1] != 'draft':
1070                 raise osv.except_osv(_('UserError'),
1071                        _('The account move (%s) for centralisation ' \
1072                                 'has been confirmed!') % res[2])
1073         return res
1074
1075     def _remove_move_reconcile(self, cr, uid, move_ids=[], context=None):
1076         # Function remove move rencocile ids related with moves
1077         obj_move_line = self.pool.get('account.move.line')
1078         obj_move_rec = self.pool.get('account.move.reconcile')
1079         unlink_ids = []
1080         if not move_ids:
1081             return True
1082         recs = obj_move_line.read(cr, uid, move_ids, ['reconcile_id', 'reconcile_partial_id'])
1083         full_recs = filter(lambda x: x['reconcile_id'], recs)
1084         rec_ids = [rec['reconcile_id'][0] for rec in full_recs]
1085         part_recs = filter(lambda x: x['reconcile_partial_id'], recs)
1086         part_rec_ids = [rec['reconcile_partial_id'][0] for rec in part_recs]
1087         unlink_ids += rec_ids
1088         unlink_ids += part_rec_ids
1089         if unlink_ids:
1090             obj_move_rec.unlink(cr, uid, unlink_ids)
1091         return True
1092
1093     def unlink(self, cr, uid, ids, context=None, check=True):
1094         if context is None:
1095             context = {}
1096         move_obj = self.pool.get('account.move')
1097         self._update_check(cr, uid, ids, context)
1098         result = False
1099         move_ids = set()
1100         for line in self.browse(cr, uid, ids, context=context):
1101             move_ids.add(line.move_id.id)
1102             context['journal_id'] = line.journal_id.id
1103             context['period_id'] = line.period_id.id
1104             result = super(account_move_line, self).unlink(cr, uid, [line.id], context=context)
1105         move_ids = list(move_ids)
1106         if check and move_ids:
1107             move_obj.validate(cr, uid, move_ids, context=context)
1108         return result
1109
1110     def write(self, cr, uid, ids, vals, context=None, check=True, update_check=True):
1111         if context is None:
1112             context={}
1113         move_obj = self.pool.get('account.move')
1114         account_obj = self.pool.get('account.account')
1115         journal_obj = self.pool.get('account.journal')
1116         if isinstance(ids, (int, long)):
1117             ids = [ids]
1118         if vals.get('account_tax_id', False):
1119             raise osv.except_osv(_('Unable to change tax !'), _('You can not change the tax, you should remove and recreate lines !'))
1120         if ('account_id' in vals) and not account_obj.read(cr, uid, vals['account_id'], ['active'])['active']:
1121             raise osv.except_osv(_('Bad account!'), _('You can not use an inactive account!'))
1122         if update_check:
1123             if ('account_id' in vals) or ('journal_id' in vals) or ('period_id' in vals) or ('move_id' in vals) or ('debit' in vals) or ('credit' in vals) or ('date' in vals):
1124                 self._update_check(cr, uid, ids, context)
1125
1126         todo_date = None
1127         if vals.get('date', False):
1128             todo_date = vals['date']
1129             del vals['date']
1130
1131         for line in self.browse(cr, uid, ids, context=context):
1132             ctx = context.copy()
1133             if ('journal_id' not in ctx):
1134                 if line.move_id:
1135                    ctx['journal_id'] = line.move_id.journal_id.id
1136                 else:
1137                     ctx['journal_id'] = line.journal_id.id
1138             if ('period_id' not in ctx):
1139                 if line.move_id:
1140                     ctx['period_id'] = line.move_id.period_id.id
1141                 else:
1142                     ctx['period_id'] = line.period_id.id
1143             #Check for centralisation
1144             journal = journal_obj.browse(cr, uid, ctx['journal_id'], context=ctx)
1145             if journal.centralisation:
1146                 self._check_moves(cr, uid, context=ctx)
1147         result = super(account_move_line, self).write(cr, uid, ids, vals, context)
1148         if check:
1149             done = []
1150             for line in self.browse(cr, uid, ids):
1151                 if line.move_id.id not in done:
1152                     done.append(line.move_id.id)
1153                     move_obj.validate(cr, uid, [line.move_id.id], context)
1154                     if todo_date:
1155                         move_obj.write(cr, uid, [line.move_id.id], {'date': todo_date}, context=context)
1156         return result
1157
1158     def _update_journal_check(self, cr, uid, journal_id, period_id, context=None):
1159         journal_obj = self.pool.get('account.journal')
1160         period_obj = self.pool.get('account.period')
1161         jour_period_obj = self.pool.get('account.journal.period')
1162         cr.execute('SELECT state FROM account_journal_period WHERE journal_id = %s AND period_id = %s', (journal_id, period_id))
1163         result = cr.fetchall()
1164         for (state,) in result:
1165             if state == 'done':
1166                 raise osv.except_osv(_('Error !'), _('You can not add/modify entries in a closed journal.'))
1167         if not result:
1168             journal = journal_obj.browse(cr, uid, journal_id, context=context)
1169             period = period_obj.browse(cr, uid, period_id, context=context)
1170             jour_period_obj.create(cr, uid, {
1171                 'name': (journal.code or journal.name)+':'+(period.name or ''),
1172                 'journal_id': journal.id,
1173                 'period_id': period.id
1174             })
1175         return True
1176
1177     def _update_check(self, cr, uid, ids, context=None):
1178         done = {}
1179         for line in self.browse(cr, uid, ids, context=context):
1180             err_msg = _('Move name (id): %s (%s)') % (line.move_id.name, str(line.move_id.id))
1181             if line.move_id.state <> 'draft' and (not line.journal_id.entry_posted):
1182                 raise osv.except_osv(_('Error !'), _('You can not do this modification on a confirmed entry ! Please note that you can just change some non important fields ! \n%s') % err_msg)
1183             if line.reconcile_id:
1184                 raise osv.except_osv(_('Error !'), _('You can not do this modification on a reconciled entry ! Please note that you can just change some non important fields ! \n%s') % err_msg)
1185             t = (line.journal_id.id, line.period_id.id)
1186             if t not in done:
1187                 self._update_journal_check(cr, uid, line.journal_id.id, line.period_id.id, context)
1188                 done[t] = True
1189         return True
1190
1191     def create(self, cr, uid, vals, context=None, check=True):
1192         account_obj = self.pool.get('account.account')
1193         tax_obj = self.pool.get('account.tax')
1194         move_obj = self.pool.get('account.move')
1195         cur_obj = self.pool.get('res.currency')
1196         journal_obj = self.pool.get('account.journal')
1197         if context is None:
1198             context = {}
1199         if vals.get('move_id', False):
1200             company_id = self.pool.get('account.move').read(cr, uid, vals['move_id'], ['company_id']).get('company_id', False)
1201             if company_id:
1202                 vals['company_id'] = company_id[0]
1203         if ('account_id' in vals) and not account_obj.read(cr, uid, vals['account_id'], ['active'])['active']:
1204             raise osv.except_osv(_('Bad account!'), _('You can not use an inactive account!'))
1205         if 'journal_id' in vals:
1206             context['journal_id'] = vals['journal_id']
1207         if 'period_id' in vals:
1208             context['period_id'] = vals['period_id']
1209         if ('journal_id' not in context) and ('move_id' in vals) and vals['move_id']:
1210             m = move_obj.browse(cr, uid, vals['move_id'])
1211             context['journal_id'] = m.journal_id.id
1212             context['period_id'] = m.period_id.id
1213         self._update_journal_check(cr, uid, context['journal_id'], context['period_id'], context)
1214         move_id = vals.get('move_id', False)
1215         journal = journal_obj.browse(cr, uid, context['journal_id'], context=context)
1216         if not move_id:
1217             if journal.centralisation:
1218                 #Check for centralisation
1219                 res = self._check_moves(cr, uid, context)
1220                 if res:
1221                     vals['move_id'] = res[0]
1222             if not vals.get('move_id', False):
1223                 if journal.sequence_id:
1224                     #name = self.pool.get('ir.sequence').get_id(cr, uid, journal.sequence_id.id)
1225                     v = {
1226                         'date': vals.get('date', time.strftime('%Y-%m-%d')),
1227                         'period_id': context['period_id'],
1228                         'journal_id': context['journal_id']
1229                     }
1230                     if vals.get('ref', ''):
1231                         v.update({'ref': vals['ref']})
1232                     move_id = move_obj.create(cr, uid, v, context)
1233                     vals['move_id'] = move_id
1234                 else:
1235                     raise osv.except_osv(_('No piece number !'), _('Can not create an automatic sequence for this piece!\nPut a sequence in the journal definition for automatic numbering or create a sequence manually for this piece.'))
1236         ok = not (journal.type_control_ids or journal.account_control_ids)
1237         if ('account_id' in vals):
1238             account = account_obj.browse(cr, uid, vals['account_id'], context=context)
1239             if journal.type_control_ids:
1240                 type = account.user_type
1241                 for t in journal.type_control_ids:
1242                     if type.code == t.code:
1243                         ok = True
1244                         break
1245             if journal.account_control_ids and not ok:
1246                 for a in journal.account_control_ids:
1247                     if a.id == vals['account_id']:
1248                         ok = True
1249                         break
1250             # Automatically convert in the account's secondary currency if there is one and
1251             # the provided values were not already multi-currency
1252             if account.currency_id and not vals.get('ammount_currency') and account.currency_id.id != account.company_id.currency_id.id:
1253                 vals['currency_id'] = account.currency_id.id
1254                 ctx = {}
1255                 if 'date' in vals:
1256                     ctx['date'] = vals['date']
1257                 vals['amount_currency'] = cur_obj.compute(cr, uid, account.company_id.currency_id.id,
1258                     account.currency_id.id, vals.get('debit', 0.0)-vals.get('credit', 0.0), context=ctx)
1259         if not ok:
1260             raise osv.except_osv(_('Bad account !'), _('You can not use this general account in this journal, check the tab \'Entry Controls\' on the related journal !'))
1261
1262         if vals.get('analytic_account_id',False):
1263             if journal.analytic_journal_id:
1264                 vals['analytic_lines'] = [(0,0, {
1265                         'name': vals['name'],
1266                         'date': vals.get('date', time.strftime('%Y-%m-%d')),
1267                         'account_id': vals.get('analytic_account_id', False),
1268                         'unit_amount': vals.get('quantity', 1.0),
1269                         'amount': vals.get('debit', 0.0) or vals.get('credit', 0.0),
1270                         'general_account_id': vals.get('account_id', False),
1271                         'journal_id': journal.analytic_journal_id.id,
1272                         'ref': vals.get('ref', False),
1273                         'user_id': uid
1274             })]
1275
1276         result = super(account_move_line, self).create(cr, uid, vals, context=context)
1277         # CREATE Taxes
1278         if vals.get('account_tax_id', False):
1279             tax_id = tax_obj.browse(cr, uid, vals['account_tax_id'])
1280             total = vals['debit'] - vals['credit']
1281             if journal.type in ('purchase_refund', 'sale_refund'):
1282                 base_code = 'ref_base_code_id'
1283                 tax_code = 'ref_tax_code_id'
1284                 account_id = 'account_paid_id'
1285                 base_sign = 'ref_base_sign'
1286                 tax_sign = 'ref_tax_sign'
1287             else:
1288                 base_code = 'base_code_id'
1289                 tax_code = 'tax_code_id'
1290                 account_id = 'account_collected_id'
1291                 base_sign = 'base_sign'
1292                 tax_sign = 'tax_sign'
1293             tmp_cnt = 0
1294             for tax in tax_obj.compute_all(cr, uid, [tax_id], total, 1.00).get('taxes'):
1295                 #create the base movement
1296                 if tmp_cnt == 0:
1297                     if tax[base_code]:
1298                         tmp_cnt += 1
1299                         self.write(cr, uid,[result], {
1300                             'tax_code_id': tax[base_code],
1301                             'tax_amount': tax[base_sign] * abs(total)
1302                         })
1303                 else:
1304                     data = {
1305                         'move_id': vals['move_id'],
1306                         'journal_id': vals['journal_id'],
1307                         'period_id': vals['period_id'],
1308                         'name': tools.ustr(vals['name'] or '') + ' ' + tools.ustr(tax['name'] or ''),
1309                         'date': vals['date'],
1310                         'partner_id': vals.get('partner_id',False),
1311                         'ref': vals.get('ref',False),
1312                         'account_tax_id': False,
1313                         'tax_code_id': tax[base_code],
1314                         'tax_amount': tax[base_sign] * abs(total),
1315                         'account_id': vals['account_id'],
1316                         'credit': 0.0,
1317                         'debit': 0.0,
1318                     }
1319                     if data['tax_code_id']:
1320                         self.create(cr, uid, data, context)
1321                 #create the VAT movement
1322                 data = {
1323                     'move_id': vals['move_id'],
1324                     'journal_id': vals['journal_id'],
1325                     'period_id': vals['period_id'],
1326                     'name': tools.ustr(vals['name'] or '') + ' ' + tools.ustr(tax['name'] or ''),
1327                     'date': vals['date'],
1328                     'partner_id': vals.get('partner_id',False),
1329                     'ref': vals.get('ref',False),
1330                     'account_tax_id': False,
1331                     'tax_code_id': tax[tax_code],
1332                     'tax_amount': tax[tax_sign] * abs(tax['amount']),
1333                     'account_id': tax[account_id] or vals['account_id'],
1334                     'credit': tax['amount']<0 and -tax['amount'] or 0.0,
1335                     'debit': tax['amount']>0 and tax['amount'] or 0.0,
1336                 }
1337                 if data['tax_code_id']:
1338                     self.create(cr, uid, data, context)
1339             del vals['account_tax_id']
1340
1341         if check and ((not context.get('no_store_function')) or journal.entry_posted):
1342             tmp = move_obj.validate(cr, uid, [vals['move_id']], context)
1343             if journal.entry_posted and tmp:
1344                 move_obj.button_validate(cr,uid, [vals['move_id']], context)
1345         return result
1346
1347 account_move_line()
1348
1349 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: