2

我编写了一个模拟生命游戏的程序。基本上这个世界是由一个二维的 std::vector 实现的bool。如果bool为真,则细胞是活的,如果为假,则细胞是死的。程序的输出是每个时间步的系统,完全是 ASCII 码:

[ ][0][ ]
[ ][ ][0]
[0][0][0]

问题是程序运行速度明显很快,而且每个时间步都打印得太快:我看不到系统是如何演变的。是否有一些技巧可以减慢输出(或直接减慢程序)?

编辑:我在 Mac OS X 10.7 上。我的编译器是 GCC 4.7。

4

3 回答 3

2

您可以使用标准 C++ (C++11):

#include <thread>
#include <chrono>
#include <iostream>

int main() {
    while (true) {
        // draw loop
        std::this_thread::sleep_for(std::chrono::milliseconds(20));
    }
}

或者,您可以使用一个库来指定调用绘图函数的时间间隔。OS X 有 Grand Central Dispatch(又名 libdispatch)。使用 GCD,您可以创建一个调度计时器源,以指定的频率调用您的绘图函数。

dispatch_source_t timer = dispatch_source_create(
    DISPATCH_SOURCE_TYPE_TIMER, 0, 0, dispatch_get_main_queue());

dispatch_source_set_timer(timer, DISPATCH_TIME_NOW,
    duration_cast<nanoseconds>(milliseconds(20)).count(),
    duration_cast<nanoseconds>(milliseconds( 5)).count());
// the API is defined to use nanoseconds, but I'd rather work in milliseconds
// so I use std::chrono to do the conversion above

dispatch_source_set_event_handler(timer,
    []{ your_draw_function(); });
// I'm not sure if GCC 4.7 actually supports converting C++11 lambdas to
// Apple's C blocks, or if it even supports blocks. Clang supports this.

dispatch_resume(timer);

dispatch_main();

libdispatch 参考

于 2012-08-22T18:39:44.713 回答
1

无论您使用什么系统,它都会有某种可以调用的睡眠函数,它将暂停您的程序一段指定的时间。你没有指定你使用什么操作系统,所以我不能给出确切的细节,但这听起来像你正在寻找的方法。

如果您在绘制图像的每次更新后调用 sleep 一段时间,您的程序将在恢复并绘制下一次更新之前休眠该时间。这应该让你有机会真正看到变化

如果您想要更高分辨率的睡眠时间,您可以查看nanosleepusleep

于 2012-08-22T17:13:10.540 回答
0

1.你可以使用

int tmp; std::cin >> tmp;

并且程序会在您走得更远之前询问您。

2.您可以对一些计算使用循环。像

double Tmp[1000000];
for( int i = 0; i < 1000000; i++ )
  Tmp[i] = i;
for( int i = 0; i < 1000000; i++ )
  Tmp[i] = sin(sin(sin(Tmp[i])));

3.您可以检查您可以使用哪些延迟功能。示例是“睡眠(nSeconds)”这里

4.您可以保存并验证您的系统时间。像:

 while (time() < time_end){};
于 2012-08-22T17:30:46.283 回答