class Tuple
{
private:
vector<string> values;
public:
Tuple(vector<Parameter> newValues)
{
for(int i = 0; i < newValues.size(); i++)
{
string val = newValues[i].getValue();
values.push_back(val);
}
}
Tuple(vector<string> newAttributes)
{
values = newAttributes;
}
~Tuple()
{
}
bool operator < (Tuple &tup)
{
if(values < tup.getStringVec())
return true;
return false;
}
bool operator <= (Tuple &tup)
{
if(values <= tup.getStringVec())
return true;
return false;
}
bool operator > (Tuple &tup)
{
if(values > tup.getStringVec())
return true;
return false;
}
bool operator >= (Tuple &tup)
{
if(values >= tup.getStringVec())
return true;
return false;
}
};
class Relation
{
private:
set<Tuple> tupleSet;
public:
Relation():
{
}
~Relation()
{
}
void addToTupleSet(Tuple newTuple)
{
tupleSet.insert(newTuple); //<<this causes the problem
}
};
问问题
86 次
3 回答
1
您的谓词必须提供以下运算符:
struct Compare
{
bool operator() ( const T1& lhs, const T2& rhs )
{
// here's the comparison logic
return bool_value;
}
};
并将其指定为集合的比较器:
std::set<Tuple, Compare> tupleSet;
于 2013-11-10T05:04:36.680 回答
1
std::set
uses的默认比较器std::less<T>
,它要求将对象暴露给operator <
某种形式的 an。这通常是以下两种形式之一:
一个免费的功能,像这样:
bool operator <(const Tuple& arg1, const Tuple& arg2);
或成员函数,如下所示:
class Tuple
{
public:
bool operator <(const Tuple& arg) const
{
// comparison code goes here
}
};
如果您不想实现operator <
只是为了在 a 中使用,std::set
您当然可以直接实现自己的二进制比较器类型并将其用作std::less<T>
. 您是否这样做是您的电话,以及对不同问题的不同解决方案(即如何做到这一点,Niyaz 在另一个答案中涵盖了这一点)。
您的代码稍作修改,以不吸收名称空间std
并在适当的情况下使用引用(顺便说一句,您可能想看看这些,因为它们将大大减少您来回复制数据所花费的时间)。
#include <iostream>
#include <string>
#include <iterator>
#include <vector>
#include <set>
// I added this, as your source included no such definition
class Parameter
{
public:
Parameter(const std::string s) : s(s) {}
const std::string& getValue() const { return s; }
private:
std::string s;
};
class Tuple
{
private:
std::vector<std::string> values;
public:
Tuple(const std::vector<Parameter>& newValues)
{
for(auto val : newValues)
values.push_back(val.getValue());
}
Tuple(const std::vector<std::string>& newAttributes)
: values(newAttributes)
{
}
// note const member and parameter. neither the passed object nor
// this object should be modified during a comparison operation.
bool operator < (const Tuple &tup) const
{
return values < tup.values;
}
};
class Relation
{
private:
std::set<Tuple> tupleSet;
public:
void addToTupleSet(const Tuple& tup)
{
tupleSet.insert(tup);
}
};
int main(int argc, char *argv[])
{
Tuple tup({"a","b","c"});
Relation rel;
rel.addToTupleSet(tup);
return 0;
}
于 2013-11-10T05:24:12.887 回答
1
使用下面的运算符“<”
bool operator < (const Tuple &tup) const
{
/*if(values < tup.getStringVec())
return true;*/ //getStringVec undefined, so comment out temporarily
return false;
}
于 2013-11-10T05:29:49.533 回答