用于C ++的跨平台休眠功能

时间:2012-06-06 16:23:18

标签: c++ cross-platform sleep

宏是否可以制作跨平台睡眠代码? 例如

#ifdef LINUX
#include <header_for_linux_sleep_function.h>
#endif
#ifdef WINDOWS
#include <header_for_windows_sleep_function.h>
#endif
...
Sleep(miliseconds);
...

7 个答案:

答案 0 :(得分:59)

烨。但这仅适用于C++11later

#include <chrono>
#include <thread>
...
std::this_thread::sleep_for(std::chrono::milliseconds(ms));

其中ms是您想要以毫秒为单位的睡眠时间。

您还可以将milliseconds替换为nanosecondsmicrosecondssecondsminuteshours。 (这些是std::chrono::duration类型的特化。)

更新:在C++14中,如果您正在睡眠一段时间,例如100毫秒,std::chrono::milliseconds(100)可以写为100ms 。这归因于user defined literals中引入的C++11。在C++14中,chrono库已扩展为包含以下用户定义的文字:

实际上这意味着你可以写这样的东西。

#include <chrono>
#include <thread>
using namespace std::literals::chrono_literals;

std::this_thread::sleep_for(100ms);

请注意,虽然using namespace std::literals::chrono_literals提供的namespace pollution数量最少,但using namespace std::literalsusing namespace std::chrono时也可以使用这些运算符。

答案 1 :(得分:39)

是的。你所做的是将不同的系统睡眠调用包装在你自己的函数中,以及如下所示的include语句:

#ifdef LINUX
#include <unistd.h>
#endif
#ifdef WINDOWS
#include <windows.h>
#endif

void mySleep(int sleepMs)
{
#ifdef LINUX
    usleep(sleepMs * 1000);   // usleep takes sleep time in us (1 millionth of a second)
#endif
#ifdef WINDOWS
    Sleep(sleepMs);
#endif
}

然后你的代码调用mySleep来休眠,而不是直接进行系统调用。

答案 2 :(得分:20)

shf301有一个好主意,但这种方式更好:

#ifdef _WINDOWS
#include <windows.h>
#else
#include <unistd.h>
#define Sleep(x) usleep((x)*1000)
#endif

然后像这样使用:

Sleep(how_many_milliseconds);

答案 3 :(得分:18)

获取Boost

#include <boost/thread/thread.hpp>
#include <boost/date_time/posix_time/posix_time.hpp>
...
boost::this_thread::sleep(boost::posix_time::millisec(milliseconds));

答案 4 :(得分:8)

股票解决方案是select()调用(需要Winsock)。此特定调用在Linux和Windows上具有完全相同的行为。

long value; /* time in microseconds */

struct timeval tv;
tv.tv_sec = value / 1000000;
tv.tv_usec = value % 1000000;
select(0, NULL, NULL, NULL, &tf);

答案 5 :(得分:1)

在linux中记得usleep有一个限制。 你不能'睡眠'超过1000秒。

我会这样写

struct timespec req={0},rem={0};
req.tv_sec=(milisec/1000);
req.tv_nsec=(milisec - req.tv_sec*1000)*1000000;
nanosleep(&req,&rem);

答案 6 :(得分:0)

从c ++ 11开始,您可以执行此操作。

#include<chrono>
#include<thread>
int main(){
    std::this_thread::sleep_for(std::chrono::milliseconds(x));//sleeps for x milliseconds
    std::this_thread::sleep_for(std::chrono::seconds(x));//sleeps for x seconds  
    std::this_thread::sleep_for(std::chrono::minutes(x));//sleeps for x minutes
    std::this_thread::sleep_for(std::chrono::hours(x));//sleeps for x hours.
  return 0;  
}

我不知道您为什么会想使用杂乱的宏,这种方法很棒,可以跨平台使用,并且包含在c ++标准中。