Python使用文件锁实现进程间同步功能【基于fcntl模块】


Posted in Python onOctober 16, 2017

本文实例讲述了Python使用文件锁实现进程间同步功能。分享给大家供大家参考,具体如下:

简介

在实际应用中,会出现这种应用场景:希望shell下执行的脚本对某些竞争资源提供保护,避免出现冲突。本文将通过fcntl模块的文件整体上锁机制来实现这种进程间同步功能。

fcntl系统函数介绍

Linux系统提供了文件整体上锁(flock)和更细粒度的记录上锁(fcntl)功能,底层功能均可由fcntl函数实现。

首先来了解记录上锁。记录上锁是读写锁的一种扩展类型,它可用于有亲缘关系或无亲缘关系的进程间共享某个文件的读与写。被锁住的文件通过其描述字访问,执行上锁操作的函数是fcntl。这种类型的锁在内核中维护,其宿主标识为fcntl调用进程的进程ID。这意味着这些锁用于不同进程间的上锁,而不是同一进程内不同线程间的上锁。

fcntl记录上锁即可用于读也可用于写,对于文件的任意字节,最多只能存在一种类型的锁(读锁或写锁)。而且,一个给定字节可以有多个读写锁,但只能有一个写入锁。

对于一个打开着某个文件的给定进程来说,当它关闭该文件的任何一个描述字或者终止时,与该文件关联的所有锁都被删除。锁不能通过fork由子进程继承。

NAME
    fcntl - manipulate file descriptor
SYNOPSIS
    #include <unistd.h>
    #include <fcntl.h>
    int fcntl(int fd, int cmd, ... /* arg */ );
DESCRIPTION
    fcntl() performs one of the operations described below on the open file descriptor fd. The operation is determined by cmd.
    fcntl() can take an optional third argument. Whether or not this argument is required is determined by cmd. The required argument type
    is indicated in parentheses after each cmd name (in most cases, the required type is int, and we identify the argument using the name
    arg), or void is specified if the argument is not required.
    Advisory record locking
    Linux implements traditional ("process-associated") UNIX record locks, as standardized by POSIX. For a Linux-specific alternative with
    better semantics, see the discussion of open file description locks below.
    F_SETLK, F_SETLKW, and F_GETLK are used to acquire, release, and test for the existence of record locks (also known as byte-range, file-
    segment, or file-region locks). The third argument, lock, is a pointer to a structure that has at least the following fields (in
    unspecified order).
      struct flock {
        ...
        short l_type;  /* Type of lock: F_RDLCK,
                  F_WRLCK, F_UNLCK */
        short l_whence; /* How to interpret l_start:
                  SEEK_SET, SEEK_CUR, SEEK_END */
        off_t l_start;  /* Starting offset for lock */
        off_t l_len;   /* Number of bytes to lock */
        pid_t l_pid;   /* PID of process blocking our lock
                  (set by F_GETLK and F_OFD_GETLK) */
        ...
      };

其次,文件上锁源自Berkeley的Unix实现支持给整个文件上锁或解锁的文件上锁(file locking),但没有给文件内的字节范围上锁或解锁的能力。

fcntl模块及基于文件锁的同步功能。

Python fcntl模块提供了基于文件描述符的文件和I/O控制功能。它是Unix系统调用fcntl()和ioctl()的接口。因此,我们可以基于文件锁来提供进程同步的功能。

import fcntl
class Lock(object):
  def __init__(self, file_name):
    self.file_name = file_name
    self.handle = open(file_name, 'w')
  def lock(self):
    fcntl.flock(self.handle, fcntl.LOCK_EX)
  def unlock(self):
    fcntl.flock(self.handle, fcntl.LOCK_UN)
  def __del__(self):
    try:
      self.handle.close()
    except:
      pass

应用

我们做一个简单的场景应用:需要从指定的服务器上下载软件版本到/exports/images目录下,因为这个脚本可以在多用户环境执行。我们不希望下载出现冲突,并仅在该目录下保留一份指定的软件版本。下面是基于文件锁的参考实现:

if __name__ == "__main__":
  parser = OptionParser()
  group = OptionGroup(parser, "FTP download tool", "Download build from ftp server")
  group.add_option("--server", type="string", help="FTP server's IP address")
  group.add_option("--username", type="string", help="User name")
  group.add_option("--password", type="string", help="User's password")
  group.add_option("--buildpath", type="string", help="Build path in the ftp server")
  group.add_option("--buildname", type="string", help="Build name to be downloaded")
  parser.add_option_group(group)
  (options, args) = parser.parse_args()
  local_dir = "/exports/images"
  lock_file = "/var/tmp/flock.txt"
  flock = Lock(lock_file)
  flock.lock()
  if os.path.isfile(os.path.join(local_dir, options.buildname)):
    log.info("build exists, nothing needs to be done")
    log.info("Download completed")
    flock.unlock()
    exit(0)
  log.info("start to download build " + options.buildname)
  t = paramiko.Transport((options.server, 22))
  t.connect(username=options.username, password=options.password)
  sftp = paramiko.SFTPClient.from_transport(t)
  sftp.get(os.path.join(options.buildpath, options.buildname),
       os.path.join(local_dir, options.buildname))
  sftp.close()
  t.close()
  log.info("Download completed")
  flock.unlock()

希望本文所述对大家Python程序设计有所帮助。

Python 相关文章推荐
python使用循环实现批量创建文件夹示例
Mar 25 Python
Python模块搜索概念介绍及模块安装方法介绍
Jun 03 Python
浅析python实现scrapy定时执行爬虫
Mar 04 Python
获取python的list中含有重复值的index方法
Jun 27 Python
Django添加sitemap的方法示例
Aug 06 Python
Python嵌套式数据结构实例浅析
Mar 05 Python
pandas实现将dataframe满足某一条件的值选出
Jun 12 Python
python 的 scapy库,实现网卡收发包的例子
Jul 23 Python
解析python的局部变量和全局变量
Aug 15 Python
基于Python获取城市近7天天气预报
Nov 26 Python
Pytorch 实现数据集自定义读取
Jan 18 Python
python scatter函数用法实例详解
Feb 11 Python
python利用paramiko连接远程服务器执行命令的方法
Oct 16 #Python
基于使用paramiko执行远程linux主机命令(详解)
Oct 16 #Python
python中文件变化监控示例(watchdog)
Oct 16 #Python
python中import reload __import__的区别详解
Oct 16 #Python
使用Python操作excel文件的实例代码
Oct 15 #Python
python出现&quot;IndentationError: unexpected indent&quot;错误解决办法
Oct 15 #Python
python 二分查找和快速排序实例详解
Oct 13 #Python
You might like
深入理解curl类,可用于模拟get,post和curl下载
2013/06/08 PHP
PHP中addcslashes与stripcslashes函数用法分析
2016/01/07 PHP
Yii实现的多级联动下拉菜单
2016/07/13 PHP
thinkPHP3.2.3实现阿里大于短信验证的方法
2018/06/06 PHP
PHP5中使用mysqli的prepare操作数据库的介绍
2019/03/18 PHP
PHP INT类型在内存中占字节详解
2019/07/20 PHP
一个收集图片的bookmarlet(js 刷新页面中的图片)
2010/05/27 Javascript
jQuery实现动画效果的简单实例
2014/01/27 Javascript
简单易用的倒计时js代码
2014/08/04 Javascript
Javascript编写俄罗斯方块思路及实例
2015/07/07 Javascript
基于React.js实现原生js拖拽效果引发的思考
2016/03/30 Javascript
关于微信jssdk实现多图片上传的一点心得分享
2016/12/13 Javascript
基于bootstrap的文件上传控件bootstrap fileinput
2016/12/23 Javascript
解决vue点击控制单个样式的问题
2018/09/05 Javascript
小程序识别身份证,银行卡,营业执照,驾照的实现
2019/11/05 Javascript
不刷新网页就能链接新的js文件方法总结
2020/03/01 Javascript
JavaScript实现京东快递单号查询
2020/11/30 Javascript
Python OpenCV处理图像之滤镜和图像运算
2018/07/10 Python
Python设计模式之状态模式原理与用法详解
2019/01/15 Python
python 实现矩阵上下/左右翻转,转置的示例
2019/01/23 Python
python的scipy实现插值的示例代码
2019/11/12 Python
探秘TensorFlow 和 NumPy 的 Broadcasting 机制
2020/03/13 Python
浅谈keras中自定义二分类任务评价指标metrics的方法以及代码
2020/06/11 Python
简单了解Django项目应用创建过程
2020/07/06 Python
python 提高开发效率的5个小技巧
2020/10/19 Python
美国知名运动产品零售商:Foot Locker
2016/07/23 全球购物
Sandro Paris美国官网:典雅别致的法国时尚服饰品牌
2017/12/26 全球购物
Champion澳大利亚官网:美国冠军运动服装
2018/05/07 全球购物
在购买印度民族服饰:Soch
2020/09/15 全球购物
2014年国培研修感言
2014/03/09 职场文书
2014年幼儿园国庆主题活动方案
2014/09/16 职场文书
谢师宴邀请函
2015/02/02 职场文书
酒店办公室主任岗位职责
2015/04/01 职场文书
复试通知单模板
2015/04/24 职场文书
消防安全主题班会
2015/08/12 职场文书
小学运动会开幕词
2016/03/04 职场文书