python非块读取文件

时间:2015-05-11 16:03:48

标签: python python-2.7 nonblocking

我想读取非阻止模式的文件。 所以我确实喜欢下面的

import fcntl
import os

fd = open("./filename", "r")
flag = fcntl.fcntl(fd.fileno(), fcntl.F_GETFD)
fcntl.fcntl(fd, fcntl.F_SETFD, flag | os.O_NONBLOCK)
flag = fcntl.fcntl(fd, fcntl.F_GETFD)
if flag & os.O_NONBLOCK:
    print "O_NONBLOCK!!"

但值flag仍代表0。 为什么..?我想我应该根据os.O_NONBLOCK

进行更改

当然,如果我调用fd.read(),它会在read()处被阻止。

1 个答案:

答案 0 :(得分:7)

O_NONBLOCK是状态标志,不是描述符标志。因此,请使用F_SETFLset File status flags,而不是F_SETFDsetting File descriptor flags

另外,请确保将整数文件描述符作为fcntl.fcntl的第一个参数传递,而不是Python文件对象。因此使用

f = open("/tmp/out", "r")
fd = f.fileno()
fcntl.fcntl(fd, fcntl.F_SETFL, flag | os.O_NONBLOCK)

而不是

fd = open("/tmp/out", "r")
...
fcntl.fcntl(fd, fcntl.F_SETFD, flag | os.O_NONBLOCK)
flag = fcntl.fcntl(fd, fcntl.F_GETFD)
import fcntl
import os

with open("/tmp/out", "r") as f:
    fd = f.fileno()
    flag = fcntl.fcntl(fd, fcntl.F_GETFL)
    fcntl.fcntl(fd, fcntl.F_SETFL, flag | os.O_NONBLOCK)
    flag = fcntl.fcntl(fd, fcntl.F_GETFL)
    if flag & os.O_NONBLOCK:
        print "O_NONBLOCK!!"

打印

O_NONBLOCK!!