I am trying to learn attrs and I have two questions. Please note that I am using the ATTRS library, not ATTR.
- How do I create a converter to change typ to uppercase? —> I solved this question. The formula below is updated. :)
- How do I create a validator to ensure that typ is contained within a list?
I’ve tried many things on both, but to no avail. The documentation does not show how to make either a custom converter or validator- or, at least, I do not understand if it does.
JavaScript
x
17
17
1
from attrs import define, field, validators, setters
2
from datetime import datetime
3
4
@define(slots=True)
5
class Trans:
6
acct: int = field(validator=validators.instance_of(int), converter=int)
7
id: int = field(validator=validators.instance_of(int), converter=int)
8
ts: datetime= field(validator=validators.instance_of(datetime))
9
typ: str = field(converter=(lambda x: x.upper()))
10
11
@typ.validator # this does not work
12
def typCheck(self, attrib, val):
13
if val not in ['A','B','W']:
14
raise ValueError('Must be one of these options: ' + str(typs))
15
16
a = Trans(1,1,utc,'w')
17
Thank you in advance!
Advertisement
Answer
For whomever needs it, here is the answer.
JavaScript
1
20
20
1
from attrs import define, field, validators, setters
2
from datetime import datetime
3
4
typs = ['O', 'D', 'W', 'C']
5
6
@define(slots=True)
7
class Trans:
8
acct: int = field(validator=validators.instance_of(int), converter=int)
9
id: int = field(validator=validators.instance_of(int), converter=int)
10
ts: datetime= field(validator=validators.instance_of(datetime))
11
typ: str = field(converter=(lambda x: x.upper()))
12
13
@typ.validator
14
def typCheck(self, attrib, val):
15
if val not in typs:
16
raise ValueError('Must be one of these options: ' + str(typs))
17
18
a = Trans(1,1,utc,'w')
19
a
20