还在苦苦敲代码开发APP?你out啦! 试试积木搭建APP吧~

Linux C/C++进程单实例互斥代码分享

来源:清泛原创     2021-01-21 21:21:50    人气:     我有话说( 0 人参与)

分享一段LinuxC C++程序只能启动一份实例的实现代码,原理是通过文件锁互斥实现,最重要的是考虑了不同用户运行同一程序互斥的场景,已经过充分的测试,可直接用于实际项目开发。

分享一段Linux C/C++程序只能启动一份实例的实现代码,原理是通过文件锁互斥实现,最重要的是考虑了不同用户运行同一程序互斥的场景,已经过充分的测试,可直接用于实际项目开发。
代码如下:
#include <stdio.h>
#include <stdlib.h>
#include <errno.h>
#include <string.h>
#include <fcntl.h>
#include <sys/stat.h>
#include <unistd.h>

#define kPidFileName "app.pid"

bool enter_app_singleton() {
	int fd = open(kPidFileName, O_RDWR | O_TRUNC);
	if (fd == -1) {
		//对应的锁文件当前不存在,试图创建该锁文件
		fd = creat(kPidFileName, S_IRUSR|S_IWUSR|S_IRGRP|S_IWGRP|S_IROTH|S_IWOTH);
		if (fd > 0) {
			fchmod(fd, S_IRUSR|S_IRUSR|S_IWUSR|S_IRGRP|S_IWGRP|S_IROTH|S_IWOTH);
			//printf("chmod return code is %d\n", retCode);
		} else {
			fd = open(kPidFileName, O_RDWR | O_TRUNC);
		}
	}
	if (fd < 0) {
		printf("Open file failed, error : %s", strerror(errno));
		exit(1);
	}

	// 将该文件锁定,锁定后的文件将不能够再次锁定
	struct flock fl;
	fl.l_type = F_WRLCK; // 写文件锁定
	fl.l_start = 0;
	fl.l_whence = SEEK_SET;
	fl.l_len = 0;
	int ret = fcntl(fd, F_SETLK, &fl);
	if (ret < 0) {
		if (errno == EACCES || errno == EAGAIN) {
			printf("%s already locked, error: %s\n", kPidFileName, strerror(errno));
			close(fd);
			exit(1);
		}
	}

	// 锁定文件后,将该进程的pid写入文件
	char buf[16] = {};
	sprintf(buf, "%d", getpid());
	ftruncate(fd, 0);
	ret = write(fd, buf, strlen(buf));
	if (ret < 0) {
		printf("Write file failed, file: %s, error: %s\n", kPidFileName, strerror(errno));
		close(fd);
		exit(1);
	}

	// 函数返回时不需要调用close(fd),不然文件锁将失效
	// 程序退出后kernel会自动close
	return true;
}

int main() {
	//check app singleton
	if (!enter_app_singleton())
		return -1;
	printf("Started...");
	return 0;
}
--End--

linux singleton

注:本文为本站或本站会员原创优质内容,版权属于原作者及清泛网所有,
欢迎转载,转载时须注明版权并添加来源链接,谢谢合作! (编辑:admin)
分享到: