我写错了程序。
def changeByThirds(pic):
w= getWidth (pic)
h = getHeight(pic)
newPic = makeEmptyPicture(w,h)
for x in range (0,w):
for y in range (0,h):
pxl = getPixel(pic, x, y)
if (y<h/3):
#some code
if (y>(h*2/3)):
#some code
else:
#some code
return (newPic)
当我执行这个程序时,第一个if语句if (y<h/3):
被忽略,所以它就好像第一个if不存在一样。
if (y>(h*2/3)):
#some code
else:
#some code
我发现编写代码的正确方法是这样的:
def changeByThirds(pic):
w= getWidth (pic)
h = getHeight(pic)
newPic = makeEmptyPicture(w,h)
for x in range (0,w):
for y in range (0,h):
pxl = getPixel(pic, x, y)
if (y<h/3):
#some code
elif (y>(h*2/3)):
#some code
else:
#some code
return (newPic)
但是,我的问题是;
在第一个代码中 - 为什么绕过第一个if语句?
答案 0 :(得分:5)
在第一个程序中,second if
覆盖了first if
中的内容,但未被“绕过”。这就是为什么当你改为elif
时它在第二个程序中工作的原因。
答案 1 :(得分:5)
在第一个示例中,即使第一个if
为if
,也会检查False
条件。
所以第一个实际上看起来像这样:
if (y<h/3):
#some code
if (y>(h*2/3)):
#some code
else:
#some code
示例:强>
>>> x = 2
if x == 2:
x += 1
if x == 3: #due to the modification done by previous if, this condition
#also becomes True, and you modify x again
x += 1
else:
x+=100
>>> x
4
但是在if-elif-else
块中,如果它们中的任何一个是True
,则代码会突然显示,并且不会检查下一个条件。
if (y<h/3):
#some code
elif (y>(h*2/3)):
#some code
else:
#some code
示例:
>>> x = 2
if x == 2:
x += 1
elif x == 3:
x += 1
else:
x+=100
...
>>> x # only the first-if changed the value of x, rest of them
# were not checked
3