运算符重载指向struct

时间:2017-05-29 18:45:49

标签: c++ pointers overloading operator-keyword

我正在尝试比较一个类中结构“Node”的两个指针的值。虽然我超载了<运算符,我不确定这是否是正确的方法,因为当我运行代码时,我有时会得到正确的答案,有时它会将它们比较错误。这样可以比较值属性吗? (我必须使用Node指针,我不能用其他方式)。为什么每次运行程序时结果都不同? 谢谢你的帮助!

#include <iostream>
#include "compare.h"

struct Node {
    int value;
    bool operator >(const Node &n) { return value > n.value ; };
    bool operator <(const Node &n) { return value < n.value; };

};

int main()
{
    Node *a;
    a = new Node;
    a->value = 1;
    test<Node *> t;
    t.compare(a);
    delete a;
    return 0;
}

这是compare.h文件:

template<class TYPE>
class test {
public:
    void compare(const TYPE n);
    test();
    ~test();
private:
    TYPE n;
};

template<class TYPE>
inline void test<TYPE>::compare(const TYPE a)
{
        if (n > a)
            std::cout << "n > a";
        else if (a>n)
            std::cout << "n < a";

}

template<class TYPE>
inline test<TYPE>::test()
{
    n = new Node;
    n->value = 2;
}

template<class TYPE>
inline test<TYPE>::~test()
{
    delete n;
}

1 个答案:

答案 0 :(得分:3)

您在此处使用模板参数test

实例化Node*
test<Node *> t;

test::compare函数中,您将与模板参数进行比较

template<class TYPE>
inline void test<TYPE>::compare(const TYPE a)
{
        if (n > a)
            std::cout << "n > a";
        else if (a>n)
            std::cout << "n < a";
}

如果您将TYPE替换为您使用的参数Node*,您将获得以下内容:

inline void test::compare(const Node* a)
{
        if (n > a)
            std::cout << "n > a";
        else if (a>n)
            std::cout << "n < a";
}

因此,您可以看到您正在比较Node*值。这意味着您要比较na内存地址

您可以先通过解除引用指针来解决此问题

template<class TYPE>
inline void test<TYPE>::compare(const TYPE a)
{
        if (*n > *a)
            std::cout << "n > a";
        else if (*a > *n)
            std::cout << "n < a";
}