std :: system实例化单例对象时的异常

时间:2017-06-20 13:00:47

标签: c++ c++11 singleton

我正在学习如何在c++11及更高版本中实现线程安全的单例模式。

#include <iostream>
#include <memory>
#include <mutex>

class Singleton
{
public:
    static Singleton& get_instance();
    void print();

private:
    static std::unique_ptr<Singleton> m_instance;
    static std::once_flag m_onceFlag;
    Singleton(){};
    Singleton(const Singleton& src);
    Singleton& operator=(const Singleton& rhs);
};

std::unique_ptr<Singleton> Singleton::m_instance = nullptr;
std::once_flag Singleton::m_onceFlag;

Singleton& Singleton::get_instance(){
        std::call_once(m_onceFlag, [](){m_instance.reset(new Singleton());});
        return *m_instance.get();
};

void Singleton::print(){
    std::cout << "Something" << std::endl;
}

int main(int argc, char const *argv[])
{
    Singleton::get_instance().print();
    return 0;
}

代码编译正常但在执行时我收到以下异常。

terminate called after throwing an instance of 'std::system_error'
what():  Unknown error -1
Aborted

我尝试使用gdb调试程序。调用std::call_once时似乎抛出了异常。我不确定发生了什么,但我认为lambda表达式无法创建对象。

第二个问题。有没有办法知道未知错误代码究竟是什么意思?我认为-1在尝试识别问题时无济于事。

感谢您的帮助。

1 个答案:

答案 0 :(得分:5)

这是因为您没有使用-pthread标志进行编译,并且正在尝试使用系统上本机线程库中的实用程序。

作为替代方案,请查看以下对您的示例中单身模式定义的更改,称为“Meyers Singleton”

Singleton& Singleton::get_instance(){
    static Singleton instance;
    return instance;
}

这是线程安全的,并且会导致instance变量仅初始化一次。这篇维基百科文章很好地解释了它如何在幕后工作https://en.wikipedia.org/wiki/Double-checked_locking。尽可能让编译器为您安排代码。 Also as noted in the comments此问题还提供了有关上述Is Meyers' implementation of the Singleton pattern thread safe?

的有用信息