我有一个带有模板参数的类,我想调用它的方法。它看起来像这样:
template <typename T>
class Foo {
public:
void doSomething() {
for (auto& t: ts) {
t.doSomething();
}
}
private:
std::vector<T> ts;
};
这样可行,但是如果doSomething()
本身是const(我认为T
也是const),我想使T::doSomething()
const。我找到了一个可能的解决方案(基于this question),但我不喜欢它。
template <bool enabled = std::is_const<T>::value>
typename std::enable_if<enabled, void>::type
doSomething() const {
for (auto& t: ts) {
t.doSomething();
}
}
template <bool enabled = !std::is_const<T>::value>
typename std::enable_if<enabled, void>::type
doSomething() {
for (auto& t: ts) {
t.doSomething();
}
}
它工作正常,但它有代码重复。有什么方法可以避免吗?
答案 0 :(得分:2)
虽然这里不完美是一种解决方法:我们有一个非const成员_doSomething()
,其中我们有const和非const的代码相同,除了在底层对象上调用的函数。由于此成员为non const
,我们必须const_cast
this
从const Foo中调用它。
由于_doSomething
内的代码是const安全的,(const_)强制转换const
是安全的。
您的代码也不会为const编译,因为您不能拥有vector
const
。向量的元素必须是可分配的,而const types
通常不是(但实际上不应该这样:https://stackoverflow.com/a/17313104/258418)。
您可能需要考虑std::vector<T*>
而不是std::vector<T>
。 (即存储指针而不是向量中的对象)
#include <iostream>
#include <vector>
using namespace std;
class Bar {
public:
Bar() {}
void doSomething() const {
std::cout << "const" << endl;
}
void doSomething() {
std::cout << "NON const" << endl;
}
};
template <typename T>
class Foo {
void _doSomething() {
/*for (auto& t: ts) {
t.doSomething();
}*/
test.doSomething();
}
public:
Foo()/*T element) : ts({element})*/ {}
template <bool enabled = std::is_const<T>::value>
typename std::enable_if<enabled, void>::type
doSomething() const {
const_cast<typename std::remove_const<Foo<T>>::type*>(this)->_doSomething();
}
template <bool enabled = !std::is_const<T>::value>
typename std::enable_if<enabled, void>::type
doSomething() {
_doSomething();
}
private:
//std::vector<T> ts; https://stackoverflow.com/a/17313104/258418
T test;
};
int main()
{
Foo<Bar> nonConstInst;
Foo<const Bar> ConstInst;
nonConstInst.doSomething();
ConstInst.doSomething();
return 0;
}