所以我遇到了这个问题,因为我正在编写我目前正在编写的类,我相信代码应该运行正常但是出现了:二进制'[':没有找到哪个操作符需要左手操作数类型'const SortableVector' 我不太确定如何解决这个问题,有什么建议吗?
我最后看No '==' operator found which takes a left-hand operand of const Type看看我是否能在那里找到解决方案,但是我没有,似乎我的问题源于我个人看不到的东西。
#include <iostream>
#include "SortableVector.h"
using namespace std;
int main() {
const int SIZE = 10;
SortableVector<int> intTable(SIZE);
for (int x = 0; x < SIZE; x++) {
int z;
cout << "Please enter a number with no decimals: ";
cin >> z;
intTable[x] = z;
}
cout << "These values are in intTable:\n";
intTable.print();
intTable.sortInt(intTable, SIZE);
cout << "These values in intTable are now sorted: ";
intTable.print();
return 0;
}
//SortableVector.h
#include <iostream>
#include <cstdlib>
#include <memory>
#include <vector>
using namespace std;
struct IndexOutOfRangeException {
const int index;
IndexOutOfRangeException(int ix) : index(ix) {}
};
template<class T>
class SortableVector {
unique_ptr<T[]> aptr;
int vectorSize;
public:
SortableVector(int);
SortableVector(const SortableVector &);
int size() const { return vectorSize; }
T &operator[](int);
void sortInt(SortableVector<int>, int);
void print() const;
};
template<class T>
SortableVector<T>::SortableVector(int s) {
vectorSize = s;
aptr = make_unique<T[]>(s);
for (int count = 0; count < vectorSize; count++) {
aptr[count] = T();
}
}
template<class T>
SortableVector<T>::SortableVector(const SortableVector &obj) {
vectorSize = obj.vectorSize;
aptr = make_unique<T[]>(obj.vectorSize);
for (int count = 0; count < vectorSize; count++) {
aptr[count] = obj[count];
}
}
template<class T>
T &SortableVector<T>::operator[](int sub) {
if (sub < 0 || sub >= vectorSize) {
throw IndexOutOfRangeException(sub);
return aptr[sub];
}
}
template<class T>
void SortableVector<T>::sortInt(SortableVector<int> x, int z) {
int i, j;
int temp = 0;
for (i = 0; i < z - 1; i++) {
for (j = 0; j < z - 1; j++) {
if (x[j] > x[j + 1]) {
temp = x[j];
x[j] = x[j + 1];
x[j + 1] = temp;
}
}
}
}
template<class T>
void SortableVector<T>::print() const {
for (int k = 0; k < vectorSize; k++) {
cout << aptr[k] << " ";
}
cout << endl;
}
答案 0 :(得分:1)
您的operator[]
会返回对元素的引用,这将允许人们直接更改元素。当您尝试在const对象上使用运算符时(当您使用const引用将事物传递给函数时)会发生此问题。这将允许某人通过operator[]
返回的引用更改对象,这会破坏const-correctness,因此不允许。
如果你感到困惑,那就说你有这样的课:
class Foo
{
private:
int numbers[100];
public:
int& operator[](const int & pos)
{
return numbers[pos];
}
};
这适用于创建对象并使用括号运算符访问元素。但是,当您尝试创建const对象时:
const Foo f;
您可以这样做:
f[3] = 5;
operator[]
返回一个引用,可用于直接更改f
中存储的数据。 <{1}}被声明为const,所以这不会发生,编译器会给出错误。
解决方案是有两个版本的f
,由它们的常量重载:
operator[]
这里,非const版本实际上调用const版本以避免代码重复。