System V IPC分为三种:
- System V消息队列
- System V信号量
- System V共享内存区
这三种类型的IPC使用key_t值做为它们的名字。key_t这个数据类型在<sys/types.h>有定义,通常是一个至少32位的整数。
我们通常使用ftok()函数(可以如此记忆:file to key)把一个已存在的路径名和一个整数标识符转换成一个key_t值,称为IPC键。(当然,我们也可以不用ftok函数来生成该键,指定一个整数也是可以的,当然你需要考虑键的正负问题)。
看下ftok的声明:
SYNOPSIS
#include <sys/types.h>
#include <sys/ipc.h>
key_t ftok(const char *pathname, int proj_id);
pathname 通常是跟本应用用关的目录;proj_id指的是本应用所用到的IPC的一个序列号;成功返回IPC键,失败返回-1;
注:两进程如在pathname和proj_id上达成一致(或约定好),双方就都能够通过调用ftok函数得到同一个IPC键。
那么ftok是怎么实现的呢?《UNIX网络编程》上讲到,ftok的实现是组合了三个值:
- pathname所在文件系统的信息(stat结构的st_dev成员)
- pathname在本文件系统内的索引节点号(stat结构的st_ino成员)
- id的低序8位(不能为0)
具体如何组合的,根据系统实现而不同。
使用ftok()需要注意的问题:
- pathname指定的目录(文件)必须真实存在且调用进程可访问,否则ftok返回-1;
- pathname指定的目录(文件)不能在程序运行期间删除或创建。因为文件每次创建时由系统赋予的索引节点可能不一样。这样一来,通过同一个pathname与proj_id就不能保证生成同一个IPC键。
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
int stat(const char *path, struct stat *buf);
int fstat(int fd, struct stat *buf);
int lstat(const char *path, struct stat *buf);
#include <stdlib.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <unistd.h>
int main()
{
const char fname[] = "ftok.c";
struct stat stat_info;
if(0 != stat(fname, &stat_info))
{
perror("取得文件信息失败!");
exit(1);
}
printf("文件所在设备编号:%d\n", stat_info.st_dev);
printf("文件所在文件系统索引:%ld\n", stat_info.st_ino);
printf("文件的类型和存取的权限:%d\n", stat_info.st_mode);
printf("连到该文件的硬连接数目:%d\n", stat_info.st_nlink);
printf("文件所有者的用户识别码:%d\n", stat_info.st_uid);
printf("文件所有者的组识别码:%d\n", stat_info.st_gid);
printf("装置设备文件:%d\n", stat_info.st_rdev);
printf("文件大小:%ld\n", stat_info.st_size);
printf("文件系统的I/O缓冲区大小:%ld\n", stat_info.st_blksize);
printf("占用文件区块的个数(每一区块大小为512个字节):%ld\n", stat_info.st_blocks);
printf("文件最后一次被存取或被执行的时间:%ld\n", stat_info.st_atime);
printf("文件最后一次被修改的时间:%ld\n", stat_info.st_mtime);
printf("最近一次被理改的时间:%ld\n", stat_info.st_ctime);
return 0;
}
http://my.oschina.net/renhc/blog/34991