我正在尝试了解模板和模板专业化。我正在为数组编写模板类,使用模板特化来避免代码膨胀。因此,我有一个完全专业化的模板MyArray,然后我从这个继承像class MyArray<T*> : private MyArray<void*>
。我在重载下标运算符时遇到问题(一个用于非const引用,一个用于const引用)。这是一段代码(远非完整,但包含我的问题)。
#include <iostream>
using std::cout;
using std::cin;
using std::endl;
/*** template class MyArray **/
template <class T>
class MyArray {};
/*** Full template specialization for MyArray holding pointers ***/
template <>
class MyArray<void*> {
public:
explicit MyArray(unsigned s = 100) : sz(s) {
data = new void*[s];
}
virtual ~MyArray() { delete[] data; }
/** subscript operator overload for non-const refs **/
void*& operator[](unsigned i) {
return data[i];
}
/** subscript operator overload for const refs **/
const void*& operator[](unsigned i) const {
return data[i]; // line 26
}
unsigned size() const { return sz; }
private:
void** data;
unsigned sz;
};
/** Partial specialization: create the template class by inheriting from the one above **/
template <class T>
class MyArray<T*> : private MyArray<void*> {
public:
explicit MyArray(unsigned s = 100) : MyArray<void*>::MyArray(s) {
data = new T*[s];
}
virtual ~MyArray() { delete[] data; }
/** subscript operator overload for non-const refs **/
T*& operator[](unsigned i) {
return reinterpret_cast<T*&>( // line 47
MyArray<void*>::operator[](i)
);
}
/** subscript operator overload for const refs **/
const T*& operator[](unsigned i) const {
return reinterpret_cast<const T*&>(
MyArray<void*>::operator[](i)
);
}
unsigned size() const { return MyArray<void*>::size(); }
private:
T** data;
};
/** input function for filling MyArray's **/
template <class T>
void InputMyArray(MyArray<T*>& my_array) {
unsigned size = 0;
T tmp;
while (cin >> tmp) {
T* i = new T;
*i = tmp;
my_array[size++] = i;
}
}
/** output function for printing elements of MyArray's **/
template <class T>
void OutputArray(const MyArray<T*>& my_array) {
for (unsigned i = 0; i < my_array.size(); i++) {
cout << *my_array[i] << " ";
}
cout << endl;
}
int main() {
/** Initialize array, fill it, print contents **/
MyArray<int*> p;
InputMyArray(p);
cout << "MyArray of pointer to ints holds int values: " << endl;
OutputArray(p);
return 0;
}
编译器(clang)对第26行抱怨(错误)
对类型'const void *'的非const左值引用不能绑定到不相关类型的值'void *'
我想我不希望编译器将其解释为非const引用 - 我想要的是它是const。如何在此上下文中正确地重载此运算符?相应的代码片段适用于没有专门化的模板类,如MyArray<T>
。
编译器进一步抱怨(警告)reinterpret_cast
显然包含未定义的行为
从'void *'到'int *&amp;'的reinterpret_cast有未定义的行为
(第47行)。 reinterpret_casts
基本上是从我的说明中复制粘贴的,所以我认为它们会像这样使用。我不知道为什么没有提到对void*
的引用。我在这里做错了什么?
答案 0 :(得分:0)
您的模板是[DeploymentItem("EntityFramework.SqlServer.dll")]
的容器,而不是void*
:
const void*
/** subscript operator overload for const refs **/
void* const& operator[](unsigned i) const {
return data[i]; // line 26
}
相同:
T*