为什么我的好友类无法访问私人会员?



我想当一个类声明一个朋友类时,朋友可以访问声明者的私人成员?情况似乎并非如此,或者我做错了什么。我正在尝试访问 OULinkedList 中的"第一个"或"最后一个"。当我尝试使用"第一个"或"最后一个"时,出现"未在此范围内声明"错误。

我需要访问"first",因为没有它,我的下一个函数将永远不会返回链表的第一个值,而且我不确定该怎么做。

例如,如果我只想打印出列表中的对象,则下面的 while 循环总是跳过第一个对象。

while(enumerator.hasNext()){
cout << enumerator.next();
}

这显然不是我想要的。

#include "OULink.h"
#include "Comparator.h"
#include "OULinkedListEnumerator.h"
// OULinkedList stands for Ordered, Unique Linked List. It is a linked list that is always maintained in
// order (based on the comparator provided to it when the list is created) and that only contains unique
// items (that is, duplicates are not allowed)
template <typename T>
class OULinkedList {
template <typename F>
friend class OULinkedListEnumerator;
private:
Comparator<T>* comparator = NULL;               // used to determine list order and item equality
unsigned long size = 0;                         // actual number of items currently in list
OULink<T>* first = NULL;                        // pointer to first link in list
OULink<T>* last = NULL;

template <typename T>
class OULinkedListEnumerator : public Enumerator<T>
{
private:
OULink<T>* current;
int firstNode = 0;
public:
OULinkedListEnumerator(OULink<T>* first);
bool hasNext() const;
T next();
T peek() const;
};
// Implementation goes here
template<typename T>
OULinkedListEnumerator<T>::OULinkedListEnumerator(OULink<T>* first){
this->current = first;
}
template<typename T>
bool OULinkedListEnumerator<T>::hasNext() const{
if(this->current->next != NULL){
return true;
}else{
return false;
}
}
template<typename T>
T OULinkedListEnumerator<T>::next(){


T successorNode = *this->current->next->data;
this->current = this->current->next;
return successorNode;
}
template<typename T>
T OULinkedListEnumerator<T>::peek() const{
if(current != NULL){
return *current->data;
}else{
throw new ExceptionLinkedListAccess;
}
}
  1. 您发布的描述表明您的代码已成功编译。在这种情况下,您在问题标题中谈论的是什么私人访问问题?C++中的访问控制是一个纯粹的编译时概念。如果您的代码编译成功,那么它在私有访问方面没有问题。

  2. 类模板OULinkedListEnumerator是类模板OULinkedList嵌套的类模板。就像任何嵌套类一样,它应该对封闭类模板的私有成员具有完全访问权限OULinkedList而无需任何友元声明。

  3. 以防万一,当您为未知实体进行友元声明时,假定该实体是封闭命名空间范围的成员。所以你的

    template <typename F>
    friend class OULinkedListEnumerator;
    

    引用全局类模板::OULinkedListEnumerator并使其成为好友。稍后,您将OULinkedList::OULinkedListEnumerator声明嵌套类模板。这是一个完全不同的类模板。它不是朋友。(但不一定,见2(。

  4. 不允许在嵌套模板声明中重用模板参数名称。您必须将嵌套模板参数的名称从T更改为其他名称。事实上,我很惊讶你设法将代码编译到一些所谓的"访问问题"的地步,而没有先解决这个参数命名问题。

相关内容

  • 没有找到相关文章

最新更新