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