目前我正在使用这种方法:
class Singleton {
public:
static Singleton &getInstance() {
static Singleton *instance = new Singleton();
return *instance;
}
void getData();
private:
Singleton() {}
};
通过这种方式,我可以使用Singleton写作的方法:
Singleton::getInstance.getData();
这似乎是阅读C ++ 11的大量教程的正确方法。 但通过cocos Director单例代码(也是FileUtils等)阅读,我看到Cocos使用了另一种方法:
class Singleton {
public:
static Singleton *getInstance() {
instance = new Singleton();
return instance;
}
void getData();
private:
Singleton() {}
static Singleton *instance;
};
通过这种方法,我必须写:
Singleton::getInstance->getData();
由于指针 * getInstance 而非参考& getInstance 。
我认为区别很大,但我不知道一种方法是否正确而另一种方式是否正确。
请帮我整理一下这个概念。
答案 0 :(得分:1)
在我看来,最好的单例是一个值类型,带有隐藏的单例实现。
这意味着您可以像任何其他对象一样传递单例。
这反过来意味着如果你以后改变主意,单身实际上需要成为普通对象,你就不需要改变任何代码。
这也意味着您的单例对象可以参与ADL和标记分派。
例如:
#include <iostream>
// only this goes in the header file
struct my_thing
{
// public interface
int do_or_get_something(int arg);
private:
struct impl;
static impl& get_impl();
};
// this goes in the cpp file
struct my_thing::impl
{
int do_or_get_something(int arg)
{
// for demo purposes
return counter += arg;
}
int counter = 0; // for demo purposes
};
my_thing::impl& my_thing::get_impl()
{
// create first time code flows over it - c++ standard
// thread safe in c++11 - guarantee
static impl instance {};
return instance;
}
// implement public interface in terms of private impl
int my_thing::do_or_get_something(int arg)
{
return get_impl().do_or_get_something(arg);
}
// test the concept
int main()
{
auto one_thing = my_thing();
std::cout << one_thing.do_or_get_something(5) << std::endl;
std::cout << one_thing.do_or_get_something(5) << std::endl;
auto another_thing_but_really_same = my_thing();
std::cout << another_thing_but_really_same.do_or_get_something(5) << std::endl;
std::cout << my_thing().do_or_get_something(5) << std::endl;
std::cout << one_thing.do_or_get_something(5) << std::endl;
}
预期产出:
5
10
15
20
25