Skip to content Skip to sidebar Skip to footer

Python Zip() Function

Hi guys Im new to python coding, and am practicing with lists and dict. I have a code where each name has a set number, and when I enter the name their number gets print out. name_

Solution 1:

1) You can simply switch your zip statement's arguments and repeat the same

number_and_name = dict(zip(number_list, name_list))
# {'1': 'bob', '3': 'james', '2': 'jim', '5': 'june', '4': 'julie'}

2) Another way of doing is by using index() function

defget_name(number):
    print name_list[number_list.index(number)]

Solution 2:

name_list = ["bob","jim","james","julie","june"]
number_list = ["1","2","3","4","5"]
name_and_number = dict(zip(name_list, number_list))

defnamenumb(something):
    try:
        for key,value in name_and_number.items():
            if key == something:
                print("{0}'s number is {1}".format(
                                             something, name_and_number[something]))
            elif value == something:
                print("{0}'s name is {1}".format(
                                             something, key))
    except KeyError:
        print("That name doesn't exist"
            .format(namenumb))


whileTrue:
    word = raw_input("> ")
    namenumb(word)

this should be the code what you are looking for I guess.. dict.items() does the work..!!

Solution 3:

There is no direct way to do that, but there other ways to do it. First you can iterate over the dict and test if the value is the entered number.

for key, value in name_and_number.items():
    if value == number:
        print("{}'s number is {}".format(key, value))

Second way is to create a other dict with the inversed zip and test it the same way you do.

number_and_name = dict(zip(number_list, name_list))

Another way is to use the index function. With this you can avoid the zip completely. To get the number from the name:

print("{}'s number is {}".format(name, number_list[name_list.index(name)]))

To get the name from the number:

print("{}'s number is {}".format(name_list[number_list.index(number)], number))

Post a Comment for "Python Zip() Function"