I have a couple previous articles around a similar topic but since I have not added any python code here is a short how to for future reference. It may be called associative arrays in other languages but Python calls it dicts or dictionaries.
Related links:
http://blog.ls-al.com/creating-a-javascript-array-with-one-to-many-type-relationship/
http://blog.ls-al.com/multi-array-in-bash/
http://blog.ls-al.com/multidimensional-array-in-python/
Manually constructing the dictionary:
<pre class="brush: python; title: ; notranslate" title="">
mailLists = {}
mailLists['dba'] = ['joe', 'jim', 'jeff', 'john']
mailLists['sa'] = ['mike', 'matt' ]
#print mailLists
#for key in mailLists:
# print key
print mailLists['dba']
print mailLists['sa']
for k,v in mailLists.iteritems():
print k + ": " + str(v)
For me the real value in this is for example when you build the lists. Think looping through an input file with lines like this:
jon : dba
Now you add jon to the array with key 'dba'. If the key does not exist we simply add one. If the key exists a new item is added to it.
<pre class="brush: python; title: ; notranslate" title="">
mailLists = {}
with open('b.txt') as input_file:
for i, line in enumerate(input_file):
#print line,
v,k = line.strip().split(':')
k = k.strip()
if k not in mailLists.keys():
mailLists[k] = []
mailLists[k].append(v)
for k,v in mailLists.iteritems():
print k + ": " + str(v)
<pre class="brush: bash; title: ; notranslate" title="">
# python b.py
dba: ['jon ', 'jeff ']
sa: ['matt ']