我正在尝试使用类似于以下内容的API:
#include<iostream>
#include<boost/optional.hpp>
class Base
{
int id;
public:
int get_id()
{
return id;
}
};
class A : public Base
{
};
class B : public Base
{
};
class M
{
public:
enum Type
{
t_A,
t_B
};
Type type;
boost::optional<A&> a;
boost::optional<B&> b;
boost::optional<A&> get_A()
{
return a;
}
boost::optional<B&> get_B()
{
return b;
}
};
我需要通过任何派生类到达基地。所以我创建了一个像这样的模板化函数:
template<class T>
boost::optional<T&> get(M & m)
{
switch(m.type)
{
case M::t_A :
return m.get_A();
case M::t_B :
return m.get_B();
default:
throw;
};
}
int main()
{
M m;
//... initialization of m
int i = get<>(m)->get_id();
return 0;
}
但是我的函数的模板参数无法推断出来:
template_sp_1.cpp:63:17: error: no matching function for call to ‘get(M&)’
int i = get<>(m)->get_id();
^
template_sp_1.cpp:63:17: note: candidate is:
template_sp_1.cpp:46:21: note: template<class T> boost::optional<T&> get(M&)
boost::optional<T&> get(M & m)
^
template_sp_1.cpp:46:21: note: template argument deduction/substitution failed:
template_sp_1.cpp:63:17: note: couldn't deduce template parameter ‘T’
int i = get<>(m)->get_id();
尝试以下任何一种情况都是不可能的;显然是由于使用boost::optional
:
int i = get<Base>(m)->get_id();
int i = get<A>(m)->get_id();
int i = get<B>(m)->get_id();
您是否有针对此类情况的解决方案? (我无法触摸API)
答案 0 :(得分:2)
编译器错误很明显:由于T不依赖于任何函数参数,并且您没有显式传递该T,因此编译器无法推导出T的值。
请注意,那些a和b选项具有不同的类型,因此你的get()函数试图返回多个不同的类型(因此你尝试使用模板化的可选项?)
C ++不能以这种方式工作,因为类型应该在编译时确定,并且你的decission取决于运行时值(切换事物)。考虑返回类似boost :: variant的变体类型。
答案 1 :(得分:1)
正如@ Manu343726已经指出的那样,您的get()
函数具有不同的返回类型。但由于A
和B
具有共同基类Base
,为什么不使用Base&
的返回类型?
有一个bug in boost::optional
有关引用的内容已在boost 1.58中修复,因此您至少需要此版本。
我修改了你的例子来展示它是如何工作的:
#include <boost/optional.hpp>
#include <boost/version.hpp>
#include <iostream>
#if BOOST_VERSION < 105800
#error boost version must be at least 1.58
#endif
class Base
{
int id;
public:
Base(int id) : id(id) {}
int get_id()
{
return id;
}
};
class A : public Base
{
public:
A() : Base(100) {}
};
class B : public Base
{
public:
B() : Base(999) {}
};
class M
{
public:
enum Type
{
t_A,
t_B
};
Type type;
boost::optional<A&> a;
boost::optional<B&> b;
boost::optional<A&> get_A()
{
return a;
}
boost::optional<B&> get_B()
{
return b;
}
};
Base& get(M & m)
{
switch(m.type)
{
case M::t_A :
return (*(m.get_A()));
case M::t_B :
return (*(m.get_B()));
default:
throw;
};
}
int main()
{
A a;
M m;
m.type = M::t_A;
m.a = a;
Base& base = get(m);
std::cout << base.get_id() << std::endl;
return 0;
}
此示例将输出:
100
当然,如果API确保get_A()
或get_B()
返回包含有效引用的可选项,那么这仅适用于运行时。
如果无法保证,您可以使用以下内容:
boost::optional<Base&> get(M & m)
{
boost::optional<Base&> base;
switch(m.type)
{
case M::t_A:
base = m.get_A();
break;
case M::t_B :
base = m.get_B();
break;
default:
throw;
};
return base;
}