[ADD, IMP]: res.company: Added new field in company for paper format which is used...
[odoo/odoo.git] / openerp / addons / base / res / res_currency.py
1 # -*- coding: utf-8 -*-
2 ##############################################################################
3 #
4 #    OpenERP, Open Source Management Solution
5 #    Copyright (C) 2004-2009 Tiny SPRL (<http://tiny.be>).
6 #
7 #    This program is free software: you can redistribute it and/or modify
8 #    it under the terms of the GNU Affero General Public License as
9 #    published by the Free Software Foundation, either version 3 of the
10 #    License, or (at your option) any later version.
11 #
12 #    This program is distributed in the hope that it will be useful,
13 #    but WITHOUT ANY WARRANTY; without even the implied warranty of
14 #    MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
15 #    GNU Affero General Public License for more details.
16 #
17 #    You should have received a copy of the GNU Affero General Public License
18 #    along with this program.  If not, see <http://www.gnu.org/licenses/>.
19 #
20 ##############################################################################
21 import re
22 import time
23 import netsvc
24 from osv import fields, osv
25 import tools
26
27 from tools.misc import currency
28 from tools.translate import _
29
30 CURRENCY_DISPLAY_PATTERN = re.compile(r'(\w+)\s*(?:\((.*)\))?')
31
32 class res_currency(osv.osv):
33     def _current_rate(self, cr, uid, ids, name, arg, context=None):
34         if context is None:
35             context = {}
36         res = {}
37         if 'date' in context:
38             date = context['date']
39         else:
40             date = time.strftime('%Y-%m-%d')
41         date = date or time.strftime('%Y-%m-%d')
42         # Convert False values to None ...
43         currency_rate_type = context.get('currency_rate_type_id') or None
44         # ... and use 'is NULL' instead of '= some-id'.
45         operator = '=' if currency_rate_type else 'is'
46         for id in ids:
47             cr.execute("SELECT currency_id, rate FROM res_currency_rate WHERE currency_id = %s AND name <= %s AND currency_rate_type_id " + operator +" %s ORDER BY name desc LIMIT 1" ,(id, date, currency_rate_type))
48             if cr.rowcount:
49                 id, rate = cr.fetchall()[0]
50                 res[id] = rate
51             else:
52                 res[id] = 0
53         return res
54     _name = "res.currency"
55     _description = "Currency"
56     _columns = {
57         # Note: 'code' column was removed as of v6.0, the 'name' should now hold the ISO code.
58         'name': fields.char('Currency', size=32, required=True, help="Currency Code (ISO 4217)"),
59         'symbol': fields.char('Symbol', size=3, help="Currency sign, to be used when printing amounts."),
60         'rate': fields.function(_current_rate, method=True, string='Current Rate', digits=(12,6),
61             help='The rate of the currency to the currency of rate 1.'),
62         'rate_ids': fields.one2many('res.currency.rate', 'currency_id', 'Rates'),
63         'accuracy': fields.integer('Computational Accuracy'),
64         'rounding': fields.float('Rounding Factor', digits=(12,6)),
65         'active': fields.boolean('Active'),
66         'company_id':fields.many2one('res.company', 'Company'),
67         'date': fields.date('Date'),
68         'base': fields.boolean('Base'),
69         'position': fields.selection([('after','After Amount'),('before','Before Amount')], 'Symbol position', help="Determines where the currency symbol should be placed after or before the amount.")
70     }
71     _defaults = {
72         'active': lambda *a: 1,
73         'position' : 'after',
74         'rounding': 0.01,
75         'accuracy': 4,
76     }
77     _sql_constraints = [
78         # this constraint does not cover all cases due to SQL NULL handling for company_id,
79         # so it is complemented with a unique index (see below). The constraint and index
80         # share the same prefix so that IntegrityError triggered by the index will be caught
81         # and reported to the user with the constraint's error message.
82         ('unique_name_company_id', 'unique (name, company_id)', 'The currency code must be unique per company!'),
83     ]
84     _order = "name"
85
86     def init(self, cr):
87         # CONSTRAINT/UNIQUE INDEX on (name,company_id) 
88         # /!\ The unique constraint 'unique_name_company_id' is not sufficient, because SQL92
89         # only support field names in constraint definitions, and we need a function here:
90         # we need to special-case company_id to treat all NULL company_id as equal, otherwise
91         # we would allow duplicate "global" currencies (all having company_id == NULL) 
92         cr.execute("""SELECT indexname FROM pg_indexes WHERE indexname = 'res_currency_unique_name_company_id_idx'""")
93         if not cr.fetchone():
94             cr.execute("""CREATE UNIQUE INDEX res_currency_unique_name_company_id_idx
95                           ON res_currency
96                           (name, (COALESCE(company_id,-1)))""")
97
98     def read(self, cr, user, ids, fields=None, context=None, load='_classic_read'):
99         res = super(res_currency, self).read(cr, user, ids, fields, context, load)
100         currency_rate_obj = self.pool.get('res.currency.rate')
101         for r in res:
102             if r.__contains__('rate_ids'):
103                 rates=r['rate_ids']
104                 if rates:
105                     currency_date = currency_rate_obj.read(cr, user, rates[0], ['name'])['name']
106                     r['date'] = currency_date
107         return res
108
109     def name_search(self, cr, user, name='', args=None, operator='ilike', context=None, limit=100):
110         if not args:
111             args = []
112         results = super(res_currency,self)\
113             .name_search(cr, user, name, args, operator=operator, context=context, limit=limit)
114         if not results:
115             name_match = CURRENCY_DISPLAY_PATTERN.match(name)
116             if name_match:
117                 results = super(res_currency,self)\
118                     .name_search(cr, user, name_match.group(1), args, operator=operator, context=context, limit=limit)
119         return results
120
121     def name_get(self, cr, uid, ids, context=None):
122         if not ids:
123             return []
124         if isinstance(ids, (int, long)):
125             ids = [ids]
126         reads = self.read(cr, uid, ids, ['name','symbol'], context=context, load='_classic_write')
127         return [(x['id'], tools.ustr(x['name']) + (x['symbol'] and (' (' + tools.ustr(x['symbol']) + ')') or '')) for x in reads]
128
129     def round(self, cr, uid, currency, amount):
130         if currency.rounding == 0:
131             return 0.0
132         else:
133             # /!\ First member below must be rounded to full unit!
134             # Do not pass a rounding digits value to round()
135             return round(amount / currency.rounding) * currency.rounding
136
137     def is_zero(self, cr, uid, currency, amount):
138         return abs(self.round(cr, uid, currency, amount)) < currency.rounding
139
140     def _get_conversion_rate(self, cr, uid, from_currency, to_currency, context=None):
141         if context is None:
142             context = {}
143         ctx = context.copy()
144         ctx.update({'currency_rate_type_id': ctx.get('currency_rate_type_from')})
145         from_currency = self.browse(cr, uid, from_currency.id, context=ctx)
146
147         ctx.update({'currency_rate_type_id': ctx.get('currency_rate_type_to')})
148         to_currency = self.browse(cr, uid, to_currency.id, context=ctx)
149
150         if from_currency.rate == 0 or to_currency.rate == 0:
151             date = context.get('date', time.strftime('%Y-%m-%d'))
152             if from_currency.rate == 0:
153                 currency_symbol = from_currency.symbol
154             else:
155                 currency_symbol = to_currency.symbol
156             raise osv.except_osv(_('Error'), _('No rate found \n' \
157                     'for the currency: %s \n' \
158                     'at the date: %s') % (currency_symbol, date))
159         return to_currency.rate/from_currency.rate
160
161     def compute(self, cr, uid, from_currency_id, to_currency_id, from_amount,
162                 round=True, currency_rate_type_from=False, currency_rate_type_to=False, context=None):
163         if not context:
164             context = {}
165         if not from_currency_id:
166             from_currency_id = to_currency_id
167         if not to_currency_id:
168             to_currency_id = from_currency_id
169         xc = self.browse(cr, uid, [from_currency_id,to_currency_id], context=context)
170         from_currency = (xc[0].id == from_currency_id and xc[0]) or xc[1]
171         to_currency = (xc[0].id == to_currency_id and xc[0]) or xc[1]
172         if (to_currency_id == from_currency_id) and (currency_rate_type_from == currency_rate_type_to):
173             if round:
174                 return self.round(cr, uid, to_currency, from_amount)
175             else:
176                 return from_amount
177         else:
178             context.update({'currency_rate_type_from': currency_rate_type_from, 'currency_rate_type_to': currency_rate_type_to})
179             rate = self._get_conversion_rate(cr, uid, from_currency, to_currency, context=context)
180             if round:
181                 return self.round(cr, uid, to_currency, from_amount * rate)
182             else:
183                 return (from_amount * rate)
184
185 res_currency()
186
187 class res_currency_rate_type(osv.osv):
188     _name = "res.currency.rate.type"
189     _description = "Currency Rate Type"
190     _columns = {
191         'name': fields.char('Name', size=64, required=True, translate=True),
192     }
193
194 res_currency_rate_type()
195
196 class res_currency_rate(osv.osv):
197     _name = "res.currency.rate"
198     _description = "Currency Rate"
199
200     _columns = {
201         'name': fields.date('Date', required=True, select=True),
202         'rate': fields.float('Rate', digits=(12,6), required=True,
203             help='The rate of the currency to the currency of rate 1'),
204         'currency_id': fields.many2one('res.currency', 'Currency', readonly=True),
205         'currency_rate_type_id': fields.many2one('res.currency.rate.type', 'Currency Rate Type', help="Allow you to define your own currency rate types, like 'Average' or 'Year to Date'. Leave empty if you simply want to use the normal 'spot' rate type"),
206     }
207     _defaults = {
208         'name': lambda *a: time.strftime('%Y-%m-%d'),
209     }
210     _order = "name desc"
211
212 res_currency_rate()
213
214 # vim:expandtab:smartindent:tabstop=4:softtabstop=4:shiftwidth=4:
215