1

我希望这在之前的某个问题中没有被提及。我尽我所能,但我认为问题的一部分首先是我不明白发生了什么,这可能阻止我找到以前的答案。如果是这样,我很抱歉,否则......

为了练习模板并更好地理解 C++ 和代码设计,我已经着手编写一个(目前非常简单的)链表实现,主要是为了模仿 std::list。我一直在努力正确地实现迭代器,以及逻辑上的其他组件,但我遇到了一个障碍。我猜它在某处使用模板语法,但我不确定。这可能只是一些愚蠢的错误。

这是该类的一般结构:

template <class T>
class LinkedList {
public:
    LinkedList();
    class Iterator;
    void push_front(const T&);
    void push_back(const T&);
    void pop_front();
    void pop_back();
    T& front();
    T& back();
    unsigned int size() const;
    bool empty() const;
    Iterator begin();
    Iterator end();
private:
    struct ListNode;
    ListNode* m_front;
    ListNode* m_back;
    unsigned int m_size;
};

template <class T>
class LinkedList<T>::Iterator {
public:
    Iterator();
    Iterator(const Iterator& rhs);
    Iterator(ListNode* const& node);
    Iterator operator=(const Iterator& rhs);
    T& operator*();
    bool operator==(const Iterator& rhs) const;
    bool operator!=(const Iterator& rhs) const;
    Iterator operator++();
private:
    ListNode* m_node;
};

template <class T>
struct LinkedList<T>::ListNode {
    T* m_data;
    ListNode* m_next;
};

这是有问题的功能:

template <class T>
void LinkedList<T>::push_front(const T&) {
    if (m_front == NULL) {
        m_front = new ListNode;
        *(m_front->m_data) = T;
        m_front->m_next = NULL;
        m_back = m_front;
    } else if (m_front == m_back) {
        m_front = new ListNode;
        *(m_front->m_data) = T;
        m_front->m_next = m_back;
    } else {
        ListNode* former_front(m_front);
        m_front = new ListNode;
        *(m_front->m_data) = T;
        m_front->m_next = former_front;
    }
}

以及 GCC 4.6.3 给出的错误:

linkedlist.hpp: In member function ‘void pract::LinkedList<T>::push_front(const T&)’:
linkedlist.hpp:75:31: error: expected primary-expression before ‘;’ token
linkedlist.hpp:80:31: error: expected primary-expression before ‘;’ token
linkedlist.hpp:85:31: error: expected primary-expression before ‘;’ token

我希望这一切都会有所帮助,但如果还有其他需要的话,请询问。谢谢大家。

4

1 回答 1

1

问题在于这些方面:

*(m_front->m_data) = T;

这是试图将类型分配给变量,这显然是不可能的。可能您想要一个命名参数并为此分配使用所述参数:

template <class T>
void LinkedList<T>::push_front(const T& t) {
    if (m_front == NULL) {
        m_front = new ListNode;
        *(m_front->m_data) = t;
        m_front->m_next = NULL;
        m_back = m_front;
    } else if (m_front == m_back) {
        m_front = new ListNode;
        *(m_front->m_data) = t;
        m_front->m_next = m_back;
    } else {
        ListNode* former_front(m_front);
        m_front = new ListNode;
        *(m_front->m_data) = t;
        m_front->m_next = former_front;
    }
}
于 2012-10-06T01:46:01.487 回答