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