我在linux中有一个命名管道,我想从python中读取它。问题是python进程'消耗'一个核心(100%)连续。我的代码如下:
FIFO = '/var/run/mypipe'
os.mkfifo(FIFO)
with open(FIFO) as fifo:
while True:
line = fifo.read()
我想问一下'sleep'是否有助于这种情况或过程会从管道中丢失一些输入数据。我无法控制输入,所以我不知道数据输入的频率。我读了关于选择和民意调查,但我找不到任何关于我的问题的例子。最后,我想询问100%的使用量是否会对数据输入产生任何影响(丢失或什么?)。
编辑:我不想打破循环。我希望这个过程能够持续运行,并且“听到”来自管道的数据。
答案 0 :(得分:17)
在典型的UNIX方式中,read(2)
返回0个字节以指示文件结尾,这可能意味着:
在您的情况下,fifo.read()
返回一个空字符串,因为编写器已关闭其文件描述符。
你应该检测到这种情况并突破你的循环:
<强> reader.py 强>:
import os
import errno
FIFO = 'mypipe'
try:
os.mkfifo(FIFO)
except OSError as oe:
if oe.errno != errno.EEXIST:
raise
print("Opening FIFO...")
with open(FIFO) as fifo:
print("FIFO opened")
while True:
data = fifo.read()
if len(data) == 0:
print("Writer closed")
break
print('Read: "{0}"'.format(data))
示例会话
1号航站楼:
$ python reader.py
Opening FIFO...
<blocks>
2号航站楼:
$ echo -n 'hello' > mypipe
1号航站楼:
FIFO opened
Read: "hello"
Writer closed
$
您表示您希望继续侦听管道上的写入,可能即使在作家关闭后也是如此。
为了有效地做到这一点,你可以(而且应该)利用
这一事实通常,打开FIFO块直到另一端打开。
在这里,我在open
和read
循环周围添加了另一个循环。这样,一旦管道关闭,代码将尝试重新打开它,这将阻塞,直到另一个编写器打开管道:
import os
import errno
FIFO = 'mypipe'
try:
os.mkfifo(FIFO)
except OSError as oe:
if oe.errno != errno.EEXIST:
raise
while True:
print("Opening FIFO...")
with open(FIFO) as fifo:
print("FIFO opened")
while True:
data = fifo.read()
if len(data) == 0:
print("Writer closed")
break
print('Read: "{0}"'.format(data))
1号航站楼:
$ python reader.py
Opening FIFO...
<blocks>
2号航站楼:
$ echo -n 'hello' > mypipe
1号航站楼:
FIFO opened
Read: "hello"
Writer closed
Opening FIFO...
<blocks>
2号航站楼:
$ echo -n 'hello' > mypipe
1号航站楼:
FIFO opened
Read: "hello"
Writer closed
Opening FIFO...
<blocks>
......等等。
您可以通过阅读管道的man
页面了解更多信息:
答案 1 :(得分:0)
(几年后),如果我了解使用for ... in ...
来完成OP的用例,则完全可以实现:
import os
FIFO = 'myfifo'
os.mkfifo(FIFO)
with open(FIFO) as fifo:
for line in fifo:
print(line)
此程序耐心等待来自fifo的输入,直到提供为止,然后将其打印在屏幕上。同时,没有使用CPU。
这也是Python中比较惯用的方式,因此我建议使用它,而不是直接使用read()。
如果关闭写入fifo的客户端,则for循环结束,程序退出。如果您希望它重新打开fifo以等待下一个客户端打开它,则可以将for
部分放入while循环中:
import os
FIFO = 'myfifo'
os.mkfifo(FIFO)
while True:
with open(FIFO) as fifo:
for line in fifo:
print(line)
这将重新打开fifo并照常等待。