有没有办法将QVariant
与QVector
一起使用?
我将需要实现一个函数来比较两个向量,例如:
#include <QDebug>
#include <QVector>
#include <QString>
bool compareVectors(QVector<QVariant> vec1, QVector<QVariant> vec2)
{
qDebug() << "Comparing vectors!";
if( vec1 != vec2 )
{
qDebug() << "The vectors are different!";
return false;
}
qDebug() << "The vectors are equal!";
return true;
}
int main()
{
QVector<double> v1;
QVector<double> v2;
v1 << 1 << 2;
v2 << 3 << 4;
QVector<QString> v3;
QVector<QString> v4;
v3 << "1" << "2";
v4 << "3" << "4";
compareVectors(v1, v1);
compareVectors(v3, v4);
return 0;
}
参数传递的两个向量将始终具有相同的数据类型,例如:
compareVectors(QVector<int>, QVector<int>);
compareVectors(QVector<double>, QVector<double>);
compareVectors(QVector<QColor>, QVector<QColor>);
compareVectors(QVector<QString>, QVector<QString>);
当我尝试运行上面的代码时,出现以下错误消息:
错误:没有匹配函数可调用“ compareVectors”
注意:我正在使用Qt 5.3。
最佳答案
当参数类型为QVector<int>
时,不能使用QVector<double>
(或QVector<QVariant>
)。
我建议使compareVectors
为功能模板。
template <typename T>
bool compareVectors(QVector<T> vec1, QVector<T> vec2)
{
qDebug() << "Comparing vectors!";
if( vec1 != vec2 )
{
qDebug() << "The vectors are different!";
return false;
}
qDebug() << "The vectors are equal!";
return true;
}
关于c++ - 有没有办法将QVariant与QVector一起使用?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/47837580/