|
| 1 | +""" |
| 2 | +More list comprehension explanations and examples |
| 3 | +""" |
| 4 | + |
| 5 | +from route import puget |
| 6 | +from phones import phones, physics_dept |
| 7 | + |
| 8 | +print phones |
| 9 | + |
| 10 | +# use a loop to build up a list from a source, filter, and pattern: |
| 11 | +def physics_people(): |
| 12 | + names = [] |
| 13 | + for (name, phone) in phones: # phones is the source |
| 14 | + if physics_dept(phone): # physics_deptn(phone) is the filter |
| 15 | + names.append(name) # name is the pattern |
| 16 | + return names |
| 17 | + |
| 18 | +print physics_people() |
| 19 | + |
| 20 | +# a list comprehension expresses the same thing in one expression |
| 21 | +# [ pattern for item in source if filter ] |
| 22 | +print [ name for (name, phone) in phones if physics_dept(phone) ] |
| 23 | + |
| 24 | +# the pattern can be elaborate |
| 25 | +print [ "%s's phone is %s" % (name,phone) |
| 26 | + for (name, phone) in phones if physics_dept(phone) ] |
| 27 | + |
| 28 | + |
| 29 | +# note the difference between filter and conditional expr. in pattern |
| 30 | + |
| 31 | +def odd(i): return i%2 # 1 (true) when i is odd, 0 (false) when even |
| 32 | + |
| 33 | +print [ (i, 'odd') for i in range(5) if odd(i) ] # filter |
| 34 | + |
| 35 | +print [ (i, 'odd' if odd(i) else 'even') for i in range(5) ] # pattern |
| 36 | + |
| 37 | + |
| 38 | +# map pattern: apply a function to each element in the source |
| 39 | + |
| 40 | +print [ odd(i) for i in range(5) ] |
| 41 | + |
| 42 | +# built-in map function is an alternative |
| 43 | + |
| 44 | +print map(odd, range(5)) # |
| 45 | + |
| 46 | +# filter pattern: use a filter (Boolean function) to select elements from source |
| 47 | + |
| 48 | +print [ i for i in range(5) if odd(i) ] |
| 49 | + |
| 50 | +# built-in filter function is an alternative |
| 51 | + |
| 52 | +print filter(odd, range(5)) |
| 53 | + |
| 54 | + |
0 commit comments