class testClass
{
public:
void set(int monthValue, int dayValue);
int getMonth( );
int getDay( );
private:
int month;
int day;
};
我有一个简单的课程,如上所示。我尝试将其对象传递给检查它们是否相等的函数。
testClass obj[3];
obj[0].set(1,1);
obj[1].set(2,1);
obj[2].set(1,1);
首先,我尝试了cout << (obj[0] == obj[1]);
但是没有运算符重载,使用模板等是不可能的。所以,我可以使用它们来做但是如何将成员变量传递给void*
函数?
bool cmp_testClass(void const *e1, void const *e2)
{
testClass* foo = (testClass *) e1;
testClass* foo2 = (testClass *) e2;
return foo - foo2; // if zero return false, otherwise true
}
我这么想,但我无法解决这个问题。我想比较像
obj[0].getDay() == obj[1].getDay();
obj[0].getMonth() == obj[1].getMonth();
传递。
答案 0 :(得分:6)
如何将此(公共)方法添加到您的课程中?
// overloading the "==" comparison operator (no templates required in this particular case
bool operator==(const DayOfYear& otherDay) const
{
return (month == otherDay.month) && (day == otherDay.day);
}
然后,您可以这样比较:
DayOfYear day1;
DayOfYear day2;
// ...
if (day1 == day2) // syntactically equivalent to to: if (day1.operator==(day2))
{
// ...
}
编辑:既然您不想使用运算符重载,您可以使用这样的函数/静态方法来执行此操作:
bool compareDates(const DayOfYear& day1, const DayOfYear& day2)
{
return (day1.getMonth() == day2.getMonth()) && (day1.getDay() == day2.getDay());
}
然后,比较如下:
DayOfYear day1;
DayOfYear day2;
// ...
if (compareDates(day1, day2))
{
// ...
}
答案 1 :(得分:0)
您可以在班级中添加好友功能:
border
答案 2 :(得分:0)
在您编写的compare_class函数中,您正在比较实际对象的地址。在对象平等方面,这并不意味着什么。该函数应该返回什么?如果对象相等?它的编写方式表明:如果对象的位置不同 - 返回true;如果位置相同 - 返回false,这与你想要的极性相反。
由于您没有在班级中使用任何指针,并且不想使用运算符重载,请查看memcmp。用法如下:
if (0 == memcmp (&obj[0], &obj[1], sizeof (obj[0]))
{
// Do stuff.
}