1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286
|
#This file is part of Tryton. The COPYRIGHT file at the top level of
#this repository contains the full copyright notices and license terms.
from decimal import Decimal
from trytond.model import ModelView, ModelSQL, fields
from trytond.model.modelstorage import OPERATORS
from trytond.pyson import Eval
from trytond.transaction import Transaction
from trytond.pool import Pool
STATES = {
'readonly': ~Eval('active', True),
}
DEPENDS = ['active']
class UomCategory(ModelSQL, ModelView):
'Product uom category'
_name = 'product.uom.category'
_description = __doc__
name = fields.Char('Name', required=True, translate=True)
uoms = fields.One2Many('product.uom', 'category', 'Unit of Measures')
def __init__(self):
super(UomCategory, self).__init__()
self._order.insert(0, ('name', 'ASC'))
UomCategory()
class Uom(ModelSQL, ModelView):
'Unit of measure'
_name = 'product.uom'
_description = __doc__
name = fields.Char('Name', size=None, required=True, states=STATES,
translate=True, depends=DEPENDS)
symbol = fields.Char('Symbol', size=10, required=True, states=STATES,
translate=True, depends=DEPENDS)
category = fields.Many2One('product.uom.category', 'UOM Category',
required=True, ondelete='RESTRICT', states=STATES, depends=DEPENDS)
rate = fields.Float('Rate', digits=(12, 12), required=True,
on_change=['rate'], states=STATES, depends=DEPENDS,
help='The coefficient for the formula:\n' \
'1 (base unit) = coef (this unit)')
factor = fields.Float('Factor', digits=(12, 12), states=STATES,
on_change=['factor'], required=True, depends=DEPENDS,
help='The coefficient for the formula:\n' \
'coef (base unit) = 1 (this unit)')
rounding = fields.Float('Rounding Precision', digits=(12, 12),
required=True, states=STATES, depends=DEPENDS)
digits = fields.Integer('Display Digits')
active = fields.Boolean('Active')
def init(self, module_name):
cursor = Transaction().cursor
# Migration from 1.6: corrected misspelling of ounce (was once)
cursor.execute("UPDATE ir_model_data "\
"SET fs_id = REPLACE(fs_id, 'uom_once', 'uom_ounce') "\
"WHERE fs_id = 'uom_once' AND module = 'product'")
super(Uom, self).init(module_name)
def __init__(self):
super(Uom, self).__init__()
self._sql_constraints += [
('non_zero_rate_factor', 'CHECK((rate != 0.0) or (factor != 0.0))',
'Rate and factor can not be both equal to zero.')
]
self._constraints += [
('check_factor_and_rate', 'invalid_factor_and_rate'),
]
self._order.insert(0, ('name', 'ASC'))
self._error_messages.update({
'change_uom_rate_title': 'You cannot change Rate, Factor or '
'Category on a Unit of Measure. ',
'change_uom_rate': 'If the UOM is still not used, you can '
'delete it otherwise you can deactivate it '
'and create a new one.',
'invalid_factor_and_rate': 'Invalid Factor and Rate values!',
})
def check_xml_record(self, ids, values):
return True
def default_rate(self):
return 1.0
def default_factor(self):
return 1.0
def default_active(self):
return 1
def default_rounding(self):
return 0.01
def default_digits(self):
return 2
def default_category(self):
category_obj = Pool().get('product.uom.category')
product_obj = Pool().get('product.product')
context = Transaction().context
if 'category' in context:
if isinstance(context['category'], (tuple, list)) \
and len(context['category']) > 1 \
and context['category'][1] in ('uom.category',
'product.default_uom.category'):
if context['category'][1] == 'uom.category':
if not context['category'][0]:
return False
uom = self.browse(context['category'][0])
return uom.category.id
else:
if not context['category'][0]:
return False
product = product_obj.browse(context['category'][0])
return product.default_uom.category.id
return False
def on_change_factor(self, value):
if value.get('factor', 0.0) == 0.0:
return {'rate': 0.0}
return {'rate': round(1.0 / value['factor'], self.rate.digits[1])}
def on_change_rate(self, value):
if value.get('rate', 0.0) == 0.0:
return {'factor': 0.0}
return {'factor': round(1.0 / value['rate'], self.factor.digits[1])}
def search_rec_name(self, name, clause):
ids = self.search(['OR',
(self._rec_name,) + clause[1:],
('symbol',) + clause[1:],
], order=[])
return [('id', 'in', ids)]
@staticmethod
def round(number, precision=1.0):
return round(number / precision) * precision
def check_factor_and_rate(self, ids):
"Check coherence between factor and rate"
for uom in self.browse(ids):
if uom.rate == uom.factor == 0.0:
continue
if uom.rate != round(1.0 / uom.factor, self.rate.digits[1]) and \
uom.factor != round(1.0 / uom.rate, self.factor.digits[1]):
return False
return True
def write(self, ids, values):
if Transaction().user == 0:
return super(Uom, self).write(ids, values)
if 'rate' not in values and 'factor' not in values \
and 'category' not in values:
return super(Uom, self).write(ids, values)
if isinstance(ids, (int, long)):
ids = [ids]
uoms = self.browse(ids)
old_uom = dict((uom.id, (uom.factor, uom.rate, uom.category.id)) \
for uom in uoms)
res = super(Uom, self).write(ids, values)
uoms = self.browse(ids)
for uom in uoms:
if uom.factor != old_uom[uom.id][0] \
or uom.rate != old_uom[uom.id][1] \
or uom.category.id != old_uom[uom.id][2]:
self.raise_user_error('change_uom_rate_title',
error_description='change_uom_rate')
return res
def select_accurate_field(self, uom):
"""
Select the more accurate field.
It chooses the field that has the least decimal.
:param uom: a BrowseRecord of UOM.
:return: 'factor' or 'rate'.
"""
lengths = {}
for field in ('rate', 'factor'):
format = '%%.%df' % getattr(self, field).digits[1]
lengths[field] = len((format % getattr(uom,
field)).split('.')[1].rstrip('0'))
if lengths['rate'] < lengths['factor']:
return 'rate'
elif lengths['factor'] < lengths['rate']:
return 'factor'
elif uom.factor >= 1.0:
return 'factor'
else:
return 'rate'
def compute_qty(self, from_uom, qty, to_uom=None, round=True):
"""
Convert quantity for given uom's.
:param from_uom: a BrowseRecord of product.uom
:param qty: an int or long or float value
:param to_uom: a BrowseRecord of product.uom
:param round: a boolean to round or not the result
:return: the converted quantity
"""
if not from_uom or not qty or not to_uom:
return qty
if from_uom.category.id != to_uom.category.id:
return qty
if self.select_accurate_field(from_uom) == 'factor':
amount = qty * from_uom.factor
else:
amount = qty / from_uom.rate
if to_uom is not None:
if self.select_accurate_field(to_uom) == 'factor':
amount = amount / to_uom.factor
else:
amount = amount * to_uom.rate
if round:
amount = self.round(amount, to_uom.rounding)
return amount
def compute_price(self, from_uom, price, to_uom=False):
"""
Convert price for given uom's.
:param from_uom: a BrowseRecord of product.uom
:param price: a Decimal value
:param to_uom: a BrowseRecord of product.uom
:return: the converted price
"""
if not from_uom or not price or not to_uom:
return price
if from_uom.category.id != to_uom.category.id:
return price
factor_format = '%%.%df' % self.factor.digits[1]
rate_format = '%%.%df' % self.rate.digits[1]
if self.select_accurate_field(from_uom) == 'factor':
new_price = price / Decimal(factor_format % from_uom.factor)
else:
new_price = price * Decimal(rate_format % from_uom.rate)
if self.select_accurate_field(to_uom) == 'factor':
new_price = new_price * Decimal(factor_format % to_uom.factor)
else:
new_price = new_price / Decimal(rate_format % to_uom.rate)
return new_price
def search(self, args, offset=0, limit=None, order=None,
count=False, query_string=False):
product_obj = Pool().get('product.product')
args = args[:]
def process_args(args):
i = 0
while i < len(args):
#add test for xmlrpc that doesn't handle tuple
if (isinstance(args[i], tuple) \
or (isinstance(args[i], list) and len(args[i]) > 2 \
and args[i][1] in OPERATORS)) \
and args[i][0] == 'category' \
and isinstance(args[i][2], (list, tuple)) \
and len(args[i][2]) == 2 \
and args[i][2][1] in ('product.default_uom.category',
'uom.category'):
if not args[i][2][0]:
args[i] = ('id', '!=', '0')
else:
if args[i][2][1] == 'product.default_uom.category':
product = product_obj.browse(args[i][2][0])
category_id = product.default_uom.category.id
else:
uom = self.browse(args[i][2][0])
category_id = uom.category.id
args[i] = (args[i][0], args[i][1], category_id)
elif isinstance(args[i], list):
process_args(args[i])
i += 1
process_args(args)
return super(Uom, self).search(args, offset=offset, limit=limit,
order=order, count=count,
query_string=query_string)
Uom()
|