I get continuously data from a server and can receive the data via the following line of code:
JavaScript
x
2
1
id, type, value = getId(payload)
2
After that I would like to write them into a file via:
JavaScript
1
2
1
out.write(str(id) + ";" + str(type) + ";" + str(value) + "n")
2
Now the case is, that the same id can appear multiple times, but the value will be a different one. Therefore I would like to extend the out.write into the following way that the different values are added at the right side but still being referred to the same id:
JavaScript
1
2
1
out.write(str(id) + ";" + str(type) + ";" + str(value) + ";" + str(value1) + ";" + str(value2) + "n")
2
Does anyone has an idea how to do this in python?
Advertisement
Answer
Using the hints that were already added as comments you can create something similar to this:
JavaScript
1
13
13
1
from collections import defaultdict
2
3
values = defaultdict(set)
4
types = dict()
5
6
for payload in input_stream:
7
id, type, value = get(payload)
8
values[id].add(value)
9
types[id] = type
10
11
for id in types.keys():
12
out.write(";".join(map(str, [id, types[id]] + list(values[id]))) + "n")
13
If the values is more of a time series (order is important), then replace set
with list
.