第4天續,內建函式(分類)

weixin_33806914發表於2017-05-29

[toc]
檢視內建函式,可以用以下方法:

import builtins
for i in dir(builtins):
    print(i)

詳細參考,點選檢視
下面將內建函式進行分類:

1. 數學運算

abs() , round() , pow() , divmod() , max() , min() , sum()

'''
1、數學運算
'''
# abs(-5)  # 取絕對值,也就是5
# round(2.623423, 4)  # 四捨五入取整,也就是3.0, 4為精確到四位四捨五入
# pow(2, 3)  # 相當於2**3,如果是pow(2, 3, 5),相當於2**3 % 5
# divmod(9, 2)  # 除法運算,返回商和餘數
# max([1, 5, 2, 9])  # 求最大值
# min([9, 2, -4, 2])  # 求最小值
# sum([2, -1, 9, 12])  # 求和

2. 工廠函式

int() , float() , str() , bool() , slice() , list() , tuple() , dict() , set() , frozenset()

# int("5")  # 轉換為整數 integer
# float(2)  # 轉換為浮點數 float
# str(2.3)  # 轉換為字串 string
# bool(0)  # 轉換為相應的真假值,在Python中,0相當於False在Python中,下列物件都相當於False:[], (), {}, 0, None, 0.0, ''
# slice(5, 2, -1)  # 構建下標物件 slice,切片函式
# list((1, 2, 3))  # 轉換為表 list
# tuple([2, 3, 4])  # 轉換為定值表 tuple
# dict(a=1, b="hello", c=[1, 2, 3])  # 構建詞典 dictionary
# set()          建立集合函式
# frozenset()  建立一個不可修改的集合 如:s=frozenset({1,2}) # 定義不可變集合

3. 型別轉換

chr() , ord() , bin() , hex() , oct() , complex()

# ord("A")  # "A"字元在ascii碼錶中對應的數值
# chr(65)  # 數值65對應的ascii碼錶中的字元
# bin(56)  # 返回一個字串,表示56的二進位制數
# hex(56)  # 返回一個字串,表示56的十六進位制數
# oct(56)  # 返回一個字串,表示56的八進位制數
# complex(3, 9)  # 返回複數 3 + 9j

4. 序列操作

all() , any() , sorted() , reversed()

1 # all([True, 1, "hello!"])        # 是否所有的元素都相當於True值
2 # any(["", 0, False, [], None])   # 是否有任意一個元素相當於True值
3 # sorted([1,5,3])                  # 從小到大排序,也就是[1,3,5]
4 # reversed([1,5,3])               # 將元素翻轉,也就是[3,5,1]

5. 編譯執行函式

repr() , compile() , eval() , exec()

# repr(me)                         # 返回一個物件的字串表示。有時可以使用這個函式來訪問操作。
# compile("print('Hello')",'test.py','exec')       # 編譯字串成為code物件
# eval("1 + 1")                     # 解釋字串表示式。引數也可以是compile()返回的code物件
'''
# cmd='print("你瞅啥")'
# 
# dic="{'a':1,'b':2}"
# d=eval(dic)
# print(type(d),d['a'])
# 
# with open('user.db','w',encoding='utf-8') as f:
#     user_dic={'name':'egon','password':'123'}
#     f.write(str(user_dic))
# 
# with open('user.db','r',encoding='utf-8') as f:
#     dic=f.read()
#     print(dic,type(dic))
#     dic=eval(dic)
#     print(dic['name'])
'''
# exec("print('Hello')")            #  exec()執行字串或complie方法編譯過的字串,沒有返回值

6. 幫助函式

dir() , help() , id() , len() , callable()

'''
6、幫助函式
'''
# dir()  不帶引數時返回當前範圍內的變數,方法和定義的型別列表,帶引數時返回引數的屬性,方法列表
'''
l=[]
print(dir(l)) #檢視一個物件下面的屬性
'''
# help()  返回物件的幫助文件
'''
print(help(l))
'''
# id()  返回物件的記憶體地址
'''
# x=1
# y=x
# print(id(x),id(y))
#
# print(x is y) #判斷的是身份
'''
# len()  返回物件長度,引數可以是序列型別(字串,元組或列表)或對映型別(如字典)
# callable()  判斷物件是否可以被呼叫,能被呼叫的物件就是一個callables物件,比如函式和帶有__call__()的例項
'''
def func():
    pass
print(callable(func))
'''

7. 作用域檢視函式

globals() , locals() , vars()

# globals()  返回一個描述當前全域性變數的字典
# locals()  列印當前可用的區域性變數的字典
# vars()  # 1. 當函式不接收引數時,其功能和locals函式一樣,返回當前作用域內的區域性變數。
          # 2. 當函式接收一個引數時,引數可以是模組、類、類例項,或者定義了__dict__屬性的物件。

8. 迭代器函式

iter() , next() , enumerate() , range()
python3中這幾個函式會生成一個迭代器

1. #iter(object[,setnel])     # iter() 函式用來生成迭代器. 返回值是迭代器物件
    引數:
    object -- 支援迭代的集合物件。
    sentinel -- 如果傳遞了第二個引數,則引數 object 必須是一個可呼叫的物件(如,函式),此時,iter 建立了一個迭代器物件,每次呼叫這個迭代器物件的__next__()方法時,都會呼叫 object。

2 # next()  返回一個可迭代資料結構(如列表)中的下一項
3 # enumerate()  # 返回一個可以列舉的物件,該物件的next()方法將返回一個元組
4 # x=range(10)
5 # enumerate([1,2,3]).__next__()
6 # range()  根據需要生成一個指定範圍的數字,可以提供你需要的控制來迭代指定的次數

9. 其他函式

hash() , filter() , format() , input() , open() , print() , zip() , map() , import

1 #hash() 用於獲取取一個物件(字串或者數值等)的雜湊值。
>>>hash('test')            # 字串
2314058222102390712
2 #filter() 函式用於過濾序列,過濾掉不符合條件的元素,返回由符合條件元素組成的新列表。
該接收兩個引數,第一個為函式,第二個為序列,序列的每個元素作為引數傳遞給函式進行判,然後返回 True 或 False,最後將返回 True 的元素放到新列表中。
語法:filter(function, iterable)
    function -- 判斷函式。
    iterable -- 可迭代物件。
    
#!/usr/bin/python
# -*- coding: UTF-8 -*-
 
def is_odd(n):
    return n % 2 == 1
 
newlist = filter(is_odd, [1, 2, 3, 4, 5, 6, 7, 8, 9, 10])
print(newlist)
for i in new_list:
    print(i)
# 輸出:
<filter object at 0x00F3C490>
1
3
5
7
9
```
```
3 # format()  #格式化輸出字串,format(value, format_spec)實質上是呼叫了value的__format__(format_spec)方法

"I am {0}, I like {1}!".format("wang", "moon")
"I am {}, I like {}!".format("wang", "moon")
"I am {name}, I like {msg}!".format(name = "wang", msg ="moon")
```
```
4 # input()     # 獲取使用者輸入內容
5 # open()      # 開啟檔案
6 # print()     # 輸出函式
```
```
7 # zip()  拉鍊函式將物件逐一配對
s='helloo'
l=[1,2,3,4,5]

z=zip(s,l)
print(z)
for i in z:
    print(i)
```
```
8 # __import__
# import time
# m=__import__('time') #以字串的形式匯入模組
# m.sleep(3000)
```
```
9 # map() 會根據提供的函式對指定序列做對映。
第一個引數 function 以引數序列中的每一個元素呼叫 function 函式,返回包含每次 function 函式返回值的新列表。
語法:
map(function, iterable, ...)
引數:
function -- 函式,有兩個引數
iterable --  一個或多個序列

例項:
>>>def square(x) :            # 計算平方數
...     return x ** 2
... 
>>> map(square, [1,2,3,4,5])   # 計算列表和:1+2+3+4+5
[1, 4, 9, 16, 25]
>>> map(lambda x: x ** 2, [1, 2, 3, 4, 5])  # 使用 lambda 匿名函式
[1, 4, 9, 16, 25]
 
# 提供了兩個列表,對相同位置的列表資料進行相加
>>> map(lambda x, y: x + y, [1, 3, 5, 7, 9], [2, 4, 6, 8, 10])
[3, 7, 11, 15, 19]
```

#### 10. 物件導向使用的函式
super(), isinstance(), issubclass(), classmethod(), staticmethod(), proerty(), delatter(), hasattr(), getattr(), setattr()

```
#super()  呼叫父類的方法

# isinstance()  檢查物件是否是類的物件,返回True或False
# issubclass()  檢查一個類是否是另一個類的子類。返回True或False


# classmethod()  # 用來指定一個方法為類的方法,由類直接呼叫執行,只有一個cls引數,執行雷的方法時,自動將呼叫該方法的類賦值給cls.沒有此引數指定的類的方法為例項方法
# staticmethod
# property

# delattr()  # 刪除物件的屬性
# hasattr
'''
hasattr(object,name)
判斷物件object是否包含名為name的特性(hasattr是通過呼叫getattr(object,name))是否丟擲異常來實現的。
引數object:物件
引數name:特性名稱
>>> hasattr(list, 'append')
True
>>> hasattr(list, 'add')
False
'''
#getattr()  獲取物件的屬性
#setattr()  與getattr()相對應
```

相關文章