0

我正在尝试实现管理一些 std::thread 的单态类。线程一直在运行,直到标志变为等于 false。标志更改为 false 后 - 线程停止。但看起来我必须明确调用停止方法。在析构函数中调用它会给我带来运行时错误(在 GCC 4.8 for ARM、GCC 4.9 for x86_64 和 MSVC 2017 上测试)。我是对的,这种行为是由于

“类的静态成员与类的对象不相关:它们是具有静态存储持续时间的独立对象或在命名空间范围内定义的常规函数​​,在程序中只有一次。”

所以省略了析构函数调用?

代码示例:

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


void runThread(const std::atomic<bool> &_isRunning) {

    while (_isRunning) {

        std::cout << "Me running.." << std::endl;

        std::this_thread::sleep_for(std::chrono::milliseconds(30));

    }

}

class test {

    static std::thread          thread;
    static std::atomic<bool>    isRunning;


public:

    test();
    ~test();

    static void go();
    static void stop();


};

std::thread         test::thread;
std::atomic<bool>   test::isRunning{ false };


test::test() {}

void test::go() {

    isRunning = true;
    thread = std::thread(runThread, std::ref(isRunning));

}

void test::stop() {

    isRunning = false;

    if (thread.joinable()) {

        thread.join();

    }

}

test::~test() {

    stop();

}


int main() {

    test::go();

    std::this_thread::sleep_for(std::chrono::seconds(5));

    std::cout << "Done here!!!!!!!!!!!!!!!!!";

    // Will not crash anymore if uncomment
    //test::stop();

    return 0;

}

将 std::async 与 std::feature 一起使用会产生相同的结果但没有错误。线程只是继续运行。

附言


使类非单态可以解决运行时错误,但给我留下了这个问题。对于单态类/静态成员来说,管理资源是一种不好的做法吗?

4

2 回答 2

1
 ~test();

应该在销毁任何“测试”对象之前调用。您不会在代码中创建“测试”对象,所以您是对的,

类的静态成员不与类的对象相关联:它们是具有静态存储持续时间的独立对象或在命名空间范围内定义的常规函数​​,在程序中只有一次。

于 2018-05-14T21:38:41.943 回答
1

静态对象的构造函数在执行之前 main调用,而析构函数在完成之后 main调用(通常从内部atexit)。

在析构函数中放一个断点,很容易看到。

于 2018-05-15T02:31:48.720 回答