我想在我设置的几秒钟后重新启动我的程序

I want to restart my program after the few seconds what I set

本文关键字:几秒 重新启动 程序 我的 设置      更新时间:2023-10-16

目前,我尝试为我的项目制作一个看门狗。

另外,我想制作一个重启计时器。

我的意思是,如果几秒钟过去了,程序将首先启动。

当然,我可以在主函数中使用 while 循环。我不要这个。

我只想做一些类,比如计时器或看门狗,

在 main 函数通过我设置的时间后,我想让我的程序重新启动。

有什么好主意吗?

int main(void)
{
Timer timer(5) // setting my timer to 5 secs
//If time takes over the 5 secs in this loop, 
//I want to restart the main loop.
while(1)
{
//Do Something...
}
return 0;
}

如果你能让你的代码关注时钟,并在这么多秒过去后自愿返回,这通常是最好的方法; 但是,由于您提到了看门狗,听起来您不想相信您的代码可以做到这一点,因此(假设您有一个支持 fork((的操作系统(您可以生成一个子进程来运行代码, 然后父进程可以在 5 秒后单方面 kill(( 子进程,然后启动一个新进程。 下面是一个示例,子进程每秒计算一个随机数量的土豆;如果它尝试计数超过 5 个,它将被父进程杀死。

#include <signal.h>
#include <stdio.h>
#include <stdlib.h>
#include <time.h>
#include <unistd.h>
// The code you want to be able to abort and restart would go in here
static void FunctionThatMightTakeALongTime()
{
srand(time(NULL));  // just so we get different random values each time
const int countTo = (rand()%12)+1;
for (int i=0; i<countTo; i++)
{
printf("%i potato... (out of %i)n", i+1, countTo);
sleep(1);
}
}
int main(int argc, char ** argv)
{
while(1)
{
pid_t pid = fork();
if (pid == -1)
{
perror("fork");  // fork() failed!?
return 10;
}
else if (pid == 0)
{
// We're in the child process -- do the thing
printf("Starting child process...n");
FunctionThatMightTakeALongTime();
printf("Child process completed!n");
return 0;
}
else
{
// We're in the parent/watchdog process -- wait
// 5 seconds, and then if the child process is
// still running, send it a SIGKILL signal to kill it.
// (if OTOH it has already exited, the SIGKILL isn't
// required but it won't do any harm either)
sleep(5);
printf("Watchdog:  killing child process nown");
if (kill(pid, SIGKILL) != 0) perror("kill");
// Now call waitpid() to pick up the child process's
// return code (otherwise he'll stick around as a zombie process)
if (waitpid(pid, NULL, 0) == -1) perror("waitpid");
}
}
}

注意:如果您的操作系统不支持fork()(即您的操作系统是Windows(,这种技术仍然是可能的,但它需要使用特定于Windows的API,并且要实现更多的工作。