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
}
};
答案 0 :(得分:1)
您的谓词必须提供以下操作符:
struct Compare
{
bool operator() ( const T1& lhs, const T2& rhs )
{
// here's the comparison logic
return bool_value;
}
};
并将其指定为集合的比较器:
std::set<Tuple, Compare> tupleSet;
答案 1 :(得分:1)
std::set
的默认比较器使用std::less<T>
,这需要将对象暴露给某种形式的operator <
。这通常是以下两种形式之一:
免费功能,如下:
bool operator <(const Tuple& arg1, const Tuple& arg2);
或成员函数,如下:
class Tuple
{
public:
bool operator <(const Tuple& arg) const
{
// comparison code goes here
}
};
如果您不想仅仅在operator <
中使用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;
}
答案 2 :(得分:1)
以下用于运营商“&lt;”
bool operator < (const Tuple &tup) const
{
/*if(values < tup.getStringVec())
return true;*/ //getStringVec undefined, so comment out temporarily
return false;
}