Python的函數非常多,可以使用help()
函數來初略的獲得函數的用法
help(print)
Help on built-in function print in module builtins:
print(...)
print(value, ..., sep=' ', end='\n', file=sys.stdout, flush=False)
Prints the values to a stream, or to sys.stdout by default.
Optional keyword arguments:
file: a file-like object (stream); defaults to the current sys.stdout.
sep: string inserted between values, default a space.
end: string appended after the last value, default a newline.
flush: whether to forcibly flush the stream.
同時我們自己定義函數時,也可以適當的來解釋這個函數的作用
def times(s:str,n:int) ->str: # 返回值為str類型
''' 返回n個s字符串 '''
return s*n
print(times('北山啦',3))
北山啦北山啦北山啦
同時,可以使用.__annotations__
方法獲取函數的類型注釋
times.__annotations__
{'s': str, 'n': int, 'return': str}
他就以字典的形式返回了他的兩個參數,以及一個str類型的返回值
查看函數文檔使用.__doc__
方法
print(times.__doc__)
返回n個s字符串
在面向對象編程中,python 類有多繼承特性,如果繼承關系太復雜,很難看出會先調用那個屬性或方法。
為了方便且快速地看清繼承關系和順序,可以使用.__mro__
class X(object):pass
class Y(object):pass
class A(X, Y):pass
class B(Y):pass
class C(A, B):pass
print C.__mro__
# (<class '__main__.C'>, <class '__main__.A'>,
# <class '__main__.X'>, <class '__main__.B'>,
# <class '__main__.Y'>, <type 'object'>)