1

在典型的单例中,构造函数在第一次调用 getInstance() 时被调用。我需要的是分离 init 和 getInstance 函数。init 函数必须使用构造函数创建实例,并且只有在调用了 init 函数时才能使用 getInstance(否则它会引发异常)。我怎样才能做到这一点?

    Singleton::init(required argument); //calls constructor
    Singleton::getInstance(); //only possible if init had been called, otherwise throws exception
4

1 回答 1

2

在 init 方法中设置一个表示 init 成功的布尔值。在 getInstance 方法中,如果为 false,则抛出异常。

您可以将其作为静态私有成员存储在类中。

#include <iostream>
class Single
{
public:
    static void init(int x)
    {
        single.number = x;
        inited = true;
    }

    static Single & GetInstance()
    {
        //Do exception stuff here....
        if(inited)
        {
            std::cout << "Inited" << std::endl;
        }
        else
        {
            std::cout << "NOT Inited" << std::endl;
        }
        return single;
    }


    void printTest()
    {
    std::cout << single.number << std::endl;
    }

private:
    Single() : number(5)
    {
        std::cout << "Construction " << std::endl;
    }

    int number;
    static bool inited;
    static Single single;
};

bool Single::inited = false;
Single Single::single;

int main()
{
    std::cout << "Entering main" << std::endl;

    Single::GetInstance();
    Single::init(1);
    Single::GetInstance().printTest();

}

程序输出:

Construction 
Entering main
NOT Inited
Inited
1
于 2013-02-09T22:27:04.107 回答