代码之家  ›  专栏  ›  技术社区  ›  Johann Gerell

对基类模板成员函数的访问不明确

  •  8
  • Johann Gerell  · 技术社区  · 14 年前

    在Visual Studio 2008中,编译器无法解析对 SetCustomer 在里面 _tmain 下面要说清楚:

    template <typename TConsumer>
    struct Producer
    {
        void SetConsumer(TConsumer* consumer) { consumer_ = consumer; }
    
        TConsumer* consumer_;
    };
    
    struct AppleConsumer
    {
    };
    
    struct MeatConsumer
    {
    };
    
    struct ShillyShallyProducer : public Producer<AppleConsumer>,
                                  public Producer<MeatConsumer>
    {
    };
    
    int _tmain(int argc, _TCHAR* argv[])
    {
        ShillyShallyProducer producer;
        AppleConsumer consumer;
        producer.SetConsumer(&consumer);   //  <--- Ambiguous call!!
    
        return 0;
    }
    

    这是编译错误:

    // error C2385: ambiguous access of 'SetConsumer'
    //    could be the 'SetConsumer' in base 'Producer<AppleConsumer>'
    //    or could be the 'SetConsumer' in base 'Producer<MeatConsumer>'
    

    我认为模板参数查找机制足够聪明,可以推断出正确的基 Producer . 为什么不是?

    我可以通过改变 生产者

    template <typename TConsumer>
    struct Producer
    {
        template <typename TConsumer2>
        void SetConsumer(TConsumer2* consumer) { consumer_ = consumer; }
    
        TConsumer* consumer_;
    };
    

    并打电话 SetConsumer 作为

        producer.SetConsumer<AppleConsumer>(&consumer);   // Unambiguous call!!
    

    但如果我不需要…

    2 回复  |  直到 14 年前
        1
  •  13
  •   Georg Fritzsche    14 年前

    我认为模板参数查找机制足够聪明,可以推断出正确的基本生成器。

    这与模板无关,它来自于使用多个基类-名称查找已经不明确,重载解析只在这之后发生。

    一个简单的例子如下:

    struct A { void f()    {} };
    struct B { void f(int) {} };
    struct C : A, B {};
    
    C c;
    c.f(1); // ambiguous
    

    解决方法是显式限定调用或将函数引入派生类范围:

     struct ShillyShallyProducer : public Producer<AppleConsumer>,
                                   public Producer<MeatConsumer>
     {
         using Producer<AppleConsumer>::SetConsumer;
         using Producer<MeatConsumer >::SetConsumer;
     };
    
        2
  •  2
  •   Gorpik    14 年前

    您可以在函数调用中使用显式限定。而不是:

    producer.SetConsumer(&consumer);
    

    尝试:

    producer.Producer<AppleConsumer>::SetConsumer(&consumer);