我正在尝试使用锁定文件创建单个实例守护程序,但fcntl()
似乎无法正常工作...
int creat_lock_file (char * pid_fn)
{
struct flock pid_lck = {F_WRLCK, SEEK_SET, 0, 0, 0 };
/* Open/Create pid file */
int pid_fd = open (pid_fn, O_CREAT | O_WRONLY, 0640);
if (pid_fd == -1)
{
syslog (LOG_ERR, "Unable to open PID file > [Errno: %s]", strerror(errno));
return -1;
}
/* Place write lock on pid file */
if (fcntl(pid_fd, F_SETLK, &pid_lck) == -1) {
/* Unhandled error ocured */
syslog (LOG_ERR, "Unhandled error ocured while locking PID file > [Errno: %s]", strerror(errno));
close (pid_fd);
return -1;
}
/* Write PID to lock file */
char pid_lock_buf[11];
sprintf (pid_lock_buf, "%ld\n", (long) getpid ());
write (pid_fd, pid_lock_buf, strlen (pid_lock_buf)+1);
return 0;
}
int get_lock_file_status (char * pid_fn)
{
struct flock pid_lck = {F_WRLCK, SEEK_SET, 0, 0, 0 };
/* Open/Create pid file */
int pid_fd = open (pid_fn, O_CREAT | O_WRONLY, 0640);
if (pid_fd == -1)
{
syslog (LOG_ERR, "Unable to open PID file > [Errno: %s]", strerror(errno));
return -1;
}
/* try locking pid file*/
if(fcntl(pid_fd, F_GETLK, &pid_lck) == -1)
{
if(errno == EAGAIN || errno == EACCES) /* file already locked, close fd and return -1 */
{
close (pid_fd);
return -1;
}
else /* Unhandled error ocured */
{
syslog (LOG_ERR, "Unhandled error ocured while locking PID file > [Errno: %s]", strerror(errno));
close (pid_fd);
return -1;
}
}
close (pid_fd);
return 0;
}
所以我调用get_lock_file_status
并退出,如果它返回-1以确保没有其他实例正在运行而不是我做一些事情(fork chdir等)并调用creat_lock_file
来创建并锁定pid文件成功创建守护进程后......
当编译并运行程序按预期运行时会创建锁定文件并将pid写入其中但是当第二个实例启动时,第二个实例只会打开相同的锁定文件并将其自己的pid写入其中!
我在做错了什么?第二个实例不应该在get_lock_file_status
中返回-1吗?
答案 0 :(得分:1)
您以错误的方式检查F_GETLK
的结果。 fcntl(2)
F_GETLK
仅在错误时返回-1。检查是否可以获取锁定的正确方法是检查l_type
的{{1}}字段是否设置为struct flock
,如下所示:
F_UNLCK
应该可以将/* try locking pid file*/
if(fcntl(pid_fd, F_GETLK, &pid_lck) == -1) {
syslog (LOG_ERR, "Unhandled error ocured while locking PID file > [Errno: %s]", strerror(errno));
close(pid_fd);
return -1;
}
close(pid_fd);
return (pid_lck.l_type == F_UNLCK) ? 0 : -1;
和creat_lock_file()
滚动到打开文件的单个函数中(如果它不存在则创建它),尝试设置锁定,并返回锁定是否成功(例如,文件描述符或get_lock_file_status()
)。
顺便写入PID之前,您应该将PID文件-1
设置为零字节。假设你的进程的PID是5,PID文件中的旧PID是123.写" 5"然后将制作PID文件的内容" 523"。将文件截断为零字节可以解决此问题。 (truncate(2)
因为您在打开文件时清除文件以测试是否已设置锁定,因此无法正常工作。)
程序退出时用O_TRUNC
删除PID文件也很常见。这样,文件的不存在表明守护程序没有运行(尽管它不是万无一失的,因为进程或系统可能会崩溃)。