Python 內建方法

昊羲發表於2018-09-27

迭代相關

  • iter(): 將一個序列轉換成迭代器
  • next(): 自動呼叫物件的__next__()方法來迭代物件
  • map(): 將一個序列值作為引數,依次呼叫一個函式,在python2中直接返回列表,但在python3中返回迭代器
# map經常配合lambdas來使用
items = [1, 2, 3, 4, 5]
squared = list(map(lambda x: x**2, items))

# 用於迴圈呼叫一列表的函式
def multiply(x):
        return (x*x)
def add(x):
        return (x+x)

funcs = [multiply, add]
for i in range(5):
    value = map(lambda x: x(i), funcs)
    print(list(value))

# Output:
# [0, 0]
# [1, 2]
# [4, 4]
# [9, 6]
# [16, 8]
  • filter(): 過濾列表中的元素,並且返回一個由所有符合要求的元素所構成的列表,在python2中直接返回列表,但在python3中返回迭代器
number_list = range(-5, 5)
less_than_zero = filter(lambda x: x < 0, number_list)
print(list(less_than_zero))  

# Output: [-5, -4, -3, -2, -1]
  • enumerate():遍歷資料並自動計數,並且有許多有用的可選引數
# 配置從哪個數字開始列舉
my_list = [`apple`, `banana`, `grapes`, `pear`]
for c, value in enumerate(my_list, 1):
    print(c, value)

# 輸出:
(1, `apple`)
(2, `banana`)
(3, `grapes`)
(4, `pear`)
  • for-else
    Python中for迴圈還有一個else從句,這個else從句會在迴圈正常結束時執行,因而可以常常搭配break來使用。
for item in container:
    if search_something(item):
        # Found it!
        process(item)
        break
else:
    # Didn`t find anything..
    not_found_in_container()

物件自省

  • dir():返回一個列出了一個物件所擁有的屬性和方法的列表,如果不傳入引數,那麼它會返回當前作用域的所有名字
  • type():返回一個物件的型別
  • id():返回任意不同種類物件的唯一ID

擴充套件

functools

  • Reduce()當需要對一個列表進行一些計算並返回結果時,Reduce 是個非常有用的函式。
from functools import reduce
product = reduce( (lambda x, y: x * y), [1, 2, 3, 4] )

# Output: 24

相關文章