[MERGE] merged the dev branch with improvements of financial reports
[odoo/odoo.git] / addons / account / account.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2010 Tiny SPRL (<http://tiny.be>).
6 #
7 #    This program is free software: you can redistribute it and/or modify
8 #    it under the terms of the GNU Affero General Public License as
9 #    published by the Free Software Foundation, either version 3 of the
10 #    License, or (at your option) any later version.
11 #
12 #    This program is distributed in the hope that it will be useful,
13 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
14 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 #    GNU Affero General Public License for more details.
16 #
17 #    You should have received a copy of the GNU Affero General Public License
18 #    along with this program.  If not, see <http://www.gnu.org/licenses/>.
19 #
20 ##############################################################################
21
22 import time
23 from datetime import datetime
24 from dateutil.relativedelta import relativedelta
25 from operator import itemgetter
26
27 import netsvc
28 import pooler
29 from osv import fields, osv
30 import decimal_precision as dp
31 from tools.translate import _
32
33 def check_cycle(self, cr, uid, ids, context=None):
34     """ climbs the ``self._table.parent_id`` chains for 100 levels or
35     until it can't find any more parent(s)
36
37     Returns true if it runs out of parents (no cycle), false if
38     it can recurse 100 times without ending all chains
39     """
40     level = 100
41     while len(ids):
42         cr.execute('SELECT DISTINCT parent_id '\
43                     'FROM '+self._table+' '\
44                     'WHERE id IN %s '\
45                     'AND parent_id IS NOT NULL',(tuple(ids),))
46         ids = map(itemgetter(0), cr.fetchall())
47         if not level:
48             return False
49         level -= 1
50     return True
51
52 class account_payment_term(osv.osv):
53     _name = "account.payment.term"
54     _description = "Payment Term"
55     _columns = {
56         'name': fields.char('Payment Term', size=64, translate=True, required=True),
57         'active': fields.boolean('Active', help="If the active field is set to False, it will allow you to hide the payment term without removing it."),
58         'note': fields.text('Description', translate=True),
59         'line_ids': fields.one2many('account.payment.term.line', 'payment_id', 'Terms'),
60     }
61     _defaults = {
62         'active': 1,
63     }
64     _order = "name"
65
66     def compute(self, cr, uid, id, value, date_ref=False, context=None):
67         if not date_ref:
68             date_ref = datetime.now().strftime('%Y-%m-%d')
69         pt = self.browse(cr, uid, id, context=context)
70         amount = value
71         result = []
72         obj_precision = self.pool.get('decimal.precision')
73         for line in pt.line_ids:
74             prec = obj_precision.precision_get(cr, uid, 'Account')
75             if line.value == 'fixed':
76                 amt = round(line.value_amount, prec)
77             elif line.value == 'procent':
78                 amt = round(value * line.value_amount, prec)
79             elif line.value == 'balance':
80                 amt = round(amount, prec)
81             if amt:
82                 next_date = (datetime.strptime(date_ref, '%Y-%m-%d') + relativedelta(days=line.days))
83                 if line.days2 < 0:
84                     next_first_date = next_date + relativedelta(day=1,months=1) #Getting 1st of next month
85                     next_date = next_first_date + relativedelta(days=line.days2)
86                 if line.days2 > 0:
87                     next_date += relativedelta(day=line.days2, months=1)
88                 result.append( (next_date.strftime('%Y-%m-%d'), amt) )
89                 amount -= amt
90         return result
91
92 account_payment_term()
93
94 class account_payment_term_line(osv.osv):
95     _name = "account.payment.term.line"
96     _description = "Payment Term Line"
97     _columns = {
98         'name': fields.char('Line Name', size=32, required=True),
99         'sequence': fields.integer('Sequence', required=True, help="The sequence field is used to order the payment term lines from the lowest sequences to the higher ones"),
100         'value': fields.selection([('procent', 'Percent'),
101                                    ('balance', 'Balance'),
102                                    ('fixed', 'Fixed Amount')], 'Valuation',
103                                    required=True, help="""Select here the kind of valuation related to this payment term line. Note that you should have your last line with the type 'Balance' to ensure that the whole amount will be threated."""),
104
105         'value_amount': fields.float('Amount To Pay', digits_compute=dp.get_precision('Payment Term'), help="For percent enter a ratio between 0-1."),
106         'days': fields.integer('Number of Days', required=True, help="Number of days to add before computation of the day of month." \
107             "If Date=15/01, Number of Days=22, Day of Month=-1, then the due date is 28/02."),
108         'days2': fields.integer('Day of the Month', required=True, help="Day of the month, set -1 for the last day of the current month. If it's positive, it gives the day of the next month. Set 0 for net days (otherwise it's based on the beginning of the month)."),
109         'payment_id': fields.many2one('account.payment.term', 'Payment Term', required=True, select=True),
110     }
111     _defaults = {
112         'value': 'balance',
113         'sequence': 5,
114         'days2': 0,
115     }
116     _order = "sequence"
117
118     def _check_percent(self, cr, uid, ids, context=None):
119         obj = self.browse(cr, uid, ids[0], context=context)
120         if obj.value == 'procent' and ( obj.value_amount < 0.0 or obj.value_amount > 1.0):
121             return False
122         return True
123
124     _constraints = [
125         (_check_percent, 'Percentages for Payment Term Line must be between 0 and 1, Example: 0.02 for 2% ', ['value_amount']),
126     ]
127
128 account_payment_term_line()
129
130 class account_account_type(osv.osv):
131     _name = "account.account.type"
132     _description = "Account Type"
133
134     def _get_current_report_type(self, cr, uid, ids, name, arg, context=None):
135         obj_data = self.pool.get('ir.model.data')
136         obj_financial_report = self.pool.get('account.financial.report') 
137         res = {}
138         financial_report_ref = {
139             'asset': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_assets0')[1], context=context),
140             'liability': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_liability0')[1], context=context),
141             'income': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_income0')[1], context=context),
142             'expense': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_expense0')[1], context=context),
143         }
144         for record in self.browse(cr, uid, ids, context=context):
145             res[record.id] = 'none'
146             for key, financial_report in financial_report_ref.items():
147                 list_ids = [x.id for x in financial_report.account_type_ids]
148                 if record.id in list_ids:
149                     res[record.id] = key
150         return res
151
152     def _save_report_type(self, cr, uid, account_type_id, field_name, field_value, arg, context=None):
153         obj_data = self.pool.get('ir.model.data')
154         obj_financial_report = self.pool.get('account.financial.report') 
155         #unlink if it exists somewhere in the financial reports related to BS or PL
156         financial_report_ref = {
157             'asset': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_assets0')[1], context=context),
158             'liability': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_liability0')[1], context=context),
159             'income': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_income0')[1], context=context),
160             'expense': obj_financial_report.browse(cr, uid, obj_data.get_object_reference(cr, uid, 'account','account_financial_report_expense0')[1], context=context),
161         }
162         for key, financial_report in financial_report_ref.items():
163             list_ids = [x.id for x in financial_report.account_type_ids]
164             if account_type_id in list_ids:
165                 obj_financial_report.write(cr, uid, [financial_report.id], {'account_type_ids': [(3, account_type_id)]})
166         #write it in the good place
167         if field_value != 'none':
168             return obj_financial_report.write(cr, uid, [financial_report_ref[field_value].id], {'account_type_ids': [(4, account_type_id)]})
169
170     _columns = {
171         'name': fields.char('Account Type', size=64, required=True, translate=True),
172         'code': fields.char('Code', size=32, required=True),
173         'close_method': fields.selection([('none', 'None'), ('balance', 'Balance'), ('detail', 'Detail'), ('unreconciled', 'Unreconciled')], 'Deferral Method', required=True, help="""Set here the method that will be used to generate the end of year journal entries for all the accounts of this type.
174
175  'None' means that nothing will be done.
176  'Balance' will generally be used for cash accounts.
177  'Detail' will copy each existing journal item of the previous year, even the reconciled ones.
178  'Unreconciled' will copy only the journal items that were unreconciled on the first day of the new fiscal year."""),
179         'report_type': fields.function(_get_current_report_type, fnct_inv=_save_report_type, type='selection', string='P&L / BS Category', 
180             selection= [('none','/'),
181                         ('income', _('Profit & Loss (Income account)')),
182                         ('expense', _('Profit & Loss (Expense account)')),
183                         ('asset', _('Balance Sheet (Asset account)')),
184                         ('liability', _('Balance Sheet (Liability account)'))], help="This field is used to generate legal reports: profit and loss, balance sheet.", required=True),
185         'note': fields.text('Description'),
186     }
187     _defaults = {
188         'close_method': 'none',
189         'report_type': 'none',
190     }
191     _order = "code"
192
193 account_account_type()
194
195 def _code_get(self, cr, uid, context=None):
196     acc_type_obj = self.pool.get('account.account.type')
197     ids = acc_type_obj.search(cr, uid, [])
198     res = acc_type_obj.read(cr, uid, ids, ['code', 'name'], context=context)
199     return [(r['code'], r['name']) for r in res]
200
201 #----------------------------------------------------------
202 # Accounts
203 #----------------------------------------------------------
204
205 class account_tax(osv.osv):
206     _name = 'account.tax'
207 account_tax()
208
209 class account_account(osv.osv):
210     _order = "parent_left"
211     _parent_order = "code"
212     _name = "account.account"
213     _description = "Account"
214     _parent_store = True
215     logger = netsvc.Logger()
216
217     def search(self, cr, uid, args, offset=0, limit=None, order=None,
218             context=None, count=False):
219         if context is None:
220             context = {}
221         pos = 0
222
223         while pos < len(args):
224
225             if args[pos][0] == 'code' and args[pos][1] in ('like', 'ilike') and args[pos][2]:
226                 args[pos] = ('code', '=like', str(args[pos][2].replace('%', ''))+'%')
227             if args[pos][0] == 'journal_id':
228                 if not args[pos][2]:
229                     del args[pos]
230                     continue
231                 jour = self.pool.get('account.journal').browse(cr, uid, args[pos][2], context=context)
232                 if (not (jour.account_control_ids or jour.type_control_ids)) or not args[pos][2]:
233                     args[pos] = ('type','not in',('consolidation','view'))
234                     continue
235                 ids3 = map(lambda x: x.id, jour.type_control_ids)
236                 ids1 = super(account_account, self).search(cr, uid, [('user_type', 'in', ids3)])
237                 ids1 += map(lambda x: x.id, jour.account_control_ids)
238                 args[pos] = ('id', 'in', ids1)
239             pos += 1
240
241         if context and context.has_key('consolidate_children'): #add consolidated children of accounts
242             ids = super(account_account, self).search(cr, uid, args, offset, limit,
243                 order, context=context, count=count)
244             for consolidate_child in self.browse(cr, uid, context['account_id'], context=context).child_consol_ids:
245                 ids.append(consolidate_child.id)
246             return ids
247
248         return super(account_account, self).search(cr, uid, args, offset, limit,
249                 order, context=context, count=count)
250
251     def _get_children_and_consol(self, cr, uid, ids, context=None):
252         #this function search for all the children and all consolidated children (recursively) of the given account ids
253         ids2 = self.search(cr, uid, [('parent_id', 'child_of', ids)], context=context)
254         ids3 = []
255         for rec in self.browse(cr, uid, ids2, context=context):
256             for child in rec.child_consol_ids:
257                 ids3.append(child.id)
258         if ids3:
259             ids3 = self._get_children_and_consol(cr, uid, ids3, context)
260         return ids2 + ids3
261
262     def __compute(self, cr, uid, ids, field_names, arg=None, context=None,
263                   query='', query_params=()):
264         """ compute the balance, debit and/or credit for the provided
265         account ids
266         Arguments:
267         `ids`: account ids
268         `field_names`: the fields to compute (a list of any of
269                        'balance', 'debit' and 'credit')
270         `arg`: unused fields.function stuff
271         `query`: additional query filter (as a string)
272         `query_params`: parameters for the provided query string
273                         (__compute will handle their escaping) as a
274                         tuple
275         """
276         mapping = {
277             'balance': "COALESCE(SUM(l.debit),0) " \
278                        "- COALESCE(SUM(l.credit), 0) as balance",
279             'debit': "COALESCE(SUM(l.debit), 0) as debit",
280             'credit': "COALESCE(SUM(l.credit), 0) as credit",
281             'foreign_balance': "COALESCE(SUM(l.amount_currency), 0) as foreign_balance",
282         }
283         #get all the necessary accounts
284         children_and_consolidated = self._get_children_and_consol(cr, uid, ids, context=context)
285         #compute for each account the balance/debit/credit from the move lines
286         accounts = {}
287         res = {}
288         null_result = dict((fn, 0.0) for fn in field_names)
289         if children_and_consolidated:
290             aml_query = self.pool.get('account.move.line')._query_get(cr, uid, context=context)
291
292             wheres = [""]
293             if query.strip():
294                 wheres.append(query.strip())
295             if aml_query.strip():
296                 wheres.append(aml_query.strip())
297             filters = " AND ".join(wheres)
298             self.logger.notifyChannel('addons.'+self._name, netsvc.LOG_DEBUG,
299                                       'Filters: %s'%filters)
300             # IN might not work ideally in case there are too many
301             # children_and_consolidated, in that case join on a
302             # values() e.g.:
303             # SELECT l.account_id as id FROM account_move_line l
304             # INNER JOIN (VALUES (id1), (id2), (id3), ...) AS tmp (id)
305             # ON l.account_id = tmp.id
306             # or make _get_children_and_consol return a query and join on that
307             request = ("SELECT l.account_id as id, " +\
308                        ', '.join(map(mapping.__getitem__, mapping.keys())) +
309                        " FROM account_move_line l" \
310                        " WHERE l.account_id IN %s " \
311                             + filters +
312                        " GROUP BY l.account_id")
313             params = (tuple(children_and_consolidated),) + query_params
314             cr.execute(request, params)
315             self.logger.notifyChannel('addons.'+self._name, netsvc.LOG_DEBUG,
316                                       'Status: %s'%cr.statusmessage)
317
318             for res in cr.dictfetchall():
319                 accounts[res['id']] = res
320
321             # consolidate accounts with direct children
322             children_and_consolidated.reverse()
323             brs = list(self.browse(cr, uid, children_and_consolidated, context=context))
324             sums = {}
325             currency_obj = self.pool.get('res.currency')
326             while brs:
327                 current = brs.pop(0)
328 #                can_compute = True
329 #                for child in current.child_id:
330 #                    if child.id not in sums:
331 #                        can_compute = False
332 #                        try:
333 #                            brs.insert(0, brs.pop(brs.index(child)))
334 #                        except ValueError:
335 #                            brs.insert(0, child)
336 #                if can_compute:
337                 for fn in field_names:
338                     sums.setdefault(current.id, {})[fn] = accounts.get(current.id, {}).get(fn, 0.0)
339                     for child in current.child_id:
340                         if child.company_id.currency_id.id == current.company_id.currency_id.id:
341                             sums[current.id][fn] += sums[child.id][fn]
342                         else:
343                             sums[current.id][fn] += currency_obj.compute(cr, uid, child.company_id.currency_id.id, current.company_id.currency_id.id, sums[child.id][fn], context=context)
344
345                 # as we have to relay on values computed before this is calculated separately than previous fields
346                 if current.currency_id and current.exchange_rate and \
347                             ('adjusted_balance' in field_names or 'unrealized_gain_loss' in field_names):
348                     # Computing Adjusted Balance and Unrealized Gains and losses
349                     # Adjusted Balance = Foreign Balance / Exchange Rate
350                     # Unrealized Gains and losses = Adjusted Balance - Balance
351                     adj_bal = sums[current.id].get('foreign_balance', 0.0) / current.exchange_rate
352                     sums[current.id].update({'adjusted_balance': adj_bal, 'unrealized_gain_loss': adj_bal - sums[current.id].get('balance', 0.0)})
353
354             for id in ids:
355                 res[id] = sums.get(id, null_result)
356         else:
357             for id in ids:
358                 res[id] = null_result
359         return res
360
361     def _get_company_currency(self, cr, uid, ids, field_name, arg, context=None):
362         result = {}
363         for rec in self.browse(cr, uid, ids, context=context):
364             result[rec.id] = (rec.company_id.currency_id.id,rec.company_id.currency_id.symbol)
365         return result
366
367     def _get_child_ids(self, cr, uid, ids, field_name, arg, context=None):
368         result = {}
369         for record in self.browse(cr, uid, ids, context=context):
370             if record.child_parent_ids:
371                 result[record.id] = [x.id for x in record.child_parent_ids]
372             else:
373                 result[record.id] = []
374
375             if record.child_consol_ids:
376                 for acc in record.child_consol_ids:
377                     if acc.id not in result[record.id]:
378                         result[record.id].append(acc.id)
379
380         return result
381
382     def _get_level(self, cr, uid, ids, field_name, arg, context=None):
383         res = {}
384         accounts = self.browse(cr, uid, ids, context=context)
385         for account in accounts:
386             level = 0
387             parent = account.parent_id
388             while parent:
389                 level += 1
390                 parent = parent.parent_id
391             res[account.id] = level
392         return res
393
394     def _set_credit_debit(self, cr, uid, account_id, name, value, arg, context=None):
395         if context.get('config_invisible', True):
396             return True
397
398         account = self.browse(cr, uid, account_id, context=context)
399         diff = value - getattr(account,name)
400         if not diff:
401             return True
402
403         journal_obj = self.pool.get('account.journal')
404         jids = journal_obj.search(cr, uid, [('type','=','situation'),('centralisation','=',1),('company_id','=',account.company_id.id)], context=context)
405         if not jids:
406             raise osv.except_osv(_('Error!'),_("You need an Opening journal with centralisation checked to set the initial balance!"))
407
408         period_obj = self.pool.get('account.period')
409         pids = period_obj.search(cr, uid, [('special','=',True),('company_id','=',account.company_id.id)], context=context)
410         if not pids:
411             raise osv.except_osv(_('Error!'),_("No opening/closing period defined, please create one to set the initial balance!"))
412
413         move_obj = self.pool.get('account.move.line')
414         move_id = move_obj.search(cr, uid, [
415             ('journal_id','=',jids[0]),
416             ('period_id','=',pids[0]),
417             ('account_id','=', account_id),
418             (name,'>', 0.0),
419             ('name','=', _('Opening Balance'))
420         ], context=context)
421         if move_id:
422             move = move_obj.browse(cr, uid, move_id[0], context=context)
423             move_obj.write(cr, uid, move_id[0], {
424                 name: diff+getattr(move,name)
425             }, context=context)
426         else:
427             if diff<0.0:
428                 raise osv.except_osv(_('Error!'),_("Unable to adapt the initial balance (negative value)!"))
429             nameinv = (name=='credit' and 'debit') or 'credit'
430             move_id = move_obj.create(cr, uid, {
431                 'name': _('Opening Balance'),
432                 'account_id': account_id,
433                 'journal_id': jids[0],
434                 'period_id': pids[0],
435                 name: diff,
436                 nameinv: 0.0
437             }, context=context)
438         return True
439
440     _columns = {
441         'name': fields.char('Name', size=256, required=True, select=True),
442         'currency_id': fields.many2one('res.currency', 'Secondary Currency', help="Forces all moves for this account to have this secondary currency."),
443         'code': fields.char('Code', size=64, required=True, select=1),
444         'type': fields.selection([
445             ('view', 'View'),
446             ('other', 'Regular'),
447             ('receivable', 'Receivable'),
448             ('payable', 'Payable'),
449             ('liquidity','Liquidity'),
450             ('consolidation', 'Consolidation'),
451             ('closed', 'Closed'),
452         ], 'Internal Type', required=True, help="The 'Internal Type' is used for features available on "\
453             "different types of accounts: view can not have journal items, consolidation are accounts that "\
454             "can have children accounts for multi-company consolidations, payable/receivable are for "\
455             "partners accounts (for debit/credit computations), closed for depreciated accounts."),
456         'user_type': fields.many2one('account.account.type', 'Account Type', required=True,
457             help="Account Type is used for information purpose, to generate "
458               "country-specific legal reports, and set the rules to close a fiscal year and generate opening entries."),
459         'parent_id': fields.many2one('account.account', 'Parent', ondelete='cascade', domain=[('type','=','view')]),
460         'child_parent_ids': fields.one2many('account.account','parent_id','Children'),
461         'child_consol_ids': fields.many2many('account.account', 'account_account_consol_rel', 'child_id', 'parent_id', 'Consolidated Children'),
462         'child_id': fields.function(_get_child_ids, type='many2many', relation="account.account", string="Child Accounts"),
463         'balance': fields.function(__compute, digits_compute=dp.get_precision('Account'), string='Balance', multi='balance'),
464         'credit': fields.function(__compute, fnct_inv=_set_credit_debit, digits_compute=dp.get_precision('Account'), string='Credit', multi='balance'),
465         'debit': fields.function(__compute, fnct_inv=_set_credit_debit, digits_compute=dp.get_precision('Account'), string='Debit', multi='balance'),
466         'foreign_balance': fields.function(__compute, digits_compute=dp.get_precision('Account'), string='Foreign Balance', multi='balance',
467                                            help="Total amount (in Secondary currency) for transactions held in secondary currency for this account."),
468         'adjusted_balance': fields.function(__compute, digits_compute=dp.get_precision('Account'), string='Adjusted Balance', multi='balance',
469                                             help="Total amount (in Company currency) for transactions held in secondary currency for this account."),
470         'unrealized_gain_loss': fields.function(__compute, digits_compute=dp.get_precision('Account'), string='Unrealized Gain or Loss', multi='balance',
471                                                 help="Value of Loss or Gain due to changes in exchange rate when doing multi-currency transactions."),
472         'reconcile': fields.boolean('Allow Reconciliation', help="Check this box if this account allows reconciliation of journal items."),
473         'exchange_rate': fields.related('currency_id', 'rate', type='float', string='Exchange Rate', digits=(12,6)),
474         'shortcut': fields.char('Shortcut', size=12),
475         'tax_ids': fields.many2many('account.tax', 'account_account_tax_default_rel',
476             'account_id', 'tax_id', 'Default Taxes'),
477         'note': fields.text('Note'),
478         'company_currency_id': fields.function(_get_company_currency, type='many2one', relation='res.currency', string='Company Currency'),
479         'company_id': fields.many2one('res.company', 'Company', required=True),
480         'active': fields.boolean('Active', select=2, help="If the active field is set to False, it will allow you to hide the account without removing it."),
481
482         'parent_left': fields.integer('Parent Left', select=1),
483         'parent_right': fields.integer('Parent Right', select=1),
484         'currency_mode': fields.selection([('current', 'At Date'), ('average', 'Average Rate')], 'Outgoing Currencies Rate',
485             help=
486             'This will select how the current currency rate for outgoing transactions is computed. '\
487             'In most countries the legal method is "average" but only a few software systems are able to '\
488             'manage this. So if you import from another software system you may have to use the rate at date. ' \
489             'Incoming transactions always use the rate at date.', \
490             required=True),
491         'level': fields.function(_get_level, string='Level', method=True, type='integer',
492              store={
493                     'account.account': (_get_children_and_consol, ['level', 'parent_id'], 10),
494                    }),
495     }
496
497     _defaults = {
498         'type': 'other',
499         'reconcile': False,
500         'active': True,
501         'currency_mode': 'current',
502         'company_id': lambda s, cr, uid, c: s.pool.get('res.company')._company_default_get(cr, uid, 'account.account', context=c),
503     }
504
505     def _check_recursion(self, cr, uid, ids, context=None):
506         obj_self = self.browse(cr, uid, ids[0], context=context)
507         p_id = obj_self.parent_id and obj_self.parent_id.id
508         if (obj_self in obj_self.child_consol_ids) or (p_id and (p_id is obj_self.id)):
509             return False
510         while(ids):
511             cr.execute('SELECT DISTINCT child_id '\
512                        'FROM account_account_consol_rel '\
513                        'WHERE parent_id IN %s', (tuple(ids),))
514             child_ids = map(itemgetter(0), cr.fetchall())
515             c_ids = child_ids
516             if (p_id and (p_id in c_ids)) or (obj_self.id in c_ids):
517                 return False
518             while len(c_ids):
519                 s_ids = self.search(cr, uid, [('parent_id', 'in', c_ids)])
520                 if p_id and (p_id in s_ids):
521                     return False
522                 c_ids = s_ids
523             ids = child_ids
524         return True
525
526     def _check_type(self, cr, uid, ids, context=None):
527         if context is None:
528             context = {}
529         accounts = self.browse(cr, uid, ids, context=context)
530         for account in accounts:
531             if account.child_id and account.type not in ('view', 'consolidation'):
532                 return False
533         return True
534
535     def _check_account_type(self, cr, uid, ids, context=None):
536         for account in self.browse(cr, uid, ids, context=context):
537             if account.type in ('receivable', 'payable') and account.user_type.close_method != 'unreconciled':
538                 return False
539         return True
540
541     _constraints = [
542         (_check_recursion, 'Error ! You can not create recursive accounts.', ['parent_id']),
543         (_check_type, 'Configuration Error! \nYou can not define children to an account with internal type different of "View"! ', ['type']),
544         (_check_account_type, 'Configuration Error! \nYou can not select an account type with a deferral method different of "Unreconciled" for accounts with internal type "Payable/Receivable"! ', ['user_type','type']),
545     ]
546     _sql_constraints = [
547         ('code_company_uniq', 'unique (code,company_id)', 'The code of the account must be unique per company !')
548     ]
549     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=100):
550         if not args:
551             args = []
552         args = args[:]
553         ids = []
554         try:
555             if name and str(name).startswith('partner:'):
556                 part_id = int(name.split(':')[1])
557                 part = self.pool.get('res.partner').browse(cr, user, part_id, context=context)
558                 args += [('id', 'in', (part.property_account_payable.id, part.property_account_receivable.id))]
559                 name = False
560             if name and str(name).startswith('type:'):
561                 type = name.split(':')[1]
562                 args += [('type', '=', type)]
563                 name = False
564         except:
565             pass
566         if name:
567             ids = self.search(cr, user, [('code', '=like', name+"%")]+args, limit=limit)
568             if not ids:
569                 ids = self.search(cr, user, [('shortcut', '=', name)]+ args, limit=limit)
570             if not ids:
571                 ids = self.search(cr, user, [('name', operator, name)]+ args, limit=limit)
572             if not ids and len(name.split()) >= 2:
573                 #Separating code and name of account for searching
574                 operand1,operand2 = name.split(' ',1) #name can contain spaces e.g. OpenERP S.A.
575                 ids = self.search(cr, user, [('code', operator, operand1), ('name', operator, operand2)]+ args, limit=limit)
576         else:
577             ids = self.search(cr, user, args, context=context, limit=limit)
578         return self.name_get(cr, user, ids, context=context)
579
580     def name_get(self, cr, uid, ids, context=None):
581         if not ids:
582             return []
583         reads = self.read(cr, uid, ids, ['name', 'code'], context=context)
584         res = []
585         for record in reads:
586             name = record['name']
587             if record['code']:
588                 name = record['code'] + ' ' + name
589             res.append((record['id'], name))
590         return res
591
592     def copy(self, cr, uid, id, default={}, context=None, done_list=[], local=False):
593         account = self.browse(cr, uid, id, context=context)
594         new_child_ids = []
595         if not default:
596             default = {}
597         default = default.copy()
598         default['code'] = (account['code'] or '') + '(copy)'
599         if not local:
600             done_list = []
601         if account.id in done_list:
602             return False
603         done_list.append(account.id)
604         if account:
605             for child in account.child_id:
606                 child_ids = self.copy(cr, uid, child.id, default, context=context, done_list=done_list, local=True)
607                 if child_ids:
608                     new_child_ids.append(child_ids)
609             default['child_parent_ids'] = [(6, 0, new_child_ids)]
610         else:
611             default['child_parent_ids'] = False
612         return super(account_account, self).copy(cr, uid, id, default, context=context)
613
614     def _check_moves(self, cr, uid, ids, method, context=None):
615         line_obj = self.pool.get('account.move.line')
616         account_ids = self.search(cr, uid, [('id', 'child_of', ids)])
617
618         if line_obj.search(cr, uid, [('account_id', 'in', account_ids)]):
619             if method == 'write':
620                 raise osv.except_osv(_('Error !'), _('You can not desactivate an account that contains some journal items.'))
621             elif method == 'unlink':
622                 raise osv.except_osv(_('Error !'), _('You can not remove an account containing journal items!. '))
623         #Checking whether the account is set as a property to any Partner or not
624         value = 'account.account,' + str(ids[0])
625         partner_prop_acc = self.pool.get('ir.property').search(cr, uid, [('value_reference','=',value)], context=context)
626         if partner_prop_acc:
627             raise osv.except_osv(_('Warning !'), _('You can not remove/desactivate an account which is set on a customer or supplier.'))
628         return True
629
630     def _check_allow_type_change(self, cr, uid, ids, new_type, context=None):
631         group1 = ['payable', 'receivable', 'other']
632         group2 = ['consolidation','view']
633         line_obj = self.pool.get('account.move.line')
634         for account in self.browse(cr, uid, ids, context=context):
635             old_type = account.type
636             account_ids = self.search(cr, uid, [('id', 'child_of', [account.id])])
637             if line_obj.search(cr, uid, [('account_id', 'in', account_ids)]):
638                 #Check for 'Closed' type
639                 if old_type == 'closed' and new_type !='closed':
640                     raise osv.except_osv(_('Warning !'), _("You cannot change the type of account from 'Closed' to any other type which contains journal items!"))
641                 #Check for change From group1 to group2 and vice versa
642                 if (old_type in group1 and new_type in group2) or (old_type in group2 and new_type in group1):
643                     raise osv.except_osv(_('Warning !'), _("You cannot change the type of account from '%s' to '%s' type as it contains journal items!") % (old_type,new_type,))
644         return True
645
646     def write(self, cr, uid, ids, vals, context=None):
647
648         if context is None:
649             context = {}
650         if not ids:
651             return True
652         if isinstance(ids, (int, long)):
653             ids = [ids]
654
655         # Dont allow changing the company_id when account_move_line already exist
656         if 'company_id' in vals:
657             move_lines = self.pool.get('account.move.line').search(cr, uid, [('account_id', 'in', ids)])
658             if move_lines:
659                 # Allow the write if the value is the same
660                 for i in [i['company_id'][0] for i in self.read(cr,uid,ids,['company_id'])]:
661                     if vals['company_id']!=i:
662                         raise osv.except_osv(_('Warning !'), _('You cannot modify Company of account as its related record exist in Entry Lines'))
663         if 'active' in vals and not vals['active']:
664             self._check_moves(cr, uid, ids, "write", context=context)
665         if 'type' in vals.keys():
666             self._check_allow_type_change(cr, uid, ids, vals['type'], context=context)
667         return super(account_account, self).write(cr, uid, ids, vals, context=context)
668
669     def unlink(self, cr, uid, ids, context=None):
670         self._check_moves(cr, uid, ids, "unlink", context=context)
671         return super(account_account, self).unlink(cr, uid, ids, context=context)
672
673 account_account()
674
675 class account_journal_view(osv.osv):
676     _name = "account.journal.view"
677     _description = "Journal View"
678     _columns = {
679         'name': fields.char('Journal View', size=64, required=True),
680         'columns_id': fields.one2many('account.journal.column', 'view_id', 'Columns')
681     }
682     _order = "name"
683
684 account_journal_view()
685
686
687 class account_journal_column(osv.osv):
688
689     def _col_get(self, cr, user, context=None):
690         result = []
691         cols = self.pool.get('account.move.line')._columns
692         for col in cols:
693             if col in ('period_id', 'journal_id'):
694                 continue
695             result.append( (col, cols[col].string) )
696         result.sort()
697         return result
698
699     _name = "account.journal.column"
700     _description = "Journal Column"
701     _columns = {
702         'name': fields.char('Column Name', size=64, required=True),
703         'field': fields.selection(_col_get, 'Field Name', required=True, size=32),
704         'view_id': fields.many2one('account.journal.view', 'Journal View', select=True),
705         'sequence': fields.integer('Sequence', help="Gives the sequence order to journal column.", readonly=True),
706         'required': fields.boolean('Required'),
707         'readonly': fields.boolean('Readonly'),
708     }
709     _order = "view_id, sequence"
710
711 account_journal_column()
712
713 class account_journal(osv.osv):
714     _name = "account.journal"
715     _description = "Journal"
716     _columns = {
717         'name': fields.char('Journal Name', size=64, required=True),
718         'code': fields.char('Code', size=5, required=True, help="The code will be displayed on reports."),
719         'type': fields.selection([('sale', 'Sale'),('sale_refund','Sale Refund'), ('purchase', 'Purchase'), ('purchase_refund','Purchase Refund'), ('cash', 'Cash'), ('bank', 'Bank and Cheques'), ('general', 'General'), ('situation', 'Opening/Closing Situation')], 'Type', size=32, required=True,
720                                  help="Select 'Sale' for customer invoices journals."\
721                                  " Select 'Purchase' for supplier invoices journals."\
722                                  " Select 'Cash' or 'Bank' for journals that are used in customer or supplier payments."\
723                                  " Select 'General' for miscellaneous operations journals."\
724                                  " Select 'Opening/Closing Situation' for entries generated for new fiscal years."),
725         'type_control_ids': fields.many2many('account.account.type', 'account_journal_type_rel', 'journal_id','type_id', 'Type Controls', domain=[('code','<>','view'), ('code', '<>', 'closed')]),
726         'account_control_ids': fields.many2many('account.account', 'account_account_type_rel', 'journal_id','account_id', 'Account', domain=[('type','<>','view'), ('type', '<>', 'closed')]),
727         'view_id': fields.many2one('account.journal.view', 'Display Mode', required=True, help="Gives the view used when writing or browsing entries in this journal. The view tells OpenERP which fields should be visible, required or readonly and in which order. You can create your own view for a faster encoding in each journal."),
728         'default_credit_account_id': fields.many2one('account.account', 'Default Credit Account', domain="[('type','!=','view')]", help="It acts as a default account for credit amount"),
729         'default_debit_account_id': fields.many2one('account.account', 'Default Debit Account', domain="[('type','!=','view')]", help="It acts as a default account for debit amount"),
730         'centralisation': fields.boolean('Centralised counterpart', help="Check this box to determine that each entry of this journal won't create a new counterpart but will share the same counterpart. This is used in fiscal year closing."),
731         'update_posted': fields.boolean('Allow Cancelling Entries', help="Check this box if you want to allow the cancellation the entries related to this journal or of the invoice related to this journal"),
732         'group_invoice_lines': fields.boolean('Group Invoice Lines', help="If this box is checked, the system will try to group the accounting lines when generating them from invoices."),
733         'sequence_id': fields.many2one('ir.sequence', 'Entry Sequence', help="This field contains the informatin related to the numbering of the journal entries of this journal.", required=True),
734         'user_id': fields.many2one('res.users', 'User', help="The user responsible for this journal"),
735         'groups_id': fields.many2many('res.groups', 'account_journal_group_rel', 'journal_id', 'group_id', 'Groups'),
736         'currency': fields.many2one('res.currency', 'Currency', help='The currency used to enter statement'),
737         'entry_posted': fields.boolean('Skip \'Draft\' State for Manual Entries', help='Check this box if you don\'t want new journal entries to pass through the \'draft\' state and instead goes directly to the \'posted state\' without any manual validation. \nNote that journal entries that are automatically created by the system are always skipping that state.'),
738         'company_id': fields.many2one('res.company', 'Company', required=True, select=1, help="Company related to this journal"),
739         'allow_date':fields.boolean('Check Date in Period', help= 'If set to True then do not accept the entry if the entry date is not into the period dates'),
740     }
741
742     _defaults = {
743         'user_id': lambda self, cr, uid, context: uid,
744         'company_id': lambda self, cr, uid, c: self.pool.get('res.users').browse(cr, uid, uid, c).company_id.id,
745     }
746     _sql_constraints = [
747         ('code_company_uniq', 'unique (code, company_id)', 'The code of the journal must be unique per company !'),
748         ('name_company_uniq', 'unique (name, company_id)', 'The name of the journal must be unique per company !'),
749     ]
750
751     _order = 'code'
752
753     def _check_currency(self, cr, uid, ids, context=None):
754         for journal in self.browse(cr, uid, ids, context=context):
755             if journal.currency:
756                 if journal.default_credit_account_id and not journal.default_credit_account_id.currency_id.id == journal.currency.id:
757                     return False
758                 if journal.default_debit_account_id and not journal.default_debit_account_id.currency_id.id == journal.currency.id:
759                     return False
760         return True
761
762     _constraints = [
763         (_check_currency, 'Configuration error! The currency chosen should be shared by the default accounts too.', ['currency','default_debit_account_id','default_credit_account_id']),
764     ]
765
766     def copy(self, cr, uid, id, default={}, context=None, done_list=[], local=False):
767         journal = self.browse(cr, uid, id, context=context)
768         if not default:
769             default = {}
770         default = default.copy()
771         default['code'] = (journal['code'] or '') + '(copy)'
772         default['name'] = (journal['name'] or '') + '(copy)'
773         default['sequence_id'] = False
774         return super(account_journal, self).copy(cr, uid, id, default, context=context)
775
776     def write(self, cr, uid, ids, vals, context=None):
777         if context is None:
778             context = {}
779         if isinstance(ids, (int, long)):
780             ids = [ids]
781         for journal in self.browse(cr, uid, ids, context=context):
782             if 'company_id' in vals and journal.company_id.id != vals['company_id']:
783                 move_lines = self.pool.get('account.move.line').search(cr, uid, [('journal_id', 'in', ids)])
784                 if move_lines:
785                     raise osv.except_osv(_('Warning !'), _('You can not modify the company of this journal as its related record exist in journal items'))
786         return super(account_journal, self).write(cr, uid, ids, vals, context=context)
787
788     def create_sequence(self, cr, uid, vals, context=None):
789         """ Create new no_gap entry sequence for every new Joural
790         """
791         # in account.journal code is actually the prefix of the sequence
792         # whereas ir.sequence code is a key to lookup global sequences.
793         prefix = vals['code'].upper()
794
795         seq = {
796             'name': vals['name'],
797             'implementation':'no_gap',
798             'prefix': prefix + "/%(year)s/",
799             'padding': 4,
800             'number_increment': 1
801         }
802         if 'company_id' in vals:
803             seq['company_id'] = vals['company_id']
804         return self.pool.get('ir.sequence').create(cr, uid, seq)
805
806     def create(self, cr, uid, vals, context=None):
807         if not 'sequence_id' in vals or not vals['sequence_id']:
808             # if we have the right to create a journal, we should be able to
809             # create it's sequence.
810             vals.update({'sequence_id': self.create_sequence(cr, 1, vals, context)})
811         return super(account_journal, self).create(cr, uid, vals, context)
812
813     def name_get(self, cr, user, ids, context=None):
814         """
815         Returns a list of tupples containing id, name.
816         result format: {[(id, name), (id, name), ...]}
817
818         @param cr: A database cursor
819         @param user: ID of the user currently logged in
820         @param ids: list of ids for which name should be read
821         @param context: context arguments, like lang, time zone
822
823         @return: Returns a list of tupples containing id, name
824         """
825         result = self.browse(cr, user, ids, context=context)
826         res = []
827         for rs in result:
828             if rs.currency:
829                 currency = rs.currency
830             else:
831                 currency = rs.company_id.currency_id
832             name = "%s (%s)" % (rs.name, currency.name)
833             res += [(rs.id, name)]
834         return res
835
836     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=100):
837         if not args:
838             args = []
839         if context is None:
840             context = {}
841         ids = []
842         if context.get('journal_type', False):
843             args += [('type','=',context.get('journal_type'))]
844         if name:
845             ids = self.search(cr, user, [('code', 'ilike', name)]+ args, limit=limit, context=context)
846         if not ids:
847             ids = self.search(cr, user, [('name', 'ilike', name)]+ args, limit=limit, context=context)#fix it ilike should be replace with operator
848
849         return self.name_get(cr, user, ids, context=context)
850
851     def onchange_type(self, cr, uid, ids, type, currency, context=None):
852         obj_data = self.pool.get('ir.model.data')
853         user_pool = self.pool.get('res.users')
854
855         type_map = {
856             'sale':'account_sp_journal_view',
857             'sale_refund':'account_sp_refund_journal_view',
858             'purchase':'account_sp_journal_view',
859             'purchase_refund':'account_sp_refund_journal_view',
860             'cash':'account_journal_bank_view',
861             'bank':'account_journal_bank_view',
862             'general':'account_journal_view',
863             'situation':'account_journal_view'
864         }
865
866         res = {}
867         view_id = type_map.get(type, 'account_journal_view')
868         user = user_pool.browse(cr, uid, uid)
869         if type in ('cash', 'bank') and currency and user.company_id.currency_id.id != currency:
870             view_id = 'account_journal_bank_view_multi'
871         data_id = obj_data.search(cr, uid, [('model','=','account.journal.view'), ('name','=',view_id)])
872         data = obj_data.browse(cr, uid, data_id[0], context=context)
873
874         res.update({
875             'centralisation':type == 'situation',
876             'view_id':data.res_id,
877         })
878         return {
879             'value':res
880         }
881
882 account_journal()
883
884 class account_fiscalyear(osv.osv):
885     _name = "account.fiscalyear"
886     _description = "Fiscal Year"
887     _columns = {
888         'name': fields.char('Fiscal Year', size=64, required=True),
889         'code': fields.char('Code', size=6, required=True),
890         'company_id': fields.many2one('res.company', 'Company', required=True),
891         'date_start': fields.date('Start Date', required=True),
892         'date_stop': fields.date('End Date', required=True),
893         'period_ids': fields.one2many('account.period', 'fiscalyear_id', 'Periods'),
894         'state': fields.selection([('draft','Open'), ('done','Closed')], 'State', readonly=True),
895     }
896     _defaults = {
897         'state': 'draft',
898         'company_id': lambda self,cr,uid,c: self.pool.get('res.users').browse(cr, uid, uid, c).company_id.id,
899     }
900     _order = "date_start, id"
901
902
903     def _check_duration(self, cr, uid, ids, context=None):
904         obj_fy = self.browse(cr, uid, ids[0], context=context)
905         if obj_fy.date_stop < obj_fy.date_start:
906             return False
907         return True
908
909     _constraints = [
910         (_check_duration, 'Error! The start date of the fiscal year must be before his end date.', ['date_start','date_stop'])
911     ]
912
913     def create_period3(self, cr, uid, ids, context=None):
914         return self.create_period(cr, uid, ids, context, 3)
915
916     def create_period(self, cr, uid, ids, context=None, interval=1):
917         period_obj = self.pool.get('account.period')
918         for fy in self.browse(cr, uid, ids, context=context):
919             ds = datetime.strptime(fy.date_start, '%Y-%m-%d')
920             period_obj.create(cr, uid, {
921                     'name':  "%s %s" % (_('Opening Period'), ds.strftime('%Y')),
922                     'code': ds.strftime('00/%Y'),
923                     'date_start': ds,
924                     'date_stop': ds,
925                     'special': True,
926                     'fiscalyear_id': fy.id,
927                 })
928             while ds.strftime('%Y-%m-%d') < fy.date_stop:
929                 de = ds + relativedelta(months=interval, days=-1)
930
931                 if de.strftime('%Y-%m-%d') > fy.date_stop:
932                     de = datetime.strptime(fy.date_stop, '%Y-%m-%d')
933
934                 period_obj.create(cr, uid, {
935                     'name': ds.strftime('%m/%Y'),
936                     'code': ds.strftime('%m/%Y'),
937                     'date_start': ds.strftime('%Y-%m-%d'),
938                     'date_stop': de.strftime('%Y-%m-%d'),
939                     'fiscalyear_id': fy.id,
940                 })
941                 ds = ds + relativedelta(months=interval)
942         return True
943
944     def find(self, cr, uid, dt=None, exception=True, context=None):
945         res = self.finds(cr, uid, dt, exception, context=context)
946         return res and res[0] or False
947
948     def finds(self, cr, uid, dt=None, exception=True, context=None):
949         if context is None: context = {}
950         if not dt:
951             dt = time.strftime('%Y-%m-%d')
952         args = [('date_start', '<=' ,dt), ('date_stop', '>=', dt)]
953         if context.get('company_id', False):
954             args.append(('company_id', '=', context['company_id']))
955         else:
956             company_id = self.pool.get('res.users').browse(cr, uid, uid, context=context).company_id.id
957             args.append(('company_id', '=', company_id))
958         ids = self.search(cr, uid, args, context=context)
959         if not ids:
960             if exception:
961                 raise osv.except_osv(_('Error !'), _('No fiscal year defined for this date !\nPlease create one.'))
962             else:
963                 return []
964         return ids
965
966     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=80):
967         if args is None:
968             args = []
969         if context is None:
970             context = {}
971         ids = []
972         if name:
973             ids = self.search(cr, user, [('code', 'ilike', name)]+ args, limit=limit)
974         if not ids:
975             ids = self.search(cr, user, [('name', operator, name)]+ args, limit=limit)
976         return self.name_get(cr, user, ids, context=context)
977
978 account_fiscalyear()
979
980 class account_period(osv.osv):
981     _name = "account.period"
982     _description = "Account period"
983     _columns = {
984         'name': fields.char('Period Name', size=64, required=True),
985         'code': fields.char('Code', size=12),
986         'special': fields.boolean('Opening/Closing Period', size=12,
987             help="These periods can overlap."),
988         'date_start': fields.date('Start of Period', required=True, states={'done':[('readonly',True)]}),
989         'date_stop': fields.date('End of Period', required=True, states={'done':[('readonly',True)]}),
990         'fiscalyear_id': fields.many2one('account.fiscalyear', 'Fiscal Year', required=True, states={'done':[('readonly',True)]}, select=True),
991         'state': fields.selection([('draft','Open'), ('done','Closed')], 'State', readonly=True,
992                                   help='When monthly periods are created. The state is \'Draft\'. At the end of monthly period it is in \'Done\' state.'),
993         'company_id': fields.related('fiscalyear_id', 'company_id', type='many2one', relation='res.company', string='Company', store=True, readonly=True)
994     }
995     _defaults = {
996         'state': 'draft',
997     }
998     _order = "date_start, special desc"
999     _sql_constraints = [
1000         ('name_company_uniq', 'unique(name, company_id)', 'The name of the period must be unique per company!'),
1001     ]
1002
1003     def _check_duration(self,cr,uid,ids,context=None):
1004         obj_period = self.browse(cr, uid, ids[0], context=context)
1005         if obj_period.date_stop < obj_period.date_start:
1006             return False
1007         return True
1008
1009     def _check_year_limit(self,cr,uid,ids,context=None):
1010         for obj_period in self.browse(cr, uid, ids, context=context):
1011             if obj_period.special:
1012                 continue
1013
1014             if obj_period.fiscalyear_id.date_stop < obj_period.date_stop or \
1015                obj_period.fiscalyear_id.date_stop < obj_period.date_start or \
1016                obj_period.fiscalyear_id.date_start > obj_period.date_start or \
1017                obj_period.fiscalyear_id.date_start > obj_period.date_stop:
1018                 return False
1019
1020             pids = self.search(cr, uid, [('date_stop','>=',obj_period.date_start),('date_start','<=',obj_period.date_stop),('special','=',False),('id','<>',obj_period.id)])
1021             for period in self.browse(cr, uid, pids):
1022                 if period.fiscalyear_id.company_id.id==obj_period.fiscalyear_id.company_id.id:
1023                     return False
1024         return True
1025
1026     _constraints = [
1027         (_check_duration, 'Error ! The duration of the Period(s) is/are invalid. ', ['date_stop']),
1028         (_check_year_limit, 'Invalid period ! Some periods overlap or the date period is not in the scope of the fiscal year. ', ['date_stop'])
1029     ]
1030
1031     def next(self, cr, uid, period, step, context=None):
1032         ids = self.search(cr, uid, [('date_start','>',period.date_start)])
1033         if len(ids)>=step:
1034             return ids[step-1]
1035         return False
1036
1037     def find(self, cr, uid, dt=None, context=None):
1038         if context is None: context = {}
1039         if not dt:
1040             dt = time.strftime('%Y-%m-%d')
1041 #CHECKME: shouldn't we check the state of the period?
1042         args = [('date_start', '<=' ,dt), ('date_stop', '>=', dt)]
1043         if context.get('company_id', False):
1044             args.append(('company_id', '=', context['company_id']))
1045         else:
1046             company_id = self.pool.get('res.users').browse(cr, uid, uid, context=context).company_id.id
1047             args.append(('company_id', '=', company_id))
1048         ids = self.search(cr, uid, args, context=context)
1049         if not ids:
1050             raise osv.except_osv(_('Error !'), _('No period defined for this date: %s !\nPlease create one.')%dt)
1051         return ids
1052
1053     def action_draft(self, cr, uid, ids, *args):
1054         mode = 'draft'
1055         cr.execute('update account_journal_period set state=%s where period_id in %s', (mode, tuple(ids),))
1056         cr.execute('update account_period set state=%s where id in %s', (mode, tuple(ids),))
1057         return True
1058
1059     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=100):
1060         if args is None:
1061             args = []
1062         if context is None:
1063             context = {}
1064         ids = []
1065         if name:
1066             ids = self.search(cr, user, [('code','ilike',name)]+ args, limit=limit)
1067         if not ids:
1068             ids = self.search(cr, user, [('name',operator,name)]+ args, limit=limit)
1069         return self.name_get(cr, user, ids, context=context)
1070
1071     def write(self, cr, uid, ids, vals, context=None):
1072         if 'company_id' in vals:
1073             move_lines = self.pool.get('account.move.line').search(cr, uid, [('period_id', 'in', ids)])
1074             if move_lines:
1075                 raise osv.except_osv(_('Warning !'), _('You can not modify company of this period as some journal items exists.'))
1076         return super(account_period, self).write(cr, uid, ids, vals, context=context)
1077
1078     def build_ctx_periods(self, cr, uid, period_from_id, period_to_id):
1079         period_from = self.browse(cr, uid, period_from_id)
1080         period_date_start = period_from.date_start
1081         company1_id = period_from.company_id.id
1082         period_to = self.browse(cr, uid, period_to_id)
1083         period_date_stop = period_to.date_stop
1084         company2_id = period_to.company_id.id
1085         if company1_id != company2_id:
1086             raise osv.except_osv(_('Error'), _('You should have chosen periods that belongs to the same company'))
1087         if period_date_start > period_date_stop:
1088             raise osv.except_osv(_('Error'), _('Start period should be smaller then End period'))
1089         #for period from = january, we want to exclude the opening period (but it has same date_from, so we have to check if period_from is special or not to include that clause or not in the search).
1090         if period_from.special:
1091             return self.search(cr, uid, [('date_start', '>=', period_date_start), ('date_stop', '<=', period_date_stop), ('company_id', '=', company1_id)])
1092         return self.search(cr, uid, [('date_start', '>=', period_date_start), ('date_stop', '<=', period_date_stop), ('company_id', '=', company1_id), ('special', '=', False)])
1093
1094 account_period()
1095
1096 class account_journal_period(osv.osv):
1097     _name = "account.journal.period"
1098     _description = "Journal Period"
1099
1100     def _icon_get(self, cr, uid, ids, field_name, arg=None, context=None):
1101         result = {}.fromkeys(ids, 'STOCK_NEW')
1102         for r in self.read(cr, uid, ids, ['state']):
1103             result[r['id']] = {
1104                 'draft': 'STOCK_NEW',
1105                 'printed': 'STOCK_PRINT_PREVIEW',
1106                 'done': 'STOCK_DIALOG_AUTHENTICATION',
1107             }.get(r['state'], 'STOCK_NEW')
1108         return result
1109
1110     _columns = {
1111         'name': fields.char('Journal-Period Name', size=64, required=True),
1112         'journal_id': fields.many2one('account.journal', 'Journal', required=True, ondelete="cascade"),
1113         'period_id': fields.many2one('account.period', 'Period', required=True, ondelete="cascade"),
1114         'icon': fields.function(_icon_get, string='Icon', type='char', size=32),
1115         'active': fields.boolean('Active', required=True, help="If the active field is set to False, it will allow you to hide the journal period without removing it."),
1116         'state': fields.selection([('draft','Draft'), ('printed','Printed'), ('done','Done')], 'State', required=True, readonly=True,
1117                                   help='When journal period is created. The state is \'Draft\'. If a report is printed it comes to \'Printed\' state. When all transactions are done, it comes in \'Done\' state.'),
1118         'fiscalyear_id': fields.related('period_id', 'fiscalyear_id', string='Fiscal Year', type='many2one', relation='account.fiscalyear'),
1119         'company_id': fields.related('journal_id', 'company_id', type='many2one', relation='res.company', string='Company', store=True, readonly=True)
1120     }
1121
1122     def _check(self, cr, uid, ids, context=None):
1123         for obj in self.browse(cr, uid, ids, context=context):
1124             cr.execute('select * from account_move_line where journal_id=%s and period_id=%s limit 1', (obj.journal_id.id, obj.period_id.id))
1125             res = cr.fetchall()
1126             if res:
1127                 raise osv.except_osv(_('Error !'), _('You can not modify/delete a journal with entries for this period !'))
1128         return True
1129
1130     def write(self, cr, uid, ids, vals, context=None):
1131         self._check(cr, uid, ids, context=context)
1132         return super(account_journal_period, self).write(cr, uid, ids, vals, context=context)
1133
1134     def create(self, cr, uid, vals, context=None):
1135         period_id = vals.get('period_id',False)
1136         if period_id:
1137             period = self.pool.get('account.period').browse(cr, uid, period_id, context=context)
1138             vals['state']=period.state
1139         return super(account_journal_period, self).create(cr, uid, vals, context)
1140
1141     def unlink(self, cr, uid, ids, context=None):
1142         self._check(cr, uid, ids, context=context)
1143         return super(account_journal_period, self).unlink(cr, uid, ids, context=context)
1144
1145     _defaults = {
1146         'state': 'draft',
1147         'active': True,
1148     }
1149     _order = "period_id"
1150
1151 account_journal_period()
1152
1153 class account_fiscalyear(osv.osv):
1154     _inherit = "account.fiscalyear"
1155     _description = "Fiscal Year"
1156     _columns = {
1157         'end_journal_period_id':fields.many2one('account.journal.period','End of Year Entries Journal', readonly=True),
1158     }
1159
1160     def copy(self, cr, uid, id, default={}, context=None):
1161         default.update({
1162             'period_ids': [],
1163             'end_journal_period_id': False
1164         })
1165         return super(account_fiscalyear, self).copy(cr, uid, id, default=default, context=context)
1166
1167 account_fiscalyear()
1168 #----------------------------------------------------------
1169 # Entries
1170 #----------------------------------------------------------
1171 class account_move(osv.osv):
1172     _name = "account.move"
1173     _description = "Account Entry"
1174     _order = 'id desc'
1175
1176     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=80):
1177         """
1178         Returns a list of tupples containing id, name, as internally it is called {def name_get}
1179         result format: {[(id, name), (id, name), ...]}
1180
1181         @param cr: A database cursor
1182         @param user: ID of the user currently logged in
1183         @param name: name to search
1184         @param args: other arguments
1185         @param operator: default operator is 'ilike', it can be changed
1186         @param context: context arguments, like lang, time zone
1187         @param limit: Returns first 'n' ids of complete result, default is 80.
1188
1189         @return: Returns a list of tuples containing id and name
1190         """
1191
1192         if not args:
1193           args = []
1194         ids = []
1195         if name:
1196             ids += self.search(cr, user, [('name','ilike',name)]+args, limit=limit, context=context)
1197
1198         if not ids and name and type(name) == int:
1199             ids += self.search(cr, user, [('id','=',name)]+args, limit=limit, context=context)
1200
1201         if not ids:
1202             ids += self.search(cr, user, args, limit=limit, context=context)
1203
1204         return self.name_get(cr, user, ids, context=context)
1205
1206     def name_get(self, cursor, user, ids, context=None):
1207         if isinstance(ids, (int, long)):
1208             ids = [ids]
1209         if not ids:
1210             return []
1211         res = []
1212         data_move = self.pool.get('account.move').browse(cursor, user, ids, context=context)
1213         for move in data_move:
1214             if move.state=='draft':
1215                 name = '*' + str(move.id)
1216             else:
1217                 name = move.name
1218             res.append((move.id, name))
1219         return res
1220
1221     def _get_period(self, cr, uid, context=None):
1222         periods = self.pool.get('account.period').find(cr, uid)
1223         if periods:
1224             return periods[0]
1225         return False
1226
1227     def _amount_compute(self, cr, uid, ids, name, args, context, where =''):
1228         if not ids: return {}
1229         cr.execute( 'SELECT move_id, SUM(debit) '\
1230                     'FROM account_move_line '\
1231                     'WHERE move_id IN %s '\
1232                     'GROUP BY move_id', (tuple(ids),))
1233         result = dict(cr.fetchall())
1234         for id in ids:
1235             result.setdefault(id, 0.0)
1236         return result
1237
1238     def _search_amount(self, cr, uid, obj, name, args, context):
1239         ids = set()
1240         for cond in args:
1241             amount = cond[2]
1242             if isinstance(cond[2],(list,tuple)):
1243                 if cond[1] in ['in','not in']:
1244                     amount = tuple(cond[2])
1245                 else:
1246                     continue
1247             else:
1248                 if cond[1] in ['=like', 'like', 'not like', 'ilike', 'not ilike', 'in', 'not in', 'child_of']:
1249                     continue
1250
1251             cr.execute("select move_id from account_move_line group by move_id having sum(debit) %s %%s" % (cond[1]),(amount,))
1252             res_ids = set(id[0] for id in cr.fetchall())
1253             ids = ids and (ids & res_ids) or res_ids
1254         if ids:
1255             return [('id', 'in', tuple(ids))]
1256         return [('id', '=', '0')]
1257
1258     _columns = {
1259         'name': fields.char('Number', size=64, required=True),
1260         'ref': fields.char('Reference', size=64),
1261         'period_id': fields.many2one('account.period', 'Period', required=True, states={'posted':[('readonly',True)]}),
1262         'journal_id': fields.many2one('account.journal', 'Journal', required=True, states={'posted':[('readonly',True)]}),
1263         'state': fields.selection([('draft','Unposted'), ('posted','Posted')], 'State', required=True, readonly=True,
1264             help='All manually created new journal entries are usually in the state \'Unposted\', but you can set the option to skip that state on the related journal. In that case, they will be behave as journal entries automatically created by the system on document validation (invoices, bank statements...) and will be created in \'Posted\' state.'),
1265         'line_id': fields.one2many('account.move.line', 'move_id', 'Entries', states={'posted':[('readonly',True)]}),
1266         'to_check': fields.boolean('To Review', 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.'),
1267         'partner_id': fields.related('line_id', 'partner_id', type="many2one", relation="res.partner", string="Partner", store=True),
1268         'amount': fields.function(_amount_compute, string='Amount', digits_compute=dp.get_precision('Account'), type='float', fnct_search=_search_amount),
1269         'date': fields.date('Date', required=True, states={'posted':[('readonly',True)]}, select=True),
1270         'narration':fields.text('Internal Note'),
1271         'company_id': fields.related('journal_id','company_id',type='many2one',relation='res.company',string='Company', store=True, readonly=True),
1272     }
1273     _defaults = {
1274         'name': '/',
1275         'state': 'draft',
1276         'period_id': _get_period,
1277         'date': lambda *a: time.strftime('%Y-%m-%d'),
1278         'company_id': lambda self, cr, uid, c: self.pool.get('res.users').browse(cr, uid, uid, c).company_id.id,
1279     }
1280
1281     def _check_centralisation(self, cursor, user, ids, context=None):
1282         for move in self.browse(cursor, user, ids, context=context):
1283             if move.journal_id.centralisation:
1284                 move_ids = self.search(cursor, user, [
1285                     ('period_id', '=', move.period_id.id),
1286                     ('journal_id', '=', move.journal_id.id),
1287                     ])
1288                 if len(move_ids) > 1:
1289                     return False
1290         return True
1291
1292     _constraints = [
1293         (_check_centralisation,
1294             'You can not create more than one move per period on centralized journal',
1295             ['journal_id']),
1296     ]
1297
1298     def post(self, cr, uid, ids, context=None):
1299         if context is None:
1300             context = {}
1301         invoice = context.get('invoice', False)
1302         valid_moves = self.validate(cr, uid, ids, context)
1303
1304         if not valid_moves:
1305             raise osv.except_osv(_('Integrity Error !'), _('You can not validate a non-balanced entry !\nMake sure you have configured payment terms properly !\nThe latest payment term line should be of the type "Balance" !'))
1306         obj_sequence = self.pool.get('ir.sequence')
1307         for move in self.browse(cr, uid, valid_moves, context=context):
1308             if move.name =='/':
1309                 new_name = False
1310                 journal = move.journal_id
1311
1312                 if invoice and invoice.internal_number:
1313                     new_name = invoice.internal_number
1314                 else:
1315                     if journal.sequence_id:
1316                         c = {'fiscalyear_id': move.period_id.fiscalyear_id.id}
1317                         new_name = obj_sequence.next_by_id(cr, uid, journal.sequence_id.id, c)
1318                     else:
1319                         raise osv.except_osv(_('Error'), _('No sequence defined on the journal !'))
1320
1321                 if new_name:
1322                     self.write(cr, uid, [move.id], {'name':new_name})
1323
1324         cr.execute('UPDATE account_move '\
1325                    'SET state=%s '\
1326                    'WHERE id IN %s',
1327                    ('posted', tuple(valid_moves),))
1328         return True
1329
1330     def button_validate(self, cursor, user, ids, context=None):
1331         for move in self.browse(cursor, user, ids, context=context):
1332             top = None
1333             for line in move.line_id:
1334                 account = line.account_id
1335                 while account:
1336                     account2 = account
1337                     account = account.parent_id
1338                 if not top:
1339                     top = account2.id
1340                 elif top<>account2.id:
1341                     raise osv.except_osv(_('Error !'), _('You can not validate a journal entry unless all journal items belongs to the same chart of accounts !'))
1342         return self.post(cursor, user, ids, context=context)
1343
1344     def button_cancel(self, cr, uid, ids, context=None):
1345         for line in self.browse(cr, uid, ids, context=context):
1346             if not line.journal_id.update_posted:
1347                 raise osv.except_osv(_('Error !'), _('You can not modify a posted entry of this journal !\nYou should set the journal to allow cancelling entries if you want to do that.'))
1348         if ids:
1349             cr.execute('UPDATE account_move '\
1350                        'SET state=%s '\
1351                        'WHERE id IN %s', ('draft', tuple(ids),))
1352         return True
1353
1354     def write(self, cr, uid, ids, vals, context=None):
1355         if context is None:
1356             context = {}
1357         c = context.copy()
1358         c['novalidate'] = True
1359         result = super(account_move, self).write(cr, uid, ids, vals, c)
1360         self.validate(cr, uid, ids, context=context)
1361         return result
1362
1363     #
1364     # TODO: Check if period is closed !
1365     #
1366     def create(self, cr, uid, vals, context=None):
1367         if context is None:
1368             context = {}
1369         if 'line_id' in vals and context.get('copy'):
1370             for l in vals['line_id']:
1371                 if not l[0]:
1372                     l[2].update({
1373                         'reconcile_id':False,
1374                         'reconcil_partial_id':False,
1375                         'analytic_lines':False,
1376                         'invoice':False,
1377                         'ref':False,
1378                         'balance':False,
1379                         'account_tax_id':False,
1380                     })
1381
1382             if 'journal_id' in vals and vals.get('journal_id', False):
1383                 for l in vals['line_id']:
1384                     if not l[0]:
1385                         l[2]['journal_id'] = vals['journal_id']
1386                 context['journal_id'] = vals['journal_id']
1387             if 'period_id' in vals:
1388                 for l in vals['line_id']:
1389                     if not l[0]:
1390                         l[2]['period_id'] = vals['period_id']
1391                 context['period_id'] = vals['period_id']
1392             else:
1393                 default_period = self._get_period(cr, uid, context)
1394                 for l in vals['line_id']:
1395                     if not l[0]:
1396                         l[2]['period_id'] = default_period
1397                 context['period_id'] = default_period
1398
1399         if 'line_id' in vals:
1400             c = context.copy()
1401             c['novalidate'] = True
1402             result = super(account_move, self).create(cr, uid, vals, c)
1403             self.validate(cr, uid, [result], context)
1404         else:
1405             result = super(account_move, self).create(cr, uid, vals, context)
1406         return result
1407
1408     def copy(self, cr, uid, id, default={}, context=None):
1409         if context is None:
1410             context = {}
1411         default.update({
1412             'state':'draft',
1413             'name':'/',
1414         })
1415         context.update({
1416             'copy':True
1417         })
1418         return super(account_move, self).copy(cr, uid, id, default, context)
1419
1420     def unlink(self, cr, uid, ids, context=None, check=True):
1421         if context is None:
1422             context = {}
1423         toremove = []
1424         obj_move_line = self.pool.get('account.move.line')
1425         for move in self.browse(cr, uid, ids, context=context):
1426             if move['state'] != 'draft':
1427                 raise osv.except_osv(_('UserError'),
1428                         _('You can not delete a posted journal entry "%s"!') % \
1429                                 move['name'])
1430             line_ids = map(lambda x: x.id, move.line_id)
1431             context['journal_id'] = move.journal_id.id
1432             context['period_id'] = move.period_id.id
1433             obj_move_line._update_check(cr, uid, line_ids, context)
1434             obj_move_line.unlink(cr, uid, line_ids, context=context)
1435             toremove.append(move.id)
1436         result = super(account_move, self).unlink(cr, uid, toremove, context)
1437         return result
1438
1439     def _compute_balance(self, cr, uid, id, context=None):
1440         move = self.browse(cr, uid, id, context=context)
1441         amount = 0
1442         for line in move.line_id:
1443             amount+= (line.debit - line.credit)
1444         return amount
1445
1446     def _centralise(self, cr, uid, move, mode, context=None):
1447         assert mode in ('debit', 'credit'), 'Invalid Mode' #to prevent sql injection
1448         currency_obj = self.pool.get('res.currency')
1449         if context is None:
1450             context = {}
1451
1452         if mode=='credit':
1453             account_id = move.journal_id.default_debit_account_id.id
1454             mode2 = 'debit'
1455             if not account_id:
1456                 raise osv.except_osv(_('UserError'),
1457                         _('There is no default default debit account defined \n' \
1458                                 'on journal "%s"') % move.journal_id.name)
1459         else:
1460             account_id = move.journal_id.default_credit_account_id.id
1461             mode2 = 'credit'
1462             if not account_id:
1463                 raise osv.except_osv(_('UserError'),
1464                         _('There is no default default credit account defined \n' \
1465                                 'on journal "%s"') % move.journal_id.name)
1466
1467         # find the first line of this move with the current mode
1468         # or create it if it doesn't exist
1469         cr.execute('select id from account_move_line where move_id=%s and centralisation=%s limit 1', (move.id, mode))
1470         res = cr.fetchone()
1471         if res:
1472             line_id = res[0]
1473         else:
1474             context.update({'journal_id': move.journal_id.id, 'period_id': move.period_id.id})
1475             line_id = self.pool.get('account.move.line').create(cr, uid, {
1476                 'name': _(mode.capitalize()+' Centralisation'),
1477                 'centralisation': mode,
1478                 'account_id': account_id,
1479                 'move_id': move.id,
1480                 'journal_id': move.journal_id.id,
1481                 'period_id': move.period_id.id,
1482                 'date': move.period_id.date_stop,
1483                 'debit': 0.0,
1484                 'credit': 0.0,
1485             }, context)
1486
1487         # find the first line of this move with the other mode
1488         # so that we can exclude it from our calculation
1489         cr.execute('select id from account_move_line where move_id=%s and centralisation=%s limit 1', (move.id, mode2))
1490         res = cr.fetchone()
1491         if res:
1492             line_id2 = res[0]
1493         else:
1494             line_id2 = 0
1495
1496         cr.execute('SELECT SUM(%s) FROM account_move_line WHERE move_id=%%s AND id!=%%s' % (mode,), (move.id, line_id2))
1497         result = cr.fetchone()[0] or 0.0
1498         cr.execute('update account_move_line set '+mode2+'=%s where id=%s', (result, line_id))
1499
1500         #adjust also the amount in currency if needed
1501         cr.execute("select currency_id, sum(amount_currency) as amount_currency from account_move_line where move_id = %s and currency_id is not null group by currency_id", (move.id,))
1502         for row in cr.dictfetchall():
1503             currency_id = currency_obj.browse(cr, uid, row['currency_id'], context=context)
1504             if not currency_obj.is_zero(cr, uid, currency_id, row['amount_currency']):
1505                 amount_currency = row['amount_currency'] * -1
1506                 account_id = amount_currency > 0 and move.journal_id.default_debit_account_id.id or move.journal_id.default_credit_account_id.id
1507                 cr.execute('select id from account_move_line where move_id=%s and centralisation=\'currency\' and currency_id = %slimit 1', (move.id, row['currency_id']))
1508                 res = cr.fetchone()
1509                 if res:
1510                     cr.execute('update account_move_line set amount_currency=%s , account_id=%s where id=%s', (amount_currency, account_id, res[0]))
1511                 else:
1512                     context.update({'journal_id': move.journal_id.id, 'period_id': move.period_id.id})
1513                     line_id = self.pool.get('account.move.line').create(cr, uid, {
1514                         'name': _('Currency Adjustment'),
1515                         'centralisation': 'currency',
1516                         'account_id': account_id,
1517                         'move_id': move.id,
1518                         'journal_id': move.journal_id.id,
1519                         'period_id': move.period_id.id,
1520                         'date': move.period_id.date_stop,
1521                         'debit': 0.0,
1522                         'credit': 0.0,
1523                         'currency_id': row['currency_id'],
1524                         'amount_currency': amount_currency,
1525                     }, context)
1526
1527         return True
1528
1529     #
1530     # Validate a balanced move. If it is a centralised journal, create a move.
1531     #
1532     def validate(self, cr, uid, ids, context=None):
1533         if context and ('__last_update' in context):
1534             del context['__last_update']
1535
1536         valid_moves = [] #Maintains a list of moves which can be responsible to create analytic entries
1537         obj_analytic_line = self.pool.get('account.analytic.line')
1538         obj_move_line = self.pool.get('account.move.line')
1539         for move in self.browse(cr, uid, ids, context):
1540             # Unlink old analytic lines on move_lines
1541             for obj_line in move.line_id:
1542                 for obj in obj_line.analytic_lines:
1543                     obj_analytic_line.unlink(cr,uid,obj.id)
1544
1545             journal = move.journal_id
1546             amount = 0
1547             line_ids = []
1548             line_draft_ids = []
1549             company_id = None
1550             for line in move.line_id:
1551                 amount += line.debit - line.credit
1552                 line_ids.append(line.id)
1553                 if line.state=='draft':
1554                     line_draft_ids.append(line.id)
1555
1556                 if not company_id:
1557                     company_id = line.account_id.company_id.id
1558                 if not company_id == line.account_id.company_id.id:
1559                     raise osv.except_osv(_('Error'), _("Couldn't create move between different companies"))
1560
1561                 if line.account_id.currency_id and line.currency_id:
1562                     if line.account_id.currency_id.id != line.currency_id.id and (line.account_id.currency_id.id != line.account_id.company_id.currency_id.id):
1563                         raise osv.except_osv(_('Error'), _("""Couldn't create move with currency different from the secondary currency of the account "%s - %s". Clear the secondary currency field of the account definition if you want to accept all currencies.""") % (line.account_id.code, line.account_id.name))
1564
1565             if abs(amount) < 10 ** -4:
1566                 # If the move is balanced
1567                 # Add to the list of valid moves
1568                 # (analytic lines will be created later for valid moves)
1569                 valid_moves.append(move)
1570
1571                 # Check whether the move lines are confirmed
1572
1573                 if not line_draft_ids:
1574                     continue
1575                 # Update the move lines (set them as valid)
1576
1577                 obj_move_line.write(cr, uid, line_draft_ids, {
1578                     'state': 'valid'
1579                 }, context, check=False)
1580
1581                 account = {}
1582                 account2 = {}
1583
1584                 if journal.type in ('purchase','sale'):
1585                     for line in move.line_id:
1586                         code = amount = 0
1587                         key = (line.account_id.id, line.tax_code_id.id)
1588                         if key in account2:
1589                             code = account2[key][0]
1590                             amount = account2[key][1] * (line.debit + line.credit)
1591                         elif line.account_id.id in account:
1592                             code = account[line.account_id.id][0]
1593                             amount = account[line.account_id.id][1] * (line.debit + line.credit)
1594                         if (code or amount) and not (line.tax_code_id or line.tax_amount):
1595                             obj_move_line.write(cr, uid, [line.id], {
1596                                 'tax_code_id': code,
1597                                 'tax_amount': amount
1598                             }, context, check=False)
1599             elif journal.centralisation:
1600                 # If the move is not balanced, it must be centralised...
1601
1602                 # Add to the list of valid moves
1603                 # (analytic lines will be created later for valid moves)
1604                 valid_moves.append(move)
1605
1606                 #
1607                 # Update the move lines (set them as valid)
1608                 #
1609                 self._centralise(cr, uid, move, 'debit', context=context)
1610                 self._centralise(cr, uid, move, 'credit', context=context)
1611                 obj_move_line.write(cr, uid, line_draft_ids, {
1612                     'state': 'valid'
1613                 }, context, check=False)
1614             else:
1615                 # We can't validate it (it's unbalanced)
1616                 # Setting the lines as draft
1617                 obj_move_line.write(cr, uid, line_ids, {
1618                     'state': 'draft'
1619                 }, context, check=False)
1620         # Create analytic lines for the valid moves
1621         for record in valid_moves:
1622             obj_move_line.create_analytic_lines(cr, uid, [line.id for line in record.line_id], context)
1623
1624         valid_moves = [move.id for move in valid_moves]
1625         return len(valid_moves) > 0 and valid_moves or False
1626
1627 account_move()
1628
1629 class account_move_reconcile(osv.osv):
1630     _name = "account.move.reconcile"
1631     _description = "Account Reconciliation"
1632     _columns = {
1633         'name': fields.char('Name', size=64, required=True),
1634         'type': fields.char('Type', size=16, required=True),
1635         'line_id': fields.one2many('account.move.line', 'reconcile_id', 'Entry Lines'),
1636         'line_partial_ids': fields.one2many('account.move.line', 'reconcile_partial_id', 'Partial Entry lines'),
1637         'create_date': fields.date('Creation date', readonly=True),
1638     }
1639     _defaults = {
1640         'name': lambda self,cr,uid,ctx={}: self.pool.get('ir.sequence').get(cr, uid, 'account.reconcile') or '/',
1641     }
1642
1643     def reconcile_partial_check(self, cr, uid, ids, type='auto', context=None):
1644         total = 0.0
1645         for rec in self.browse(cr, uid, ids, context=context):
1646             for line in rec.line_partial_ids:
1647                 if line.account_id.currency_id:
1648                     total += line.amount_currency
1649                 else:
1650                     total += (line.debit or 0.0) - (line.credit or 0.0)
1651         if not total:
1652             self.pool.get('account.move.line').write(cr, uid,
1653                 map(lambda x: x.id, rec.line_partial_ids),
1654                 {'reconcile_id': rec.id }
1655             )
1656         return True
1657
1658     def name_get(self, cr, uid, ids, context=None):
1659         if not ids:
1660             return []
1661         result = []
1662         for r in self.browse(cr, uid, ids, context=context):
1663             total = reduce(lambda y,t: (t.debit or 0.0) - (t.credit or 0.0) + y, r.line_partial_ids, 0.0)
1664             if total:
1665                 name = '%s (%.2f)' % (r.name, total)
1666                 result.append((r.id,name))
1667             else:
1668                 result.append((r.id,r.name))
1669         return result
1670
1671 account_move_reconcile()
1672
1673 #----------------------------------------------------------
1674 # Tax
1675 #----------------------------------------------------------
1676 """
1677 a documenter
1678 child_depend: la taxe depend des taxes filles
1679 """
1680 class account_tax_code(osv.osv):
1681     """
1682     A code for the tax object.
1683
1684     This code is used for some tax declarations.
1685     """
1686     def _sum(self, cr, uid, ids, name, args, context, where ='', where_params=()):
1687         parent_ids = tuple(self.search(cr, uid, [('parent_id', 'child_of', ids)]))
1688         if context.get('based_on', 'invoices') == 'payments':
1689             cr.execute('SELECT line.tax_code_id, sum(line.tax_amount) \
1690                     FROM account_move_line AS line, \
1691                         account_move AS move \
1692                         LEFT JOIN account_invoice invoice ON \
1693                             (invoice.move_id = move.id) \
1694                     WHERE line.tax_code_id IN %s '+where+' \
1695                         AND move.id = line.move_id \
1696                         AND ((invoice.state = \'paid\') \
1697                             OR (invoice.id IS NULL)) \
1698                             GROUP BY line.tax_code_id',
1699                                 (parent_ids,) + where_params)
1700         else:
1701             cr.execute('SELECT line.tax_code_id, sum(line.tax_amount) \
1702                     FROM account_move_line AS line, \
1703                     account_move AS move \
1704                     WHERE line.tax_code_id IN %s '+where+' \
1705                     AND move.id = line.move_id \
1706                     GROUP BY line.tax_code_id',
1707                        (parent_ids,) + where_params)
1708         res=dict(cr.fetchall())
1709         obj_precision = self.pool.get('decimal.precision')
1710         res2 = {}
1711         for record in self.browse(cr, uid, ids, context=context):
1712             def _rec_get(record):
1713                 amount = res.get(record.id, 0.0)
1714                 for rec in record.child_ids:
1715                     amount += _rec_get(rec) * rec.sign
1716                 return amount
1717             res2[record.id] = round(_rec_get(record), obj_precision.precision_get(cr, uid, 'Account'))
1718         return res2
1719
1720     def _sum_year(self, cr, uid, ids, name, args, context=None):
1721         if context is None:
1722             context = {}
1723         move_state = ('posted', )
1724         if context.get('state', 'all') == 'all':
1725             move_state = ('draft', 'posted', )
1726         if context.get('fiscalyear_id', False):
1727             fiscalyear_id = [context['fiscalyear_id']]
1728         else:
1729             fiscalyear_id = self.pool.get('account.fiscalyear').finds(cr, uid, exception=False)
1730         where = ''
1731         where_params = ()
1732         if fiscalyear_id:
1733             pids = []
1734             for fy in fiscalyear_id:
1735                 pids += map(lambda x: str(x.id), self.pool.get('account.fiscalyear').browse(cr, uid, fy).period_ids)
1736             if pids:
1737                 where = ' AND line.period_id IN %s AND move.state IN %s '
1738                 where_params = (tuple(pids), move_state)
1739         return self._sum(cr, uid, ids, name, args, context,
1740                 where=where, where_params=where_params)
1741
1742     def _sum_period(self, cr, uid, ids, name, args, context):
1743         if context is None:
1744             context = {}
1745         move_state = ('posted', )
1746         if context.get('state', False) == 'all':
1747             move_state = ('draft', 'posted', )
1748         if context.get('period_id', False):
1749             period_id = context['period_id']
1750         else:
1751             period_id = self.pool.get('account.period').find(cr, uid)
1752             if not period_id:
1753                 return dict.fromkeys(ids, 0.0)
1754             period_id = period_id[0]
1755         return self._sum(cr, uid, ids, name, args, context,
1756                 where=' AND line.period_id=%s AND move.state IN %s', where_params=(period_id, move_state))
1757
1758     _name = 'account.tax.code'
1759     _description = 'Tax Code'
1760     _rec_name = 'code'
1761     _columns = {
1762         'name': fields.char('Tax Case Name', size=64, required=True, translate=True),
1763         'code': fields.char('Case Code', size=64),
1764         'info': fields.text('Description'),
1765         'sum': fields.function(_sum_year, string="Year Sum"),
1766         'sum_period': fields.function(_sum_period, string="Period Sum"),
1767         'parent_id': fields.many2one('account.tax.code', 'Parent Code', select=True),
1768         'child_ids': fields.one2many('account.tax.code', 'parent_id', 'Child Codes'),
1769         'line_ids': fields.one2many('account.move.line', 'tax_code_id', 'Lines'),
1770         'company_id': fields.many2one('res.company', 'Company', required=True),
1771         'sign': fields.float('Coefficent for parent', required=True, help='You can specify here the coefficient that will be used when consolidating the amount of this case into its parent. For example, set 1/-1 if you want to add/substract it.'),
1772         'notprintable':fields.boolean("Not Printable in Invoice", help="Check this box if you don't want any VAT related to this Tax Code to appear on invoices"),
1773     }
1774
1775     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=80):
1776         if not args:
1777             args = []
1778         if context is None:
1779             context = {}
1780         ids = self.search(cr, user, ['|',('name',operator,name),('code',operator,name)] + args, limit=limit, context=context)
1781         return self.name_get(cr, user, ids, context)
1782
1783     def name_get(self, cr, uid, ids, context=None):
1784         if isinstance(ids, (int, long)):
1785             ids = [ids]
1786         if not ids:
1787             return []
1788         if isinstance(ids, (int, long)):
1789             ids = [ids]
1790         reads = self.read(cr, uid, ids, ['name','code'], context, load='_classic_write')
1791         return [(x['id'], (x['code'] and (x['code'] + ' - ') or '') + x['name']) \
1792                 for x in reads]
1793
1794     def _default_company(self, cr, uid, context=None):
1795         user = self.pool.get('res.users').browse(cr, uid, uid, context=context)
1796         if user.company_id:
1797             return user.company_id.id
1798         return self.pool.get('res.company').search(cr, uid, [('parent_id', '=', False)])[0]
1799     _defaults = {
1800         'company_id': _default_company,
1801         'sign': 1.0,
1802         'notprintable': False,
1803     }
1804
1805     def copy(self, cr, uid, id, default=None, context=None):
1806         if default is None:
1807             default = {}
1808         default = default.copy()
1809         default.update({'line_ids': []})
1810         return super(account_tax_code, self).copy(cr, uid, id, default, context)
1811
1812     _check_recursion = check_cycle
1813     _constraints = [
1814         (_check_recursion, 'Error ! You can not create recursive accounts.', ['parent_id'])
1815     ]
1816     _order = 'code'
1817
1818 account_tax_code()
1819
1820 class account_tax(osv.osv):
1821     """
1822     A tax object.
1823
1824     Type: percent, fixed, none, code
1825         PERCENT: tax = price * amount
1826         FIXED: tax = price + amount
1827         NONE: no tax line
1828         CODE: execute python code. localcontext = {'price_unit':pu, 'address':address_object}
1829             return result in the context
1830             Ex: result=round(price_unit*0.21,4)
1831     """
1832
1833     def get_precision_tax():
1834         def change_digit_tax(cr):
1835             res = pooler.get_pool(cr.dbname).get('decimal.precision').precision_get(cr, 1, 'Account')
1836             return (16, res+2)
1837         return change_digit_tax
1838
1839     _name = 'account.tax'
1840     _description = 'Tax'
1841     _columns = {
1842         'name': fields.char('Tax Name', size=64, required=True, translate=True, help="This name will be displayed on reports"),
1843         'sequence': fields.integer('Sequence', required=True, help="The sequence field is used to order the tax lines from the lowest sequences to the higher ones. The order is important if you have a tax with several tax children. In this case, the evaluation order is important."),
1844         'amount': fields.float('Amount', required=True, digits_compute=get_precision_tax(), help="For taxes of type percentage, enter % ratio between 0-1."),
1845         'active': fields.boolean('Active', help="If the active field is set to False, it will allow you to hide the tax without removing it."),
1846         'type': fields.selection( [('percent','Percentage'), ('fixed','Fixed Amount'), ('none','None'), ('code','Python Code'), ('balance','Balance')], 'Tax Type', required=True,
1847             help="The computation method for the tax amount."),
1848         'applicable_type': fields.selection( [('true','Always'), ('code','Given by Python Code')], 'Applicability', required=True,
1849             help="If not applicable (computed through a Python code), the tax won't appear on the invoice."),
1850         'domain':fields.char('Domain', size=32, help="This field is only used if you develop your own module allowing developers to create specific taxes in a custom domain."),
1851         'account_collected_id':fields.many2one('account.account', 'Invoice Tax Account'),
1852         'account_paid_id':fields.many2one('account.account', 'Refund Tax Account'),
1853         'parent_id':fields.many2one('account.tax', 'Parent Tax Account', select=True),
1854         'child_ids':fields.one2many('account.tax', 'parent_id', 'Child Tax Accounts'),
1855         'child_depend':fields.boolean('Tax on Children', help="Set if the tax computation is based on the computation of child taxes rather than on the total amount."),
1856         'python_compute':fields.text('Python Code'),
1857         'python_compute_inv':fields.text('Python Code (reverse)'),
1858         'python_applicable':fields.text('Python Code'),
1859
1860         #
1861         # Fields used for the VAT declaration
1862         #
1863         'base_code_id': fields.many2one('account.tax.code', 'Account Base Code', help="Use this code for the VAT declaration."),
1864         'tax_code_id': fields.many2one('account.tax.code', 'Account Tax Code', help="Use this code for the VAT declaration."),
1865         'base_sign': fields.float('Base Code Sign', help="Usually 1 or -1."),
1866         'tax_sign': fields.float('Tax Code Sign', help="Usually 1 or -1."),
1867
1868         # Same fields for refund invoices
1869
1870         'ref_base_code_id': fields.many2one('account.tax.code', 'Refund Base Code', help="Use this code for the VAT declaration."),
1871         'ref_tax_code_id': fields.many2one('account.tax.code', 'Refund Tax Code', help="Use this code for the VAT declaration."),
1872         'ref_base_sign': fields.float('Base Code Sign', help="Usually 1 or -1."),
1873         'ref_tax_sign': fields.float('Tax Code Sign', help="Usually 1 or -1."),
1874         'include_base_amount': fields.boolean('Included in base amount', help="Indicates if the amount of tax must be included in the base amount for the computation of the next taxes"),
1875         'company_id': fields.many2one('res.company', 'Company', required=True),
1876         'description': fields.char('Tax Code',size=32),
1877         'price_include': fields.boolean('Tax Included in Price', help="Check this if the price you use on the product and invoices includes this tax."),
1878         'type_tax_use': fields.selection([('sale','Sale'),('purchase','Purchase'),('all','All')], 'Tax Application', required=True)
1879
1880     }
1881     _sql_constraints = [
1882         ('name_company_uniq', 'unique(name, company_id)', 'Tax Name must be unique per company!'),
1883     ]
1884
1885     def name_search(self, cr, user, name, args=None, operator='ilike', context=None, limit=80):
1886         """
1887         Returns a list of tupples containing id, name, as internally it is called {def name_get}
1888         result format: {[(id, name), (id, name), ...]}
1889
1890         @param cr: A database cursor
1891         @param user: ID of the user currently logged in
1892         @param name: name to search
1893         @param args: other arguments
1894         @param operator: default operator is 'ilike', it can be changed
1895         @param context: context arguments, like lang, time zone
1896         @param limit: Returns first 'n' ids of complete result, default is 80.
1897
1898         @return: Returns a list of tupples containing id and name
1899         """
1900         if not args:
1901             args = []
1902         if context is None:
1903             context = {}
1904         ids = []
1905         if name:
1906             ids = self.search(cr, user, [('description', '=', name)] + args, limit=limit, context=context)
1907             if not ids:
1908                 ids = self.search(cr, user, [('name', operator, name)] + args, limit=limit, context=context)
1909         else:
1910             ids = self.search(cr, user, args, limit=limit, context=context or {})
1911         return self.name_get(cr, user, ids, context=context)
1912
1913     def write(self, cr, uid, ids, vals, context=None):
1914         if vals.get('type', False) and vals['type'] in ('none', 'code'):
1915             vals.update({'amount': 0.0})
1916         return super(account_tax, self).write(cr, uid, ids, vals, context=context)
1917
1918     def search(self, cr, uid, args, offset=0, limit=None, order=None, context=None, count=False):
1919         journal_pool = self.pool.get('account.journal')
1920
1921         if context and context.has_key('type'):
1922             if context.get('type') in ('out_invoice','out_refund'):
1923                 args += [('type_tax_use','in',['sale','all'])]
1924             elif context.get('type') in ('in_invoice','in_refund'):
1925                 args += [('type_tax_use','in',['purchase','all'])]
1926
1927         if context and context.has_key('journal_id'):
1928             journal = journal_pool.browse(cr, uid, context.get('journal_id'))
1929             if journal.type in ('sale', 'purchase'):
1930                 args += [('type_tax_use','in',[journal.type,'all'])]
1931
1932         return super(account_tax, self).search(cr, uid, args, offset, limit, order, context, count)
1933
1934     def name_get(self, cr, uid, ids, context=None):
1935         if not ids:
1936             return []
1937         res = []
1938         for record in self.read(cr, uid, ids, ['description','name'], context=context):
1939             name = record['description'] and record['description'] or record['name']
1940             res.append((record['id'],name ))
1941         return res
1942
1943     def _default_company(self, cr, uid, context=None):
1944         user = self.pool.get('res.users').browse(cr, uid, uid, context=context)
1945         if user.company_id:
1946             return user.company_id.id
1947         return self.pool.get('res.company').search(cr, uid, [('parent_id', '=', False)])[0]
1948
1949     _defaults = {
1950         'python_compute': '''# price_unit\n# address: res.partner.address object or False\n# product: product.product object or None\n# partner: res.partner object or None\n\nresult = price_unit * 0.10''',
1951         'python_compute_inv': '''# price_unit\n# address: res.partner.address object or False\n# product: product.product object or False\n\nresult = price_unit * 0.10''',
1952         'applicable_type': 'true',
1953         'type': 'percent',
1954         'amount': 0,
1955         'price_include': 0,
1956         'active': 1,
1957         'type_tax_use': 'all',
1958         'sequence': 1,
1959         'ref_tax_sign': 1,
1960         'ref_base_sign': 1,
1961         'tax_sign': 1,
1962         'base_sign': 1,
1963         'include_base_amount': False,
1964         'company_id': _default_company,
1965     }
1966     _order = 'sequence'
1967
1968     def _applicable(self, cr, uid, taxes, price_unit, address_id=None, product=None, partner=None):
1969         res = []
1970         obj_partener_address = self.pool.get('res.partner.address')
1971         for tax in taxes:
1972             if tax.applicable_type=='code':
1973                 localdict = {'price_unit':price_unit, 'address':obj_partener_address.browse(cr, uid, address_id), 'product':product, 'partner':partner}
1974                 exec tax.python_applicable in localdict
1975                 if localdict.get('result', False):
1976                     res.append(tax)
1977             else:
1978                 res.append(tax)
1979         return res
1980
1981     def _unit_compute(self, cr, uid, taxes, price_unit, address_id=None, product=None, partner=None, quantity=0):
1982         taxes = self._applicable(cr, uid, taxes, price_unit, address_id, product, partner)
1983         res = []
1984         cur_price_unit=price_unit
1985         obj_partener_address = self.pool.get('res.partner.address')
1986         for tax in taxes:
1987             # we compute the amount for the current tax object and append it to the result
1988             data = {'id':tax.id,
1989                     'name':tax.description and tax.description + " - " + tax.name or tax.name,
1990                     'account_collected_id':tax.account_collected_id.id,
1991                     'account_paid_id':tax.account_paid_id.id,
1992                     'base_code_id': tax.base_code_id.id,
1993                     'ref_base_code_id': tax.ref_base_code_id.id,
1994                     'sequence': tax.sequence,
1995                     'base_sign': tax.base_sign,
1996                     'tax_sign': tax.tax_sign,
1997                     'ref_base_sign': tax.ref_base_sign,
1998                     'ref_tax_sign': tax.ref_tax_sign,
1999                     'price_unit': cur_price_unit,
2000                     'tax_code_id': tax.tax_code_id.id,
2001                     'ref_tax_code_id': tax.ref_tax_code_id.id,
2002             }
2003             res.append(data)
2004             if tax.type=='percent':
2005                 amount = cur_price_unit * tax.amount
2006                 data['amount'] = amount
2007
2008             elif tax.type=='fixed':
2009                 data['amount'] = tax.amount
2010                 data['tax_amount']=quantity
2011                # data['amount'] = quantity
2012             elif tax.type=='code':
2013                 address = address_id and obj_partener_address.browse(cr, uid, address_id) or None
2014                 localdict = {'price_unit':cur_price_unit, 'address':address, 'product':product, 'partner':partner}
2015                 exec tax.python_compute in localdict
2016                 amount = localdict['result']
2017                 data['amount'] = amount
2018             elif tax.type=='balance':
2019                 data['amount'] = cur_price_unit - reduce(lambda x,y: y.get('amount',0.0)+x, res, 0.0)
2020                 data['balance'] = cur_price_unit
2021
2022             amount2 = data.get('amount', 0.0)
2023             if tax.child_ids:
2024                 if tax.child_depend:
2025                     latest = res.pop()
2026                 amount = amount2
2027                 child_tax = self._unit_compute(cr, uid, tax.child_ids, amount, address_id, product, partner, quantity)
2028                 res.extend(child_tax)
2029                 if tax.child_depend:
2030                     for r in res:
2031                         for name in ('base','ref_base'):
2032                             if latest[name+'_code_id'] and latest[name+'_sign'] and not r[name+'_code_id']:
2033                                 r[name+'_code_id'] = latest[name+'_code_id']
2034                                 r[name+'_sign'] = latest[name+'_sign']
2035                                 r['price_unit'] = latest['price_unit']
2036                                 latest[name+'_code_id'] = False
2037                         for name in ('tax','ref_tax'):
2038                             if latest[name+'_code_id'] and latest[name+'_sign'] and not r[name+'_code_id']:
2039                                 r[name+'_code_id'] = latest[name+'_code_id']
2040                                 r[name+'_sign'] = latest[name+'_sign']
2041                                 r['amount'] = data['amount']
2042                                 latest[name+'_code_id'] = False
2043             if tax.include_base_amount:
2044                 cur_price_unit+=amount2
2045         return res
2046
2047     def compute_all(self, cr, uid, taxes, price_unit, quantity, address_id=None, product=None, partner=None, force_excluded=False):
2048         """
2049         :param force_excluded: boolean used to say that we don't want to consider the value of field price_include of
2050             tax. It's used in encoding by line where you don't matter if you encoded a tax with that boolean to True or
2051             False
2052         RETURN: {
2053                 'total': 0.0,                # Total without taxes
2054                 'total_included: 0.0,        # Total with taxes
2055                 'taxes': []                  # List of taxes, see compute for the format
2056             }
2057         """
2058         precision = self.pool.get('decimal.precision').precision_get(cr, uid, 'Account')
2059         totalin = totalex = round(price_unit * quantity, precision)
2060         tin = []
2061         tex = []
2062         for tax in taxes:
2063             if not tax.price_include or force_excluded:
2064                 tex.append(tax)
2065             else:
2066                 tin.append(tax)
2067         tin = self.compute_inv(cr, uid, tin, price_unit, quantity, address_id=address_id, product=product, partner=partner)
2068         for r in tin:
2069             totalex -= r.get('amount', 0.0)
2070         totlex_qty = 0.0
2071         try:
2072             totlex_qty = totalex/quantity
2073         except:
2074             pass
2075         tex = self._compute(cr, uid, tex, totlex_qty, quantity, address_id=address_id, product=product, partner=partner)
2076         for r in tex:
2077             totalin += r.get('amount', 0.0)
2078         return {
2079             'total': totalex,
2080             'total_included': totalin,
2081             'taxes': tin + tex
2082         }
2083
2084     def compute(self, cr, uid, taxes, price_unit, quantity, address_id=None, product=None, partner=None):
2085         logger = netsvc.Logger()
2086         logger.notifyChannel("warning", netsvc.LOG_WARNING,
2087             "Deprecated, use compute_all(...)['taxes'] instead of compute(...) to manage prices with tax included")
2088         return self._compute(cr, uid, taxes, price_unit, quantity, address_id, product, partner)
2089
2090     def _compute(self, cr, uid, taxes, price_unit, quantity, address_id=None, product=None, partner=None):
2091         """
2092         Compute tax values for given PRICE_UNIT, QUANTITY and a buyer/seller ADDRESS_ID.
2093
2094         RETURN:
2095             [ tax ]
2096             tax = {'name':'', 'amount':0.0, 'account_collected_id':1, 'account_paid_id':2}
2097             one tax for each tax id in IDS and their children
2098         """
2099         res = self._unit_compute(cr, uid, taxes, price_unit, address_id, product, partner, quantity)
2100         total = 0.0
2101         precision_pool = self.pool.get('decimal.precision')
2102         for r in res:
2103             if r.get('balance',False):
2104                 r['amount'] = round(r.get('balance', 0.0) * quantity, precision_pool.precision_get(cr, uid, 'Account')) - total
2105             else:
2106                 r['amount'] = round(r.get('amount', 0.0) * quantity, precision_pool.precision_get(cr, uid, 'Account'))
2107                 total += r['amount']
2108         return res
2109
2110     def _unit_compute_inv(self, cr, uid, taxes, price_unit, address_id=None, product=None, partner=None):
2111         taxes = self._applicable(cr, uid, taxes, price_unit, address_id, product, partner)
2112         obj_partener_address = self.pool.get('res.partner.address')
2113         res = []
2114         taxes.reverse()
2115         cur_price_unit = price_unit
2116
2117         tax_parent_tot = 0.0
2118         for tax in taxes:
2119             if (tax.type=='percent') and not tax.include_base_amount:
2120                 tax_parent_tot += tax.amount
2121
2122         for tax in taxes:
2123             if (tax.type=='fixed') and not tax.include_base_amount:
2124                 cur_price_unit -= tax.amount
2125
2126         for tax in taxes:
2127             if tax.type=='percent':
2128                 if tax.include_base_amount:
2129                     amount = cur_price_unit - (cur_price_unit / (1 + tax.amount))
2130                 else:
2131                     amount = (cur_price_unit / (1 + tax_parent_tot)) * tax.amount
2132
2133             elif tax.type=='fixed':
2134                 amount = tax.amount
2135
2136             elif tax.type=='code':
2137                 address = address_id and obj_partener_address.browse(cr, uid, address_id) or None
2138                 localdict = {'price_unit':cur_price_unit, 'address':address, 'product':product, 'partner':partner}
2139                 exec tax.python_compute_inv in localdict
2140                 amount = localdict['result']
2141             elif tax.type=='balance':
2142                 amount = cur_price_unit - reduce(lambda x,y: y.get('amount',0.0)+x, res, 0.0)
2143
2144             if tax.include_base_amount:
2145                 cur_price_unit -= amount
2146                 todo = 0
2147             else:
2148                 todo = 1
2149             res.append({
2150                 'id': tax.id,
2151                 'todo': todo,
2152                 'name': tax.name,
2153                 'amount': amount,
2154                 'account_collected_id': tax.account_collected_id.id,
2155                 'account_paid_id': tax.account_paid_id.id,
2156                 'base_code_id': tax.base_code_id.id,
2157                 'ref_base_code_id': tax.ref_base_code_id.id,
2158                 'sequence': tax.sequence,
2159                 'base_sign': tax.base_sign,
2160                 'tax_sign': tax.tax_sign,
2161                 'ref_base_sign': tax.ref_base_sign,
2162                 'ref_tax_sign': tax.ref_tax_sign,
2163                 'price_unit': cur_price_unit,
2164                 'tax_code_id': tax.tax_code_id.id,
2165                 'ref_tax_code_id': tax.ref_tax_code_id.id,
2166             })
2167             if tax.child_ids:
2168                 if tax.child_depend:
2169                     del res[-1]
2170                     amount = price_unit
2171
2172             parent_tax = self._unit_compute_inv(cr, uid, tax.child_ids, amount, address_id, product, partner)
2173             res.extend(parent_tax)
2174
2175         total = 0.0
2176         for r in res:
2177             if r['todo']:
2178                 total += r['amount']
2179         for r in res:
2180             r['price_unit'] -= total
2181             r['todo'] = 0
2182         return res
2183
2184     def compute_inv(self, cr, uid, taxes, price_unit, quantity, address_id=None, product=None, partner=None):
2185         """
2186         Compute tax values for given PRICE_UNIT, QUANTITY and a buyer/seller ADDRESS_ID.
2187         Price Unit is a VAT included price
2188
2189         RETURN:
2190             [ tax ]
2191             tax = {'name':'', 'amount':0.0, 'account_collected_id':1, 'account_paid_id':2}
2192             one tax for each tax id in IDS and their children
2193         """
2194         res = self._unit_compute_inv(cr, uid, taxes, price_unit, address_id, product, partner=None)
2195         total = 0.0
2196         obj_precision = self.pool.get('decimal.precision')
2197         for r in res:
2198             prec = obj_precision.precision_get(cr, uid, 'Account')
2199             if r.get('balance',False):
2200                 r['amount'] = round(r['balance'] * quantity, prec) - total
2201             else:
2202                 r['amount'] = round(r['amount'] * quantity, prec)
2203                 total += r['amount']
2204         return res
2205
2206 account_tax()
2207
2208 # ---------------------------------------------------------
2209 # Account Entries Models
2210 # ---------------------------------------------------------
2211
2212 class account_model(osv.osv):
2213     _name = "account.model"
2214     _description = "Account Model"
2215     _columns = {
2216         'name': fields.char('Model Name', size=64, required=True, help="This is a model for recurring accounting entries"),
2217         'journal_id': fields.many2one('account.journal', 'Journal', required=True),
2218         'company_id': fields.related('journal_id', 'company_id', type='many2one', relation='res.company', string='Company', store=True, readonly=True),
2219         'lines_id': fields.one2many('account.model.line', 'model_id', 'Model Entries'),
2220         'legend': fields.text('Legend', readonly=True, size=100),
2221     }
2222
2223     _defaults = {
2224         'legend': lambda self, cr, uid, context:_('You can specify year, month and date in the name of the model using the following labels:\n\n%(year)s: To Specify Year \n%(month)s: To Specify Month \n%(date)s: Current Date\n\ne.g. My model on %(date)s'),
2225     }
2226     def generate(self, cr, uid, ids, datas={}, context=None):
2227         move_ids = []
2228         entry = {}
2229         account_move_obj = self.pool.get('account.move')
2230         account_move_line_obj = self.pool.get('account.move.line')
2231         pt_obj = self.pool.get('account.payment.term')
2232         period_obj = self.pool.get('account.period')
2233
2234         if context is None:
2235             context = {}
2236
2237         if datas.get('date', False):
2238             context.update({'date': datas['date']})
2239
2240         move_date = context.get('date', time.strftime('%Y-%m-%d'))
2241         move_date = datetime.strptime(move_date,"%Y-%m-%d")
2242         for model in self.browse(cr, uid, ids, context=context):
2243             ctx = context.copy()
2244             ctx.update({'company_id': model.company_id.id})
2245             period_ids = period_obj.find(cr, uid, dt=context.get('date', False), context=ctx)
2246             period_id = period_ids and period_ids[0] or False
2247             ctx.update({'journal_id': model.journal_id.id,'period_id': period_id})
2248             try:
2249                 entry['name'] = model.name%{'year': move_date.strftime('%Y'), 'month': move_date.strftime('%m'), 'date': move_date.strftime('%Y-%m')}
2250             except:
2251                 raise osv.except_osv(_('Wrong model !'), _('You have a wrong expression "%(...)s" in your model !'))
2252             move_id = account_move_obj.create(cr, uid, {
2253                 'ref': entry['name'],
2254                 'period_id': period_id,
2255                 'journal_id': model.journal_id.id,
2256                 'date': context.get('date',time.strftime('%Y-%m-%d'))
2257             })
2258             move_ids.append(move_id)
2259             for line in model.lines_id:
2260                 analytic_account_id = False
2261                 if line.analytic_account_id:
2262                     if not model.journal_id.analytic_journal_id:
2263                         raise osv.except_osv(_('No Analytic Journal !'),_("You have to define an analytic journal on the '%s' journal!") % (model.journal_id.name,))
2264                     analytic_account_id = line.analytic_account_id.id
2265                 val = {
2266                     'move_id': move_id,
2267                     'journal_id': model.journal_id.id,
2268                     'period_id': period_id,
2269                     'analytic_account_id': analytic_account_id
2270                 }
2271
2272                 date_maturity = context.get('date',time.strftime('%Y-%m-%d'))
2273                 if line.date_maturity == 'partner':
2274                     if not line.partner_id:
2275                         raise osv.except_osv(_('Error !'), _("Maturity date of entry line generated by model line '%s' of model '%s' is based on partner payment term!" \
2276                                                                 "\nPlease define partner on it!")%(line.name, model.name))
2277                     if line.partner_id.property_payment_term:
2278                         payment_term_id = line.partner_id.property_payment_term.id
2279                         pterm_list = pt_obj.compute(cr, uid, payment_term_id, value=1, date_ref=date_maturity)
2280                         if pterm_list:
2281                             pterm_list = [l[0] for l in pterm_list]
2282                             pterm_list.sort()
2283                             date_maturity = pterm_list[-1]
2284
2285                 val.update({
2286                     'name': line.name,
2287                     'quantity': line.quantity,
2288                     'debit': line.debit,
2289                     'credit': line.credit,
2290                     'account_id': line.account_id.id,
2291                     'move_id': move_id,
2292                     'partner_id': line.partner_id.id,
2293                     'date': context.get('date',time.strftime('%Y-%m-%d')),
2294                     'date_maturity': date_maturity
2295                 })
2296                 account_move_line_obj.create(cr, uid, val, context=ctx)
2297
2298         return move_ids
2299
2300 account_model()
2301
2302 class account_model_line(osv.osv):
2303     _name = "account.model.line"
2304     _description = "Account Model Entries"
2305     _columns = {
2306         'name': fields.char('Name', size=64, required=True),
2307         'sequence': fields.integer('Sequence', required=True, help="The sequence field is used to order the resources from lower sequences to higher ones."),
2308         'quantity': fields.float('Quantity', digits_compute=dp.get_precision('Account'), help="The optional quantity on entries."),
2309         'debit': fields.float('Debit', digits_compute=dp.get_precision('Account')),
2310         'credit': fields.float('Credit', digits_compute=dp.get_precision('Account')),
2311         'account_id': fields.many2one('account.account', 'Account', required=True, ondelete="cascade"),
2312         'analytic_account_id': fields.many2one('account.analytic.account', 'Analytic Account', ondelete="cascade"),
2313         'model_id': fields.many2one('account.model', 'Model', required=True, ondelete="cascade", select=True),
2314         'amount_currency': fields.float('Amount Currency', help="The amount expressed in an optional other currency."),
2315         'currency_id': fields.many2one('res.currency', 'Currency'),
2316         'partner_id': fields.many2one('res.partner', 'Partner'),
2317         'date_maturity': fields.selection([('today','Date of the day'), ('partner','Partner Payment Term')], 'Maturity Date', help="The maturity date of the generated entries for this model. You can choose between the creation date or the creation date of the entries plus the partner payment terms."),
2318     }
2319     _order = 'sequence'
2320     _sql_constraints = [
2321         ('credit_debit1', 'CHECK (credit*debit=0)',  'Wrong credit or debit value in model, they must be positive!'),
2322         ('credit_debit2', 'CHECK (credit+debit>=0)', 'Wrong credit or debit value in model, they must be positive!'),
2323     ]
2324 account_model_line()
2325
2326 # ---------------------------------------------------------
2327 # Account Subscription
2328 # ---------------------------------------------------------
2329
2330
2331 class account_subscription(osv.osv):
2332     _name = "account.subscription"
2333     _description = "Account Subscription"
2334     _columns = {
2335         'name': fields.char('Name', size=64, required=True),
2336         'ref': fields.char('Reference', size=16),
2337         'model_id': fields.many2one('account.model', 'Model', required=True),
2338         'date_start': fields.date('Start Date', required=True),
2339         'period_total': fields.integer('Number of Periods', required=True),
2340         'period_nbr': fields.integer('Period', required=True),
2341         'period_type': fields.selection([('day','days'),('month','month'),('year','year')], 'Period Type', required=True),
2342         'state': fields.selection([('draft','Draft'),('running','Running'),('done','Done')], 'State', required=True, readonly=True),
2343         'lines_id': fields.one2many('account.subscription.line', 'subscription_id', 'Subscription Lines')
2344     }
2345     _defaults = {
2346         'date_start': lambda *a: time.strftime('%Y-%m-%d'),
2347         'period_type': 'month',
2348         'period_total': 12,
2349         'period_nbr': 1,
2350         'state': 'draft',
2351     }
2352     def state_draft(self, cr, uid, ids, context=None):
2353         self.write(cr, uid, ids, {'state':'draft'})
2354         return False
2355
2356     def check(self, cr, uid, ids, context=None):
2357         todone = []
2358         for sub in self.browse(cr, uid, ids, context=context):
2359             ok = True
2360             for line in sub.lines_id:
2361                 if not line.move_id.id:
2362                     ok = False
2363                     break
2364             if ok:
2365                 todone.append(sub.id)
2366         if todone:
2367             self.write(cr, uid, todone, {'state':'done'})
2368         return False
2369
2370     def remove_line(self, cr, uid, ids, context=None):
2371         toremove = []
2372         for sub in self.browse(cr, uid, ids, context=context):
2373             for line in sub.lines_id:
2374                 if not line.move_id.id:
2375                     toremove.append(line.id)
2376         if toremove:
2377             self.pool.get('account.subscription.line').unlink(cr, uid, toremove)
2378         self.write(cr, uid, ids, {'state':'draft'})
2379         return False
2380
2381     def compute(self, cr, uid, ids, context=None):
2382         for sub in self.browse(cr, uid, ids, context=context):
2383             ds = sub.date_start
2384             for i in range(sub.period_total):
2385                 self.pool.get('account.subscription.line').create(cr, uid, {
2386                     'date': ds,
2387                     'subscription_id': sub.id,
2388                 })
2389                 if sub.period_type=='day':
2390                     ds = (datetime.strptime(ds, '%Y-%m-%d') + relativedelta(days=sub.period_nbr)).strftime('%Y-%m-%d')
2391                 if sub.period_type=='month':
2392                     ds = (datetime.strptime(ds, '%Y-%m-%d') + relativedelta(months=sub.period_nbr)).strftime('%Y-%m-%d')
2393                 if sub.period_type=='year':
2394                     ds = (datetime.strptime(ds, '%Y-%m-%d') + relativedelta(years=sub.period_nbr)).strftime('%Y-%m-%d')
2395         self.write(cr, uid, ids, {'state':'running'})
2396         return True
2397
2398 account_subscription()
2399
2400 class account_subscription_line(osv.osv):
2401     _name = "account.subscription.line"
2402     _description = "Account Subscription Line"
2403     _columns = {
2404         'subscription_id': fields.many2one('account.subscription', 'Subscription', required=True, select=True),
2405         'date': fields.date('Date', required=True),
2406         'move_id': fields.many2one('account.move', 'Entry'),
2407     }
2408
2409     def move_create(self, cr, uid, ids, context=None):
2410         tocheck = {}
2411         all_moves = []
2412         obj_model = self.pool.get('account.model')
2413         for line in self.browse(cr, uid, ids, context=context):
2414             datas = {
2415                 'date': line.date,
2416             }
2417             move_ids = obj_model.generate(cr, uid, [line.subscription_id.model_id.id], datas, context)
2418             tocheck[line.subscription_id.id] = True
2419             self.write(cr, uid, [line.id], {'move_id':move_ids[0]})
2420             all_moves.extend(move_ids)
2421         if tocheck:
2422             self.pool.get('account.subscription').check(cr, uid, tocheck.keys(), context)
2423         return all_moves
2424
2425     _rec_name = 'date'
2426
2427 account_subscription_line()
2428
2429 #  ---------------------------------------------------------------
2430 #   Account Templates: Account, Tax, Tax Code and chart. + Wizard
2431 #  ---------------------------------------------------------------
2432
2433 class account_tax_template(osv.osv):
2434     _name = 'account.tax.template'
2435 account_tax_template()
2436
2437 class account_account_template(osv.osv):
2438     _order = "code"
2439     _name = "account.account.template"
2440     _description ='Templates for Accounts'
2441
2442     _columns = {
2443         'name': fields.char('Name', size=256, required=True, select=True),
2444         'currency_id': fields.many2one('res.currency', 'Secondary Currency', help="Forces all moves for this account to have this secondary currency."),
2445         'code': fields.char('Code', size=64, select=1),
2446         'type': fields.selection([
2447             ('receivable','Receivable'),
2448             ('payable','Payable'),
2449             ('view','View'),
2450             ('consolidation','Consolidation'),
2451             ('liquidity','Liquidity'),
2452             ('other','Regular'),
2453             ('closed','Closed'),
2454             ], 'Internal Type', required=True,help="This type is used to differentiate types with "\
2455             "special effects in OpenERP: view can not have entries, consolidation are accounts that "\
2456             "can have children accounts for multi-company consolidations, payable/receivable are for "\
2457             "partners accounts (for debit/credit computations), closed for depreciated accounts."),
2458         'user_type': fields.many2one('account.account.type', 'Account Type', required=True,
2459             help="These types are defined according to your country. The type contains more information "\
2460             "about the account and its specificities."),
2461         'reconcile': fields.boolean('Allow Reconciliation', help="Check this option if you want the user to reconcile entries in this account."),
2462         'shortcut': fields.char('Shortcut', size=12),
2463         'note': fields.text('Note'),
2464         'parent_id': fields.many2one('account.account.template', 'Parent Account Template', ondelete='cascade'),
2465         'child_parent_ids':fields.one2many('account.account.template', 'parent_id', 'Children'),
2466         'tax_ids': fields.many2many('account.tax.template', 'account_account_template_tax_rel', 'account_id', 'tax_id', 'Default Taxes'),
2467         'nocreate': fields.boolean('Optional create', help="If checked, the new chart of accounts will not contain this by default."),
2468         'chart_template_id': fields.many2one('account.chart.template', 'Chart Template', help="This optional field allow you to link an account template to a specific chart template that may differ from the one its root parent belongs to. This allow you to define chart templates that extend another and complete it with few new accounts (You don't need to define the whole structure that is common to both several times)."),
2469     }
2470
2471     _defaults = {
2472         'reconcile': False,
2473         'type': 'view',
2474         'nocreate': False,
2475     }
2476
2477     def _check_type(self, cr, uid, ids, context=None):
2478         if context is None:
2479             context = {}
2480         accounts = self.browse(cr, uid, ids, context=context)
2481         for account in accounts:
2482             if account.parent_id and account.parent_id.type != 'view':
2483                 return False
2484         return True
2485
2486     _check_recursion = check_cycle
2487     _constraints = [
2488         (_check_recursion, 'Error ! You can not create recursive account templates.', ['parent_id']),
2489         (_check_type, 'Configuration Error!\nYou can not define children to an account with internal type different of "View"! ', ['type']),
2490
2491     ]
2492
2493     def name_get(self, cr, uid, ids, context=None):
2494         if not ids:
2495             return []
2496         reads = self.read(cr, uid, ids, ['name','code'], context=context)
2497         res = []
2498         for record in reads:
2499             name = record['name']
2500             if record['code']:
2501                 name = record['code']+' '+name
2502             res.append((record['id'],name ))
2503         return res
2504
2505     def generate_account(self, cr, uid, chart_template_id, tax_template_ref, acc_template_ref, code_digits, company_id, context=None):
2506         """
2507         This method for generating accounts from templates.
2508
2509         :param chart_template_id: id of the chart template chosen in the wizard
2510         :param tax_template_ref: Taxes templates reference for write taxes_id in account_account.
2511         :paramacc_template_ref: dictionary with the mappping between the account templates and the real accounts.
2512         :param code_digits: number of digits got from wizard.multi.charts.accounts, this is use for account code.
2513         :param company_id: company_id selected from wizard.multi.charts.accounts.
2514         :returns: return acc_template_ref for reference purpose.
2515         :rtype: dict
2516         """
2517         if context is None:
2518             context = {}
2519         obj_acc = self.pool.get('account.account')
2520         company_name = self.pool.get('res.company').browse(cr, uid, company_id, context=context).name
2521         template = self.pool.get('account.chart.template').browse(cr, uid, chart_template_id, context=context)
2522         #deactivate the parent_store functionnality on account_account for rapidity purpose
2523         ctx = context.copy()
2524         ctx.update({'defer_parent_store_computation': True})
2525         children_acc_template = self.search(cr, uid, ['|', ('chart_template_id','=', [chart_template_id]),'&',('parent_id','child_of', [template.account_root_id.id]),('chart_template_id','=', False), ('nocreate','!=',True)], order='id')
2526         for account_template in self.browse(cr, uid, children_acc_template, context=context):
2527             # skip the root of COA if it's not the main one
2528             if (template.account_root_id.id == account_template.id) and template.parent_id:
2529                 continue
2530             tax_ids = []
2531             for tax in account_template.tax_ids:
2532                 tax_ids.append(tax_template_ref[tax.id])
2533
2534             code_main = account_template.code and len(account_template.code) or 0
2535             code_acc = account_template.code or ''
2536             if code_main > 0 and code_main <= code_digits and account_template.type != 'view':
2537                 code_acc = str(code_acc) + (str('0'*(code_digits-code_main)))
2538             vals={
2539                 'name': (template.account_root_id.id == account_template.id) and company_name or account_template.name,
2540                 'currency_id': account_template.currency_id and account_template.currency_id.id or False,
2541                 'code': code_acc,
2542                 'type': account_template.type,
2543                 'user_type': account_template.user_type and account_template.user_type.id or False,
2544                 'reconcile': account_template.reconcile,
2545                 'shortcut': account_template.shortcut,
2546                 'note': account_template.note,
2547                 'parent_id': account_template.parent_id and ((account_template.parent_id.id in acc_template_ref) and acc_template_ref[account_template.parent_id.id]) or False,
2548                 'tax_ids': [(6,0,tax_ids)],
2549                 'company_id': company_id,
2550             }
2551             new_account = obj_acc.create(cr, uid, vals, context=ctx)
2552             acc_template_ref[account_template.id] = new_account
2553
2554         #reactivate the parent_store functionnality on account_account
2555         obj_acc._parent_store_compute(cr)
2556         return acc_template_ref
2557
2558 account_account_template()
2559
2560 class account_add_tmpl_wizard(osv.osv_memory):
2561     """Add one more account from the template.
2562
2563     With the 'nocreate' option, some accounts may not be created. Use this to add them later."""
2564     _name = 'account.addtmpl.wizard'
2565
2566     def _get_def_cparent(self, cr, uid, context=None):
2567         acc_obj = self.pool.get('account.account')
2568         tmpl_obj = self.pool.get('account.account.template')
2569         tids = tmpl_obj.read(cr, uid, [context['tmpl_ids']], ['parent_id'])
2570         if not tids or not tids[0]['parent_id']:
2571             return False
2572         ptids = tmpl_obj.read(cr, uid, [tids[0]['parent_id'][0]], ['code'])
2573         res = None
2574         if not ptids or not ptids[0]['code']:
2575             raise osv.except_osv(_('Error !'), _('I can not locate a parent code for the template account!'))
2576             res = acc_obj.search(cr, uid, [('code','=',ptids[0]['code'])])
2577         return res and res[0] or False
2578
2579     _columns = {
2580         'cparent_id':fields.many2one('account.account', 'Parent target', help="Creates an account with the selected template under this existing parent.", required=True),
2581     }
2582     _defaults = {
2583         'cparent_id': _get_def_cparent,
2584     }
2585
2586     def action_create(self,cr,uid,ids,context=None):
2587         if context is None:
2588             context = {}
2589         acc_obj = self.pool.get('account.account')
2590         tmpl_obj = self.pool.get('account.account.template')
2591         data = self.read(cr, uid, ids)
2592         company_id = acc_obj.read(cr, uid, [data[0]['cparent_id']], ['company_id'])[0]['company_id'][0]
2593         account_template = tmpl_obj.browse(cr, uid, context['tmpl_ids'])
2594         vals = {
2595             'name': account_template.name,
2596             'currency_id': account_template.currency_id and account_template.currency_id.id or False,
2597             'code': account_template.code,
2598             'type': account_template.type,
2599             'user_type': account_template.user_type and account_template.user_type.id or False,
2600             'reconcile': account_template.reconcile,
2601             'shortcut': account_template.shortcut,
2602             'note': account_template.note,
2603             'parent_id': data[0]['cparent_id'],
2604             'company_id': company_id,
2605             }
2606         acc_obj.create(cr, uid, vals)
2607         return {'type':'state', 'state': 'end' }
2608
2609     def action_cancel(self, cr, uid, ids, context=None):
2610         return { 'type': 'state', 'state': 'end' }
2611
2612 account_add_tmpl_wizard()
2613
2614 class account_tax_code_template(osv.osv):
2615
2616     _name = 'account.tax.code.template'
2617     _description = 'Tax Code Template'
2618     _order = 'code'
2619     _rec_name = 'code'
2620     _columns = {
2621         'name': fields.char('Tax Case Name', size=64, required=True),
2622         'code': fields.char('Case Code', size=64),
2623         'info': fields.text('Description'),
2624         'parent_id': fields.many2one('account.tax.code.template', 'Parent Code', select=True),
2625         'child_ids': fields.one2many('account.tax.code.template', 'parent_id', 'Child Codes'),
2626         'sign': fields.float('Sign For Parent', required=True),
2627         'notprintable':fields.boolean("Not Printable in Invoice", help="Check this box if you don't want any VAT related to this Tax Code to appear on invoices"),
2628     }
2629
2630     _defaults = {
2631         'sign': 1.0,
2632         'notprintable': False,
2633     }
2634
2635     def generate_tax_code(self, cr, uid, tax_code_root_id, company_id, context=None):
2636         '''
2637         This function generates the tax codes from the templates of tax code that are children of the given one passed
2638         in argument. Then it returns a dictionary with the mappping between the templates and the real objects.
2639
2640         :param tax_code_root_id: id of the root of all the tax code templates to process
2641         :param company_id: id of the company the wizard is running for
2642         :returns: dictionary with the mappping between the templates and the real objects.
2643         :rtype: dict
2644         '''
2645         obj_tax_code_template = self.pool.get('account.tax.code.template')
2646         obj_tax_code = self.pool.get('account.tax.code')
2647         tax_code_template_ref = {}
2648         company = self.pool.get('res.company').browse(cr, uid, company_id, context=context)
2649
2650         #find all the children of the tax_code_root_id
2651         children_tax_code_template = obj_tax_code_template.search(cr, uid, [('parent_id','child_of',[tax_code_root_id])], order='id')
2652         for tax_code_template in obj_tax_code_template.browse(cr, uid, children_tax_code_template, context=context):
2653             vals = {
2654                 'name': (tax_code_root_id == tax_code_template.id) and company.name or tax_code_template.name,
2655                 'code': tax_code_template.code,
2656                 'info': tax_code_template.info,
2657                 'parent_id': tax_code_template.parent_id and ((tax_code_template.parent_id.id in tax_code_template_ref) and tax_code_template_ref[tax_code_template.parent_id.id]) or False,
2658                 'company_id': company_id,
2659                 'sign': tax_code_template.sign,
2660             }
2661             #check if this tax code already exists
2662             rec_list = obj_tax_code.search(cr, uid, [('name', '=', vals['name']),('code', '=', vals['code']),('company_id', '=', vals['company_id'])], context=context)
2663             if not rec_list:
2664                 #if not yet, create it
2665                 new_tax_code = obj_tax_code.create(cr, uid, vals)
2666                 #recording the new tax code to do the mapping
2667                 tax_code_template_ref[tax_code_template.id] = new_tax_code
2668         return tax_code_template_ref
2669
2670     def name_get(self, cr, uid, ids, context=None):
2671         if not ids:
2672             return []
2673         if isinstance(ids, (int, long)):
2674             ids = [ids]
2675         reads = self.read(cr, uid, ids, ['name','code'], context, load='_classic_write')
2676         return [(x['id'], (x['code'] and x['code'] + ' - ' or '') + x['name']) \
2677                 for x in reads]
2678
2679     _check_recursion = check_cycle
2680     _constraints = [
2681         (_check_recursion, 'Error ! You can not create recursive Tax Codes.', ['parent_id'])
2682     ]
2683     _order = 'code,name'
2684 account_tax_code_template()
2685
2686
2687 class account_chart_template(osv.osv):
2688     _name="account.chart.template"
2689     _description= "Templates for Account Chart"
2690
2691     _columns={
2692         'name': fields.char('Name', size=64, required=True),
2693         'parent_id': fields.many2one('account.chart.template', 'Parent Chart Template'),
2694         'code_digits': fields.integer('# of Digits', required=True, help="No. of Digits to use for account code"), 
2695         'visible': fields.boolean('Can be Visible?', help="Set this to False if you don't want this template to be used actively in the wizard that generate Chart of Accounts from templates, this is useful when you want to generate accounts of this template only when loading its child template."),
2696         'complete_tax_set': fields.boolean('Complete Set of Taxes', help='This boolean helps you to choose if you want to propose to the user to encode the sale and purchase rates or choose from list of taxes. This last choice assumes that the set of tax defined on this template is complete'),
2697         'account_root_id': fields.many2one('account.account.template', 'Root Account', domain=[('parent_id','=',False)]),
2698         'tax_code_root_id': fields.many2one('account.tax.code.template', 'Root Tax Code', domain=[('parent_id','=',False)]),
2699         'tax_template_ids': fields.one2many('account.tax.template', 'chart_template_id', 'Tax Template List', help='List of all the taxes that have to be installed by the wizard'),
2700         'bank_account_view_id': fields.many2one('account.account.template', 'Bank Account'),
2701         'property_account_receivable': fields.many2one('account.account.template', 'Receivable Account'),
2702         'property_account_payable': fields.many2one('account.account.template', 'Payable Account'),
2703         'property_account_expense_categ': fields.many2one('account.account.template', 'Expense Category Account'),
2704         'property_account_income_categ': fields.many2one('account.account.template', 'Income Category Account'),
2705         'property_account_expense': fields.many2one('account.account.template', 'Expense Account on Product Template'),
2706         'property_account_income': fields.many2one('account.account.template', 'Income Account on Product Template'),
2707         'property_reserve_and_surplus_account': fields.many2one('account.account.template', 'Reserve and Profit/Loss Account', domain=[('type', '=', 'payable')], help='This Account is used for transferring Profit/Loss(If It is Profit: Amount will be added, Loss: Amount will be deducted.), Which is calculated from Profilt & Loss Report'),
2708         'property_account_income_opening': fields.many2one('account.account.template', 'Opening Entries Income Account'),
2709         'property_account_expense_opening': fields.many2one('account.account.template', 'Opening Entries Expense Account'),
2710     }
2711
2712     _defaults = {
2713         'visible': True,
2714         'code_digits': 6,
2715         'complete_tax_set': True,
2716     }
2717
2718 account_chart_template()
2719
2720 class account_tax_template(osv.osv):
2721
2722     _name = 'account.tax.template'
2723     _description = 'Templates for Taxes'
2724
2725     _columns = {
2726         'chart_template_id': fields.many2one('account.chart.template', 'Chart Template', required=True),
2727         'name': fields.char('Tax Name', size=64, required=True),
2728         'sequence': fields.integer('Sequence', required=True, help="The sequence field is used to order the taxes lines from lower sequences to higher ones. The order is important if you have a tax that has several tax children. In this case, the evaluation order is important."),
2729         'amount': fields.float('Amount', required=True, digits=(14,4), help="For Tax Type percent enter % ratio between 0-1."),
2730         'type': fields.selection( [('percent','Percent'), ('fixed','Fixed'), ('none','None'), ('code','Python Code'), ('balance','Balance')], 'Tax Type', required=True),
2731         'applicable_type': fields.selection( [('true','True'), ('code','Python Code')], 'Applicable Type', required=True, help="If not applicable (computed through a Python code), the tax won't appear on the invoice."),
2732         'domain':fields.char('Domain', size=32, help="This field is only used if you develop your own module allowing developers to create specific taxes in a custom domain."),
2733         'account_collected_id':fields.many2one('account.account.template', 'Invoice Tax Account'),
2734         'account_paid_id':fields.many2one('account.account.template', 'Refund Tax Account'),
2735         'parent_id':fields.many2one('account.tax.template', 'Parent Tax Account', select=True),
2736         'child_depend':fields.boolean('Tax on Children', help="Set if the tax computation is based on the computation of child taxes rather than on the total amount."),
2737         'python_compute':fields.text('Python Code'),
2738         'python_compute_inv':fields.text('Python Code (reverse)'),
2739         'python_applicable':fields.text('Python Code'),
2740
2741         #
2742         # Fields used for the VAT declaration
2743         #
2744         'base_code_id': fields.many2one('account.tax.code.template', 'Base Code', help="Use this code for the VAT declaration."),
2745         'tax_code_id': fields.many2one('account.tax.code.template', 'Tax Code', help="Use this code for the VAT declaration."),
2746         'base_sign': fields.float('Base Code Sign', help="Usually 1 or -1."),
2747         'tax_sign': fields.float('Tax Code Sign', help="Usually 1 or -1."),
2748
2749         # Same fields for refund invoices
2750
2751         'ref_base_code_id': fields.many2one('account.tax.code.template', 'Refund Base Code', help="Use this code for the VAT declaration."),
2752         'ref_tax_code_id': fields.many2one('account.tax.code.template', 'Refund Tax Code', help="Use this code for the VAT declaration."),
2753         'ref_base_sign': fields.float('Base Code Sign', help="Usually 1 or -1."),
2754         'ref_tax_sign': fields.float('Tax Code Sign', help="Usually 1 or -1."),
2755         'include_base_amount': fields.boolean('Include in Base Amount', help="Set if the amount of tax must be included in the base amount before computing the next taxes."),
2756         'description': fields.char('Internal Name', size=32),
2757         'type_tax_use': fields.selection([('sale','Sale'),('purchase','Purchase'),('all','All')], 'Tax Use In', required=True,),
2758         'price_include': fields.boolean('Tax Included in Price', help="Check this if the price you use on the product and invoices includes this tax."),
2759     }
2760
2761     def name_get(self, cr, uid, ids, context=None):
2762         if not ids:
2763             return []
2764         res = []
2765         for record in self.read(cr, uid, ids, ['description','name'], context=context):
2766             name = record['description'] and record['description'] or record['name']
2767             res.append((record['id'],name ))
2768         return res
2769
2770     def _default_company(self, cr, uid, context=None):
2771         user = self.pool.get('res.users').browse(cr, uid, uid, context=context)
2772         if user.company_id:
2773             return user.company_id.id
2774         return self.pool.get('res.company').search(cr, uid, [('parent_id', '=', False)])[0]
2775
2776     _defaults = {
2777         'python_compute': lambda *a: '''# price_unit\n# address: res.partner.address object or False\n# product: product.product object or None\n# partner: res.partner object or None\n\nresult = price_unit * 0.10''',
2778         'python_compute_inv': lambda *a: '''# price_unit\n# address: res.partner.address object or False\n# product: product.product object or False\n\nresult = price_unit * 0.10''',
2779         'applicable_type': 'true',
2780         'type': 'percent',
2781         'amount': 0,
2782         'sequence': 1,
2783         'ref_tax_sign': 1,
2784         'ref_base_sign': 1,
2785         'tax_sign': 1,
2786         'base_sign': 1,
2787         'include_base_amount': False,
2788         'type_tax_use': 'all',
2789         'price_include': 0,
2790     }
2791     _order = 'sequence'
2792
2793     def _generate_tax(self, cr, uid, tax_templates, tax_code_template_ref, company_id, context=None):
2794         """
2795         This method generate taxes from templates.
2796
2797         :param tax_templates: list of browse record of the tax templates to process
2798         :param tax_code_template_ref: Taxcode templates reference.
2799         :param company_id: id of the company the wizard is running for
2800         :returns:
2801             {
2802             'tax_template_to_tax': mapping between tax template and the newly generated taxes corresponding,
2803             'account_dict': dictionary containing a to-do list with all the accounts to assign on new taxes
2804             }
2805         """
2806         if context is None:
2807             context = {}
2808         res = {}
2809         todo_dict = {}
2810         tax_template_to_tax = {}
2811         for tax in tax_templates:
2812             vals_tax = {
2813                 'name':tax.name,
2814                 'sequence': tax.sequence,
2815                 'amount': tax.amount,
2816                 'type': tax.type,
2817                 'applicable_type': tax.applicable_type,
2818                 'domain': tax.domain,
2819                 'parent_id': tax.parent_id and ((tax.parent_id.id in tax_template_to_tax) and tax_template_to_tax[tax.parent_id.id]) or False,
2820                 'child_depend': tax.child_depend,
2821                 'python_compute': tax.python_compute,
2822                 'python_compute_inv': tax.python_compute_inv,
2823                 'python_applicable': tax.python_applicable,
2824                 'base_code_id': tax.base_code_id and ((tax.base_code_id.id in tax_code_template_ref) and tax_code_template_ref[tax.base_code_id.id]) or False,
2825                 'tax_code_id': tax.tax_code_id and ((tax.tax_code_id.id in tax_code_template_ref) and tax_code_template_ref[tax.tax_code_id.id]) or False,
2826                 'base_sign': tax.base_sign,
2827                 'tax_sign': tax.tax_sign,
2828                 'ref_base_code_id': tax.ref_base_code_id and ((tax.ref_base_code_id.id in tax_code_template_ref) and tax_code_template_ref[tax.ref_base_code_id.id]) or False,
2829                 'ref_tax_code_id': tax.ref_tax_code_id and ((tax.ref_tax_code_id.id in tax_code_template_ref) and tax_code_template_ref[tax.ref_tax_code_id.id]) or False,
2830                 'ref_base_sign': tax.ref_base_sign,
2831                 'ref_tax_sign': tax.ref_tax_sign,
2832                 'include_base_amount': tax.include_base_amount,
2833                 'description': tax.description,
2834                 'company_id': company_id,
2835                 'type_tax_use': tax.type_tax_use,
2836                 'price_include': tax.price_include
2837             }
2838             new_tax = self.pool.get('account.tax').create(cr, uid, vals_tax)
2839             tax_template_to_tax[tax.id] = new_tax
2840             #as the accounts have not been created yet, we have to wait before filling these fields
2841             todo_dict[new_tax] = {
2842                 'account_collected_id': tax.account_collected_id and tax.account_collected_id.id or False,
2843                 'account_paid_id': tax.account_paid_id and tax.account_paid_id.id or False,
2844             }
2845         res.update({'tax_template_to_tax': tax_template_to_tax, 'account_dict': todo_dict})
2846         return res
2847
2848 account_tax_template()
2849
2850 # Fiscal Position Templates
2851
2852 class account_fiscal_position_template(osv.osv):
2853     _name = 'account.fiscal.position.template'
2854     _description = 'Template for Fiscal Position'
2855
2856     _columns = {
2857         'name': fields.char('Fiscal Position Template', size=64, required=True),
2858         'chart_template_id': fields.many2one('account.chart.template', 'Chart Template', required=True),
2859         'account_ids': fields.one2many('account.fiscal.position.account.template', 'position_id', 'Account Mapping'),
2860         'tax_ids': fields.one2many('account.fiscal.position.tax.template', 'position_id', 'Tax Mapping'),
2861         'note': fields.text('Notes', translate=True),
2862     }
2863
2864     def generate_fiscal_position(self, cr, uid, chart_temp_id, tax_template_ref, acc_template_ref, company_id, context=None):
2865         """
2866         This method generate Fiscal Position, Fiscal Position Accounts and Fiscal Position Taxes from templates.
2867
2868         :param chart_temp_id: Chart Template Id.
2869         :param taxes_ids: Taxes templates reference for generating account.fiscal.position.tax.
2870         :param acc_template_ref: Account templates reference for generating account.fiscal.position.account.
2871         :param company_id: company_id selected from wizard.multi.charts.accounts.
2872         :returns: True
2873         """
2874         if context is None:
2875             context = {}
2876         obj_tax_fp = self.pool.get('account.fiscal.position.tax')
2877         obj_ac_fp = self.pool.get('account.fiscal.position.account')
2878         obj_fiscal_position = self.pool.get('account.fiscal.position')
2879         fp_ids = self.search(cr, uid, [('chart_template_id', '=', chart_temp_id)])
2880         for position in self.browse(cr, uid, fp_ids, context=context):
2881             new_fp = obj_fiscal_position.create(cr, uid, {'company_id': company_id, 'name': position.name})
2882             for tax in position.tax_ids:
2883                 obj_tax_fp.create(cr, uid, {
2884                     'tax_src_id': tax_template_ref[tax.tax_src_id.id],
2885                     'tax_dest_id': tax.tax_dest_id and tax_template_ref[tax.tax_dest_id.id] or False,
2886                     'position_id': new_fp
2887                 })
2888             for acc in position.account_ids:
2889                 obj_ac_fp.create(cr, uid, {
2890                     'account_src_id': acc_template_ref[acc.account_src_id.id],
2891                     'account_dest_id': acc_template_ref[acc.account_dest_id.id],
2892                     'position_id': new_fp
2893                 })
2894         return True
2895
2896 account_fiscal_position_template()
2897
2898 class account_fiscal_position_tax_template(osv.osv):
2899     _name = 'account.fiscal.position.tax.template'
2900     _description = 'Template Tax Fiscal Position'
2901     _rec_name = 'position_id'
2902
2903     _columns = {
2904         'position_id': fields.many2one('account.fiscal.position.template', 'Fiscal Position', required=True, ondelete='cascade'),
2905         'tax_src_id': fields.many2one('account.tax.template', 'Tax Source', required=True),
2906         'tax_dest_id': fields.many2one('account.tax.template', 'Replacement Tax')
2907     }
2908
2909 account_fiscal_position_tax_template()
2910
2911 class account_fiscal_position_account_template(osv.osv):
2912     _name = 'account.fiscal.position.account.template'
2913     _description = 'Template Account Fiscal Mapping'
2914     _rec_name = 'position_id'
2915     _columns = {
2916         'position_id': fields.many2one('account.fiscal.position.template', 'Fiscal Mapping', required=True, ondelete='cascade'),
2917         'account_src_id': fields.many2one('account.account.template', 'Account Source', domain=[('type','<>','view')], required=True),
2918         'account_dest_id': fields.many2one('account.account.template', 'Account Destination', domain=[('type','<>','view')], required=True)
2919     }
2920
2921 account_fiscal_position_account_template()
2922
2923 # ---------------------------------------------------------
2924 # Account Financial Report
2925 # ---------------------------------------------------------
2926
2927 class account_financial_report(osv.osv):
2928     _name = "account.financial.report"
2929     _description = "Account Report"
2930
2931     def _get_level(self, cr, uid, ids, field_name, arg, context=None):
2932         res = {}
2933         for report in self.browse(cr, uid, ids, context=context):
2934             level = 0
2935             if report.parent_id:
2936                 level = report.parent_id.level + 1
2937             res[report.id] = level
2938         return res
2939
2940     def _get_children_by_order(self, cr, uid, ids, context=None):
2941         res = []
2942         for id in ids:
2943             res.append(id)
2944             ids2 = self.search(cr, uid, [('parent_id', '=', id)], order='sequence ASC', context=context)
2945             res += self._get_children_by_order(cr, uid, ids2, context=context)
2946         return res
2947
2948     def _get_balance(self, cr, uid, ids, name, args, context=None):
2949         account_obj = self.pool.get('account.account')
2950         res = {}
2951         res_all = {}
2952         for report in self.browse(cr, uid, ids, context=context):
2953             balance = 0.0
2954             if report.id in res_all:
2955                 balance = res_all[report.id]
2956             elif report.type == 'accounts':
2957                 # it's the sum of balance of the linked accounts
2958                 for a in report.account_ids:
2959                     balance += a.balance
2960             elif report.type == 'account_type':
2961                 # it's the sum of balance of the leaf accounts with such an account type
2962                 report_types = [x.id for x in report.account_type_ids]
2963                 account_ids = account_obj.search(cr, uid, [('user_type','in', report_types), ('type','!=','view')], context=context)
2964                 for a in account_obj.browse(cr, uid, account_ids, context=context):
2965                     balance += a.balance
2966             elif report.type == 'account_report' and report.account_report_id:
2967                 # it's the amount of the linked report
2968                 res2 = self._get_balance(cr, uid, [report.account_report_id.id], 'balance', False, context=context)
2969                 res_all.update(res2)
2970                 for key, value in res2.items():
2971                     balance += value
2972             elif report.type == 'sum':
2973                 # it's the sum of balance of the children of this account.report
2974                 #for child in report.children_ids:
2975                 res2 = self._get_balance(cr, uid, [rec.id for rec in report.children_ids], 'balance', False, context=context)
2976                 res_all.update(res2)
2977                 for key, value in res2.items():
2978                     balance += value
2979             res[report.id] = balance
2980             res_all[report.id] = balance
2981         return res
2982
2983     _columns = {
2984         'name': fields.char('Report Name', size=128, required=True, translate=True),
2985         'parent_id': fields.many2one('account.financial.report', 'Parent'),
2986         'children_ids':  fields.one2many('account.financial.report', 'parent_id', 'Account Report'),
2987         'sequence': fields.integer('Sequence'),
2988         'balance': fields.function(_get_balance, 'Balance'),
2989         'level': fields.function(_get_level, string='Level', store=True, type='integer'),
2990         'type': fields.selection([
2991             ('sum','View'),
2992             ('accounts','Accounts'),
2993             ('account_type','Account Type'),
2994             ('account_report','Report Value'),
2995             ],'Type'),
2996         'account_ids': fields.many2many('account.account', 'account_account_financial_report', 'report_line_id', 'account_id', 'Accounts'),
2997         'display_detail': fields.selection([
2998             ('no_detail','No detail'),
2999             ('detail_flat','Display children flat'),
3000             ('detail_with_hierarchy','Display children with hierarchy')
3001             ], 'Display details'),
3002         'account_report_id':  fields.many2one('account.financial.report', 'Report Value'),
3003         'account_type_ids': fields.many2many('account.account.type', 'account_account_financial_report_type', 'report_id', 'account_type_id', 'Account Types'),
3004         'sign': fields.selection([(-1, 'Reverse balance sign'), (1, 'Preserve balance sign')], 'Sign on Reports', required=True, help='For accounts that are typically more debited than credited and that you would like to print as negative amounts in your reports, you should reverse the sign of the balance; e.g.: Expense account. The same applies for accounts that are typically more credited than debited and that you would like to print as positive amounts in your reports; e.g.: Income account.'),
3005     }
3006
3007     _defaults = {
3008         'type': 'sum',
3009         'display_detail': 'detail_flat',
3010         'sign': 1,
3011     }
3012
3013 account_financial_report()
3014
3015 # ---------------------------------------------------------
3016 # Account generation from template wizards
3017 # ---------------------------------------------------------
3018
3019 class wizard_multi_charts_accounts(osv.osv_memory):
3020     """
3021     Create a new account chart for a company.
3022     Wizards ask for:
3023         * a company
3024         * an account chart template
3025         * a number of digits for formatting code of non-view accounts
3026         * a list of bank accounts owned by the company
3027     Then, the wizard:
3028         * generates all accounts from the template and assigns them to the right company
3029         * generates all taxes and tax codes, changing account assignations
3030         * generates all accounting properties and assigns them correctly
3031     """
3032     _name='wizard.multi.charts.accounts'
3033     _inherit = 'res.config'
3034
3035     _columns = {
3036         'company_id':fields.many2one('res.company', 'Company', required=True),
3037         'chart_template_id': fields.many2one('account.chart.template', 'Chart Template', required=True),
3038         'bank_accounts_id': fields.one2many('account.bank.accounts.wizard', 'bank_account_id', 'Cash and Banks', required=True),
3039         'code_digits':fields.integer('# of Digits', required=True, help="No. of Digits to use for account code"),
3040         'seq_journal':fields.boolean('Separated Journal Sequences', help="Check this box if you want to use a different sequence for each created journal. Otherwise, all will use the same sequence."),
3041         "sale_tax": fields.many2one("account.tax.template", "Default Sale Tax"),
3042         "purchase_tax": fields.many2one("account.tax.template", "Default Purchase Tax"),
3043         'sale_tax_rate': fields.float('Sales Tax(%)'),
3044         'purchase_tax_rate': fields.float('Purchase Tax(%)'),
3045         'complete_tax_set': fields.boolean('Complete Set of Taxes', help='This boolean helps you to choose if you want to propose to the user to encode the sales and purchase rates or use the usual m2o fields. This last choice assumes that the set of tax defined for the chosen template is complete'),
3046     }
3047     def onchange_chart_template_id(self, cr, uid, ids, chart_template_id=False, context=None):
3048         res = {}
3049         tax_templ_obj = self.pool.get('account.tax.template')
3050         res['value'] = {'complete_tax_set': False, 'sale_tax': False, 'purchase_tax': False}
3051         if chart_template_id:
3052             data = self.pool.get('account.chart.template').browse(cr, uid, chart_template_id, context=context)
3053             res['value'].update({'complete_tax_set': data.complete_tax_set})
3054             if data.complete_tax_set:
3055             # default tax is given by the lowest sequence. For same sequence we will take the latest created as it will be the case for tax created while isntalling the generic chart of account
3056                 sale_tax_ids = tax_templ_obj.search(cr, uid, [("chart_template_id"
3057                                               , "=", chart_template_id), ('type_tax_use', 'in', ('sale','all'))], order="sequence, id desc")
3058                 purchase_tax_ids = tax_templ_obj.search(cr, uid, [("chart_template_id"
3059                                               , "=", chart_template_id), ('type_tax_use', 'in', ('purchase','all'))], order="sequence, id desc")
3060                 res['value'].update({'sale_tax': sale_tax_ids and sale_tax_ids[0] or False, 'purchase_tax': purchase_tax_ids and purchase_tax_ids[0] or False})
3061
3062             if data.code_digits:
3063                res['value'].update({'code_digits': data.code_digits})
3064         return res
3065
3066
3067     def default_get(self, cr, uid, fields, context=None):
3068         res = super(wizard_multi_charts_accounts, self).default_get(cr, uid, fields, context=context) 
3069         tax_templ_obj = self.pool.get('account.tax.template')
3070
3071         if 'bank_accounts_id' in fields:
3072             res.update({'bank_accounts_id': [{'acc_name': _('Current'), 'account_type': 'bank'},
3073                     {'acc_name': _('Deposit'), 'account_type': 'bank'},
3074                     {'acc_name': _('Cash'), 'account_type': 'cash'}]})
3075         if 'company_id' in fields:
3076             res.update({'company_id': self.pool.get('res.users').browse(cr, uid, [uid], context=context)[0].company_id.id})
3077         if 'seq_journal' in fields:
3078             res.update({'seq_journal': True})
3079
3080         ids = self.pool.get('account.chart.template').search(cr, uid, [('visible', '=', True)], context=context)
3081         if ids:
3082             if 'chart_template_id' in fields:
3083                 res.update({'chart_template_id': ids[0]})
3084             if 'sale_tax' in fields:
3085                 sale_tax_ids = tax_templ_obj.search(cr, uid, [("chart_template_id"
3086                                               , "=", ids[0]), ('type_tax_use', 'in', ('sale','all'))], order="sequence")
3087                 res.update({'sale_tax': sale_tax_ids and sale_tax_ids[0] or False})
3088             if 'purchase_tax' in fields:
3089                 purchase_tax_ids = tax_templ_obj.search(cr, uid, [("chart_template_id"
3090                                           , "=", ids[0]), ('type_tax_use', 'in', ('purchase','all'))], order="sequence")
3091                 res.update({'purchase_tax': purchase_tax_ids and purchase_tax_ids[0] or False})
3092         return res
3093
3094     def fields_view_get(self, cr, uid, view_id=None, view_type='form', context=None, toolbar=False, submenu=False):
3095         res = super(wizard_multi_charts_accounts, self).fields_view_get(cr, uid, view_id=view_id, view_type=view_type, context=context, toolbar=toolbar,submenu=False)
3096         cmp_select = []
3097         acc_template_obj = self.pool.get('account.chart.template')
3098         company_obj = self.pool.get('res.company')
3099
3100         company_ids = company_obj.search(cr, uid, [], context=context)
3101         #display in the widget selection of companies, only the companies that haven't been configured yet (but don't care about the demo chart of accounts)
3102         cr.execute("SELECT company_id FROM account_account WHERE active = 't' AND account_account.parent_id IS NULL AND name != %s", ("Chart For Automated Tests",))
3103         configured_cmp = [r[0] for r in cr.fetchall()]
3104         unconfigured_cmp = list(set(company_ids)-set(configured_cmp))
3105         for field in res['fields']:
3106             if field == 'company_id':
3107                 res['fields'][field]['domain'] = [('id','in',unconfigured_cmp)]
3108                 res['fields'][field]['selection'] = [('', '')]
3109                 if unconfigured_cmp:
3110                     cmp_select = [(line.id, line.name) for line in company_obj.browse(cr, uid, unconfigured_cmp)]
3111                     res['fields'][field]['selection'] = cmp_select
3112         return res
3113
3114     def check_created_journals(self, cr, uid, vals_journal, company_id, context=None):
3115         """
3116         This method used for checking journals already created or not. If not then create new journal.
3117         """
3118         obj_journal = self.pool.get('account.journal')
3119         rec_list = obj_journal.search(cr, uid, [('name','=', vals_journal['name']),('company_id', '=', company_id)], context=context)
3120         if not rec_list:
3121             obj_journal.create(cr, uid, vals_journal, context=context)
3122         return True
3123
3124     def generate_journals(self, cr, uid, chart_template_id, acc_template_ref, company_id, context=None):
3125         """
3126         This method is used for creating journals.
3127
3128         :param chart_temp_id: Chart Template Id.
3129         :param acc_template_ref: Account templates reference.
3130         :param company_id: company_id selected from wizard.multi.charts.accounts.
3131         :returns: True
3132         """
3133         journal_data = self._prepare_all_journals(cr, uid, chart_template_id, acc_template_ref, company_id, context=context)
3134         for vals_journal in journal_data:
3135             self.check_created_journals(cr, uid, vals_journal, company_id, context=context)
3136         return True
3137
3138     def _prepare_all_journals(self, cr, uid, chart_template_id, acc_template_ref, company_id, context=None):
3139         def _get_analytic_journal(journal_type):
3140             # Get the analytic journal
3141             analytic_journal_ids = []
3142             if journal_type in ('sale', 'sale_refund'):
3143                 analytical_journal_ids = analytic_journal_obj.search(cr, uid, [('type','=','sale')], context=context)
3144             elif journal_type in ('purchase', 'purchase_refund'):
3145                 analytical_journal_ids = analytic_journal_obj.search(cr, uid, [('type','=','purchase')], context=context)
3146             elif journal_type == 'general':
3147                 analytical_journal_ids = analytic_journal_obj.search(cr, uid, [('type', '=', 'situation')], context=context)
3148             return analytic_journal_ids and analytic_journal_ids[0] or False
3149
3150         def _get_default_account(journal_type, type='debit'):
3151             # Get the default accounts
3152             default_account = False
3153             if journal_type in ('sale', 'sale_refund'):
3154                 default_account = acc_template_ref.get(template.property_account_income_categ.id)
3155             elif journal_type in ('purchase', 'purchase_refund'):
3156                 default_account = acc_template_ref.get(template.property_account_expense_categ.id)
3157             elif journal_type == 'situation':
3158                 if type == 'debit':
3159                     default_account = acc_template_ref.get(template.property_account_expense_opening.id)
3160                 else:
3161                     default_account = acc_template_ref.get(template.property_account_income_opening.id)
3162             return default_account
3163
3164         def _get_view_id(journal_type):
3165             # Get the journal views
3166             if journal_type in ('general', 'situation'):
3167                 data = obj_data.get_object_reference(cr, uid, 'account', 'account_journal_view')
3168             elif journal_type in ('sale_refund', 'purchase_refund'):
3169                 data = obj_data.get_object_reference(cr, uid, 'account', 'account_sp_refund_journal_view') 
3170             else:
3171                 data = obj_data.get_object_reference(cr, uid, 'account', 'account_sp_journal_view')
3172             return data and data[1] or False
3173
3174         journal_names = {
3175             'sale': _('Sales Journal'),
3176             'purchase': _('Purchase Journal'),
3177             'sale_refund': _('Sales Refund Journal'),
3178             'purchase_refund': _('Purchase Refund Journal'),
3179             'general': _('Miscellaneous Journal'),
3180             'situation': _('Opening Entries Journal'),
3181         }
3182         journal_codes = {
3183             'sale': _('SAJ'),
3184             'purchase': _('EXJ'),
3185             'sale_refund': _('SCNJ'),
3186             'purchase_refund': _('ECNJ'),
3187             'general': _('MISC'),
3188             'situation': _('OPEJ'),
3189         }
3190
3191         obj_data = self.pool.get('ir.model.data')
3192         analytic_journal_obj = self.pool.get('account.analytic.journal')
3193         template = self.pool.get('account.chart.template').browse(cr, uid, chart_template_id, context=context)
3194
3195         journal_data = []
3196         for journal_type in ['sale', 'purchase', 'sale_refund', 'purchase_refund', 'general', 'situation']:
3197             vals = {
3198                 'type': journal_type,
3199                 'name': journal_names[journal_type],
3200                 'code': journal_codes[journal_type],
3201                 'company_id': company_id,
3202                 'centralisation': journal_type == 'situation',
3203                 'view_id': _get_view_id(journal_type),
3204                 'analytic_journal_id': _get_analytic_journal(journal_type),
3205                 'default_credit_account_id': _get_default_account(journal_type, 'credit'),
3206                 'default_debit_account_id': _get_default_account(journal_type, 'debit'),
3207             }
3208             journal_data.append(vals)
3209         return journal_data
3210
3211     def generate_properties(self, cr, uid, chart_template_id, acc_template_ref, company_id, context=None):
3212         """
3213         This method used for creating properties.
3214
3215         :param chart_template_id: id of the current chart template for which we need to create properties
3216         :param acc_template_ref: Mapping between ids of account templates and real accounts created from them
3217         :param company_id: company_id selected from wizard.multi.charts.accounts.
3218         :returns: True
3219         """
3220         property_obj = self.pool.get('ir.property')
3221         field_obj = self.pool.get('ir.model.fields')
3222         todo_list = [
3223             ('property_account_receivable','res.partner','account.account'),
3224             ('property_account_payable','res.partner','account.account'),
3225             ('property_account_expense_categ','product.category','account.account'),
3226             ('property_account_income_categ','product.category','account.account'),
3227             ('property_account_expense','product.template','account.account'),
3228             ('property_account_income','product.template','account.account'),
3229             ('property_reserve_and_surplus_account','res.company','account.account')
3230         ]
3231         template = self.pool.get('account.chart.template').browse(cr, uid, chart_template_id, context=context)
3232         for record in todo_list:
3233             account = getattr(template, record[0])
3234             value = account and 'account.account,' + str(acc_template_ref[account.id]) or False
3235             if value:
3236                 field = field_obj.search(cr, uid, [('name', '=', record[0]),('model', '=', record[1]),('relation', '=', record[2])], context=context)
3237                 vals = {
3238                     'name': record[0],
3239                     'company_id': company_id,
3240                     'fields_id': field[0],
3241                     'value': value,
3242                 }
3243                 property_ids = property_obj.search(cr, uid, [('name','=', record[0]),('company_id', '=', company_id)], context=context)
3244                 if property_ids:
3245                     #the property exist: modify it
3246                     property_obj.write(cr, uid, property_ids, vals, context=context)
3247                 else:
3248                     #create the property
3249                     property_obj.create(cr, uid, vals, context=context)
3250         return True
3251
3252     def _install_template(self, cr, uid, template_id, company_id, code_digits=None, obj_wizard=None, acc_ref={}, taxes_ref={}, tax_code_ref={}, context=None):
3253         '''
3254         This function recursively loads the template objects and create the real objects from them.
3255
3256         :param template_id: id of the chart template to load
3257         :param company_id: id of the company the wizard is running for
3258         :param code_digits: integer that depicts the number of digits the accounts code should have in the COA
3259         :param obj_wizard: the current wizard for generating the COA from the templates
3260         :param acc_ref: Mapping between ids of account templates and real accounts created from them
3261         :param taxes_ref: Mapping between ids of tax templates and real taxes created from them
3262         :param tax_code_ref: Mapping between ids of tax code templates and real tax codes created from them
3263         :returns: return a tuple with a dictionary containing
3264             * the mapping between the account template ids and the ids of the real accounts that have been generated
3265               from them, as first item,
3266             * a similar dictionary for mapping the tax templates and taxes, as second item,
3267             * a last identical containing the mapping of tax code templates and tax codes
3268         :rtype: tuple(dict, dict, dict)
3269         '''
3270         template = self.pool.get('account.chart.template').browse(cr, uid, template_id, context=context)
3271         if template.parent_id:
3272             tmp1, tmp2, tmp3 = self._install_template(cr, uid, template.parent_id.id, company_id, code_digits=code_digits, acc_ref=acc_ref, taxes_ref=taxes_ref, tax_code_ref=tax_code_ref, context=context)
3273             acc_ref.update(tmp1)
3274             taxes_ref.update(tmp2)
3275             tax_code_ref.update(tmp3)
3276         tmp1, tmp2, tmp3 = self._load_template(cr, uid, template_id, company_id, code_digits=code_digits, obj_wizard=obj_wizard, account_ref=acc_ref, taxes_ref=taxes_ref, tax_code_ref=tax_code_ref, context=context)
3277         acc_ref.update(tmp1)
3278         taxes_ref.update(tmp2)
3279         tax_code_ref.update(tmp3)
3280         return acc_ref, taxes_ref, tax_code_ref
3281
3282     def _load_template(self, cr, uid, template_id, company_id, code_digits=None, obj_wizard=None, account_ref={}, taxes_ref={}, tax_code_ref={}, context=None):
3283         '''
3284         This function generates all the objects from the templates
3285
3286         :param template_id: id of the chart template to load
3287         :param company_id: id of the company the wizard is running for
3288         :param code_digits: integer that depicts the number of digits the accounts code should have in the COA
3289         :param obj_wizard: the current wizard for generating the COA from the templates
3290         :param acc_ref: Mapping between ids of account templates and real accounts created from them
3291         :param taxes_ref: Mapping between ids of tax templates and real taxes created from them
3292         :param tax_code_ref: Mapping between ids of tax code templates and real tax codes created from them
3293         :returns: return a tuple with a dictionary containing
3294             * the mapping between the account template ids and the ids of the real accounts that have been generated
3295               from them, as first item,
3296             * a similar dictionary for mapping the tax templates and taxes, as second item,
3297             * a last identical containing the mapping of tax code templates and tax codes
3298         :rtype: tuple(dict, dict, dict)
3299         '''
3300         template = self.pool.get('account.chart.template').browse(cr, uid, template_id, context=context)
3301         obj_tax_code_template = self.pool.get('account.tax.code.template')
3302         obj_acc_tax = self.pool.get('account.tax')
3303         obj_tax_temp = self.pool.get('account.tax.template')
3304         obj_acc_template = self.pool.get('account.account.template')
3305         obj_fiscal_position_template = self.pool.get('account.fiscal.position.template')
3306
3307         # create all the tax code.
3308         tax_code_ref.update(obj_tax_code_template.generate_tax_code(cr, uid, template.tax_code_root_id.id, company_id, context=context))
3309
3310         # Generate taxes from templates.
3311         tax_templates = [x for x in template.tax_template_ids]
3312         generated_tax_res = obj_tax_temp._generate_tax(cr, uid, tax_templates, tax_code_ref, company_id, context=context)
3313         taxes_ref.update(generated_tax_res['tax_template_to_tax'])
3314
3315         # Generating Accounts from templates.
3316         account_template_ref = obj_acc_template.generate_account(cr, uid, template_id, taxes_ref, account_ref, code_digits, company_id, context=context)
3317         account_ref.update(account_template_ref)
3318
3319         # writing account values on tax after creation of accounts
3320         for key,value in generated_tax_res['account_dict'].items():
3321             if value['account_collected_id'] or value['account_paid_id']:
3322                 obj_acc_tax.write(cr, uid, [key], {
3323                     'account_collected_id': account_ref.get(value['account_collected_id'], False),
3324                     'account_paid_id': account_ref.get(value['account_paid_id'], False),
3325                 })
3326
3327         # Create Journals
3328         self.generate_journals(cr, uid, template_id, account_ref, company_id, context=context)
3329
3330         # generate properties function
3331         self.generate_properties(cr, uid, template_id, account_ref, company_id, context=context)
3332
3333         # Generate Fiscal Position , Fiscal Position Accounts and Fiscal Position Taxes from templates
3334         obj_fiscal_position_template.generate_fiscal_position(cr, uid, template_id, taxes_ref, account_ref, company_id, context=context)
3335
3336         return account_ref, taxes_ref, tax_code_ref
3337
3338     def _create_tax_templates_from_rates(self, cr, uid, obj_wizard, company_id, context=None):
3339         '''
3340         This function checks if the chosen chart template is configured as containing a full set of taxes, and if
3341         it's not the case, it creates the templates for account.tax.code and for account.account.tax objects accordingly
3342         to the provided sale/purchase rates. Then it saves the new tax templates as default taxes to use for this chart
3343         template.
3344
3345         :param obj_wizard: browse record of wizard to generate COA from templates
3346         :param company_id: id of the company for wich the wizard is running
3347         :return: True
3348         '''
3349         obj_tax_code_template = self.pool.get('account.tax.code.template')
3350         obj_tax_temp = self.pool.get('account.tax.template')
3351         chart_template = obj_wizard.chart_template_id
3352         vals = {}
3353         # create tax templates and tax code templates from purchase_tax_rate and sale_tax_rate fields
3354         if not chart_template.complete_tax_set:
3355             tax_data = {
3356                 'sale': obj_wizard.sale_tax_rate,
3357                 'purchase': obj_wizard.purchase_tax_rate,
3358             }
3359
3360             for tax_type, value in tax_data.items():
3361                 # don't consider cases where entered value in rates are lower than 0
3362                 if value >= 0.0:
3363                     #create the tax code templates for base and tax
3364                     base_code_vals = {
3365                         'name': (tax_type == 'sale' and _('Taxable Sales at %s') or _('Taxable Purchases at %s')) % value,
3366                         'code': (tax_type == 'sale' and _('BASE-S-%s') or _('BASE-P-%s')) %value,
3367                         'parent_id': chart_template.tax_code_root_id.id,
3368                         'company_id': company_id,
3369                     }
3370                     new_base_code_id = obj_tax_code_template.create(cr, uid, base_code_vals, context=context)
3371                     tax_code_vals = {
3372                         'name': (tax_type == 'sale' and _('Tax Received at %s') or _('Tax Paid at %s')) % value,
3373                         'code': (tax_type == 'sale' and _('TAX-S-%s') or _('TAX-P-%s')) %value,
3374                         'parent_id': chart_template.tax_code_root_id.id,
3375                         'company_id': company_id,
3376                     }
3377                     new_tax_code_id = obj_tax_code_template.create(cr, uid, tax_code_vals, context=context)
3378                     #create the tax
3379                     tax_template_id = obj_tax_temp.create(cr, uid, {
3380                                             'name': _('Tax %s%%') % value,
3381                                             'amount': value/100,
3382                                             'base_code_id': new_base_code_id,
3383                                             'tax_code_id': new_tax_code_id,
3384                                             'ref_base_code_id': new_base_code_id,
3385                                             'ref_tax_code_id': new_tax_code_id,
3386                                             'type_tax_use': tax_type,
3387                                             'type': 'percent',
3388                                             'sequence': 0,
3389                                             'chart_template_id': chart_template.id or False,
3390                     }, context=context)
3391                     #record this new tax_template as default for this chart template
3392                     field_name = tax_type == 'sale' and 'sale_tax' or 'purchase_tax'
3393                     vals[field_name] = tax_template_id
3394         self.write(cr, uid, obj_wizard.id, vals, context=context)
3395         return True
3396
3397     def execute(self, cr, uid, ids, context=None):
3398         '''
3399         This function is called at the confirmation of the wizard to generate the COA from the templates. It will read
3400         all the provided information to create the accounts, the banks, the journals, the taxes, the tax codes, the
3401         accounting properties... accordingly for the chosen company.
3402         '''
3403         ir_values_obj = self.pool.get('ir.values')
3404         obj_wizard = self.browse(cr, uid, ids[0])
3405         company_id = obj_wizard.company_id.id
3406         # If the floats for sale/purchase rates have been filled, create templates from them
3407         self._create_tax_templates_from_rates(cr, uid, obj_wizard, company_id, context=context)
3408
3409         # Install all the templates objects and generate the real objects
3410         acc_template_ref, taxes_ref, tax_code_ref = self._install_template(cr, uid, obj_wizard.chart_template_id.id, company_id, code_digits=obj_wizard.code_digits, obj_wizard=obj_wizard, context=context)
3411
3412         # write values of default taxes for product
3413         if obj_wizard.sale_tax and taxes_ref:
3414             ir_values_obj.set(cr, uid, key='default', key2=False, name="taxes_id", company=company_id,
3415                                 models =[('product.product',False)], value=[taxes_ref[obj_wizard.sale_tax.id]])
3416         if obj_wizard.purchase_tax and taxes_ref:
3417                 ir_values_obj.set(cr, uid, key='default', key2=False, name="supplier_taxes_id", company=company_id,
3418                                 models =[('product.product',False)], value=[taxes_ref[obj_wizard.purchase_tax.id]])
3419
3420         # Create Bank journals
3421         self._create_bank_journals_from_o2m(cr, uid, obj_wizard, company_id, acc_template_ref, context=context)
3422         return True
3423
3424     def _prepare_bank_journal(self, cr, uid, line, current_num, default_account_id, company_id, context=None):
3425         '''
3426         This function prepares the value to use for the creation of a bank journal created through the wizard of 
3427         generating COA from templates.
3428
3429         :param line: dictionary containing the values encoded by the user related to his bank account
3430         :param current_num: integer corresponding to a counter of the already created bank journals through this wizard.
3431         :param default_account_id: id of the default debit.credit account created before for this journal.
3432         :param company_id: id of the company for which the wizard is running
3433         :return: mapping of field names and values
3434         :rtype: dict
3435         '''
3436         obj_data = self.pool.get('ir.model.data')
3437         # Get the id of journal views
3438         tmp = obj_data.get_object_reference(cr, uid, 'account', 'account_journal_bank_view_multi')
3439         view_id_cur = tmp and tmp[1] or False
3440         tmp = obj_data.get_object_reference(cr, uid, 'account', 'account_journal_bank_view')
3441         view_id_cash = tmp and tmp[1] or False
3442         vals = {
3443                 'name': line['acc_name'],
3444                 'code': _('BNK') + str(current_num),
3445                 'type': line['account_type'] == 'cash' and 'cash' or 'bank',
3446                 'company_id': company_id,
3447                 'analytic_journal_id': False,
3448                 'currency': False,
3449                 'default_credit_account_id': default_account_id,
3450                 'default_debit_account_id': default_account_id,
3451         }
3452         if line['currency_id']:
3453             vals['view_id'] = view_id_cur
3454             vals['currency'] = line['currency_id']
3455         else:
3456             vals['view_id'] = view_id_cash
3457         return vals
3458
3459     def _prepare_bank_account(self, cr, uid, line, new_code, acc_template_ref, ref_acc_bank, company_id, context=None):
3460         '''
3461         This function prepares the value to use for the creation of the default debit and credit accounts of a
3462         bank journal created through the wizard of generating COA from templates.
3463
3464         :param line: dictionary containing the values encoded by the user related to his bank account
3465         :param new_code: integer corresponding to the next available number to use as account code
3466         :param acc_template_ref: the dictionary containing the mapping between the ids of account templates and the ids
3467             of the accounts that have been generated from them.
3468         :param ref_acc_bank: browse record of the account template set as root of all bank accounts for the chosen
3469             template
3470         :param company_id: id of the company for which the wizard is running
3471         :return: mapping of field names and values
3472         :rtype: dict
3473         '''
3474         obj_data = self.pool.get('ir.model.data')
3475
3476         # Get the id of the user types fr-or cash and bank
3477         tmp = obj_data.get_object_reference(cr, uid, 'account', 'data_account_type_cash')
3478         cash_type = tmp and tmp[1] or False
3479         tmp = obj_data.get_object_reference(cr, uid, 'account', 'data_account_type_bank')
3480         bank_type = tmp and tmp[1] or False
3481         return {
3482                 'name': line['acc_name'],
3483                 'currency_id': line['currency_id'],
3484                 'code': new_code,
3485                 'type': 'liquidity',
3486                 'user_type': line['account_type'] == 'cash' and cash_type or bank_type,
3487                 'parent_id': acc_template_ref[ref_acc_bank.id] or False,
3488                 'company_id': company_id,
3489         }
3490
3491     def _create_bank_journals_from_o2m(self, cr, uid, obj_wizard, company_id, acc_template_ref, context=None):
3492         '''
3493         This function creates bank journals and its accounts for each line encoded in the field bank_accounts_id of the
3494         wizard.
3495
3496         :param obj_wizard: the current wizard that generates the COA from the templates.
3497         :param company_id: the id of the company for which the wizard is running.
3498         :param acc_template_ref: the dictionary containing the mapping between the ids of account templates and the ids
3499             of the accounts that have been generated from them.
3500         :return: True
3501         '''
3502         obj_acc = self.pool.get('account.account')
3503         obj_journal = self.pool.get('account.journal')
3504         code_digits = obj_wizard.code_digits
3505
3506         # Build a list with all the data to process
3507         journal_data = []
3508         if obj_wizard.bank_accounts_id:
3509             for acc in obj_wizard.bank_accounts_id:
3510                 vals = {
3511                     'acc_name': acc.acc_name,
3512                     'account_type': acc.account_type,
3513                     'currency_id': acc.currency_id.id,
3514                 }
3515                 journal_data.append(vals)
3516         ref_acc_bank = obj_wizard.chart_template_id.bank_account_view_id
3517         if journal_data and not ref_acc_bank.code:
3518             raise osv.except_osv(_('Configuration Error !'), _('The bank account defined on the selected chart of accounts hasn\'t a code.'))
3519
3520         current_num = 1
3521         for line in journal_data:
3522             # Seek the next available number for the account code
3523             while True:
3524                 new_code = str(ref_acc_bank.code.ljust(code_digits-len(str(current_num)), '0')) + str(current_num)
3525                 ids = obj_acc.search(cr, uid, [('code', '=', new_code), ('company_id', '=', company_id)])
3526                 if not ids:
3527                     break
3528                 else:
3529                     current_num += 1
3530             # Create the default debit/credit accounts for this bank journal
3531             vals = self._prepare_bank_account(cr, uid, line, new_code, acc_template_ref, ref_acc_bank, company_id, context=context)
3532             default_account_id  = obj_acc.create(cr, uid, vals, context=context)
3533
3534             #create the bank journal
3535             vals_journal = self._prepare_bank_journal(cr, uid, line, current_num, default_account_id, company_id, context=context)
3536             obj_journal.create(cr, uid, vals_journal)
3537             current_num += 1
3538         return True
3539
3540 wizard_multi_charts_accounts()
3541
3542 class account_bank_accounts_wizard(osv.osv_memory):
3543     _name='account.bank.accounts.wizard'
3544
3545     _columns = {
3546         'acc_name': fields.char('Account Name.', size=64, required=True),
3547         'bank_account_id': fields.many2one('wizard.multi.charts.accounts', 'Bank Account', required=True),
3548         'currency_id': fields.many2one('res.currency', 'Secondary Currency', help="Forces all moves for this account to have this secondary currency."),
3549         'account_type': fields.selection([('cash','Cash'), ('check','Check'), ('bank','Bank')], 'Account Type', size=32),
3550     }
3551
3552 account_bank_accounts_wizard()
3553
3554 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4: