I’m using Pydantic root_validator
to perform some calculations in my model:
JavaScript
27
1
class ProductLne(BaseModel):
2
qtt_line: float = 0.00
3
prix_unite: float = 0.00
4
so_total_ht: float = 0.00
5
6
class Config:
7
validate_assignment = True
8
9
@root_validator()
10
def calculat_so_totals(cls, values):
11
values["so_total_ht"] = values.get("qtt_line")*values.get("prix_unite")
12
13
return values
14
15
class Bon(BaseModel):
16
articles: List[ProductLne] = []
17
total_ht: float = 0.00
18
19
class Config:
20
validate_assignment = True
21
22
@root_validator()
23
def set_total_ht(cls, values):
24
for item in values.get('articles'):
25
values['total_ht'] += item.so_total_ht
26
return values
27
some data
JavaScript
6
1
item_line1 = ProductLne(qtt_line=10, prix_unite=10.00)
2
item_line2 = ProductLne(qtt_line=10, prix_unite=12.00)
3
bon1 = Bon()
4
bon1.articles.append(item_line1)
5
bon1.articles.append(item_line2)
6
when run
JavaScript
2
1
print(bon1.total_ht)
2
i get : 0.0, O.OO Iwant 220
How to make this function return the correct values?
Advertisement
Answer
I do not know if this is good why , but i get what i want
JavaScript
53
1
from pydantic import BaseModel, root_validator, Field
2
from typing import List
3
from typing import TYPE_CHECKING, Union
4
if TYPE_CHECKING:
5
from pydantic.typing import DictStrAny
6
7
8
class PropertyBaseModel(BaseModel):
9
10
@classmethod
11
def get_properties(cls):
12
return [
13
prop for prop in dir(cls)
14
if isinstance(getattr(cls, prop), property) and prop not in ("__values__", "fields")
15
]
16
17
def dict(self, *args, **kwargs) -> 'DictStrAny':
18
self.__dict__.update({prop: getattr(self, prop) for prop in self.get_properties()})
19
20
return super().dict(*args, **kwargs)
21
22
23
class ProductLne(PropertyBaseModel):
24
prix: float = 0.00
25
qtt_line: float = 0.0
26
27
@property
28
def so_total_ht(self) -> float:
29
return self.qtt_line * self.prix
30
31
32
class Bon(BaseModel):
33
articles: List[ProductLne] = []
34
35
@property
36
def total_ht(self) -> float:
37
bla = 0.00
38
for item in self.articles:
39
bla += item.so_total_ht
40
return bla
41
42
43
item_line1 = ProductLne(prix=10.00,qtt_line=10)
44
item_line2 = ProductLne(prix=12.00,qtt_line=10)
45
46
print(item_line1.so_total_ht)
47
print(item_line2.so_total_ht)
48
49
bon1 = Bon()
50
bon1.articles.append(item_line1)
51
bon1.articles.append(item_line2)
52
print(bon1.total_ht) #220
53