我是 C++ 新手,我有志了解模板的工作原理。所以我实现了一个通用列表MyList
,它可能包含内置的原始类型和指针。在remove
函数中,我想区分指针类型和内置函数,以便我可以删除指针后面的对象,但保持内置函数不变。
为了区分模板类型,可以是指针或非指针,我编写了以下函数,它们可以正常工作:
// distinguish between pointer and non-pointer type of template variable
template<typename T> bool is_pointer(T t) {
return false;
}
template<typename T> bool is_pointer(T* t) {
return true;
}
在 list 函数remove
中,想法是测试指针并删除它们以防万一。但是,delete 语句无法编译:
template<typename T> void MyList<T>::remove() {
...
if (is_pointer(temp->getContent())) {
// delete object pointer points to
T t = temp->getContent();
cout << t; // prints out address
// delete t; // produces compiler error (see below)
}
在main.cpp
我用各种类型测试列表类时,我调用了其他方法:
MyList<int> mylist; // with type int
mylist.remove();
mylist.add(3);
// add and remove elements
MyList<string> mylist2; // with type string
...
MyList<string*> mylist3; // with type string*
mylist.add(new string("three"));
mylist.remove();
当我注释掉语句时,delete t;
我可以验证控制流是否正确:if 语句仅用于string*
示例。但是,如果我取消注释该delete
语句,编译器会这样抱怨:
../mylist.h: In member function ‘void MyList<T>::remove() [with T = int]’:
../main.cpp:36:18: instantiated from here
../mylist.h:124:6: error: type ‘int’ argument given to ‘delete’, expected pointer
../mylist.h: In member function ‘void MyList<T>::remove() [with T = std::basic_string<char>]’:
../main.cpp:71:18: instantiated from here
../mylist.h:124:6: error: type ‘struct std::basic_string<char>’ argument given to ‘delete’, expected pointer
make: *** [main.o] Error 1
什么是我看不见的?我delete
只在指针上使用语句,但我仍然得到这些编译器错误。如果我在 if 语句中打印出t
它是一个指针地址!