- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我有一个 Python 脚本(在 2.7 上运行),当我从命令行和后台运行它时,它的行为有所不同。当我从终端运行它时,它按预期运行,这两个线程作为守护进程运行,将输出写入窗口,而主循环等待退出命令。它会一直运行直到我输入退出:
python test.py
当同一个程序在后台运行时,两个线程都运行一次,然后程序挂起(我已经将范围缩小到 raw_input,我想我做了一个错误的假设,即两个线程会继续运行,即使在后台运行,raw_input 阻塞了主线程。例如,这两个线程基本上会永远运行,因为在这种情况下没有输入)。
python test.py &
我的目标是让一个程序运行这些循环(可能永远运行),但如果我从终端运行它会接受输入。
为了允许程序从终端/后台运行,我是否需要在 raw_input 之前放置一个 if 语句来检查它是否在后台,或者我是否缺少其他有用的东西?
import sys
import time
from threading import Thread
def threadOne():
while True:
print("Thread 1")
time.sleep(1)
def threadTwo():
while True:
print("Thread 2")
time.sleep(1)
# Run the threads in the background as daemons
threadOne = Thread(target = threadOne)
threadOne.daemon = True
threadOne.start()
threadTwo = Thread(target = threadTwo)
threadTwo.daemon = True
threadTwo.start()
# Main input loop. This will allow us to enter input. The
# threads will run forever unless "quit" is entered. This
# doesn't run when the program is run in the background (I
# incorrectly assumed it would just run forever with no input
# ever being entered in that scenario).
while True:
userInput = ""
userInput = raw_input("")
time.sleep(1)
# This should allow us to exit out
if str(userInput) == "quit":
sys.exit()
最佳答案
In order to allow the program to run both from the terminal / in the background do I need to basically put an if statement before the raw_input that checks whether it's in the background or not or am I missing else that would help?
在某种程度上,这可能有效(我假设你在 *nix 上运行它),但是如果用户要将进程发送回后台(即使用 Ctrl 暂停它Z 然后在后台使用 %&
恢复它,而 raw_input
正在等待用户输入,然后读取 stdin
然后将被阻止,因为它在后台,从而导致内核停止进程,因为这是 stdio 的工作方式。如果这是可以接受的(基本上用户必须在暂停进程之前按回车键),您可以简单地这样做:
import os
while True:
userInput = ""
if os.getpgrp() == os.tcgetpgrp(sys.stdout.fileno()):
userInput = raw_input("")
time.sleep(1)
什么 os.getpgrp
做的是返回当前操作系统组的id,然后是 os.tcgetpgrp
获取与此进程的标准输出关联的进程组,如果它们匹配,则表示此进程当前在前台,这意味着您可以调用 raw_input
不会阻塞线程。
另一个问题提出了类似的问题,我有一个更长的解释:Freeze stdin when in the background, unfreeze it when in the foreground .
更好的方法是将其与 select.poll
结合使用, 并从标准 I/O 中单独解决交互式 I/O(通过直接使用 /dev/tty
),因为您不希望 stdin/stdout 重定向被它“污染”。这是包含这两个想法的更完整的版本:
tty_in = open('/dev/tty', 'r')
tty_out = open('/dev/tty', 'w')
fn = tty_in.fileno()
poll = select.poll()
poll.register(fn, select.POLLIN)
while True:
if os.getpgrp() == os.tcgetpgrp(fn) and poll.poll(10): # 10 ms
# poll should only return if the input buffer is filled,
# which is triggered when a user enters a complete line,
# which lets the following readline call to not block on
# a lack of input.
userInput = tty_in.readline()
# This should allow us to exit out
if userInput.strip() == "quit":
sys.exit()
后台/前台检测仍然需要,因为进程没有完全脱离 shell(因为它可以回到前台)因此 poll
将返回 fileno
如果有任何输入被发送到 shell,则 tty 的启动,如果这触发了 readline,它将停止进程。
此解决方案的优点是不需要用户按回车键并在 raw_input
之前快速暂停任务以将其发送回后台。陷阱和障碍 stdin
停止进程(因为 poll
检查是否有要读取的输入),并允许正确的 stdin/stdout 重定向(因为所有交互式输入都是通过 /dev/tty
处理的)所以用户可以做类似的事情:
$ python script.py < script.py 2> stderr
input stream length: 2116
在下面的完整示例中,它还向用户提供提示,即 >
每当发送命令或进程返回前台时都会显示,并将整个内容包装在 main
中函数,并修改第二个线程以在 stderr 中吐出内容:
import os
import select
import sys
import time
from threading import Thread
def threadOne():
while True:
print("Thread 1")
time.sleep(1)
def threadTwo():
while True:
# python 2 print does not support file argument like python 3,
# so writing to sys.stderr directly to simulate error message.
sys.stderr.write("Thread 2\n")
time.sleep(1)
# Run the threads in the background
threadOne = Thread(target = threadOne)
threadOne.daemon = True
threadTwo = Thread(target = threadTwo)
threadTwo.daemon = True
def main():
threadOne.start()
threadTwo.start()
tty_in = open('/dev/tty', 'r')
tty_out = open('/dev/tty', 'w')
fn = tty_in.fileno()
poll = select.poll()
poll.register(fn, select.POLLIN)
userInput = ""
chars = []
prompt = True
while True:
if os.getpgrp() == os.tcgetpgrp(fn) and poll.poll(10): # 10 ms
# poll should only return if the input buffer is filled,
# which is triggered when a user enters a complete line,
# which lets the following readline call to not block on
# a lack of input.
userInput = tty_in.readline()
# This should allow us to exit out
if userInput.strip() == "quit":
sys.exit()
# alternatively an empty string from Ctrl-D could be the
# other exit method.
else:
tty_out.write("user input: %s\n" % userInput)
prompt = True
elif not os.getpgrp() == os.tcgetpgrp(fn):
time.sleep(0.1)
if os.getpgrp() == os.tcgetpgrp(fn):
# back to foreground, print a prompt:
prompt = True
if prompt:
tty_out.write('> ')
tty_out.flush()
prompt = False
if __name__ == '__main__':
try:
# Uncomment if you are expecting stdin
# print('input stream length: %d ' % len(sys.stdin.read()))
main()
except KeyboardInterrupt:
print("Forcibly interrupted. Quitting")
sys.exit() # maybe with an error code
是一个有趣的练习;如果我可以说,这是一个相当不错且有趣的问题。
最后一点:这不是跨平台的,它不能在 Windows 上运行,因为它没有 select.poll
和 /dev/tty
.
关于Python 脚本在后台运行时挂起,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/32899275/
从 0 开始搭建一套后台管理系统,成本巨大,所以都会选择一套成熟的组件库,基于此,再堆叠业务逻辑。我们公司的组件库基于 Ant Design。Ant Design 包含一套完整的后台解决方案,不仅
在我的 IOS 应用程序中,我有一个标记为 retain 的 NSDate* 属性 当我的应用程序再次激活时,属性值已被释放。 我是否误解了属性和内存管理的工作原理,我该如何防范? 最佳答案 很明显,
我有一个使用 BackgroundWorker 组件的示例 WinForms 应用程序。它工作正常,但是当我点击 Cancel 按钮取消后台线程时,它并没有取消线程。当我点击 Cancel 按钮调用
我目前正在开发一个应用程序,该应用程序在启动时会对服务器执行 ping 操作,该服务器会为每个连接的设备返回一个唯一标识符。设备每 5 秒从服务器检索另一页以获取一组不同的数据。这个唯一的 ID 可以
我正在开发一个应用程序,当它通过主页按钮在后台按下时,计时器应该启动,当应用程序返回前台并且计时器已经过了一定时间时,应该是执行。 我的问题是 当我的应用程序转到背景/前景? 是否有特殊的方法或其他技
我有 map View ,其中几乎没有 MKPointAnnotation。 一切正常,但是, View 的 MKPoiintAnnotation 的“背景”是“不可见的”,因此不是很“可见”。 我想
我在 iOS 中开发广告数据应用程序。我的应用程序广告数据在前台很好。但我想在 ios 后台宣传信标数据。我设置了背景外设设置。和广告数据 advertisingData = [CBAdvertise
如果我有一组操作,我想根据特定条件在后台工作程序中运行,例如,我有 10 个条件 if(a) BackgroundWorker doA = new backgroundworker() if(
我想独立运行一个函数。从我调用的函数中,我想在不等待其他函数结束的情况下返回。 我试过用 threadind,但这会等待,结束。 thread = threading.Thread(target=my
我想在用户在线时立即执行一些任务,即使他在后台也是如此。我正在使用 Reachability 类来检查互联网。但是当我在后台时,这个类没有通知我。我知道有人早些时候问过这个问题,但没有找到任何解决方案
我在后台播放文本转语音时出现间歇性(哎呀!)问题,由 Apple Watch 触发。我已经正确设置了后台模式、AVSession 类别和 WatchKitExtensionRequest 处理程序。
我有一个相当复杂的程序,所以我不会在这里转储整个程序。这是一个简化版本: class Report { private BackgroundWorker worker; public
我有一个任务在 backgroundworker 中运行。单击开始按钮,用户将启动该过程,并获得一个取消按钮来取消处理。 当用户点击取消时,我想显示一个消息框“进程尚未完成,你想继续吗”。 这里我希望
我有一个按以下方式编码的脚本。我想将它作为后台/守护进程运行,但是一旦我启动脚本,如果我关闭它从程序运行的终端窗口终止。我需要做什么来保持程序运行 loop do pid = fork do
我正在制作一个使用 ActivityRecognition API 在后台跟踪用户 Activity 的应用,如果用户在指定时间段(例如 1 小时)内停留在同一个地方,系统就会推送通知告诉用户去散步.
当尝试使用 URLSession 的 dataTaskPublisher 方法发送后台请求时: URLSession(configuration: URLSessionConfiguration.ba
当我编译这段代码时,我得到了他的错误,对象引用设置为null,错误位置在Dowork中,argumenttest.valueone = 8; public partial class Form1 :
有什么方法可以使用最小化或不活动的应用程序吗?我可以打开我的应用程序,然后打开并使用另一个应用程序,然后按一个按钮来激活我的程序吗? 例如,打开我的应用程序,打开 Safari,按下按钮(F1 或任何
我的具体要求是一个在后台运行的应用程序,被通知显示器即将进入休眠状态或者设备已经或即将达到空闲超时 - 然后唤醒并执行一些(简短的)一段代码。 我在这里找到了有关应用程序被置于后台或暂停的通知的引用:
我有一个 LSUIElement 设置为 1 的应用程序。它有一个内置编辑器,因此我希望该应用程序在编辑器打开时出现在 Cmd+Tab 循环中。 -(void)stepIntoForegrou
我是一名优秀的程序员,十分优秀!