mkstemp函数

mkstemp函数在系统中以唯一的文件名创建一个文件并打开,而且只有当前用户才能访问这个临时文件,并进行读、写操作。mkstemp函数只有一个参数,这个参数是个以“XXXXXX”结尾的非空字符串。mkstemp函数会用随机产生的字符串替换“XXXXXX”,保证了文件名的唯一性。 函数返回一个文件描述符,如果执行失败返回-1。
临时文件使用完成后应及时删除,否则临时文件目录会塞满垃圾。由于mkstemp函数创建的临时文件不能自动删除,所以执行完mkstemp函数后要调用unlink函数,unlink函数删除文件的目录入口,但临时文件还可以通过文件描述符进行访问,直到最后一个打开的进程关闭文件操作符,或者程序退出后临时文件被自动彻底地删除。
int main(void)
{
        int fd;
        char temp_file[]="tmp_XXXXXX";
        /*Creat a temp file.*/
        if((fd=mkstemp(temp_file))==-1)
        {
                printf("Creat temp file faile./n");
                exit(1);
        }
        /*Unlink the temp file.*/
        unlink(temp_file);
        /*Then you can read or write the temp file.*/
        //ADD YOUR CODE;
        /*Close temp file, when exit this program, the temp file will be removed.*/
        close(fd);
}

你可能感兴趣的:(mkstemp函数)