1

Is it possible to create a timer in Windows in C++ , by SetTimer or some other function, where a callback function will be a class member function

4

1 回答 1

2

是的。

为非静态类方法创建定时回调的最简单方法是使用 lambda 捕获。这个例子是纯 C++ (C++11)。它适用于例如 Visual Studio 2012(添加了“CTP 2012 年 11 月”)或 gcc 4.7.2 或更高版本。

请注意,由于回调到达“另一个”线程,因此您需要尊重多线程编程的困难。我强烈建议您阅读Anthony Williams 的《C++ Concurrency in Action: Practical Multithreading》一书。

#include <future>
#include <iostream>
#include <chrono>
#include <thread>
#include <atomic>

class C {
  std::atomic<int> i;
public:
  C(int ini) :i(ini) {}
  int get_value() const {
    return i;
  }
  void set_value(int ini){
    i=ini;
  }
};

int main(){
  C c(75);
  auto timer=std::async(std::launch::async,[&c](){
    std::this_thread::sleep_for(std::chrono::milliseconds(1000) );
    std::cout << "value: "<< c.get_value()<<std::endl;
    });

  std::cout << "value original: " << c.get_value() <<std::endl;

  c.set_value(5);
  // do anything here:

  // wait for the timeout 
  timer.wait(); 
}
于 2013-06-15T18:48:36.367 回答