天天看點

Head_First_Python學習筆記(一)清單操作:清單周遊:在清單中周遊清單

清單操作:

>>> movies= ['the holy grail','the life of brain','the  meaning of life’]
>>> movies.insert(1,1975)
>>> movies.insert(3,1979)
>>> movies.append(1983)
>>> movies
['the holy grail', 1975, 'the life of brain', 1979, 'the meaning of life', 1983]
           

清單周遊:

>>> for movie in movies:
    print movie

>>> count = 0
>>> while count < len(movies):
print movies[count]
count++

SyntaxError: invalid syntax(不支援++)

>>> while count < len(movies):
print movies[count]
count = count + 1
           

在清單中周遊清單

預設不列印内清單

>>> movies = ['the holy grail', 1975, ['the life of brain', 1979,[ 'the meaning of life', 1983]]]
>>> movies
['the holy grail', 1975, ['the life of brain', 1979,    ['the meaning of life', 1983]]]
>>> for movie in movies:
print movie

the holy grail
1975
['the life of brain', 1979, ['the meaning of life',     1983]]
           

遞歸版本

>>> def iter(movies):
for movie in movies:
    if isinstance(movie,list):
        iter(movie)
    else:
        print movie


>>> movies
['the holy grail', 1975, ['the life of brain', 1979,    ['the meaning of life', 1983]]]

>>> iter(movies)
the holy grail
1975
the life of brain
1979
the meaning of life
1983