将 class 构造函数设为私有
Making class constructor private
我正在用 C++ 编写一个简单的垃圾收集器。我需要一个单例 class GarbageCollector 来处理不同类型的内存。
我使用了 Meyer 的单例模式。但是当我尝试调用实例时,出现错误:
error: ‘GarbageCollector::GarbageCollector(const GarbageCollector&)’ is private
GarbageCollector(const GarbageCollector&);
^
这是 class 的定义。
class GarbageCollector //Meyers singleton (http://cpp-reference.ru/patterns/creational-patterns/singleton/)
{
public:
static GarbageCollector& instance(){
static GarbageCollector gc;
return gc;
}
size_t allocated_heap_memory;
size_t max_heap_memory;
private:
//Copying, = and new are not available to be used by user.
GarbageCollector(){};
GarbageCollector(const GarbageCollector&);
GarbageCollector& operator=(GarbageCollector&);
};
我使用以下行调用实例:
auto gc = GarbageCollector::instance();
改变
auto gc = GarbageCollector::instance();
到
auto& gc = GarbageCollector::instance();
否则gc
不是引用,然后返回GarbageCollector
需要复制,但是复制ctor是私有的,这就是编译器抱怨的原因。
我正在用 C++ 编写一个简单的垃圾收集器。我需要一个单例 class GarbageCollector 来处理不同类型的内存。 我使用了 Meyer 的单例模式。但是当我尝试调用实例时,出现错误:
error: ‘GarbageCollector::GarbageCollector(const GarbageCollector&)’ is private
GarbageCollector(const GarbageCollector&);
^
这是 class 的定义。
class GarbageCollector //Meyers singleton (http://cpp-reference.ru/patterns/creational-patterns/singleton/)
{
public:
static GarbageCollector& instance(){
static GarbageCollector gc;
return gc;
}
size_t allocated_heap_memory;
size_t max_heap_memory;
private:
//Copying, = and new are not available to be used by user.
GarbageCollector(){};
GarbageCollector(const GarbageCollector&);
GarbageCollector& operator=(GarbageCollector&);
};
我使用以下行调用实例:
auto gc = GarbageCollector::instance();
改变
auto gc = GarbageCollector::instance();
到
auto& gc = GarbageCollector::instance();
否则gc
不是引用,然后返回GarbageCollector
需要复制,但是复制ctor是私有的,这就是编译器抱怨的原因。