📅  最后修改于: 2023-12-03 15:24:35.814000             🧑  作者: Mango
在游戏或任何带有交互式用户界面的程序中,我们需要提供一种简单且直观的方式让玩家或用户退出程序。在Python中,我们可以通过多种方式提供退出选项。
以下是几种在Python中实现退出选项的方法。
通过调用 sys
模块的 exit()
函数,我们可以终止Python程序的执行。exit()
函数接受一个整数变量作为参数,该参数代表程序的退出状态。通常,输入0(默认值)表示正常退出,而输入其他数字表示程序出现错误并以相应的错误代码终止。
import sys
while True:
choice = input("Type 'exit' to quit or 'continue' to continue: ")
if choice == 'exit':
sys.exit()
elif choice == 'continue':
pass
else:
print("Invalid choice, please try again.")
在运行Python程序时,我们可以通过按下 Ctrl+C
组合键来产生一个 KeyboardInterrupt
异常。通过捕获这种异常,我们可以在程序执行时提供一种退出选项。
try:
while True:
choice = input("Type 'exit' to quit or 'continue' to continue: ")
if choice == 'exit':
raise KeyboardInterrupt
elif choice == 'continue':
pass
else:
print("Invalid choice, please try again.")
except KeyboardInterrupt:
print("Exiting program.")
另一种方法是通过使用线程模块的 setDaemon()
函数。在Python中,线程可以通过设置为 daemon
线程来实现程序的终止。当主线程退出时, daemon
线程也会相应地终止。
import threading
def run():
while True:
choice = input("Type 'exit' to quit or 'continue' to continue: ")
if choice == 'exit':
threading.current_thread().setDaemon(True)
break
elif choice == 'continue':
pass
else:
print("Invalid choice, please try again.")
t = threading.Thread(target=run)
t.start()
t.join()
这些方法在Python中提供了多种退出选项,以便用户可以更轻松地终止程序的执行。程序员可以根据特定的要求和情况选择适合自己的方法,以实现更好的用户体验。