This repository has been archived by the owner on Dec 30, 2022. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 18
/
Copy pathproduct.py
1296 lines (1158 loc) · 48.3 KB
/
product.py
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
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
# This file is part of Tryton. The COPYRIGHT file at the top level of
# this repository contains the full copyright notices and license terms.
import datetime
import functools
from collections import defaultdict
from copy import deepcopy
from decimal import Decimal
from simpleeval import simple_eval
from sql import Literal, Select, Window, With
from sql.aggregate import Max, Sum
from sql.conditionals import Case, Coalesce
from sql.functions import CurrentTimestamp
from sql.operators import Concat
from trytond.i18n import gettext
from trytond.model import Index, ModelSQL, ModelView, fields
from trytond.model.exceptions import AccessError
from trytond.modules.product import price_digits, round_price
from trytond.pool import Pool, PoolMeta
from trytond.pyson import Bool, Eval, If, PYSONEncoder
from trytond.tools import decistmt, grouped_slice
from trytond.transaction import Transaction
from trytond.wizard import (
Button, StateAction, StateTransition, StateView, Wizard)
from .exceptions import ProductCostPriceError, ProductStockWarning
from .move import StockMixin
from .shipment import ShipmentAssignMixin
def check_no_move(func):
def find_moves(cls, records):
pool = Pool()
Move = pool.get('stock.move')
if cls.__name__ == 'product.template':
field = 'product.template'
else:
field = 'product'
for sub_records in grouped_slice(records):
moves = Move.search([
(field, 'in', list(map(int, sub_records))),
],
limit=1, order=[])
if moves:
return moves
return False
@functools.wraps(func)
def decorator(cls, *args):
pool = Pool()
Template = pool.get('product.template')
transaction = Transaction()
if (transaction.user != 0
and transaction.context.get('_check_access')):
actions = iter(args)
for records, values in zip(actions, actions):
for field, msg in Template._modify_no_move:
if field in values:
if find_moves(cls, records):
raise AccessError(gettext(msg))
# No moves for those records
break
if not values.get('template'):
continue
template = Template(values['template'])
for record in records:
for field, msg in Template._modify_no_move:
if isinstance(
getattr(Template, field), fields.Function):
continue
if getattr(record, field) != getattr(template, field):
if find_moves(cls, [record]):
raise AccessError(gettext(msg))
# No moves for this record
break
func(cls, *args)
return decorator
def check_no_stock_if_inactive(func):
def get_product_locations(company, location_ids, sub_products):
pool = Pool()
Product = pool.get('product.product')
product2locations = defaultdict(list)
product_ids = list(map(int, sub_products))
with Transaction().set_context(company=company.id):
quantities = Product.products_by_location(
location_ids, with_childs=True,
grouping=('product',), grouping_filter=(product_ids,))
for key, quantity in quantities.items():
location_id, product_id, = key
if quantity:
product2locations[product_id].append(location_id)
return product2locations
def raise_warning(company, product2locations):
pool = Pool()
Location = pool.get('stock.location')
Warning = pool.get('res.user.warning')
Product = pool.get('product.product')
for product_id, location_ids in product2locations.items():
product = Product(product_id)
locations = ','.join(
l.rec_name for l in Location.browse(location_ids[:5]))
if len(location_ids) > 5:
locations += '...'
warning_name = Warning.format(
'deactivate_product_with_stock', [product])
if Warning.check(warning_name):
raise ProductStockWarning(warning_name,
gettext(
'stock.msg_product_location_quantity',
product=product.rec_name,
company=company.rec_name,
locations=locations),
gettext('stock.msg_product_location_quantity_description'))
@functools.wraps(func)
def decorator(cls, *args):
pool = Pool()
Company = pool.get('company.company')
Location = pool.get('stock.location')
to_check = []
actions = iter(args)
for products, values in zip(actions, actions):
if not values.get('active', True):
to_check.extend(products)
if to_check:
with Transaction().set_context(_check_access=False):
locations = Location.search([('type', '=', 'storage')])
location_ids = list(map(int, locations))
for company in Company.search([]):
for sub_products in grouped_slice(to_check):
product2locations = get_product_locations(
company, location_ids, sub_products)
raise_warning(company, product2locations)
return func(cls, *args)
return decorator
class Template(metaclass=PoolMeta):
__name__ = "product.template"
quantity = fields.Function(fields.Float('Quantity',
help="The amount of stock in the location."),
'sum_product')
forecast_quantity = fields.Function(fields.Float('Forecast Quantity',
help="The amount of stock expected to be in the location."),
'sum_product')
cost_value = fields.Function(fields.Numeric('Cost Value',
help="The value of the stock in the location."),
'sum_product')
def sum_product(self, name):
if name not in ('quantity', 'forecast_quantity', 'cost_value'):
raise Exception('Bad argument')
sum_ = 0. if name != 'cost_value' else Decimal(0)
for product in self.products:
sum_ += getattr(product, name)
return sum_
@classmethod
def __setup__(cls):
super().__setup__()
cls._modify_no_move = [
('default_uom', 'stock.msg_product_change_default_uom'),
('type', 'stock.msg_product_change_type'),
('cost_price', 'stock.msg_product_change_cost_price'),
]
@classmethod
@check_no_move
def write(cls, *args):
super(Template, cls).write(*args)
@classmethod
def recompute_cost_price(cls, templates, start=None):
pool = Pool()
Product = pool.get('product.product')
products = [p for t in templates for p in t.products]
Product.recompute_cost_price(products, start=start)
class Product(StockMixin, object, metaclass=PoolMeta):
__name__ = "product.product"
quantity = fields.Function(fields.Float(
"Quantity", digits=(16, Eval('default_uom_digits', 2)),
help="The amount of stock in the location."),
'get_quantity', searcher='search_quantity')
forecast_quantity = fields.Function(fields.Float(
"Forecast Quantity", digits=(16, Eval('default_uom_digits', 2)),
help="The amount of stock expected to be in the location."),
'get_quantity', searcher='search_quantity')
cost_value = fields.Function(fields.Numeric(
"Cost Value", digits=price_digits,
help="The value of the stock in the location."),
'get_cost_value')
@classmethod
def get_quantity(cls, products, name):
location_ids = Transaction().context.get('locations')
product_ids = list(map(int, products))
return cls._get_quantity(
products, name, location_ids, grouping_filter=(product_ids,))
@classmethod
def search_quantity(cls, name, domain=None):
location_ids = Transaction().context.get('locations')
return cls._search_quantity(name, location_ids, domain)
@classmethod
def get_cost_value(cls, products, name):
cost_values = {p.id: None for p in products}
context = {}
trans_context = Transaction().context
if trans_context.get('stock_date_end'):
# Use the last cost_price of the day
context['_datetime'] = datetime.datetime.combine(
trans_context['stock_date_end'], datetime.time.max)
# The date could be before the product creation
products = [p for p in products
if p.create_date <= context['_datetime']]
with Transaction().set_context(context):
for product in cls.browse(products):
# The product may not have a cost price
if product.cost_price is not None:
cost_values[product.id] = round_price(
Decimal(str(product.quantity)) * product.cost_price)
return cost_values
@classmethod
@check_no_move
@check_no_stock_if_inactive
def write(cls, *args):
super(Product, cls).write(*args)
@classmethod
def products_by_location(cls, location_ids,
with_childs=False, grouping=('product',), grouping_filter=None):
"""
Compute for each location and product the stock quantity in the default
uom of the product.
The context with keys:
stock_skip_warehouse: if set, quantities on a warehouse are no more
quantities of all child locations but quantities of the storage
zone.
Return a dictionary with location id and grouping as key
and quantity as value.
"""
pool = Pool()
Location = pool.get('stock.location')
Move = pool.get('stock.move')
# Skip warehouse location in favor of their storage location
# to compute quantities. Keep track of which ids to remove
# and to add after the query.
storage_to_remove = set()
wh_to_add = {}
if Transaction().context.get('stock_skip_warehouse'):
location_ids = set(location_ids)
for location in Location.browse(list(location_ids)):
if location.type == 'warehouse':
location_ids.remove(location.id)
if location.storage_location.id not in location_ids:
storage_to_remove.add(location.storage_location.id)
location_ids.add(location.storage_location.id)
wh_to_add[location.id] = location.storage_location.id
location_ids = list(location_ids)
query = Move.compute_quantities_query(location_ids, with_childs,
grouping=grouping, grouping_filter=grouping_filter)
if query is None:
return {}
quantities = Move.compute_quantities(query, location_ids, with_childs,
grouping=grouping, grouping_filter=grouping_filter)
if wh_to_add:
for wh, storage in wh_to_add.items():
for key in list(quantities.keys()):
if key[0] == storage:
quantities[(wh,) + key[1:]] = quantities[key]
if storage in storage_to_remove:
del quantities[key]
return quantities
@classmethod
def recompute_cost_price_from_moves(cls):
pool = Pool()
Move = pool.get('stock.move')
products = set()
for move in Move.search([
('unit_price_updated', '=', True),
cls._domain_moves_cost(),
],
order=[('effective_date', 'ASC')]):
if move.product not in products:
cls.__queue__.recompute_cost_price(
[move.product], start=move.effective_date)
products.add(move.product)
@classmethod
def recompute_cost_price(cls, products, start=None):
pool = Pool()
Move = pool.get('stock.move')
costs = defaultdict(list)
for product in products:
if product.type == 'service':
continue
cost = getattr(
product, 'recompute_cost_price_%s' %
product.cost_price_method)(start)
cost = round_price(cost)
costs[cost].append(product)
updated = []
for sub_products in grouped_slice(products):
domain = [
('unit_price_updated', '=', True),
cls._domain_moves_cost(),
('product', 'in', [p.id for p in sub_products]),
]
if start:
domain.append(('effective_date', '>=', start))
updated += Move.search(domain, order=[])
if updated:
Move.write(updated, {'unit_price_updated': False})
if costs:
cls.update_cost_price(costs)
@classmethod
def update_cost_price(cls, costs):
"Update cost price of products from costs re-computation dictionary"
to_write = []
for cost, products in costs.items():
to_write.append(products)
to_write.append({'cost_price': cost})
with Transaction().set_context(_check_access=False):
cls.write(*to_write)
def recompute_cost_price_fixed(self, start=None):
return self.cost_price
@classmethod
def _domain_moves_cost(cls):
"Returns the domain for moves to use in cost computation"
context = Transaction().context
return [
('company', '=', context.get('company')),
('state', '=', 'done'),
]
@classmethod
def _domain_in_moves_cost(cls):
"Return the domain for incoming moves in cost computation"
return [
('to_location.type', '=', 'storage'),
('from_location.type', '!=', 'storage'),
]
@classmethod
def _domain_out_moves_cost(cls):
"Return the domain for outgoing moves in cost computation"
return [
('from_location.type', '=', 'storage'),
('to_location.type', '!=', 'storage'),
]
@classmethod
def _domain_storage_quantity(cls):
"Returns the domain for locations to use in cost computation"
return [('type', '=', 'storage')]
def _get_storage_quantity(self, date=None):
pool = Pool()
Location = pool.get('stock.location')
locations = Location.search(self._domain_storage_quantity())
if not date:
date = datetime.date.today()
location_ids = [l.id for l in locations]
with Transaction().set_context(
locations=location_ids,
with_childs=False,
stock_date_end=date):
return self.__class__(self.id).quantity
def recompute_cost_price_average(self, start=None):
pool = Pool()
Move = pool.get('stock.move')
Uom = pool.get('product.uom')
Revision = pool.get('product.cost_price.revision')
domain = [
('product', '=', self.id),
self._domain_moves_cost(),
['OR',
self._domain_in_moves_cost(),
self._domain_out_moves_cost(),
]
]
if start:
domain.append(('effective_date', '>=', start))
moves = Move.search(
domain, order=[('effective_date', 'ASC'), ('id', 'ASC')])
_in_moves = Move.search([
('product', '=', self.id),
self._domain_moves_cost(),
self._domain_in_moves_cost(),
], order=[])
_in_moves = set(m.id for m in _in_moves)
revisions = Revision.get_for_product(self)
cost_price = Decimal(0)
quantity = 0
if start:
domain.remove(('effective_date', '>=', start))
domain.append(('effective_date', '<', start))
domain.append(self._domain_in_moves_cost())
prev_moves = Move.search(
domain,
order=[('effective_date', 'DESC'), ('id', 'DESC')],
limit=1)
if prev_moves:
move, = prev_moves
cost_price = move.cost_price
quantity = self._get_storage_quantity(
date=start - datetime.timedelta(days=1))
quantity = Decimal(str(quantity))
def in_move(move):
return move.id in _in_moves
def out_move(move):
return not in_move(move)
def production_move(move):
return (
move.from_location.type == 'production'
or move.to_location.type == 'production')
current_moves = []
current_cost_price = cost_price
qty_production = 0
for move in moves:
if (current_moves
and current_moves[-1].effective_date
!= move.effective_date):
Move.write([
m for m in current_moves
if m.cost_price != current_cost_price],
dict(cost_price=current_cost_price))
current_moves.clear()
qty_production = 0
current_moves.append(move)
cost_price = Revision.apply_up_to(
revisions, cost_price, move.effective_date)
qty = Uom.compute_qty(move.uom, move.quantity, self.default_uom)
qty = Decimal(str(qty))
if out_move(move):
qty *= -1
if in_move(move):
in_qty = qty
if production_move(move) and qty_production < 0:
# Exclude quantity coming back from production
in_qty -= min(abs(qty_production), in_qty)
unit_price = move.get_cost_price(product_cost_price=cost_price)
if quantity + in_qty > 0 and quantity >= 0:
cost_price = (
(cost_price * quantity) + (unit_price * in_qty)
) / (quantity + in_qty)
elif in_qty > 0:
cost_price = unit_price
current_cost_price = round_price(cost_price)
quantity += qty
if production_move(move):
qty_production += qty
Move.write([
m for m in current_moves
if m.cost_price != current_cost_price],
dict(cost_price=current_cost_price))
for revision in revisions:
cost_price = revision.get_cost_price(cost_price)
return cost_price
@classmethod
def view_attributes(cls):
return super().view_attributes() + [
('/tree/field[@name="quantity"]',
'visual', If(Eval('quantity', 0) < 0, 'danger', '')),
('/tree/field[@name="forecast_quantity"]',
'visual', If(Eval('forecast_quantity', 0) < 0, 'warning', '')),
]
class ProductByLocationContext(ModelView):
'Product by Location'
__name__ = 'product.by_location.context'
forecast_date = fields.Date(
'At Date',
help="The date for which the stock quantity is calculated.\n"
"* An empty value calculates as far ahead as possible.\n"
"* A date in the past will provide historical values.")
stock_date_end = fields.Function(fields.Date('At Date'),
'on_change_with_stock_date_end')
@staticmethod
def default_forecast_date():
Date = Pool().get('ir.date')
return Date.today()
@fields.depends('forecast_date')
def on_change_with_stock_date_end(self, name=None):
if self.forecast_date is None:
return datetime.date.max
return self.forecast_date
class OpenProductQuantitiesByWarehouse(Wizard):
"Open Product Quantities By Warehouse"
__name__ = 'stock.product_quantities_warehouse.open'
start_state = 'open_'
open_ = StateAction('stock.act_product_quantities_warehouse')
def do_open_(self, action):
encoder = PYSONEncoder()
action['pyson_context'] = encoder.encode(self.get_context())
action['pyson_search_value'] = encoder.encode(self.get_search_value())
action['pyson_domain'] = encoder.encode(self.get_domain())
action['name'] += '(' + self.record.rec_name + ')'
return action, {}
def get_context(self):
context = {}
if issubclass(self.model, ShipmentAssignMixin):
context['product_template'] = None
context['product'] = [
m.product.id for m in self.record.assign_moves]
warehouse = getattr(self.record, 'warehouse', None)
if self.model == 'stock.shipment.internal':
warehouse = self.record.from_location.warehouse
if warehouse:
context['warehouse'] = warehouse.id
return context
def get_search_value(self):
pool = Pool()
Date = pool.get('ir.date')
today = Date.today()
value = [('date', '>=', today)]
if (getattr(self.record, 'planned_date', None)
and self.record.planned_date >= today):
value.append(('date', '<=', self.record.planned_date))
return value
def get_domain(self):
if issubclass(self.model, ShipmentAssignMixin):
return [('product', 'in', [
str(m.product) for m in self.record.assign_moves])]
return []
class ProductQuantitiesByWarehouse(ModelSQL, ModelView):
'Product Quantities By Warehouse'
__name__ = 'stock.product_quantities_warehouse'
class _Date(fields.Date):
def get(self, ids, model, name, values=None):
if values is None:
values = {}
result = {}
for v in values:
date = v[name]
# SQLite does not convert to date
if isinstance(date, str):
date = datetime.date.fromisoformat(date)
result[v['id']] = date
return result
product = fields.Reference("Product", [
('product.product', "Variant"),
('product.template', "Product"),
])
date = _Date('Date')
quantity = fields.Function(fields.Float('Quantity'), 'get_quantity')
company = fields.Many2One('company.company', "Company")
del _Date
@classmethod
def __setup__(cls):
super(ProductQuantitiesByWarehouse, cls).__setup__()
cls._order.insert(0, ('date', 'ASC'))
@classmethod
def table_query(cls):
pool = Pool()
Move = pool.get('stock.move')
Location = pool.get('stock.location')
Product = pool.get('product.product')
Date = pool.get('ir.date')
move = from_ = Move.__table__()
context = Transaction().context
today = Date.today()
if context.get('product_template') is not None:
product_template = context['product_template']
if isinstance(product_template, int):
product_template = [product_template]
product = Product.__table__()
from_ = move.join(product, condition=move.product == product.id)
product_clause = product.template.in_(product_template or [-1])
product_column = Concat('product.template,', product.template)
products = [('product.template', i) for i in product_template]
else:
product = context.get('product')
if product is None:
product = []
if isinstance(product, int):
product = [product]
product_clause = move.product.in_(product or [-1])
product_column = Concat('product.product,', move.product)
products = [('product.product', i) for i in product]
if 'warehouse' in context:
warehouse = Location(context.get('warehouse'))
if context.get('stock_skip_warehouse'):
location_id = warehouse.storage_location.id
else:
location_id = warehouse.id
else:
location_id = -1
warehouse = With('id', query=Location.search([
('parent', 'child_of', [location_id]),
], query=True, order=[]))
date_column = Coalesce(move.effective_date, move.planned_date)
query = (from_.select(
Max(move.id * 3).as_('id'),
Literal(0).as_('create_uid'),
CurrentTimestamp().as_('create_date'),
Literal(None).as_('write_uid'),
Literal(None).as_('write_date'),
product_column.as_('product'),
date_column.as_('date'),
move.company.as_('company'),
where=product_clause
& (
(move.from_location.in_(
warehouse.select(warehouse.id))
& ~move.to_location.in_(
warehouse.select(warehouse.id)))
| (~move.from_location.in_(
warehouse.select(warehouse.id))
& move.to_location.in_(
warehouse.select(warehouse.id))))
& ((date_column < today) & (move.state == 'done')
| (date_column > today)),
group_by=(date_column, product_column, move.company),
with_=warehouse))
for model, id_ in products:
gap = ['product.template', 'product.product'].index(model) + 1
query |= Select([
Literal(id_ * 3 + gap).as_('id'),
Literal(0).as_('create_uid'),
CurrentTimestamp().as_('create_date'),
Literal(None).as_('write_uid'),
Literal(None).as_('write_date'),
Literal('%s,%s' % (model, id_)).as_('product'),
Literal(today).as_('date'),
Literal(context.get('company', -1)).as_('company'),
])
return query
@classmethod
def parse_view(cls, tree, type, *args, **kwargs):
pool = Pool()
Product = pool.get('product.product')
Template = pool.get('product.template')
context = Transaction().context
if kwargs.get('view_depends') is None:
view_depends = []
else:
view_depends = kwargs['view_depends'].copy()
kwargs['view_depends'] = view_depends
if type == 'graph':
encoder = PYSONEncoder()
if context.get('product_template') is not None:
product_template = context['product_template']
if isinstance(product_template, int):
product_template = [product_template]
records = Template.browse(product_template)
elif context.get('product'):
product = context['product']
if product is None:
product = -1
if isinstance(product, int):
product = [product]
records = Product.browse(product)
else:
records = []
if len(records) > 1:
quantity_node, = tree.xpath('//y/field[@name="quantity"]')
parent = quantity_node.getparent()
parent.remove(quantity_node)
for record in records:
node = deepcopy(quantity_node)
node.set('key', str(record.id))
node.set('string', record.rec_name)
node.set('domain', encoder.encode(
Eval('product') == str(record)))
node.set('fill', '0')
parent.append(node)
graph, = tree.xpath('/graph')
graph.set('legend', '1')
view_depends.append('product')
return super().parse_view(tree, type, *args, **kwargs)
@classmethod
def get_quantity(cls, lines, name):
Product = Pool().get('product.product')
trans_context = Transaction().context
if trans_context.get('product_template') is not None:
grouping = ('product.template',)
product_template = trans_context['product_template']
if isinstance(product_template, int):
product_template = [product_template]
grouping_filter = (product_template,)
else:
grouping = ('product',)
product = trans_context.get('product', -1)
if product is None:
product = -1
if isinstance(product, int):
product = [product]
grouping_filter = (product,)
warehouse_id = trans_context.get('warehouse')
def cast_date(date):
if isinstance(date, str):
date = datetime.date.fromisoformat(date)
return date
dates = sorted({cast_date(l.date) for l in lines})
quantities = {}
keys = set()
date_start = None
for date in dates:
context = {
'stock_date_start': date_start,
'stock_date_end': date,
'forecast': True,
}
with Transaction().set_context(**context):
quantities[date] = Product.products_by_location(
[warehouse_id],
grouping=grouping,
grouping_filter=grouping_filter,
with_childs=True)
keys.update(quantities[date])
try:
date_start = date + datetime.timedelta(1)
except OverflowError:
pass
cumulate = defaultdict(lambda: 0)
for date in dates:
for key in keys:
cumulate[key] += quantities[date][key]
quantities[date][key] = cumulate[key]
return {
l.id: quantities[cast_date(l.date)].get(
(warehouse_id, int(l.product)), 0)
for l in lines}
def get_rec_name(self, name):
return self.product.rec_name if self.product else ''
class ProductQuantitiesByWarehouseContext(ModelView):
'Product Quantities By Warehouse'
__name__ = 'stock.product_quantities_warehouse.context'
warehouse = fields.Many2One('stock.location', 'Warehouse', required=True,
domain=[
('type', '=', 'warehouse'),
],
help="The warehouse for which the quantities will be calculated.")
stock_skip_warehouse = fields.Boolean(
"Only storage zone",
help="Check to use only the quantity of the storage zone.")
@classmethod
def default_warehouse(cls):
Location = Pool().get('stock.location')
return Location.get_default_warehouse()
@classmethod
def default_stock_skip_warehouse(cls):
return Transaction().context.get('stock_skip_warehouse')
class OpenProductQuantitiesByWarehouseMove(Wizard):
"Open Product Quantities By Warehouse Moves"
__name__ = 'stock.product_quantities_warehouse.move.open'
start_state = 'open_'
open_ = StateAction('stock.act_product_quantities_warehouse_move')
def do_open_(self, action):
encoder = PYSONEncoder()
action['pyson_context'] = '{}'
action['pyson_search_value'] = encoder.encode(
[('date', '>=', self.record.date)])
action['pyson_domain'] = encoder.encode(
[('product', '=', str(self.record.product))])
action['name'] += ' (' + self.record.rec_name + ')'
return action, {}
class ProductQuantitiesByWarehouseMove(ModelSQL, ModelView):
"Product Quantities By Warehouse Moves"
__name__ = 'stock.product_quantities_warehouse.move'
product = fields.Reference("Product", [
('product.product', "Variant"),
('product.template', "Product"),
])
date = fields.Date("Date")
move = fields.Many2One('stock.move', "Move")
origin = fields.Reference("Origin", selection='get_origin')
document = fields.Function(
fields.Reference("Document", selection='get_documents'),
'get_document')
quantity = fields.Float("Quantity")
cumulative_quantity_start = fields.Function(
fields.Float("Cumulative Quantity Start"), 'get_cumulative_quantity')
cumulative_quantity_delta = fields.Float("Cumulative Quantity Delta")
cumulative_quantity_end = fields.Function(
fields.Float("Cumulative Quantity End"), 'get_cumulative_quantity')
company = fields.Many2One('company.company', "Company")
@classmethod
def __setup__(cls):
super().__setup__()
cls._order.insert(0, ('date', 'ASC'))
@classmethod
def table_query(cls):
pool = Pool()
Date = pool.get('ir.date')
Location = pool.get('stock.location')
Move = pool.get('stock.move')
Product = pool.get('product.product')
move = from_ = Move.__table__()
transaction = Transaction()
context = transaction.context
database = transaction.database
today = Date.today()
if context.get('product_template') is not None:
product_template = context['product_template']
if isinstance(product_template, int):
product_template = [product_template]
product = Product.__table__()
from_ = move.join(product, condition=move.product == product.id)
product_clause = product.template.in_(product_template or [-1])
product_column = Concat('product.template,', product.template)
else:
product = context.get('product', -1)
if product is None:
product = -1
if isinstance(product, int):
product = [product]
product_clause = move.product.in_(product or [-1])
product_column = Concat('product.product,', move.product)
if 'warehouse' in context:
warehouse = Location(context.get('warehouse'))
if context.get('stock_skip_warehouse'):
location_id = warehouse.storage_location.id
else:
location_id = warehouse.id
else:
location_id = -1
warehouse = With('id', query=Location.search([
('parent', 'child_of', [location_id]),
], query=True, order=[]))
date_column = Coalesce(move.effective_date, move.planned_date)
quantity = Case(
(move.to_location.in_(warehouse.select(warehouse.id)),
move.internal_quantity),
else_=-move.internal_quantity)
if database.has_window_functions():
cumulative_quantity_delta = Sum(
quantity,
window=Window(
[product_column, date_column], order_by=[move.id.asc]))
else:
cumulative_quantity_delta = Literal(0)
return (from_.select(
move.id.as_('id'),
Literal(0).as_('create_uid'),
CurrentTimestamp().as_('create_date'),
Literal(None).as_('write_uid'),
Literal(None).as_('write_date'),
product_column.as_('product'),
date_column.as_('date'),
move.id.as_('move'),
move.origin.as_('origin'),
quantity.as_('quantity'),
cumulative_quantity_delta.as_('cumulative_quantity_delta'),
move.company.as_('company'),
where=product_clause
& (
(move.from_location.in_(
warehouse.select(warehouse.id))
& ~move.to_location.in_(
warehouse.select(warehouse.id)))
| (~move.from_location.in_(
warehouse.select(warehouse.id))
& move.to_location.in_(
warehouse.select(warehouse.id))))
& ((date_column < today) & (move.state == 'done')
| (date_column >= today) & (move.state != 'cancelled')),
with_=warehouse))
@classmethod
def get_origin(cls):
pool = Pool()
Move = pool.get('stock.move')
return Move.get_origin()
@classmethod
def _get_document_models(cls):
pool = Pool()
Move = pool.get('stock.move')
return [m for m, _ in Move.get_shipment() if m]
@classmethod
def get_documents(cls):
pool = Pool()
Model = pool.get('ir.model')
get_name = Model.get_name
models = cls._get_document_models()
return [(None, '')] + [(m, get_name(m)) for m in models]
def get_document(self, name):
if self.move and self.move.shipment:
return str(self.move.shipment)
@classmethod
def get_cumulative_quantity(cls, records, names):
pool = Pool()
Product = pool.get('product.product')
transaction = Transaction()
database = transaction.database
trans_context = transaction.context
if trans_context.get('product_template') is not None:
grouping = ('product.template',)
product_template = trans_context['product_template']
if isinstance(product_template, int):
product_template = [product_template]
grouping_filter = (product_template,)
else:
grouping = ('product',)
product = trans_context.get('product', -1)
if product is None:
product = -1
if isinstance(product, int):
product = [product]
grouping_filter = (product,)
warehouse_id = trans_context.get('warehouse')
def cast_date(date):
if isinstance(date, str):
date = datetime.date.fromisoformat(date)
return date
dates = sorted({cast_date(r.date) for r in records})
quantities = {}
keys = set()
date_start = None
for date in dates:
try:
context = {