用C语言代码实现多进程编程,主进程每隔1秒获取当前系统时间写入某文件,子进程打开该文件,读取文件的内容并显示在屏幕上。
时间: 2023-06-04 07:07:44 浏览: 316
以下是用C语言实现多进程编程的代码:
```c
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <sys/types.h>
#include <sys/wait.h>
#include <time.h>
#include <fcntl.h>
int main() {
pid_t pid;
int fd;
time_t t;
struct tm *local_time;
char buffer[128];
// 创建一个新文件,如果已存在则覆盖
fd = open("time.txt", O_WRONLY | O_CREAT | O_TRUNC, 0644);
if (fd < 0) {
perror("open");
exit(EXIT_FAILURE);
}
// 创建子进程
pid = fork();
if (pid == -1) {
perror("fork");
exit(EXIT_FAILURE);
} else if (pid == 0) {
// 子进程负责读取文件并显示在屏幕上
char ch;
do {
if (lseek(fd, 0, SEEK_SET) == -1) {
perror("lseek");
exit(EXIT_FAILURE);
}
while (read(fd, &ch, 1) > 0) {
putchar(ch);
}
sleep(1); // 休眠1秒
} while (ch != EOF);
close(fd);
exit(EXIT_SUCCESS);
} else {
// 主进程负责获取当前系统时间并写入文件
while (1) {
t = time(NULL);
local_time = localtime(&t);
strftime(buffer, sizeof(buffer), "%Y-%m-%d %H:%M:%S\n", local_time);
if (write(fd, buffer, strlen(buffer)) < 0) {
perror("write");
exit(EXIT_FAILURE);
}
sleep(1); // 休眠1秒
}
}
return 0;
}
```
主进程每隔1秒获取当前系统时间并写入文件,子进程每隔1秒读取文件的内容并显示在屏幕上。当文件达到EOF时,子进程退出。注意,为了避免主进程写入时和子进程读取时的冲突,我们使用了lseek函数将文件指针定位到文件开头。
阅读全文