Python: How to end a while loop while it is running if the while condition changes during the loop?

喜夏-厌秋 提交于 2020-01-22 02:06:55

问题


I need some help with code in a text based game I am trying to make. My game uses health, and the code starts off with "while health>0:", and in another point in the game, when health eventually =0, the loop still continues. How do I make the loop end when health=0, without finishing the whole loop.

Here is an example:

health=100
while health>0:
  print("You got attacked")
  health=0
  print("test")

Should the code not be stopping when health=0, and not print "test"? How to I get it to stop when health=0? The code I wrote deducts health based on the users actions, so the times when health=0 can vary. I want to end the code whenever health=0 Any help would be appreciated.


回答1:


The condition is only evaluated at the start of each iteration. It does not get checked in the middle of an iteration (e.g. as soon as you set to health to zero).

To explicitly exit the loop, use break:

while health>0:
  ...
  if some_condition:
    break
  ...



回答2:


The break statement, like in C, breaks out of the smallest enclosing for or while loop.




回答3:


You should use 'break' statement to come out of the loop

health=100
while health>0:
  print("You got attacked")
  # decrement the variable according to your requirement inside the loop
  health=health-1 
  if health==0:
    break
  print("test")



回答4:


Cleaner implementation

health = 100
while True:
    if (health <= 0): break
    print ("You got attacked!")
    health = 0
    print ("Testing!")

Outputs:

You got attacked!
Testing!


来源:https://stackoverflow.com/questions/41088982/python-how-to-end-a-while-loop-while-it-is-running-if-the-while-condition-chang

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!