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