文章目錄
- 內建函數:BIFs
- 使用者函數:UDF
- 內建方法:BIMs (只有對應的BIT才有對應的BIM)
- 使用者方法:UDM
參考:《Python核心編程》 14章前半部分
內建函數相關知識:
內建函數:BIFs
屬性:
bif.__doc__
bif.__name__
bif.__self__
bif.__module__
使用者函數:UDF
屬性:
udf.__doc__ 文檔字串
udf.__name__ 函數名稱
udf.func_code 位元組編譯的代碼對象
udf.func_globals 全域名字空間字典
udf.func_dict 函數屬性的名字空間
udf.func_doc
udf.func_name
udf.func_closure
從類的角度
內建方法:BIMs (只有對應的BIT才有對應的BIM)使用者方法:UDM
類的執行個體化就是“調用”類
方法綁定和非綁定: 就是有沒有執行個體去調用方法
類中方法:
__init__ 相當於建構函式
可執行對象函數:callable(obj) 判斷obj是否可以調用,也就是對象是否可以用()來調用
def fun(): pass callable(fun)Truefunc = fun()callable(func)False
compile() 允許程式員在運行時刻迅速產生代碼對象,然後使用exec或者eval()執行這些對象
In [16]: help(compile)Help on built-in function compile in module __builtin__:compile(...) compile(source, filename, mode[, flags[, dont_inherit]]) -> code object Compile the source string (a Python module, statement or expression) into a code object that can be executed by the exec statement or eval(). The filename will be used for run-time error messages. The mode must be 'exec' to compile a module, 'single' to compile a single (interactive) statement, or 'eval' to compile an expression. The flags argument, if present, controls which future statements influence the compilation of the code. The dont_inherit argument, if non-zero, stops the compilation inheriting the effects of any future statements in effect in the code calling compile; if absent or zero these statements do influence the compilation, in addition to any features explicitly specified.
從文檔中出第三個參數是mode,一般有三個選擇
'eval' 可求值的運算式
'single' 單一可執行檔語句
'exec' 可執行檔語句組
ex:
In [17]: eval_code = compile('3+3','','eval')In [18]: eval(eval_code)Out[18]: 6In [20]: single_code = compile('print "hello world"','','single')In [21]: exec single_codehello worldIn [24]: exec_code = compile(""" ....: print 'some num' ....: for i in range(5): ....: print i ....: """,'','exec')In [25]: exec exec_codesome num01234
eval() :對錶達式求值
In [26]: eval('100+100.0')Out[26]: 200.0
exec() :接受一個參數,執行代碼對象或者是字串代碼,也可以擷取開啟程式檔案執行,每次執行到達檔案的末尾
In [28]: exec """ ....: print range(5) ....: """[0, 1, 2, 3, 4]
input() :是eval 和raw_input的組合,eval(raw_input())
In [30]: input('please a expression ')please a expression 3+3Out[30]: 6