Я пытаюсь создать своего рода класс-оболочку, который автоматически создает обернутый объект:
#include <memory>
#include <type_traits>
template<typename T>
class Foo {
std::unique_ptr<T> _x;
public:
Foo(); // will initialize _x
};
Кроме того, я хочу скрыть детали реализации T
от пользователей Foo<T>
(для шаблона PIMPL ).Для примера с единичным переводом, предположим, у меня есть
struct Bar; // to be defined later
extern template class Foo<Bar>;
// or just imagine the code after main() is in a separate translation unit...
int main() {
Foo<Bar> f; // usable even though Bar is incomplete
return 0;
}
// delayed definition of Bar and instantiation of Foo<Bar>:
template<typename T>
Foo<T>::Foo() : _x(std::make_unique<T>()) { }
template class Foo<Bar>;
struct Bar {
// lengthy definition here...
};
Это все работает отлично.Однако, если я хочу, чтобы потребовал, чтобы T
был производным от другого класса , компилятор жалуется, что Bar
неполон:
struct Base {};
template<typename T>
Foo<T>::Foo() : _x(std::make_unique<T>()) {
// error: incomplete type 'Bar' used in type trait expression
static_assert(std::is_base_of<Base, T>::value, "T must inherit from Base");
}
Попытка выполнить ту же проверку с использованием static_cast
завершается аналогично:
template<typename T>
Foo<T>::Foo() : _x(std::make_unique<T>()) {
// error: static_cast from 'Bar *' to 'Base *', which are not related by inheritance, is not allowed
// note: 'Bar' is incomplete
(void)static_cast<Base*>((T*)nullptr);
}
Однако, если добавить еще один уровень шаблонизации функций, я могу заставить эту работу:
template<typename Base, typename T>
void RequireIsBaseOf() {
static_assert(std::is_base_of<Base, T>::value, "T must inherit from Base");
}
// seems to work as expected
template<typename T>
Foo<T>::Foo() : _x((RequireIsBaseOf<Base, T>(), std::make_unique<T>())) { }
Обратите внимание, чтодаже следующее по-прежнему вызывает ошибку неполного типа, несмотря на похожую структуру:
// error: incomplete type 'Bar' used in type trait expression
template<typename T>
Foo<T>::Foo() : _x((std::is_base_of<Base, T>::value, std::make_unique<T>())) { }
Что здесь происходит?Не задерживает ли дополнительная функция проверку static_assert?Есть ли более чистое решение, которое не предполагает добавления функции, но все же позволяет поместить template class Foo<Bar>;
перед определением Bar
?