泛型,,如果你嘗過(guò)java,應(yīng)該對(duì)他不陌生吧。但你可能不知道在 Python 中(3.4 ),,也可以實(shí)現(xiàn) 簡(jiǎn)單的泛型函數(shù)。 在Python中只能實(shí)現(xiàn)基于單個(gè)(第一個(gè))參數(shù)的數(shù)據(jù)類型來(lái)選擇具體的實(shí)現(xiàn)方式,,官方名稱 是
它使用方法極其簡(jiǎn)單,只要被
這邊舉個(gè)簡(jiǎn)單的例子,。 from functools import singledispatch@singledispatchdef age(obj): print('請(qǐng)傳入合法類型的參數(shù),!')@age.register(int)def _(age): print('我已經(jīng){}歲了。'.format(age))@age.register(str)def _(age): print('I am {} years old.'.format(age))age(23) # intage('twenty three') # strage(['23']) # list 執(zhí)行結(jié)果
說(shuō)起泛型,其實(shí)在 Python 本身的一些內(nèi)建函數(shù)中并不少見(jiàn),,比如 你可能會(huì)問(wèn),,它有什么用呢,?實(shí)際上真沒(méi)什么用,你不用它或者不認(rèn)識(shí)它也完全不影響你編碼,。 我這里舉個(gè)例子,,你可以感受一下。 大家都知道,,Python 中有許許多的數(shù)據(jù)類型,,比如 str,list,, dict,, tuple 等,不同數(shù)據(jù)類型的拼接方式各不相同,,所以我這里我寫了一個(gè)通用的函數(shù),,可以根據(jù)對(duì)應(yīng)的數(shù)據(jù)類型對(duì)選擇對(duì)應(yīng)的拼接方式拼接,而且不同數(shù)據(jù)類型我還應(yīng)該提示無(wú)法拼接,。以下是簡(jiǎn)單的實(shí)現(xiàn),。 def check_type(func): def wrapper(*args): arg1, arg2 = args[:2] if type(arg1) != type(arg2): return '【錯(cuò)誤】:參數(shù)類型不同,無(wú)法拼接!!' return func(*args) return wrapper@singledispatchdef add(obj, new_obj): raise TypeError@add.register(str)@check_typedef _(obj, new_obj): obj = new_obj return obj@add.register(list)@check_typedef _(obj, new_obj): obj.extend(new_obj) return obj@add.register(dict)@check_typedef _(obj, new_obj): obj.update(new_obj) return obj@add.register(tuple)@check_typedef _(obj, new_obj): return (*obj, *new_obj)print(add('hello',', world'))print(add([1,2,3], [4,5,6]))print(add({'name': 'wangbm'}, {'age':25}))print(add(('apple', 'huawei'), ('vivo', 'oppo')))# list 和 字符串 無(wú)法拼接print(add([1,2,3], '4,5,6')) 輸出結(jié)果如下
如果不使用singledispatch 的話,,你可能會(huì)寫出這樣的代碼。 def check_type(func): def wrapper(*args): arg1, arg2 = args[:2] if type(arg1) != type(arg2): return '【錯(cuò)誤】:參數(shù)類型不同,,無(wú)法拼接!!' return func(*args) return wrapper@check_typedef add(obj, new_obj): if isinstance(obj, str) : obj = new_obj return obj if isinstance(obj, list) : obj.extend(new_obj) return obj if isinstance(obj, dict) : obj.update(new_obj) return obj if isinstance(obj, tuple) : return (*obj, *new_obj)print(add('hello',', world'))print(add([1,2,3], [4,5,6]))print(add({'name': 'wangbm'}, {'age':25}))print(add(('apple', 'huawei'), ('vivo', 'oppo')))# list 和 字符串 無(wú)法拼接print(add([1,2,3], '4,5,6')) 輸出如下
推薦下我本人原創(chuàng)的 《PyCharm 中文指南》電子書,內(nèi)含大量(300張)的圖解,,制作之精良,,值得每個(gè) Python 工程師點(diǎn)個(gè)收藏。 地址是:http://pycharm. |
|