Я пишу что-то вроде "асинхронной фабрики", где трудоемкие конструкции конкретных объектов откладываются до std::async
задач.
Каждый AsyncFactory
будет хранить умный указатель на объект.
[Это не самое правильное применение Factory Pattern , но это ради MWE].
#include <future>
#include <memory>
#include <type_traits>
#include <cassert>
/**
* @param I is the interface type
* @param Ptr is the memory handler. Default = unique; optional = shared
*/
template <class I, template<class> class Ptr = std::unique_ptr>
class AsyncFactory
{
/**
* @param C - the concrete type for the interface I
* @param Ts - the variadic params
*/
template <class C, typename... Ts>
void _future_reload(Ts&&... params)
{
if (std::is_same<Ptr, std::unique_ptr>()) // line21
{
ptr = std::make_unique<C>(std::forward<Ts>(params)...);
}
else
{
if (std::is_same<Ptr, std::shared_ptr>()) // line27
{
ptr = std::make_shared<C>(std::forward<Ts>(params)...);
}
else
{
static_assert(0, "unacceptable type for smart pointer");// line33
}
}
}
public:
Ptr<I> ptr;
AsyncFactory() :
ptr(nullptr)
{}
/**
* @param C - the concrete type. Default: the interface type
* @param Ts - the variadic params
*/
template <class C = I, typename... Ts>
void reload(Ts&&... params)
{
std::future<void> fReload =
std::async(std::launch::async,
&AsyncFactory::_future_reload<C, Ts...>, this,
std::forward<Ts>(params)...);
}
};
class BaseVirtual
{
virtual void foo() = 0;
};
class DerivedConcrete :
public BaseVirtual
{
void foo() override {;}
};
int main()
{
AsyncFactory<BaseVirtual, std::shared_ptr> fac;
fac.reload<DerivedConcrete>();
}
Проблемы возникают с умным указателем. Я должен вызывать разные make
rs для unique
/ shared
указателей. Но g++ -std=c++14
останавливается с
f.cpp: In member function ‘void AsyncFactory<I, Ptr>::_future_reload(Ts&& ...)’:
f.cpp:21:44: error: type/value mismatch at argument 1 in template parameter list for ‘template<class, class> struct std::is_same’
if (std::is_same<Ptr, std::unique_ptr>())
^
f.cpp:21:44: note: expected a type, got ‘Ptr’
f.cpp:21:44: error: type/value mismatch at argument 2 in template parameter list for ‘template<class, class> struct std::is_same’
f.cpp:21:44: note: expected a type, got ‘unique_ptr’
f.cpp:27:45: error: type/value mismatch at argument 1 in template parameter list for ‘template<class, class> struct std::is_same’
if (std::is_same<Ptr, std::shared_ptr>())
^
f.cpp:27:45: note: expected a type, got ‘Ptr’
f.cpp:27:45: error: type/value mismatch at argument 2 in template parameter list for ‘template<class, class> struct std::is_same’
f.cpp:27:45: note: expected a type, got ‘shared_ptr’
f.cpp:33:9: error: static assertion failed: unacceptable type for smart pointer
static_assert(0, "unacceptable type for smart pointer");