I have a dictionary that is created from a select in the database, what I needed was to generate a metric from that dictionary
Dictionary
JavaScript
x
5
1
# create database dictionary with values
2
lds_data = {}
3
for lds_item in db_result:
4
lds_data.update ({lds_item [1]: {'code_client': lds_item [0], 'city': lds_item [2]}})
5
Exit of the Dict:
JavaScript
1
3
1
u'BRASIL_ALIMEN ': {' code_client ': u'BRA', 'city': u'SAO PAULO '},
2
u'BRASIL_CARROS ': {' code_client ': u'BRC', 'city': u'PARANA '}
3
Example of metric:
code_client: BRA appears 1x within dictionary
Summing up:
I need to calculate how many times the values are repeated within the KEY = *code_client*
I tried to do it as follows:
JavaScript
1
4
1
ct = {}
2
for key in lds_data:
3
ct ['code_client'] = len (lds_data [key] ['code_client'])
4
Advertisement
Answer
From what I can tell, you need to get a count of each code client in the dictionary. This code will populate the dictionary ct
with each code_client
as a key, and the number of occurrences as the value of each entry:
JavaScript
1
7
1
ct = {}
2
for _, value in lds_data.items():
3
if value['code_client'] in ct:
4
ct [value['code_client']] += 1
5
else:
6
ct [value['code_client']] = 1
7
EDIT: I would actually recommend using Austin’s answer. It’s effectively doing what I’m doing, but more correctly and succinctly.