實際案例:
某項目中,我們的代碼使用了三個不同庫中的圖形類:Circle,Triangle,Rectangle。
他們都有一個獲取圖形面積的接口(方法),但接口名字不同。我們可以實現一個統一的獲取面積的函數,使用每種方法名進行嘗試,調用相應類的接口。
解決方案:
方法1(案例解決):使用內置函數getattr,通過名字在實例上獲取方法對象,然後調用。
方法2(非案例解決):使用標准庫operator下的methodcaller函數調用。
(1)案例代碼實現
class Circle(object): # 圓
def __init__(self, r):
self.r = r
def area(self):
return self.r ** 2 * 3.14
class Triangle(object): # 三角形
def __init__(self, a, b, c):
self.a = a
self.b = b
self.c = c
def getArea(self):
a, b, c = self.a, self.b, self.c
p = (a + b + c) / 2
area = (p * (p - a) * (p - b) * (p - c)) ** 0.5
return area
class Rectangle(object): # 矩形
def __init__(self, w, h):
self.w = w
self.h = h
def get_area(self):
return self.w * self.h
# 3個圖形的面積方法名字彼此都不相同
# 在用戶的代碼中最好能實現一個函數,它能將獲取一個圖形的面積統一起來
def get_area(shape):
# 迭代那些方法名,在shape對象分別嘗試獲取方法屬性
for name in ('area', 'getArea', 'get_area'):
# 能獲取到就調用那個方法,獲取不到繼續嘗試
# 參數列表:對象,名字,默認值None
f = getattr(shape, name, None)
if f:
# 返回獲取圖形面積方法
return f()
shape1 = Circle(2)
shape2 = Triangle(3, 4, 5)
shape3 = Rectangle(6, 4)
shapes = [shape1, shape2, shape3]
# 使用map函數獲取shapes列表中每個圖形實例的面積
print(list(map(get_area, shapes)))
(2)方法2舉例演示
from operator import methodcaller
s = 'abc123abc456'
# 從第4個位置開始查找abc字符串
print(s.find('abc', 4))
# 使用methodcaller實現s.find
# 第1個參數為方法名,之後把參數跟在方法名後面,得到一個對象
# 這個對象可以進行一個調用,得到上面同樣結果。
print(methodcaller('find', 'abc', 4)(s))