[IMP + FIX] account_voucher: fixed few remaining bugs and improved the code in order...
[odoo/odoo.git] / addons / account_voucher / account_voucher.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2010 Tiny SPRL (<http://tiny.be>).
6 #
7 #    This program is free software: you can redistribute it and/or modify
8 #    it under the terms of the GNU Affero General Public License as
9 #    published by the Free Software Foundation, either version 3 of the
10 #    License, or (at your option) any later version.
11 #
12 #    This program is distributed in the hope that it will be useful,
13 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
14 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 #    GNU Affero General Public License for more details.
16 #
17 #    You should have received a copy of the GNU Affero General Public License
18 #    along with this program.  If not, see <http://www.gnu.org/licenses/>.
19 #
20 ##############################################################################
21
22 import time
23 from lxml import etree
24
25 import netsvc
26 from osv import osv, fields
27 import decimal_precision as dp
28 from tools.translate import _
29
30
31 class account_voucher(osv.osv):
32     def _check_paid(self, cr, uid, ids, name, args, context=None):
33         res = {}
34         for voucher in self.browse(cr, uid, ids, context=context):
35             ok = True
36             for line in voucher.move_ids:
37                 if (line.account_id.type, 'in', ('receivable', 'payable')) and not line.reconcile_id:
38                     ok = False
39             res[voucher.id] = ok
40         return res
41
42     def _get_type(self, cr, uid, context=None):
43         if context is None:
44             context = {}
45         return context.get('type', False)
46
47     def _get_period(self, cr, uid, context=None):
48         if context is None: context = {}
49         if context.get('period_id', False):
50             return context.get('period_id')
51         periods = self.pool.get('account.period').find(cr, uid)
52         return periods and periods[0] or False
53
54     def _get_journal(self, cr, uid, context=None):
55         if context is None: context = {}
56         journal_pool = self.pool.get('account.journal')
57         invoice_pool = self.pool.get('account.invoice')
58         if context.get('invoice_id', False):
59             currency_id = invoice_pool.browse(cr, uid, context['invoice_id'], context=context).currency_id.id
60             journal_id = journal_pool.search(cr, uid, [('currency', '=', currency_id)], limit=1)
61             return journal_id and journal_id[0] or False
62         if context.get('journal_id', False):
63             return context.get('journal_id')
64         if not context.get('journal_id', False) and context.get('search_default_journal_id', False):
65             return context.get('search_default_journal_id')
66
67         ttype = context.get('type', 'bank')
68         if ttype in ('payment', 'receipt'):
69             ttype = 'bank'
70         res = journal_pool.search(cr, uid, [('type', '=', ttype)], limit=1)
71         return res and res[0] or False
72
73     def _get_tax(self, cr, uid, context=None):
74         if context is None: context = {}
75         journal_pool = self.pool.get('account.journal')
76         journal_id = context.get('journal_id', False)
77         if not journal_id:
78             ttype = context.get('type', 'bank')
79             res = journal_pool.search(cr, uid, [('type', '=', ttype)], limit=1)
80             if not res:
81                 return False
82             journal_id = res[0]
83
84         if not journal_id:
85             return False
86         journal = journal_pool.browse(cr, uid, journal_id, context=context)
87         account_id = journal.default_credit_account_id or journal.default_debit_account_id
88         if account_id and account_id.tax_ids:
89             tax_id = account_id.tax_ids[0].id
90             return tax_id
91         return False
92
93     def _get_payment_rate_currency(self, cr, uid, context=None):
94         '''
95         Return the default value for field payment_rate_currency_id: the currency of the journal
96         if there is one, otherwise the currency of the user's company
97         '''
98         if context is None: context = {}
99         journal_pool = self.pool.get('account.journal')
100         journal_id = context.get('journal_id', False)
101         if journal_id:
102             journal = journal_pool.browse(cr, uid, journal_id, context=context)
103             if journal.currency:
104                 return journal.currency.id
105         #no journal given in the context, use company currency as default
106         return self.pool.get('res.users').browse(cr, uid, uid, context=context).company_id.currency_id.id
107
108     def _get_currency(self, cr, uid, context=None):
109         if context is None: context = {}
110         journal_pool = self.pool.get('account.journal')
111         journal_id = context.get('journal_id', False)
112         if journal_id:
113             journal = journal_pool.browse(cr, uid, journal_id, context=context)
114             if journal.currency:
115                 return journal.currency.id
116         return False
117
118     def _get_partner(self, cr, uid, context=None):
119         if context is None: context = {}
120         return context.get('partner_id', False)
121
122     def _get_reference(self, cr, uid, context=None):
123         if context is None: context = {}
124         return context.get('reference', False)
125
126     def _get_narration(self, cr, uid, context=None):
127         if context is None: context = {}
128         return context.get('narration', False)
129
130     def _get_amount(self, cr, uid, context=None):
131         if context is None:
132             context= {}
133         return context.get('amount', 0.0)
134
135     def name_get(self, cr, uid, ids, context=None):
136         if not ids:
137             return []
138         if context is None: context = {}
139         return [(r['id'], (str("%.2f" % r['amount']) or '')) for r in self.read(cr, uid, ids, ['amount'], context, load='_classic_write')]
140
141     def fields_view_get(self, cr, uid, view_id=None, view_type=False, context=None, toolbar=False, submenu=False):
142         mod_obj = self.pool.get('ir.model.data')
143         if context is None: context = {}
144         if not view_id and context.get('invoice_type', False):
145             if context.get('invoice_type', False) in ('out_invoice', 'out_refund'):
146                 result = mod_obj.get_object_reference(cr, uid, 'account_voucher', 'view_vendor_receipt_form')
147             else:
148                 result = mod_obj.get_object_reference(cr, uid, 'account_voucher', 'view_vendor_payment_form')
149             result = result and result[1] or False
150             view_id = result
151         if not view_id and view_type == 'form' and context.get('line_type', False):
152             if context.get('line_type', False) == 'customer':
153                 result = mod_obj.get_object_reference(cr, uid, 'account_voucher', 'view_vendor_receipt_form')
154             else:
155                 result = mod_obj.get_object_reference(cr, uid, 'account_voucher', 'view_vendor_payment_form')
156             result = result and result[1] or False
157             view_id = result
158
159         res = super(account_voucher, self).fields_view_get(cr, uid, view_id=view_id, view_type=view_type, context=context, toolbar=toolbar, submenu=submenu)
160         doc = etree.XML(res['arch'])
161
162         # replace the label of the field payment_rate
163         currency_obj = self.pool.get('res.currency')
164         base_currency_id = currency_obj.search(cr, uid, [('rate','=',1.0),('rate_ids','=',1.0)], context=context)
165         symbol = base_currency_id and currency_obj.name_get(cr, uid, base_currency_id, context=context)[0][1]
166         string = _("Rate for this operation: 1 %s is") % symbol
167         payment_rate_field = doc.xpath("//field[@name='payment_rate']")
168         for field in payment_rate_field:
169             field.set('string', string)
170
171         if context.get('type', 'sale') in ('purchase', 'payment'):
172             nodes = doc.xpath("//field[@name='partner_id']")
173             for node in nodes:
174                 node.set('domain', "[('supplier', '=', True)]")
175         res['arch'] = etree.tostring(doc)
176         return res
177
178     def _compute_writeoff_amount(self, cr, uid, line_dr_ids, line_cr_ids, amount):
179         debit = credit = 0.0
180         for l in line_dr_ids:
181             debit += l['amount']
182         for l in line_cr_ids:
183             credit += l['amount']
184         return abs(amount - abs(credit - debit))
185
186     def onchange_line_ids(self, cr, uid, ids, line_dr_ids, line_cr_ids, amount, context=None):
187         context = context or {}
188         if not line_dr_ids and not line_cr_ids:
189             return {'value':{}}
190         line_osv = self.pool.get("account.voucher.line")
191         line_dr_ids = resolve_o2m_operations(cr, uid, line_osv, line_dr_ids, ['amount'], context)
192         line_cr_ids = resolve_o2m_operations(cr, uid, line_osv, line_cr_ids, ['amount'], context)
193         return {'value': {'writeoff_amount': self._compute_writeoff_amount(cr, uid, line_dr_ids, line_cr_ids, amount)}}
194
195     def _get_writeoff_amount(self, cr, uid, ids, name, args, context=None):
196         if not ids: return {}
197         res = {}
198         debit = credit = 0.0
199         for voucher in self.browse(cr, uid, ids, context=context):
200             for l in voucher.line_dr_ids:
201                 debit += l.amount
202             for l in voucher.line_cr_ids:
203                 credit += l.amount
204             res[voucher.id] =  abs(voucher.amount - abs(credit - debit))
205         return res
206
207     def _paid_amount_in_company_currency(self, cr, uid, ids, name, args, context=None):
208         if not ids: return {}
209         res = {}
210         debit = credit = 0.0
211         for voucher in self.browse(cr, uid, ids, context=context):
212             rate = voucher.currency_id.rate or voucher.company_id.currency_id.rate
213             if voucher.currency_id == voucher.payment_rate_currency_id:
214                 rate =  voucher.payment_rate
215             res[voucher.id] =  voucher.amount / rate * voucher.company_id.currency_id.rate
216         return res
217
218     _name = 'account.voucher'
219     _description = 'Accounting Voucher'
220     _order = "date desc, id desc"
221 #    _rec_name = 'number'
222     _columns = {
223         'type':fields.selection([
224             ('sale','Sale'),
225             ('purchase','Purchase'),
226             ('payment','Payment'),
227             ('receipt','Receipt'),
228         ],'Default Type', readonly=True, states={'draft':[('readonly',False)]}),
229         'name':fields.char('Memo', size=256, readonly=True, states={'draft':[('readonly',False)]}),
230         'date':fields.date('Date', readonly=True, select=True, states={'draft':[('readonly',False)]}, help="Effective date for accounting entries"),
231         'journal_id':fields.many2one('account.journal', 'Journal', required=True, readonly=True, states={'draft':[('readonly',False)]}),
232         'account_id':fields.many2one('account.account', 'Account', required=True, readonly=True, states={'draft':[('readonly',False)]}),
233         'line_ids':fields.one2many('account.voucher.line','voucher_id','Voucher Lines', readonly=True, states={'draft':[('readonly',False)]}),
234         'line_cr_ids':fields.one2many('account.voucher.line','voucher_id','Credits',
235             domain=[('type','=','cr')], context={'default_type':'cr'}, readonly=True, states={'draft':[('readonly',False)]}),
236         'line_dr_ids':fields.one2many('account.voucher.line','voucher_id','Debits',
237             domain=[('type','=','dr')], context={'default_type':'dr'}, readonly=True, states={'draft':[('readonly',False)]}),
238         'period_id': fields.many2one('account.period', 'Period', required=True, readonly=True, states={'draft':[('readonly',False)]}),
239         'narration':fields.text('Notes', readonly=True, states={'draft':[('readonly',False)]}),
240 #        'currency_id':fields.many2one('res.currency', 'Currency', required=True, readonly=True, states={'draft':[('readonly',False)]}),
241         'currency_id': fields.related('journal_id','currency', type='many2one', relation='res.currency', string='Currency', readonly=True),
242         'company_id': fields.many2one('res.company', 'Company', required=True, readonly=True, states={'draft':[('readonly',False)]}),
243         'state':fields.selection(
244             [('draft','Draft'),
245              ('proforma','Pro-forma'),
246              ('posted','Posted'),
247              ('cancel','Cancelled')
248             ], 'State', readonly=True, size=32,
249             help=' * The \'Draft\' state is used when a user is encoding a new and unconfirmed Voucher. \
250                         \n* The \'Pro-forma\' when voucher is in Pro-forma state,voucher does not have an voucher number. \
251                         \n* The \'Posted\' state is used when user create voucher,a voucher number is generated and voucher entries are created in account \
252                         \n* The \'Cancelled\' state is used when user cancel voucher.'),
253         'amount': fields.float('Total', digits_compute=dp.get_precision('Account'), required=True, readonly=True, states={'draft':[('readonly',False)]}),
254         'tax_amount':fields.float('Tax Amount', digits_compute=dp.get_precision('Account'), readonly=True, states={'draft':[('readonly',False)]}),
255         'reference': fields.char('Ref #', size=64, readonly=True, states={'draft':[('readonly',False)]}, help="Transaction reference number."),
256         'number': fields.char('Number', size=32, readonly=True,),
257         'move_id':fields.many2one('account.move', 'Account Entry'),
258         'move_ids': fields.related('move_id','line_id', type='one2many', relation='account.move.line', string='Journal Items', readonly=True),
259         'partner_id':fields.many2one('res.partner', 'Partner', change_default=1, readonly=True, states={'draft':[('readonly',False)]}),
260         'audit': fields.related('move_id','to_check', type='boolean', help='Check this box if you are unsure of that journal entry and if you want to note it as \'to be reviewed\' by an accounting expert.', relation='account.move', string='To Review'),
261         'paid': fields.function(_check_paid, string='Paid', type='boolean', help="The Voucher has been totally paid."),
262         'pay_now':fields.selection([
263             ('pay_now','Pay Directly'),
264             ('pay_later','Pay Later or Group Funds'),
265         ],'Payment', select=True, readonly=True, states={'draft':[('readonly',False)]}),
266         'tax_id': fields.many2one('account.tax', 'Tax', readonly=True, states={'draft':[('readonly',False)]}, domain=[('price_include','=', False)], help="Only for tax excluded from price"),
267         'pre_line':fields.boolean('Previous Payments ?', required=False),
268         'date_due': fields.date('Due Date', readonly=True, select=True, states={'draft':[('readonly',False)]}),
269         'payment_option':fields.selection([
270                                            ('without_writeoff', 'Keep Open'),
271                                            ('with_writeoff', 'Reconcile Payment Balance'),
272                                            ], 'Payment Difference', required=True, readonly=True, states={'draft': [('readonly', False)]}),
273         'writeoff_acc_id': fields.many2one('account.account', 'Counterpart Account', readonly=True, states={'draft': [('readonly', False)]}),
274         'comment': fields.char('Counterpart Comment', size=64, required=True, readonly=True, states={'draft': [('readonly', False)]}),
275         'analytic_id': fields.many2one('account.analytic.account','Write-Off Analytic Account', readonly=True, states={'draft': [('readonly', False)]}),
276         'writeoff_amount': fields.function(_get_writeoff_amount, string='Reconcile Amount', type='float', readonly=True),
277         'payment_rate_currency_id': fields.many2one('res.currency', 'Payment Rate Currency', required=True, readonly=True, states={'draft':[('readonly',False)]}),
278         'payment_rate': fields.float('Payment Rate', digits=(12,6), required=True, readonly=True, states={'draft': [('readonly', False)]},
279             help='The specific rate that will be used for this voucher for the selected currency.'),
280         'paid_amount_in_company_currency': fields.function(_paid_amount_in_company_currency, string='Paid Amount in Company Currency', type='float', readonly=True),
281     }
282     _defaults = {
283         'period_id': _get_period,
284         'partner_id': _get_partner,
285         'journal_id':_get_journal,
286         'currency_id': _get_currency,
287         'reference': _get_reference,
288         'narration':_get_narration,
289         'amount': _get_amount,
290         'type':_get_type,
291         'state': 'draft',
292         'pay_now': 'pay_later',
293         'name': '',
294         'date': lambda *a: time.strftime('%Y-%m-%d'),
295         'company_id': lambda self,cr,uid,c: self.pool.get('res.company')._company_default_get(cr, uid, 'account.voucher',context=c),
296         'tax_id': _get_tax,
297         'payment_option': 'without_writeoff',
298         'comment': _('Write-Off'),
299         'payment_rate': 1.0,
300         'payment_rate_currency_id': _get_payment_rate_currency,
301     }
302
303     def compute_tax(self, cr, uid, ids, context=None):
304         tax_pool = self.pool.get('account.tax')
305         partner_pool = self.pool.get('res.partner')
306         position_pool = self.pool.get('account.fiscal.position')
307         voucher_line_pool = self.pool.get('account.voucher.line')
308         voucher_pool = self.pool.get('account.voucher')
309         if context is None: context = {}
310
311         for voucher in voucher_pool.browse(cr, uid, ids, context=context):
312             voucher_amount = 0.0
313             for line in voucher.line_ids:
314                 voucher_amount += line.untax_amount or line.amount
315                 line.amount = line.untax_amount or line.amount
316                 voucher_line_pool.write(cr, uid, [line.id], {'amount':line.amount, 'untax_amount':line.untax_amount})
317
318             if not voucher.tax_id:
319                 self.write(cr, uid, [voucher.id], {'amount':voucher_amount, 'tax_amount':0.0})
320                 continue
321
322             tax = [tax_pool.browse(cr, uid, voucher.tax_id.id, context=context)]
323             partner = partner_pool.browse(cr, uid, voucher.partner_id.id, context=context) or False
324             taxes = position_pool.map_tax(cr, uid, partner and partner.property_account_position or False, tax)
325             tax = tax_pool.browse(cr, uid, taxes, context=context)
326
327             total = voucher_amount
328             total_tax = 0.0
329
330             if not tax[0].price_include:
331                 for tax_line in tax_pool.compute_all(cr, uid, tax, voucher_amount, 1).get('taxes', []):
332                     total_tax += tax_line.get('amount', 0.0)
333                 total += total_tax
334             else:
335                 for line in voucher.line_ids:
336                     line_total = 0.0
337                     line_tax = 0.0
338
339                     for tax_line in tax_pool.compute_all(cr, uid, tax, line.untax_amount or line.amount, 1).get('taxes', []):
340                         line_tax += tax_line.get('amount', 0.0)
341                         line_total += tax_line.get('price_unit')
342                     total_tax += line_tax
343                     untax_amount = line.untax_amount or line.amount
344                     voucher_line_pool.write(cr, uid, [line.id], {'amount':line_total, 'untax_amount':untax_amount})
345
346             self.write(cr, uid, [voucher.id], {'amount':total, 'tax_amount':total_tax})
347         return True
348
349     def onchange_price(self, cr, uid, ids, line_ids, tax_id, partner_id=False, context=None):
350         context = context or {}
351         tax_pool = self.pool.get('account.tax')
352         partner_pool = self.pool.get('res.partner')
353         position_pool = self.pool.get('account.fiscal.position')
354         line_pool = self.pool.get('account.voucher.line')
355         res = {
356             'tax_amount': False,
357             'amount': False,
358         }
359         voucher_total = 0.0
360
361         line_ids = resolve_o2m_operations(cr, uid, line_pool, line_ids, ["amount"], context)
362
363         total = 0.0
364         total_tax = 0.0
365         for line in line_ids:
366             line_amount = 0.0
367             line_amount = line.get('amount',0.0)
368             voucher_total += line_amount
369
370         total = voucher_total
371         total_tax = 0.0
372         if tax_id:
373             tax = [tax_pool.browse(cr, uid, tax_id, context=context)]
374             if partner_id:
375                 partner = partner_pool.browse(cr, uid, partner_id, context=context) or False
376                 taxes = position_pool.map_tax(cr, uid, partner and partner.property_account_position or False, tax)
377                 tax = tax_pool.browse(cr, uid, taxes, context=context)
378
379             if not tax[0].price_include:
380                 for tax_line in tax_pool.compute_all(cr, uid, tax, voucher_total, 1).get('taxes', []):
381                     total_tax += tax_line.get('amount')
382                 total += total_tax
383
384         res.update({
385             'amount':total or voucher_total,
386             'tax_amount':total_tax
387         })
388         return {
389             'value':res
390         }
391
392     def onchange_term_id(self, cr, uid, ids, term_id, amount):
393         term_pool = self.pool.get('account.payment.term')
394         terms = False
395         due_date = False
396         default = {'date_due':False}
397         if term_id and amount:
398             terms = term_pool.compute(cr, uid, term_id, amount)
399         if terms:
400             due_date = terms[-1][0]
401             default.update({
402                 'date_due':due_date
403             })
404         return {'value':default}
405
406     def onchange_journal_voucher(self, cr, uid, ids, line_ids=False, tax_id=False, price=0.0, partner_id=False, journal_id=False, ttype=False, company_id=False, context=None):
407         """price
408         Returns a dict that contains new values and context
409
410         @param partner_id: latest value from user input for field partner_id
411         @param args: other arguments
412         @param context: context arguments, like lang, time zone
413
414         @return: Returns a dict which contains new values, and context
415         """
416         default = {
417             'value':{},
418         }
419
420         if not partner_id or not journal_id:
421             return default
422
423         partner_pool = self.pool.get('res.partner')
424         journal_pool = self.pool.get('account.journal')
425
426         journal = journal_pool.browse(cr, uid, journal_id, context=context)
427         partner = partner_pool.browse(cr, uid, partner_id, context=context)
428         account_id = False
429         tr_type = False
430         if journal.type in ('sale','sale_refund'):
431             account_id = partner.property_account_receivable.id
432             tr_type = 'sale'
433         elif journal.type in ('purchase', 'purchase_refund','expense'):
434             account_id = partner.property_account_payable.id
435             tr_type = 'purchase'
436         else:
437             if not journal.default_credit_account_id or not journal.default_debit_account_id:
438                 raise osv.except_osv(_('Error !'), _('Please define default credit/debit account on the %s !') % (journal.name))
439             account_id = journal.default_credit_account_id.id or journal.default_debit_account_id.id
440             tr_type = 'receipt'
441
442         default['value']['account_id'] = account_id
443         default['value']['type'] = ttype or tr_type
444
445         vals = self.onchange_journal(cr, uid, ids, journal_id, line_ids, tax_id, partner_id, company_id, context)
446         default['value'].update(vals.get('value'))
447
448         return default
449
450     def onchange_rate(self, cr, uid, ids, rate, amount, currency_id, payment_rate_currency_id, company_id, context=None):
451         res =  {'value': {}}
452         if rate and amount and currency_id and currency_id == payment_rate_currency_id:
453             company_rate = self.pool.get('res.company').browse(cr, uid, company_id, context=context).currency_id.rate 
454             res['value']['paid_amount_in_company_currency'] = amount / rate * company_rate
455         return res
456
457     def onchange_amount(self, cr, uid, ids, amount, rate, partner_id, journal_id, currency_id, ttype, date, payment_rate_currency_id, company_id, context=None):
458         if context is None:
459             context = {}
460         res = self.onchange_partner_id(cr, uid, ids, partner_id, journal_id, amount, currency_id, ttype, date, context=context)
461         ctx = context.copy()
462         ctx.update({'date': date})
463         vals = self.onchange_rate(cr, uid, ids, rate, amount, currency_id, payment_rate_currency_id, company_id, context=ctx)
464         for key in vals.keys():
465             res[key].update(vals[key])
466         return res
467
468     def onchange_partner_id(self, cr, uid, ids, partner_id, journal_id, price, currency_id, ttype, date, context=None):
469         """
470         Returns a dict that contains new values and context
471
472         @param partner_id: latest value from user input for field partner_id
473         @param args: other arguments
474         @param context: context arguments, like lang, time zone
475
476         @return: Returns a dict which contains new values, and context
477         """
478         if context is None:
479             context = {}
480         context_multi_currency = context.copy()
481         if date:
482             context_multi_currency.update({'date': date})
483
484         currency_pool = self.pool.get('res.currency')
485         move_line_pool = self.pool.get('account.move.line')
486         partner_pool = self.pool.get('res.partner')
487         journal_pool = self.pool.get('account.journal')
488         line_pool = self.pool.get('account.voucher.line')
489
490         #set default values
491         default = {
492             'value': {'line_ids': [] ,'line_dr_ids': [] ,'line_cr_ids': [] ,'pre_line': False,},
493         }
494
495         #drop existing lines
496         line_ids = ids and line_pool.search(cr, uid, [('voucher_id', '=', ids[0])]) or False
497         if line_ids:
498             line_pool.unlink(cr, uid, line_ids)
499
500         if not partner_id or not journal_id:
501             return default
502
503         journal = journal_pool.browse(cr, uid, journal_id, context=context)
504         partner = partner_pool.browse(cr, uid, partner_id, context=context)
505         currency_id = currency_id or journal.company_id.currency_id.id
506         account_id = False
507         if journal.type in ('sale','sale_refund'):
508             account_id = partner.property_account_receivable.id
509         elif journal.type in ('purchase', 'purchase_refund','expense'):
510             account_id = partner.property_account_payable.id
511         else:
512             account_id = journal.default_credit_account_id.id or journal.default_debit_account_id.id
513
514         default['value']['account_id'] = account_id
515
516         if journal.type not in ('cash', 'bank'):
517             return default
518
519         total_credit = 0.0
520         total_debit = 0.0
521         account_type = 'receivable'
522         if ttype == 'payment':
523             account_type = 'payable'
524             total_debit = price or 0.0
525         else:
526             total_credit = price or 0.0
527             account_type = 'receivable'
528
529         if not context.get('move_line_ids', False):
530             ids = move_line_pool.search(cr, uid, [('state','=','valid'), ('account_id.type', '=', account_type), ('reconcile_id', '=', False), ('partner_id', '=', partner_id)], context=context)
531         else:
532             ids = context['move_line_ids']
533         invoice_id = context.get('invoice_id', False)
534         company_currency = journal.company_id.currency_id.id
535         move_line_found = False
536
537         #order the lines by most old first
538         ids.reverse()
539         moves = move_line_pool.browse(cr, uid, ids, context=context)
540
541         for line in moves:
542             if line.credit and line.reconcile_partial_id and ttype == 'receipt':
543                 continue
544             if line.debit and line.reconcile_partial_id and ttype == 'payment':
545                 continue
546             if invoice_id:
547                 if line.invoice.id == invoice_id:
548                     #if the invoice linked to the voucher line is equal to the invoice_id in context
549                     #then we assign the amount on that line, whatever the other voucher lines
550                     move_line_found = line.id
551                     break
552             elif currency_id == company_currency:
553                 #otherwise treatments is the same but with other field names
554                 if line.amount_residual == price:
555                     #if the amount residual is equal the amount voucher, we assign it to that voucher
556                     #line, whatever the other voucher lines
557                     move_line_found = line.id
558                     break
559                 #otherwise we will split the voucher amount on each line (by most old first)
560                 total_credit += line.credit or 0.0
561                 total_debit += line.debit or 0.0
562             elif currency_id == line.currency_id.id:
563                 if line.amount_residual_currency == price:
564                     move_line_found = line.id
565                     break
566                 total_credit += line.credit and line.amount_currency or 0.0
567                 total_debit += line.debit and line.amount_currency or 0.0
568
569         #voucher line creation
570         for line in moves:
571             if line.credit and line.reconcile_partial_id and ttype == 'receipt':
572                 continue
573             if line.debit and line.reconcile_partial_id and ttype == 'payment':
574                 continue
575             if line.currency_id and currency_id==line.currency_id.id:
576                 amount_original = abs(line.amount_currency)
577                 amount_unreconciled = abs(line.amount_residual_currency)
578             else:
579                 amount_original = currency_pool.compute(cr, uid, company_currency, currency_id, line.credit or line.debit or 0.0)
580                 amount_unreconciled = currency_pool.compute(cr, uid, company_currency, currency_id, abs(line.amount_residual))
581             rs = {
582                 'name':line.move_id.name,
583                 'type': line.credit and 'dr' or 'cr',
584                 'move_line_id':line.id,
585                 'account_id':line.account_id.id,
586                 'amount_original': amount_original,
587                 'amount': (move_line_found == line.id) and min(price, amount_unreconciled) or 0.0,
588                 'date_original':line.date,
589                 'date_due':line.date_maturity,
590                 'amount_unreconciled': amount_unreconciled,
591             }
592
593             #split voucher amount by most old first, but only for lines in the same currency
594             if not move_line_found:
595                 line_currency_id = line.currency_id and line.currency_id.id or company_currency
596                 if currency_id == line_currency_id:
597                     if line.credit:
598                         amount = min(amount_unreconciled, abs(total_debit))
599                         rs['amount'] = amount
600                         total_debit -= amount
601                     else:
602                         amount = min(amount_unreconciled, abs(total_credit))
603                         rs['amount'] = amount
604                         total_credit -= amount
605
606             if rs['amount_unreconciled'] == rs['amount']:
607                 rs['reconcile'] = True
608
609             if rs['type'] == 'cr':
610                 default['value']['line_cr_ids'].append(rs)
611             else:
612                 default['value']['line_dr_ids'].append(rs)
613
614             if ttype == 'payment' and len(default['value']['line_cr_ids']) > 0:
615                 default['value']['pre_line'] = 1
616             elif ttype == 'receipt' and len(default['value']['line_dr_ids']) > 0:
617                 default['value']['pre_line'] = 1
618             default['value']['writeoff_amount'] = self._compute_writeoff_amount(cr, uid, default['value']['line_dr_ids'], default['value']['line_cr_ids'], price)
619         return default
620
621     def onchange_payment_rate_currency(self, cr, uid, ids, currency_id, payment_rate, payment_rate_currency_id, date, amount, company_id, context=None):
622         if context is None:
623             context = {}
624         res = {'value': {}}
625         #set the default payment rate of the voucher and compute the paid amount in company currency
626         if currency_id and currency_id == payment_rate_currency_id:
627             ctx = context.copy()
628             ctx.update({'date': date})
629             vals = self.onchange_rate(cr, uid, ids, payment_rate, amount, currency_id, payment_rate_currency_id, company_id, context=ctx)
630             for key in vals.keys():
631                 res[key].update(vals[key])
632         return res
633
634     def onchange_date(self, cr, uid, ids, date, currency_id, payment_rate_currency_id, amount, company_id, context=None):
635         """
636         @param date: latest value from user input for field date
637         @param args: other arguments
638         @param context: context arguments, like lang, time zone
639         @return: Returns a dict which contains new values, and context
640         """
641         if context is None:
642             context ={}
643         res = {'value': {}}
644         #set the period of the voucher
645         period_pool = self.pool.get('account.period')
646         ctx = context.copy()
647         ctx.update({'company_id': company_id})
648         pids = period_pool.find(cr, uid, date, context=ctx)
649         if pids:
650             res['value'].update({'period_id':pids[0]})
651         if payment_rate_currency_id:
652             ctx.update({'date': date})
653             payment_rate = self.pool.get('res.currency').browse(cr, uid, payment_rate_currency_id, context=ctx).rate
654             vals = self.onchange_payment_rate_currency(cr, uid, ids, currency_id, payment_rate, payment_rate_currency_id, date, amount, company_id, context=context)
655             vals['value'].update({'payment_rate': payment_rate})
656             for key in vals.keys():
657                 res[key].update(vals[key])
658         return res
659
660     def onchange_journal(self, cr, uid, ids, journal_id, line_ids, tax_id, partner_id, date, amount, ttype, company_id, context=None):
661         if not journal_id:
662             return False
663         journal_pool = self.pool.get('account.journal')
664         journal = journal_pool.browse(cr, uid, journal_id, context=context)
665         account_id = journal.default_credit_account_id or journal.default_debit_account_id
666         tax_id = False
667         if account_id and account_id.tax_ids:
668             tax_id = account_id.tax_ids[0].id
669
670         vals = self.onchange_price(cr, uid, ids, line_ids, tax_id, partner_id, context)
671         vals['value'].update({'tax_id':tax_id,'amount': amount})
672         currency_id = False
673         if journal.currency:
674             currency_id = journal.currency.id
675             ctx = context.copy()
676             ctx.update({'date': date})
677             payment_rate = self.pool.get('res.currency').browse(cr, uid, currency_id, context=ctx).rate
678             vals['value'].update({'payment_rate': payment_rate})
679             res = self.onchange_rate(cr, uid, ids, payment_rate, amount, currency_id, currency_id, company_id, context=ctx)
680             for key in res.keys():
681                 vals[key].update(res[key])
682         if currency_id:
683             vals['value'].update({'currency_id': currency_id})
684             vals['value'].update({'payment_rate_currency_id': currency_id})
685         res = self.onchange_partner_id(cr, uid, ids, partner_id, journal_id, amount, currency_id, ttype, date, context)
686         for key in res.keys():
687             vals[key].update(res[key])
688         return vals
689
690     def proforma_voucher(self, cr, uid, ids, context=None):
691         self.action_move_line_create(cr, uid, ids, context=context)
692         return True
693
694     def action_cancel_draft(self, cr, uid, ids, context=None):
695         wf_service = netsvc.LocalService("workflow")
696         for voucher_id in ids:
697             wf_service.trg_create(uid, 'account.voucher', voucher_id, cr)
698         self.write(cr, uid, ids, {'state':'draft'})
699         return True
700
701     def cancel_voucher(self, cr, uid, ids, context=None):
702         reconcile_pool = self.pool.get('account.move.reconcile')
703         move_pool = self.pool.get('account.move')
704
705         for voucher in self.browse(cr, uid, ids, context=context):
706             recs = []
707             for line in voucher.move_ids:
708                 if line.reconcile_id:
709                     recs += [line.reconcile_id.id]
710                 if line.reconcile_partial_id:
711                     recs += [line.reconcile_partial_id.id]
712
713             reconcile_pool.unlink(cr, uid, recs)
714
715             if voucher.move_id:
716                 move_pool.button_cancel(cr, uid, [voucher.move_id.id])
717                 move_pool.unlink(cr, uid, [voucher.move_id.id])
718         res = {
719             'state':'cancel',
720             'move_id':False,
721         }
722         self.write(cr, uid, ids, res)
723         return True
724
725     def unlink(self, cr, uid, ids, context=None):
726         for t in self.read(cr, uid, ids, ['state'], context=context):
727             if t['state'] not in ('draft', 'cancel'):
728                 raise osv.except_osv(_('Invalid action !'), _('Cannot delete Voucher(s) which are already opened or paid !'))
729         return super(account_voucher, self).unlink(cr, uid, ids, context=context)
730
731     def onchange_payment(self, cr, uid, ids, pay_now, journal_id, partner_id, ttype='sale'):
732         res = {}
733         if not partner_id:
734             return res
735         res = {'account_id':False}
736         partner_pool = self.pool.get('res.partner')
737         journal_pool = self.pool.get('account.journal')
738         if pay_now == 'pay_later':
739             partner = partner_pool.browse(cr, uid, partner_id)
740             journal = journal_pool.browse(cr, uid, journal_id)
741             if journal.type in ('sale','sale_refund'):
742                 account_id = partner.property_account_receivable.id
743             elif journal.type in ('purchase', 'purchase_refund','expense'):
744                 account_id = partner.property_account_payable.id
745             else:
746                 account_id = journal.default_credit_account_id.id or journal.default_debit_account_id.id
747             res['account_id'] = account_id
748         return {'value':res}
749
750     def _sel_context(self, cr, uid, voucher_id,context=None):
751         """
752         Select the context to use accordingly if it needs to be multicurrency or not.
753
754         :param voucher_id: Id of the actual voucher
755         :return: The returned context will be the same as given in parameter if the voucher currency is the same
756                  than the company currency, otherwise it's a copy of the parameter with an extra key 'date' containing
757                  the date of the voucher.
758         :rtype: dict
759         """
760         company_currency = self._get_company_currency(cr, uid, voucher_id, context)
761         current_currency = self._get_current_currency(cr, uid, voucher_id, context)
762         if current_currency <> company_currency:
763             context_multi_currency = context.copy()
764             voucher_brw = self.pool.get('account.voucher').browse(cr, uid, voucher_id, context)
765             context_multi_currency.update({'date': voucher_brw.date})
766             return context_multi_currency
767         return context
768
769     def first_move_line_get(self, cr, uid, voucher_id, move_id, company_currency, current_currency, context=None):
770         '''
771         Return a dict to be use to create the first account move line of given voucher.
772
773         :param voucher_id: Id of voucher what we are creating account_move.
774         :param move_id: Id of account move where this line will be added.
775         :param company_currency: id of currency of the company to which the voucher belong
776         :param current_currency: id of currency of the voucher
777         :return: mapping between fieldname and value of account move line to create
778         :rtype: dict
779         '''
780         move_line_obj = self.pool.get('account.move.line')
781         currency_obj = self.pool.get('res.currency')
782         voucher_brw = self.pool.get('account.voucher').browse(cr,uid,voucher_id,context)
783         debit = credit = 0.0
784         # TODO: is there any other alternative then the voucher type ??
785         # ANSWER: We can have payment and receipt "In Advance".
786         # TODO: Make this logic available.
787         # -for sale, purchase we have but for the payment and receipt we do not have as based on the bank/cash journal we can not know its payment or receipt
788         if voucher_brw.type in ('purchase', 'payment'):
789             credit = voucher_brw.paid_amount_in_company_currency
790         elif voucher_brw.type in ('sale', 'receipt'):
791             debit = voucher_brw.paid_amount_in_company_currency
792         if debit < 0: credit = -debit; debit = 0.0
793         if credit < 0: debit = -credit; credit = 0.0
794         sign = debit - credit < 0 and -1 or 1
795         #set the first line of the voucher
796         move_line = {
797                 'name': voucher_brw.name or '/',
798                 'debit': debit,
799                 'credit': credit,
800                 'account_id': voucher_brw.account_id.id,
801                 'move_id': move_id,
802                 'journal_id': voucher_brw.journal_id.id,
803                 'period_id': voucher_brw.period_id.id,
804                 'partner_id': voucher_brw.partner_id.id,
805                 'currency_id': company_currency <> current_currency and  current_currency or False,
806                 'amount_currency': company_currency <> current_currency and sign * voucher_brw.amount or 0.0,
807                 'date': voucher_brw.date,
808                 'date_maturity': voucher_brw.date_due
809             }
810         return move_line
811
812     def account_move_get(self, cr, uid, voucher_id, context=None):
813         '''
814         This method prepare the creation of the account move related to the given voucher.
815
816         :param voucher_id: Id of voucher for which we are creating account_move.
817         :return: mapping between fieldname and value of account move to create
818         :rtype: dict
819         '''
820         move_obj = self.pool.get('account.move')
821         seq_obj = self.pool.get('ir.sequence')
822         voucher_brw = self.pool.get('account.voucher').browse(cr,uid,voucher_id,context)
823         if voucher_brw.number:
824             name = voucher_brw.number
825         elif voucher_brw.journal_id.sequence_id:
826             name = seq_obj.next_by_id(cr, uid, voucher_brw.journal_id.sequence_id.id)
827         else:
828             raise osv.except_osv(_('Error !'),
829                         _('Please define a sequence on the journal !'))
830         if not voucher_brw.reference:
831             ref = name.replace('/','')
832         else:
833             ref = voucher_brw.reference
834
835         move = {
836             'name': name,
837             'journal_id': voucher_brw.journal_id.id,
838             'narration': voucher_brw.narration,
839             'date': voucher_brw.date,
840             'ref': ref,
841             'period_id': voucher_brw.period_id and voucher_brw.period_id.id or False
842         }
843         return move
844
845     def _get_exchange_lines(self, cr, uid, line, move_id, amount_residual, company_currency, current_currency, context=None):
846         '''
847         Prepare the two lines due to currency rate difference.
848
849         :param line: browse record of the voucher.line for which we want to create currency rate difference accounting entries
850         :param move_id: Account move wher the move lines will be.
851         :param amount_residual: Amount to be posted.
852         :param company_currency: id of currency of the company to which the voucher belong
853         :param current_currency: id of currency of the voucher
854         :return: the account move line and its counterpart to create, depicted as mapping between fieldname and value
855         :rtype: tuple of dict
856         '''
857         if amount_residual > 0:
858             account_id = line.voucher_id.company_id.expense_currency_exchange_account_id
859             if not account_id:
860                 raise osv.except_osv(_('Warning'),_("Unable to create accounting entry for currency rate difference. You have to configure the field 'Income Currency Rate' on the company! "))
861         else:
862             account_id = line.voucher_id.company_id.income_currency_exchange_account_id
863             if not account_id:
864                 raise osv.except_osv(_('Warning'),_("Unable to create accounting entry for currency rate difference. You have to configure the field 'Expense Currency Rate' on the company! "))
865
866         move_line = {
867             'journal_id': line.voucher_id.journal_id.id,
868             'period_id': line.voucher_id.period_id.id,
869             'name': _('change')+': '+(line.name or '/'),
870             'account_id': line.account_id.id,
871             'move_id': move_id,
872             'partner_id': line.voucher_id.partner_id.id,
873             'currency_id': company_currency <> current_currency and current_currency or False,
874             'amount_currency': 0.0,
875             'quantity': 1,
876             'credit': amount_residual > 0 and amount_residual or 0.0,
877             'debit': amount_residual < 0 and -amount_residual or 0.0,
878             'date': line.voucher_id.date,
879         }
880         move_line_counterpart = {
881             'journal_id': line.voucher_id.journal_id.id,
882             'period_id': line.voucher_id.period_id.id,
883             'name': _('change')+': '+(line.name or '/'),
884             'account_id': account_id.id,
885             'move_id': move_id,
886             'amount_currency': 0.0,
887             'partner_id': line.voucher_id.partner_id.id,
888             'currency_id': company_currency <> current_currency and current_currency or False,
889             'quantity': 1,
890             'debit': amount_residual > 0 and amount_residual or 0.0,
891             'credit': amount_residual < 0 and -amount_residual or 0.0,
892             'date': line.voucher_id.date,
893         }
894         return (move_line, move_line_counterpart)
895
896     def _convert_amount(self, cr, uid, amount, voucher_id, context=None):
897         '''
898         This function convert the amount given in company currency. It takes either the rate in the voucher (if the
899         payment_rate_currency_id is relevant) either the rate encoded in the system.
900
901         :param amount: float. The amount to convert
902         :param voucher: id of the voucher on which we want the conversion
903         :param context: to context to use for the conversion. It may contain the key 'date' set to the voucher date
904             field in order to select the good rate to use.
905         :return: the amount in the currency of the voucher's company
906         :rtype: float
907         '''
908         currency_obj = self.pool.get('res.currency')
909         voucher = self.browse(cr, uid, voucher_id, context=context)
910         res = amount
911         if voucher.payment_rate_currency_id.id == voucher.company_id.currency_id.id:
912             # the rate specified on the voucher is for the company currency
913             rate_between_voucher_and_base = voucher.currency_id.rate or 1.0
914             rate_between_base_and_company = voucher.payment_rate or 1.0
915             res = amount / rate_between_voucher_and_base * rate_between_base_and_company
916         elif voucher.payment_rate_currency_id.id == voucher.currency_id.id:
917             # the rate specified on the voucher is for the voucher currency
918             rate_between_base_and_company = voucher.company_id.currency_id.rate or 1.0
919             rate_between_voucher_and_base = voucher.payment_rate or 1.0
920             res = amount / rate_between_voucher_and_base * rate_between_base_and_company
921         else:
922             # the rate specified on the voucher is not relevant, we use all the rates in the system
923             res = currency_obj.compute(cr, uid, voucher.currency_id.id, voucher.company_id.currency_id.id, amount, context=context)
924         return res
925
926     def voucher_move_line_create(self, cr, uid, voucher_id, line_total, move_id, company_currency, current_currency, context=None):
927         '''
928         Create one account move line, on the given account move, per voucher line where amount is not 0.0.
929         It returns Tuple with tot_line what is total of difference between debit and credit and
930         a list of lists with ids to be reconciled with this format (total_deb_cred,list_of_lists).
931
932         :param voucher_id: Voucher id what we are working with
933         :param line_total: Amount of the first line, which correspond to the amount we should totally split among all voucher lines.
934         :param move_id: Account move wher those lines will be joined.
935         :param company_currency: id of currency of the company to which the voucher belong
936         :param current_currency: id of currency of the voucher
937         :return: Tuple build as (remaining amount not allocated on voucher lines, list of account_move_line created in this method)
938         :rtype: tuple(float, list of int)
939         '''
940         if context is None:
941             context = {}
942         move_line_obj = self.pool.get('account.move.line')
943         currency_obj = self.pool.get('res.currency')
944         tot_line = line_total
945         rec_lst_ids = []
946
947         voucher_brw = self.pool.get('account.voucher').browse(cr, uid, voucher_id, context)
948         ctx = context.copy()
949         ctx.update({'date': voucher_brw.date})
950         for line in voucher_brw.line_ids:
951             #create one move line per voucher line where amount is not 0.0
952             if not line.amount:
953                 continue
954             # convert the amount set on the voucher line into the currency of the voucher's company
955             amount = self._convert_amount(cr, uid, line.untax_amount or line.amount, voucher_brw.id, context=ctx)
956             # if the amount encoded in voucher is equal to the amount unreconciled, we need to compute the
957             # currency rate difference
958             if line.amount == line.amount_unreconciled:
959                 currency_rate_difference = line.move_line_id.amount_residual - amount
960             else:
961                 currency_rate_difference = 0.0
962             move_line = {
963                 'journal_id': voucher_brw.journal_id.id,
964                 'period_id': voucher_brw.period_id.id,
965                 'name': line.name or '/',
966                 'account_id': line.account_id.id,
967                 'move_id': move_id,
968                 'partner_id': voucher_brw.partner_id.id,
969                 'currency_id': line.move_line_id and (company_currency <> line.move_line_id.currency_id.id and line.move_line_id.currency_id.id) or False,
970                 'analytic_account_id': line.account_analytic_id and line.account_analytic_id.id or False,
971                 'quantity': 1,
972                 'credit': 0.0,
973                 'debit': 0.0,
974                 'date': voucher_brw.date
975             }
976             if amount < 0:
977                 amount = -amount
978                 if line.type == 'dr':
979                     line.type = 'cr'
980                 else:
981                     line.type = 'dr'
982
983             if (line.type=='dr'):
984                 tot_line += amount
985                 move_line['debit'] = amount
986             else:
987                 tot_line -= amount
988                 move_line['credit'] = amount
989
990             if voucher_brw.tax_id and voucher_brw.type in ('sale', 'purchase'):
991                 move_line.update({
992                     'account_tax_id': voucher_brw.tax_id.id,
993                 })
994
995             if move_line.get('account_tax_id', False):
996                 tax_data = tax_obj.browse(cr, uid, [move_line['account_tax_id']], context=context)[0]
997                 if not (tax_data.base_code_id and tax_data.tax_code_id):
998                     raise osv.except_osv(_('No Account Base Code and Account Tax Code!'),_("You have to configure account base code and account tax code on the '%s' tax!") % (tax_data.name))
999
1000             # compute the amount in foreign currency. 
1001             amount_currency = False
1002             if line.move_line_id:
1003                 # We want to set it on the account move line as soon as the original line had a foreign currency
1004                 if line.move_line_id.currency_id and line.move_line_id.currency_id.id != company_currency:
1005                     # we compute the amount in that foreign currency. 
1006                     if line.move_line_id.currency_id.id == current_currency:
1007                         # if the voucher and the voucher line share the same currency, there is no computation to do
1008                         sign = (move_line['debit'] - move_line['credit']) < 0 and -1 or 1
1009                         amount_currency = sign * (line.amount)
1010                     elif line.move_line_id.currency_id.id == voucher_brw.payment_rate_currency_id.id:
1011                         # if the rate is specified on the voucher, we must use it
1012                         amount_currency = (move_line['debit'] - move_line['credit']) * voucher_brw.payment_rate
1013                     else:
1014                         # otherwise we use the rates of the system (giving the voucher date in the context)
1015                         amount_currency = currency_obj.compute(cr, uid, company_currency, line.move_line_id.currency_id.id, move_line['debit']-move_line['credit'], context=ctx)
1016
1017             move_line['amount_currency'] = amount_currency
1018             voucher_line = move_line_obj.create(cr, uid, move_line)
1019             rec_ids = [voucher_line, line.move_line_id.id]
1020
1021             if currency_rate_difference:
1022                 # Change difference entry
1023                 exch_lines = self._get_exchange_lines(cr, uid, line, move_id, currency_rate_difference, company_currency, current_currency, context=context)
1024                 new_id = move_line_obj.create(cr, uid, exch_lines[0],context)
1025                 move_line_obj.create(cr, uid, exch_lines[1], context)
1026                 rec_ids.append(new_id)
1027
1028             if line.move_line_id.id:
1029                 rec_lst_ids.append(rec_ids)
1030
1031         return (tot_line, rec_lst_ids)
1032
1033     def writeoff_move_line_get(self, cr, uid, voucher_id, line_total, move_id, name, company_currency, current_currency, context=None):
1034         '''
1035         Set a dict to be use to create the writeoff move line.
1036
1037         :param voucher_id: Id of voucher what we are creating account_move.
1038         :param line_total: Amount remaining to be allocated on lines.
1039         :param move_id: Id of account move where this line will be added.
1040         :param name: Description of account move line.
1041         :param company_currency: id of currency of the company to which the voucher belong
1042         :param current_currency: id of currency of the voucher
1043         :return: mapping between fieldname and value of account move line to create
1044         :rtype: dict
1045         '''
1046         move_line_obj = self.pool.get('account.move.line')
1047         currency_obj = self.pool.get('res.currency')
1048         move_line = {}
1049
1050         voucher_brw = self.pool.get('account.voucher').browse(cr,uid,voucher_id,context)
1051         current_currency_obj = voucher_brw.currency_id or voucher_brw.journal_id.company_id.currency_id
1052
1053         if not currency_obj.is_zero(cr, uid, current_currency_obj, line_total):
1054             diff = line_total
1055             account_id = False
1056             write_off_name = ''
1057             if voucher_brw.payment_option == 'with_writeoff':
1058                 account_id = voucher_brw.writeoff_acc_id.id
1059                 write_off_name = voucher_brw.comment
1060             elif voucher_brw.type in ('sale', 'receipt'):
1061                 account_id = voucher_brw.partner_id.property_account_receivable.id
1062             else:
1063                 account_id = voucher_brw.partner_id.property_account_payable.id
1064             move_line = {
1065                 'name': write_off_name or name,
1066                 'account_id': account_id,
1067                 'move_id': move_id,
1068                 'partner_id': voucher_brw.partner_id.id,
1069                 'date': voucher_brw.date,
1070                 'credit': diff > 0 and diff or 0.0,
1071                 'debit': diff < 0 and -diff or 0.0,
1072                 'amount_currency': company_currency <> current_currency and voucher_brw.writeoff_amount or False,
1073                 'currency_id': company_currency <> current_currency and current_currency or False,
1074             }
1075
1076         return move_line
1077
1078     def _get_company_currency(self, cr, uid, voucher_id, context=None):
1079         '''
1080         Get the currency of the actual company.
1081
1082         :param voucher_id: Id of the voucher what i want to obtain company currency.
1083         :return: currency id of the company of the voucher
1084         :rtype: int
1085         '''
1086         return self.pool.get('account.voucher').browse(cr,uid,voucher_id,context).journal_id.company_id.currency_id.id
1087
1088     def _get_current_currency(self, cr, uid, voucher_id, context=None):
1089         '''
1090         Get the currency of the voucher.
1091
1092         :param voucher_id: Id of the voucher what i want to obtain current currency.
1093         :return: currency id of the voucher
1094         :rtype: int
1095         '''
1096         voucher = self.pool.get('account.voucher').browse(cr,uid,voucher_id,context)
1097         return voucher.currency_id.id or self._get_company_currency(cr,uid,voucher.id,context)
1098
1099     def action_move_line_create(self, cr, uid, ids, context=None):
1100         '''
1101         Confirm the vouchers given in ids and create the journal entries for each of them
1102         '''
1103         if context is None:
1104             context = {}
1105         move_pool = self.pool.get('account.move')
1106         move_line_pool = self.pool.get('account.move.line')
1107         currency_pool = self.pool.get('res.currency')
1108         tax_obj = self.pool.get('account.tax')
1109         seq_obj = self.pool.get('ir.sequence')
1110         for voucher in self.browse(cr, uid, ids, context=context):
1111             if voucher.move_id:
1112                 continue
1113             company_currency = self._get_company_currency(cr, uid, voucher.id, context)
1114             current_currency = self._get_current_currency(cr, uid, voucher.id, context)
1115             # we select the context to use accordingly if it's a multicurrency case or not
1116             context = self._sel_context(cr, uid, voucher.id, context)
1117             # But for the operations made by _convert_amount, we always need to give the date in the context
1118             ctx = context.copy()
1119             ctx.update({'date': voucher.date})
1120             # Create the account move record.
1121             move_id = move_pool.create(cr, uid, self.account_move_get(cr, uid, voucher.id, context=context), context=context)
1122             # Get the name of the account_move just created
1123             name = move_pool.browse(cr, uid, move_id, context=context).name
1124             # Create the first line of the voucher
1125             move_line_id = move_line_pool.create(cr, uid, self.first_move_line_get(cr,uid,voucher.id, move_id, company_currency, current_currency, context), context)
1126             move_line_brw = move_line_pool.browse(cr, uid, move_line_id, context=context)
1127             line_total = move_line_brw.debit - move_line_brw.credit
1128             rec_list_ids = []
1129             if voucher.type == 'sale':
1130                 line_total = line_total - self._convert_amount(cr, uid, voucher.tax_amount, voucher.id, context=ctx)
1131             elif voucher.type == 'purchase':
1132                 line_total = line_total + self._convert_amount(cr, uid, voucher.tax_amount, voucher.id, context=ctx)
1133             # Create one move line per voucher line where amount is not 0.0
1134             line_total, rec_list_ids = self.voucher_move_line_create(cr, uid, voucher.id, line_total, move_id, company_currency, current_currency, context)
1135
1136             # Create the writeoff line if needed
1137             ml_writeoff = self.writeoff_move_line_get(cr, uid, voucher.id, line_total, move_id, name, company_currency, current_currency, context)
1138             if ml_writeoff:
1139                 ml_writeoff_id = move_line_pool.create(cr, uid, ml_writeoff, context)
1140             # We post the voucher.
1141             self.write(cr, uid, [voucher.id], {
1142                 'move_id': move_id,
1143                 'state': 'posted',
1144                 'number': name,
1145             })
1146             if voucher.journal_id.entry_posted:
1147                 move_pool.post(cr, uid, [move_id], context={})
1148             # We automatically reconcile the account move lines.
1149             for rec_ids in rec_list_ids:
1150                 if len(rec_ids) >= 2:
1151                     move_line_pool.reconcile_partial(cr, uid, rec_ids, writeoff_acc_id=voucher.writeoff_acc_id.id, writeoff_period_id=voucher.period_id.id, writeoff_journal_id=voucher.journal_id.id)
1152         return True
1153
1154     def copy(self, cr, uid, id, default={}, context=None):
1155         default.update({
1156             'state': 'draft',
1157             'number': False,
1158             'move_id': False,
1159             'line_cr_ids': False,
1160             'line_dr_ids': False,
1161             'reference': False
1162         })
1163         if 'date' not in default:
1164             default['date'] = time.strftime('%Y-%m-%d')
1165         return super(account_voucher, self).copy(cr, uid, id, default, context)
1166
1167 account_voucher()
1168
1169 class account_voucher_line(osv.osv):
1170     _name = 'account.voucher.line'
1171     _description = 'Voucher Lines'
1172     _order = "move_line_id"
1173
1174     # If the payment is in the same currency than the invoice, we keep the same amount
1175     # Otherwise, we compute from company currency to payment currency
1176     def _compute_balance(self, cr, uid, ids, name, args, context=None):
1177         currency_pool = self.pool.get('res.currency')
1178         rs_data = {}
1179         for line in self.browse(cr, uid, ids, context=context):
1180             ctx = context.copy()
1181             ctx.update({'date': line.voucher_id.date})
1182             res = {}
1183             company_currency = line.voucher_id.journal_id.company_id.currency_id.id
1184             voucher_currency = line.voucher_id.currency_id and line.voucher_id.currency_id.id or company_currency
1185             move_line = line.move_line_id or False
1186
1187             if not move_line:
1188                 res['amount_original'] = 0.0
1189                 res['amount_unreconciled'] = 0.0
1190             elif move_line.currency_id and voucher_currency==move_line.currency_id.id:
1191                 res['amount_original'] = currency_pool.compute(cr, uid, move_line.currency_id.id, voucher_currency, abs(move_line.amount_currency), context=ctx)
1192                 res['amount_unreconciled'] = currency_pool.compute(cr, uid, move_line.currency_id and move_line.currency_id.id or company_currency, voucher_currency, abs(move_line.amount_residual_currency), context=ctx)
1193             elif move_line and move_line.credit > 0:
1194                 res['amount_original'] = currency_pool.compute(cr, uid, company_currency, voucher_currency, move_line.credit, context=ctx)
1195                 res['amount_unreconciled'] = currency_pool.compute(cr, uid, company_currency, voucher_currency, abs(move_line.amount_residual), context=ctx)
1196             else:
1197                 res['amount_original'] = currency_pool.compute(cr, uid, company_currency, voucher_currency, move_line.debit, context=ctx)
1198                 res['amount_unreconciled'] = currency_pool.compute(cr, uid, company_currency, voucher_currency, abs(move_line.amount_residual), context=ctx)
1199
1200             rs_data[line.id] = res
1201         return rs_data
1202
1203     _columns = {
1204         'voucher_id':fields.many2one('account.voucher', 'Voucher', required=1, ondelete='cascade'),
1205         'name':fields.char('Description', size=256),
1206         'account_id':fields.many2one('account.account','Account', required=True),
1207         'partner_id':fields.related('voucher_id', 'partner_id', type='many2one', relation='res.partner', string='Partner'),
1208         'untax_amount':fields.float('Untax Amount'),
1209         'amount':fields.float('Amount', digits_compute=dp.get_precision('Account')),
1210         'reconcile': fields.boolean('Full Reconcile'),
1211         'type':fields.selection([('dr','Debit'),('cr','Credit')], 'Dr/Cr'),
1212         'account_analytic_id':  fields.many2one('account.analytic.account', 'Analytic Account'),
1213         'move_line_id': fields.many2one('account.move.line', 'Journal Item'),
1214         'date_original': fields.related('move_line_id','date', type='date', relation='account.move.line', string='Date', readonly=1),
1215         'date_due': fields.related('move_line_id','date_maturity', type='date', relation='account.move.line', string='Due Date', readonly=1),
1216         'amount_original': fields.function(_compute_balance, multi='dc', type='float', string='Original Amount', store=True),
1217         'amount_unreconciled': fields.function(_compute_balance, multi='dc', type='float', string='Open Balance', store=True),
1218         'company_id': fields.related('voucher_id','company_id', relation='res.company', type='many2one', string='Company', store=True, readonly=True),
1219     }
1220     _defaults = {
1221         'name': '',
1222         'reconcile': False,
1223     }
1224
1225     def onchange_reconcile(self, cr, uid, ids, reconcile, amount, amount_unreconciled, context=None):
1226         vals = { 'amount': 0.0}
1227         if reconcile:
1228             vals = { 'amount': amount_unreconciled}
1229         return {'value': vals}
1230
1231     def onchange_amount(self, cr, uid, ids, amount, amount_unreconciled, context=None):
1232         vals = {}
1233         if amount:
1234             vals['reconcile'] = (amount == amount_unreconciled)
1235         return {'value': vals}
1236
1237     def onchange_move_line_id(self, cr, user, ids, move_line_id, context=None):
1238         """
1239         Returns a dict that contains new values and context
1240
1241         @param move_line_id: latest value from user input for field move_line_id
1242         @param args: other arguments
1243         @param context: context arguments, like lang, time zone
1244
1245         @return: Returns a dict which contains new values, and context
1246         """
1247         res = {}
1248         move_line_pool = self.pool.get('account.move.line')
1249         if move_line_id:
1250             move_line = move_line_pool.browse(cr, user, move_line_id, context=context)
1251             if move_line.credit:
1252                 ttype = 'dr'
1253             else:
1254                 ttype = 'cr'
1255             account_id = move_line.account_id.id
1256             res.update({
1257                 'account_id':account_id,
1258                 'type': ttype
1259             })
1260         return {
1261             'value':res,
1262         }
1263
1264     def default_get(self, cr, user, fields_list, context=None):
1265         """
1266         Returns default values for fields
1267         @param fields_list: list of fields, for which default values are required to be read
1268         @param context: context arguments, like lang, time zone
1269
1270         @return: Returns a dict that contains default values for fields
1271         """
1272         if context is None:
1273             context = {}
1274         journal_id = context.get('journal_id', False)
1275         partner_id = context.get('partner_id', False)
1276         journal_pool = self.pool.get('account.journal')
1277         partner_pool = self.pool.get('res.partner')
1278         values = super(account_voucher_line, self).default_get(cr, user, fields_list, context=context)
1279         if (not journal_id) or ('account_id' not in fields_list):
1280             return values
1281         journal = journal_pool.browse(cr, user, journal_id, context=context)
1282         account_id = False
1283         ttype = 'cr'
1284         if journal.type in ('sale', 'sale_refund'):
1285             account_id = journal.default_credit_account_id and journal.default_credit_account_id.id or False
1286             ttype = 'cr'
1287         elif journal.type in ('purchase', 'expense', 'purchase_refund'):
1288             account_id = journal.default_debit_account_id and journal.default_debit_account_id.id or False
1289             ttype = 'dr'
1290         elif partner_id:
1291             partner = partner_pool.browse(cr, user, partner_id, context=context)
1292             if context.get('type') == 'payment':
1293                 ttype = 'dr'
1294                 account_id = partner.property_account_payable.id
1295             elif context.get('type') == 'receipt':
1296                 account_id = partner.property_account_receivable.id
1297
1298         values.update({
1299             'account_id':account_id,
1300             'type':ttype
1301         })
1302         return values
1303 account_voucher_line()
1304
1305 class account_bank_statement(osv.osv):
1306     _inherit = 'account.bank.statement'
1307
1308     def button_cancel(self, cr, uid, ids, context=None):
1309         voucher_obj = self.pool.get('account.voucher')
1310         for st in self.browse(cr, uid, ids, context=context):
1311             voucher_ids = []
1312             for line in st.line_ids:
1313                 if line.voucher_id:
1314                     voucher_ids.append(line.voucher_id.id)
1315             voucher_obj.cancel_voucher(cr, uid, voucher_ids, context)
1316         return super(account_bank_statement, self).button_cancel(cr, uid, ids, context=context)
1317
1318     def create_move_from_st_line(self, cr, uid, st_line_id, company_currency_id, next_number, context=None):
1319         voucher_obj = self.pool.get('account.voucher')
1320         wf_service = netsvc.LocalService("workflow")
1321         move_line_obj = self.pool.get('account.move.line')
1322         bank_st_line_obj = self.pool.get('account.bank.statement.line')
1323         st_line = bank_st_line_obj.browse(cr, uid, st_line_id, context=context)
1324         if st_line.voucher_id:
1325             voucher_obj.write(cr, uid, [st_line.voucher_id.id], {'number': next_number}, context=context)
1326             if st_line.voucher_id.state == 'cancel':
1327                 voucher_obj.action_cancel_draft(cr, uid, [st_line.voucher_id.id], context=context)
1328             wf_service.trg_validate(uid, 'account.voucher', st_line.voucher_id.id, 'proforma_voucher', cr)
1329
1330             v = voucher_obj.browse(cr, uid, st_line.voucher_id.id, context=context)
1331             bank_st_line_obj.write(cr, uid, [st_line_id], {
1332                 'move_ids': [(4, v.move_id.id, False)]
1333             })
1334
1335             return move_line_obj.write(cr, uid, [x.id for x in v.move_ids], {'statement_id': st_line.statement_id.id}, context=context)
1336         return super(account_bank_statement, self).create_move_from_st_line(cr, uid, st_line.id, company_currency_id, next_number, context=context)
1337
1338 account_bank_statement()
1339
1340 class account_bank_statement_line(osv.osv):
1341     _inherit = 'account.bank.statement.line'
1342
1343     def _amount_reconciled(self, cursor, user, ids, name, args, context=None):
1344         if not ids:
1345             return {}
1346         res = {}
1347         for line in self.browse(cursor, user, ids, context=context):
1348             if line.voucher_id:
1349                 res[line.id] = line.voucher_id.amount#
1350             else:
1351                 res[line.id] = 0.0
1352         return res
1353
1354     def _check_amount(self, cr, uid, ids, context=None):
1355         for obj in self.browse(cr, uid, ids, context=context):
1356             if obj.voucher_id:
1357                 diff = abs(obj.amount) - obj.voucher_id.amount
1358                 if not self.pool.get('res.currency').is_zero(cr, uid, obj.statement_id.currency, diff):
1359                     return False
1360         return True
1361
1362     _constraints = [
1363         (_check_amount, 'The amount of the voucher must be the same amount as the one on the statement line', ['amount']),
1364     ]
1365
1366     _columns = {
1367         'amount_reconciled': fields.function(_amount_reconciled,
1368             string='Amount reconciled', type='float'),
1369         'voucher_id': fields.many2one('account.voucher', 'Payment'),
1370     }
1371
1372     def unlink(self, cr, uid, ids, context=None):
1373         voucher_obj = self.pool.get('account.voucher')
1374         statement_line = self.browse(cr, uid, ids, context=context)
1375         unlink_ids = []
1376         for st_line in statement_line:
1377             if st_line.voucher_id:
1378                 unlink_ids.append(st_line.voucher_id.id)
1379         voucher_obj.unlink(cr, uid, unlink_ids, context=context)
1380         return super(account_bank_statement_line, self).unlink(cr, uid, ids, context=context)
1381
1382 account_bank_statement_line()
1383
1384 def resolve_o2m_operations(cr, uid, target_osv, operations, fields, context):
1385     results = []
1386     for operation in operations:
1387         result = None
1388         if not isinstance(operation, (list, tuple)):
1389             result = target_osv.read(cr, uid, operation, fields, context=context)
1390         elif operation[0] == 0:
1391             # may be necessary to check if all the fields are here and get the default values?
1392             result = operation[2]
1393         elif operation[0] == 1:
1394             result = target_osv.read(cr, uid, operation[1], fields, context=context)
1395             result.update(operation[2])
1396         elif operation[0] == 4:
1397             result = target_osv.read(cr, uid, operation[1], fields, context=context)
1398         if result != None:
1399             results.append(result)
1400     return results
1401
1402 class res_company(osv.osv):
1403     _inherit = "res.company"
1404     _columns = {
1405         'income_currency_exchange_account_id': fields.many2one(
1406             'account.account',
1407             string="Income Currency Rate",
1408             domain="[('type', '=', 'other')]",),
1409         'expense_currency_exchange_account_id': fields.many2one(
1410             'account.account',
1411             string="Expense Currency Rate",
1412             domain="[('type', '=', 'other')]",),
1413     }
1414
1415 res_company()
1416
1417 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: