linux用c语言编程读写一个文件 test.txt,每隔 1 秒向文件中写入一行数据,该程序应该无限循环,直到按 Ctrl-C 中断程序。下次再启动程序写文件时可以追加到原文件之后,并 且序号能够接续上次的序号,
时间: 2024-02-27 17:58:50 浏览: 90
好的,我来回答你的问题。下面是一个示例代码,可以实现你所需的功能:
```c
#include <stdio.h>
#include <stdlib.h>
#include <signal.h>
#include <unistd.h>
#include <errno.h>
#include <string.h>
#include <sys/types.h>
#include <sys/stat.h>
#include <fcntl.h>
#include <time.h>
#define FILENAME "test.txt"
int main()
{
int fd;
int i = 0;
char buf[256];
time_t t;
struct tm *tm;
signal(SIGINT, SIG_IGN); // 忽略 Ctrl-C 信号
while (1)
{
if ((fd = open(FILENAME, O_WRONLY | O_CREAT | O_APPEND, 0644)) < 0) // 打开文件,若文件不存在则创建
{
perror("open");
exit(1);
}
t = time(NULL);
tm = localtime(&t);
sprintf(buf, "%d %04d-%02d-%02d %02d:%02d:%02d\n", ++i, tm->tm_year + 1900, tm->tm_mon + 1, tm->tm_mday, tm->tm_hour, tm->tm_min, tm->tm_sec); // 按要求格式化数据
if (write(fd, buf, strlen(buf)) < 0) // 写数据
{
perror("write");
exit(1);
}
close(fd); // 关闭文件
sleep(1); // 等待 1 秒
}
return 0;
}
```
在这个程序中,我们使用了 `open()` 函数打开文件,并使用了 `O_WRONLY`、`O_CREAT`、`O_APPEND` 参数来指定打开文件的模式。其中,`O_WRONLY` 表示只写模式,`O_CREAT` 表示如果文件不存在则创建,`O_APPEND` 表示在文件末尾追加数据。文件权限使用了 `0644`,表示文件所有者有读写权限,其他用户只有读权限。
我们使用了 `time()` 函数和 `localtime()` 函数获取当前时间,并使用了 `sprintf()` 函数将数据按要求格式化。然后使用 `write()` 函数将数据写入文件中,最后使用 `close()` 函数关闭文件。
程序使用了一个无限循环,每次循环都会打开文件、写入数据、关闭文件,并等待 1 秒。如果程序接收到了 Ctrl-C 信号,会忽略该信号,继续循环。这里没有进行错误处理,你可以根据需要进行修改。
当下次再次启动程序时,会追加到原文件之后,并且序号能够接续上次的序号。
阅读全文