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