我在Python包(brian2
)中添加了代码,该代码在文件上放置了排他锁以防止竞争条件。然而,因为这段代码包含对fcntl
的调用,所以它不能在Windows上工作。有没有一种方法可以让我在不安装新包的情况下对Windows中的文件进行排他锁,比如pywin32
?(我不想添加一个依赖于brian2
)
由于msvcrt是标准库的一部分,我假设您拥有它。msvcrt (MicroSoft Visual C Run 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()
,没有start参数(或where)。lock或unlock调用只对当前文件位置进行操作。这意味着,为了解锁正确的区域,我们必须将当前文件位置移回我们进行读写操作之前的位置。解锁后,我们现在必须再次移动文件位置,回到读取或写入后的位置,这样我们才能继续。