6

我试图找到一种方法来消除这段代码的歧义(在编译时)(两天后:-) -> get_value 是不明确的。

#include <iostream>

template <typename T>
struct type2type {};

template<class T, int val>
struct BASE
{
  static constexpr int get_value ( type2type< T > )
  {
    return val;
  }
};

class X {};
class Y {};

struct A :
  public BASE< X, 1 >,
  public BASE< Y, 0 >
{};

int main ( int argc, char **argv )
{
  A a {};
  std::cout << a.get_value ( type2type< X >{} ) << std::endl;
}

这是一个有效的运行时解决方案。

#include <iostream>

template <typename T>
struct type2type {};

template<class T>
struct VIRTUAL
{
  int get_value () const
  {
    return get_value_from_BASE ( type2type< T > {} );
  }
private:
  virtual int get_value_from_BASE ( type2type< T > ) const = 0;
};

template<class T, int val>
class BASE :
  public VIRTUAL< T >
{
  virtual int get_value_from_BASE ( type2type< T > ) const override
  {
    return val;
  }
};

class X {};
class Y {};

struct A :
  public BASE< X, 1 >,
  public BASE< Y, 0 >
{};

int main ( int argc, char **argv )
{
  A a {};
  std::cout << a.::VIRTUAL< X >::get_value () << std::endl;
}

有解决办法吗?

注意:我发现的一种可能方式是通过 std::is_base_of<>,但这非常有限(模板实例化深度)

4

2 回答 2

7

这是一个不明确的名称查找,在多重继承的情况下隐藏查找中的名称。它甚至没有检查要使用的重载。

struct A您可以通过在' 的定义中添加以下内容来解决此问题:

using BASE<X,1>::get_value;
using BASE<Y,0>::get_value;

这两个语句将get_value两个基类的名称添加到 A,因此编译器可以继续其沉闷的生活并将它们检查为重载。

于 2013-08-11T22:49:18.337 回答
2

基于 Atash 的回答:假设您不想在基列表和 using 声明中重新键入基类列表,您可以使用如下间接:

#include <iostream>

template <typename T>
struct type2type {};

template<class T, int val>
struct BASE
{
  static constexpr int get_value ( type2type< T > const& )
  {
    return val;
  }
};

class X {};
class Y {};

template <typename...> struct AUX;

template <typename Base, typename... Bases>
struct AUX<Base, Bases...>: Base, AUX<Bases...> {
    using Base::get_value;
    using AUX<Bases...>::get_value;
};

template <typename Base>
struct AUX<Base>: Base {
    using Base::get_value;
};

struct A :
    public AUX<BASE< X, 1 >, BASE< Y, 0 > >
{
};

int main ()
{
  A a {};
  std::cout << a.get_value ( type2type< X >() ) << std::endl;
}
于 2013-08-11T23:01:00.153 回答