反模式的重要特征
现在让我们看看反模式的一些重要特征。
正确性
这些模式实际上会破坏您的代码并使您做错事。以下是对此的简单说明 -
class Rectangle(object):
def __init__(self, width, height):
self._width = width
self._height = height
r = Rectangle(5, 6)
# direct access of protected member
print("Width: {:d}".format(r._width))
可维护性
如果一个程序易于理解和根据需求进行修改,则该程序被称为可维护的。导入模块可以被认为是可维护性的一个例子。
import math
x = math.ceil(y)
# or
import multiprocessing as mp
pool = mp.pool(8)
反模式示例
以下示例有助于演示反模式 -
#Bad
def filter_for_foo(l):
r = [e for e in l if e.find("foo") != -1]
if not check_some_critical_condition(r):
return None
return r
res = filter_for_foo(["bar","foo","faz"])
if res is not None:
#continue processing
pass
#Good
def filter_for_foo(l):
r = [e for e in l if e.find("foo") != -1]
if not check_some_critical_condition(r):
raise SomeException("critical condition unmet!")
return r
try:
res = filter_for_foo(["bar","foo","faz"])
#continue processing
except SomeException:
i = 0
while i < 10:
do_something()
#we forget to increment i
解释
该示例包括在 Python 中创建函数的好坏标准的演示。