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