如何在不安装新包的情况下对 Windows 执行文件锁定
How to perform file-locking on Windows without installing a new package
我添加了 to a Python package (brian2
),它在文件上放置了排他锁以防止竞争条件。但是,因为此代码包含对 fcntl
的调用,所以它不适用于 Windows。有没有办法让我在 Windows 中的文件上放置独占锁,而无需安装新软件包,如 pywin32
? (我不想添加对 brian2
的依赖。)
因为 msvcrt 是标准库的一部分,我假设你有它。 msvcrt(Microsoft Visual C 运行 Time)模块仅实现了 MS RTL 中可用的少量例程,但它确实实现了文件锁定。
这是一个例子:
import msvcrt, os, sys
REC_LIM = 20
pFilename = "rlock.dat"
fh = open(pFilename, "w")
for i in range(REC_LIM):
# Here, construct data into "line"
start_pos = fh.tell() # Get the current start position
# Get the lock - possible blocking call
msvcrt.locking(fh.fileno(), msvcrt.LK_RLCK, len(line)+1)
fh.write(line) # Advance the current position
end_pos = fh.tell() # Save the end position
# Reset the current position before releasing the lock
fh.seek(start_pos)
msvcrt.locking(fh.fileno(), msvcrt.LK_UNLCK, len(line)+1)
fh.seek(end_pos) # Go back to the end of the written record
fh.close()
显示的示例与 fcntl.flock()
具有相似的功能,但代码有很大不同。仅支持独占锁。
与 fcntl.flock()
不同,没有开始参数(或从哪里开始)。锁定或解锁调用仅在当前文件位置上运行。这意味着为了解锁正确的区域,我们必须将当前文件位置移回读取或写入之前的位置。解锁后,我们现在必须再次推进文件位置,回到读取或写入后的位置,以便我们继续。
如果我们解锁一个我们没有锁定的区域,那么我们不会收到错误或异常。
我添加了 brian2
),它在文件上放置了排他锁以防止竞争条件。但是,因为此代码包含对 fcntl
的调用,所以它不适用于 Windows。有没有办法让我在 Windows 中的文件上放置独占锁,而无需安装新软件包,如 pywin32
? (我不想添加对 brian2
的依赖。)
因为 msvcrt 是标准库的一部分,我假设你有它。 msvcrt(Microsoft Visual C 运行 Time)模块仅实现了 MS RTL 中可用的少量例程,但它确实实现了文件锁定。 这是一个例子:
import msvcrt, os, sys
REC_LIM = 20
pFilename = "rlock.dat"
fh = open(pFilename, "w")
for i in range(REC_LIM):
# Here, construct data into "line"
start_pos = fh.tell() # Get the current start position
# Get the lock - possible blocking call
msvcrt.locking(fh.fileno(), msvcrt.LK_RLCK, len(line)+1)
fh.write(line) # Advance the current position
end_pos = fh.tell() # Save the end position
# Reset the current position before releasing the lock
fh.seek(start_pos)
msvcrt.locking(fh.fileno(), msvcrt.LK_UNLCK, len(line)+1)
fh.seek(end_pos) # Go back to the end of the written record
fh.close()
显示的示例与 fcntl.flock()
具有相似的功能,但代码有很大不同。仅支持独占锁。
与 fcntl.flock()
不同,没有开始参数(或从哪里开始)。锁定或解锁调用仅在当前文件位置上运行。这意味着为了解锁正确的区域,我们必须将当前文件位置移回读取或写入之前的位置。解锁后,我们现在必须再次推进文件位置,回到读取或写入后的位置,以便我们继续。
如果我们解锁一个我们没有锁定的区域,那么我们不会收到错误或异常。