0

所以我对 C++ 编程还是很陌生,对模板还是很陌生。我正在尝试制作一个包含一些通用数据和一个双精度数据的基本模板类(如果你愿意的话是一个节点)。然后我想让另一个类包含一组前面提到的模板类。

我在使用小于运算符时遇到问题,因为它将服务器作为我的比较器。

节点&树.h

#ifndef _POINTNODE_H_
#define _POINTNODE_

#include <set>

template<typename T>
class PointNode {

 public:

  PointNode(double p){ m_point = p;}
  ~PointNode();

  bool operator < (const &PointNode<T> p1) const;

 private:

   const double m_point;
   T *m_data;

};

template <typename T>
class PointTree {

 public:

  PointTree();
  ~PointTree();

 private:

  std::set<PointNode<T> > tree;

};

#endif

节点&树.cpp

#inlcude "Node&Tree.h"
#include <set>

template<typename T>
bool PointNode<T>:: operator < (const &PointNode<T> p1) const{
   return m_point < p1.m_point;
}

我收到以下错误

Node&Tree.cpp:5:39: error: ISO C++ forbids declaration of ‘parameter’ with no type [-   fpermissive]
Node&Tree.cpp:5:39: error: expected ‘,’ or ‘...’
Node&Tree.cpp:5:6: error: prototype for ‘bool PointNode<T>::operator<(const int&)   const’ does not match any in class ‘PointNode<T>’
Node&Tree.h:15:8: error: candidate is: bool PointNode<T>::operator<(const int&)"

这在很大程度上没有实现,但我只是想至少编译基础知识......以及代码上的任何指针,或者如果你认为我要解决这一切都错了,请告诉我!

任何帮助都会很棒!

4

2 回答 2

2
bool PointNode<T>:: operator < (const &PointNode<T> p1) const

应该:

 bool PointNode<T>:: operator < (const PointNode<T>& p1) const

你把参考&放在错误的位置,所以你有那个forbids declaration of parameter error. 另一个地方也有同样的错误。

bool operator < (const &PointNode<T> p1) const;

应该

bool operator < (const PointNode<T>& p1) const;
于 2013-04-19T02:53:46.957 回答
0

将 PointNode 对象作为参考

bool operator < (const PointNode<T>& p1) const;

及其定义

template<typename T>
bool PointNode<T>:: operator < (const PointNode<T>& p1) const{
   return m_point < p1.m_point;
}

这将解决问题。

于 2013-04-19T02:58:05.313 回答