我意识到关于C++中的 friend 类有很多问题。不过,我的问题与特定情况有关。给定以下代码,以这种方式使用friend是否合适?
class Software
{
friend class SoftwareProducer;
SoftwareProducer* m_producer;
int m_key;
// Only producers can produce software
Software(SoftwareProducer* producer) : m_producer(producer) { }
public:
void buy()
{
m_key = m_producer->next_key();
}
};
class SoftwareProducer
{
friend class Software;
public:
Software* produce()
{
return new Software(this);
}
private:
// Only software from this producer can get a valid key for registration
int next_key()
{
return ...;
}
};
谢谢,
此致,
最佳答案
当然,这是完全合理的。基本上,您所做的工作与工厂模式非常相似。我认为这没有问题,因为您的代码似乎暗示每个软件对象都应该有一个指向其创建者的指针。
但是,通常可以避免像SoftwareProducer这样的“Manager”类,而在Software中仅具有静态方法。由于似乎只有一个SoftwareProducer。可能是这样的:
class Software {
private:
Software() : m_key(0) { /* whatever */ }
public:
void buy() { m_key = new_key(); }
public:
static Software *create() { return new Software; }
private:
static int new_key() { static int example_id = 1; return example_id++; }
private:
int m_key;
};
然后,您可以执行以下操作:
Software *soft = Software::create();
soft->buy();
当然,如果您计划拥有多个SoftwareProducer对象,那么您所做的事情似乎很合适。