原创作者: simohayha
阅读:1612次
评论:1条
更新时间:2011-06-01
参考 python in nutshell 的第三版.
1.在python中异常被认为无论什么时候只要能使程序更简单更强大就可以被使用。甚至异常可以被频繁的抛出.
2.在很多语言中,他们所遵从的是"look before you leap" (LBYL),也就是说,在尝试一个操作之前首先应该先检查一下.这里我的理解就是LBYL只是关心语法而不是关心语义的表达。可是python中遵从的是"it's easier to ask forgiveness than permission"既(EAFP),这也是cobol所遵从的,呵呵我在这里的理解是什么都不管先做再说。EAFP更注重语义的表达。
可以通过代码来比较LBYL与EAFP的不同,按照LBYL中我们的代码可能是这样
而按照EAFP我们的代码就是这样:
3而在使用EAFP风格的时候要注意使用else,比如下面的代码:
在这个代码中当如果当getattr的传进多个参数时程序就会出错,因此代码应当改为下面的
4 在python in nutshell 中,作者提出了LBYL的几点不足:
The checks may diminish the readability and clarity of the common, mainstream cases where everything is okay.
The work needed for checking may duplicate a substantial part of the work done in the operation itself.
The programmer might easily err by omitting some needed check.
The situation might change between the moment the checks are performed and the moment the operation is attempted.
感觉作者很是推崇EAFP,不知道各位怎么看LBYL和EAFP?
1.在python中异常被认为无论什么时候只要能使程序更简单更强大就可以被使用。甚至异常可以被频繁的抛出.
2.在很多语言中,他们所遵从的是"look before you leap" (LBYL),也就是说,在尝试一个操作之前首先应该先检查一下.这里我的理解就是LBYL只是关心语法而不是关心语义的表达。可是python中遵从的是"it's easier to ask forgiveness than permission"既(EAFP),这也是cobol所遵从的,呵呵我在这里的理解是什么都不管先做再说。EAFP更注重语义的表达。
可以通过代码来比较LBYL与EAFP的不同,按照LBYL中我们的代码可能是这样
def safe_divide_1(x, y): if y==0: print "Divide-by-0 attempt detected" return None else: return x/y
而按照EAFP我们的代码就是这样:
def safe_divide_2(x, y): try: return x/y except ZeroDivisionError: print "Divide-by-0 attempt detected" return None
3而在使用EAFP风格的时候要注意使用else,比如下面的代码:
def trycalling(obj, attrib, default, *args, **kwds): try: return getattr(obj, attrib)(*args, **kwds) except AttributeError: return default
在这个代码中当如果当getattr的传进多个参数时程序就会出错,因此代码应当改为下面的
def trycalling(obj, attrib, default, *args, **kwds): try: method = getattr(obj, attrib) except AttributeError: return default else:return method(*args,**kwds)
4 在python in nutshell 中,作者提出了LBYL的几点不足:
引用
The checks may diminish the readability and clarity of the common, mainstream cases where everything is okay.
The work needed for checking may duplicate a substantial part of the work done in the operation itself.
The programmer might easily err by omitting some needed check.
The situation might change between the moment the checks are performed and the moment the operation is attempted.
感觉作者很是推崇EAFP,不知道各位怎么看LBYL和EAFP?
1 楼 linkerlin 2011-05-07 02:06