I'm trying to transmit a Config from client to server.
- Config contains a
password
key I must NOT transmit - Config contains a couple of simple objects, which are just key/value pairs (with value being a basic primitive)
This code works:
class Empty:
pass
class Config:
def __init__(self):
# don't want to transmit this over the internet
self.secret = 'P@ssw0rd'
def create(self, foo):
self.foo = foo # property passed in
self.bar = f'Hello {foo}' # calculated property
# A couple of custom objects, but they are simple
# (only containing key/value pairs where value is basic primitive)
self.v = Empty()
self.v.a = 1
self.w = Empty()
self.w.b = 2
def export_json(self):
J = {}
for k, v in vars(self).items():
if k == 'secret':
continue
J[k] = vars(v) if isinstance(v, Empty) else v
return J
def construct_from_json(self, J_str):
J = json.loads(J_str)
for k, v in J.items():
if isinstance(v, dict):
_ = Empty()
for k_, v_ in v.items():
setattr(_, k_, v_)
v = _
setattr(self, k, v)
Test:
```python
c = Config()
c.create('123')
J = c.export_json()
print('Serialized:')
print(json.dumps(J, indent=4))
d = Config()
d.construct_from_json(J)
print('Reconstructed: w.b = ', d.w.b)
Output:
Serialized:
{
"foo": "123",
"bar": "Hello 123",
"v": {
"b": 2
},
"w": {
"b": 2
}
}
Reconstructed: w.b = 2
However, is there a preferred/pythonic way to do this?