我有一些在 Windows 上编译的源代码。我正在将其转换为在 Red Hat Linux 上运行。
源代码已包含<windows.h>
头文件,程序员已使用该Sleep()
函数等待一段时间。这在 Linux 上不起作用。
但是,我可以使用该sleep(seconds)
函数,但它以秒为单位使用整数。我不想将毫秒转换为秒。我可以在 Linux 上使用 gcc 编译的替代睡眠功能吗?
是的 - 定义了较旧的POSIX标准usleep()
,因此在 Linux 上可用:
int usleep(useconds_t usec);
描述
usleep() 函数将调用线程的执行暂停(至少)usec 微秒。任何系统活动或处理调用所花费的时间或系统计时器的粒度都可能会稍微延长睡眠时间。
usleep()
需要微秒,因此您必须将输入乘以 1000 才能以毫秒为单位休眠。
usleep()
此后已被弃用并随后从 POSIX 中删除;对于新代码,nanosleep()
首选:
#include <time.h> int nanosleep(const struct timespec *req, struct timespec *rem);
描述
nanosleep()
暂停调用线程的执行,直到至少经过指定的*req
时间,或者传递触发调用线程中的处理程序调用或终止进程的信号。结构 timespec 用于指定具有纳秒精度的时间间隔。定义如下:
struct timespec { time_t tv_sec; /* seconds */ long tv_nsec; /* nanoseconds */ };
使用 实现的示例msleep()
函数nanosleep()
,如果它被信号中断,则继续睡眠:
#include <time.h>
#include <errno.h>
/* msleep(): Sleep for the requested number of milliseconds. */
int msleep(long msec)
{
struct timespec ts;
int res;
if (msec < 0)
{
errno = EINVAL;
return -1;
}
ts.tv_sec = msec / 1000;
ts.tv_nsec = (msec % 1000) * 1000000;
do {
res = nanosleep(&ts, &ts);
} while (res && errno == EINTR);
return res;
}
您可以使用此跨平台功能:
#ifdef WIN32
#include <windows.h>
#elif _POSIX_C_SOURCE >= 199309L
#include <time.h> // for nanosleep
#else
#include <unistd.h> // for usleep
#endif
void sleep_ms(int milliseconds){ // cross-platform sleep function
#ifdef WIN32
Sleep(milliseconds);
#elif _POSIX_C_SOURCE >= 199309L
struct timespec ts;
ts.tv_sec = milliseconds / 1000;
ts.tv_nsec = (milliseconds % 1000) * 1000000;
nanosleep(&ts, NULL);
#else
if (milliseconds >= 1000)
sleep(milliseconds / 1000);
usleep((milliseconds % 1000) * 1000);
#endif
}
替代usleep()
POSIX 2008 中未定义的 POSIX 2008 标准(尽管它在 POSIX 2004 之前定义,并且显然在 Linux 和其他具有 POSIX 合规历史的平台上可用),POSIX 2008 标准定义nanosleep()
:
nanosleep
- 高分辨率睡眠#include <time.h> int nanosleep(const struct timespec *rqtp, struct timespec *rmtp);
该
nanosleep()
函数应使当前线程暂停执行,直到rqtp
经过参数指定的时间间隔或将信号传递给调用线程,其动作是调用信号捕获函数或终止进程。暂停时间可能比请求的时间长,因为参数值被四舍五入到睡眠分辨率的整数倍,或者因为系统调度了其他活动。但是,除了被信号中断的情况外,挂起时间不得小于 指定的时间rqtp
,由系统时钟 CLOCK_REALTIME 测量。该
nanosleep()
功能的使用不会影响任何信号的动作或阻塞。
除了usleep之外,带有 NULL 文件描述符集的不起眼的选择SIGALRM
将让您以微秒精度暂停,并且没有并发症的风险。
sigtimedwait 和 sigwaitinfo提供类似的行为。
#include <unistd.h>
int usleep(useconds_t useconds); //pass in microseconds
#include <stdio.h>
#include <stdlib.h>
int main () {
puts("Program Will Sleep For 2 Seconds");
system("sleep 2"); // works for linux systems
return 0;
}