在C ++中访问模板类的私有构造函数

时间:2015-08-01 08:54:29

标签: c++ templates friend

我在尝试访问派生类的私有构造函数时遇到了一些困难,该派生类被指定为模板参数。我希望指定friend T可以解决问题,但不幸的是它没有效果。

template <typename T>
class Creator
{
public:

    static void Create()
    {
        instance = new T;
    }
private:
    static T* instance;
    friend T;
};

template <typename T>
T* Creator<T>::instance(nullptr);

class Test
{
private:
    Test() {}
};

创作尝试:

int main()
{
     Creator<Test>::Create();
}

我得到的错误是:

  

错误C2248'Derived :: Derived':无法访问在'Derived'类中声明的私有成员

我有什么想法可以解决这个问题吗?

1 个答案:

答案 0 :(得分:5)

您的Creator类不需要让朋友访问其模板参数。

template <typename T>
class Creator
{
public:

    static void Create()
    {
        instance = new T;
    }
private:
    static T* instance;
    // friend T; NOT USEFUL
};

您需要从拥有私有成员的班级提供好友访问权。

class Test
{
    friend Creator<Test>; // provide friend access to Creator<Test> specialization
private:
    Test()
    {
    }
};

这允许您的代码编译并获得您想要的行为。

作为一个注释,通过在模板类中声明friend T;,您实际上是将您的私人成员暴露给您专门使用Creator的任何T。因此你可以有人写...

class Test
{
private:
    Test()
    {
        // you don't really want this, do you?
        delete Creator<Test>::instance;
    }
};

...如果他们使用了您的创作者模板。