python - Glitch with code? -
i have code. if run works fine if follow instructions. want dummyproof when enter make troops , fix mistake error after fixing mistake when functions restarts itself.
please take , me fix it.
import time warriors = 100 def deploy(): #calls fighters front lines amount = input('how many warriors send front lines? limit %i warriors. keep in mind enemy invaders have been spotted inside base. must keep 10 warriors in base @ times. ' %(warriors)) try: amount = int(amount) except valueerror: print('please use numbers.') time.sleep(1.5) deploy() if amount <= warriors: print (type(amount)) elif amount > warriors: print("you can't send many warriors. have %i warriors." %(warriors)) time.sleep(1.5) amount=0 deploy() else: print("you did wrong. try again.") time.sleep(1.5) deploy() fighters = deploy() warriors = warriors - fighters
you shouldn't use recursion (e.g. function calling repeatedly) try , validation. general examples of patterns this, canonical question start. in case might refactor slightly.
import time warriors = 100 def deploy(): while true: amount = input("...") # text here try: amount = int(amount) except valueerror: print("please use numbers.") # move time.sleep end else: # execute if try block succeeds if amount > warriors: print("you can't send many warriors. " "you have %i warriors." % warriors) else: # went right! print(type(amount)) # why doing this...? return amount # did forget in sample code? # if here: broke time.sleep(1.5)
that said, kind of ugly since it's nested. remember zen: "flat better nested." let's refactor bit make new function validation us.
import time warriors = 100 def int_less_than(prompt, ceil, type_error_msg=none, value_error_msg=none, callback=none): """returns validated integer input(prompt) must less ceil. print console std error msg if none specified. if specify callback: run callback if errors detected. """ while true: user_in = input(prompt) try: user_in = int(user_in) except valueerror: print(type_error_msg or "you must enter number") else: if user_in > ceil: print(value_error_msg or "you must enter number " "less {}".format(ceil)) else: return user_in if callback not none: callback() # lets insert time.sleep call def deploy(): amount = int_less_than("how many warriors to...", warriors, callback=lambda: time.sleep(1.5)) return amount
Comments
Post a Comment