我一直在使用该input
函数来暂停我的脚本:
print("something")
wait = input("Press Enter to continue.")
print("something")
有没有正式的方法可以做到这一点?
这对我来说似乎很好(或raw_input()
在 Python 2.X 中)。或者,time.sleep()
如果您想暂停一定的秒数,您可以使用。
import time
print("something")
time.sleep(5.5) # Pause 5.5 seconds
print("something")
仅适用于 Windows,请使用:
import os
os.system("pause")
所以,我发现这在我的编码工作中非常有效。我只是在程序的一开始就创建了一个函数,
def pause():
programPause = raw_input("Press the <ENTER> key to continue...")
现在我可以在pause()
需要时使用该功能,就像我正在编写批处理文件一样。例如,在这样的程序中:
import os
import system
def pause():
programPause = raw_input("Press the <ENTER> key to continue...")
print("Think about what you ate for dinner last night...")
pause()
现在显然这个程序没有目标,只是为了举例,但你可以准确地理解我的意思。
input
注意:对于Python 3,您需要使用raw_input
我有一个类似的问题,我正在使用信号:
import signal
def signal_handler(signal_number, frame):
print "Proceed ..."
signal.signal(signal.SIGINT, signal_handler)
signal.pause()
因此,您为信号 SIGINT 注册一个处理程序并暂停等待任何信号。现在从您的程序外部(例如,在 bash 中),您可以运行kill -2 <python_pid>
,这会将信号 2(即 SIGINT)发送到您的 python 程序。您的程序将调用您注册的处理程序并继续运行。
我对 Python 2 和 Python 3 使用以下命令来暂停代码执行,直到用户按下Enter
import six
if six.PY2:
raw_input("Press the <Enter> key to continue...")
else:
input("Press the <Enter> key to continue...")
print ("This is how you pause")
input()
很简单:
raw_input("Press Enter to continue ...")
print("Doing something...")
我与喜欢简单解决方案的非程序员一起工作:
import code
code.interact(banner='Paused. Press ^D (Ctrl+D) to continue.', local=globals())
这会产生一个解释器,其行为几乎与真正的解释器完全相同,包括当前上下文,只有输出:
暂停。按 ^D (Ctrl+D) 继续。 >>>
Python 调试器也是暂停的好方法。
import pdb
pdb.set_trace() # Python 2
或者
breakpoint() # Python 3
跨平台方式;无处不在
import os, sys
if sys.platform == 'win32':
os.system('pause')
else:
input('Press any key to continue...')
通过这种方法,您可以通过按下您指定的任何指定键来恢复您的程序:
import keyboard
while True:
key = keyboard.read_key()
if key == 'space': # You can put any key you like instead of 'space'
break
相同的方法,但以另一种方式:
import keyboard
while True:
if keyboard.is_pressed('space'): # The same. you can put any key you like instead of 'space'
break
注意:您可以keyboard
简单地通过在 shell 或 cmd 中编写以下代码来安装模块:
pip install keyboard
在 Linux 中,您可以kill -TSTP <pid>
向后台发出并停止进程。所以,它就在那里,但不消耗 CPU 时间。
然后,kill -CONT <pid>
它关闭并再次运行。
我认为停止执行的最好方法是time.sleep()函数。
如果您只需要在某些情况下暂停执行,您可以简单地实现一个if语句,如下所示:
if somethinghappen:
time.sleep(seconds)
您可以将else分支留空。
对于跨 Python 2/3 兼容性,您可以input
通过six
库使用:
import six
six.moves.input( 'Press the <ENTER> key to continue...' )