我正在构建一个算法主机类,我正在使用数据存储和一堆算法作为策略类。操作的数据使用策略宿主类中的组合(Collection)封装,并且公开继承两个算法(First,Second)(多重继承)。
当我尝试从主机类的成员函数访问策略类模板的成员函数时,我只能使用完全限定名称来执行此操作,并且我期望ADL应该在主机类中工作。
以下是示例代码:
#include <iostream>
template<typename Element>
class MapCollection
{
// Map implementation
public:
// Programming to an (implicit) interface
template<typename Key>
void insertElement(Element const & e, Key const& k) {}
template<typename Key>
void getElement(Element const& e, Key const& k) {}
};
template<typename Element>
class VectorCollection
{
// Vector implementation
public:
template<typename Key>
void insertElement(Element const & e, Key const& k) {}
template<typename Key>
void getElement(Element const& e, Key const& k) {}
};
template<typename Collection>
class FirstAlgorithm
{
public:
void firstExecute(Collection& coll)
{
std::cout << "FirstAlgorithm::execute" << std::endl;
}
};
template<typename Collection>
class SecondAlgorithm
{
public:
void secondExecute(Collection const & coll)
{
std::cout << "SecondAlgorithm::execute" << std::endl;
}
};
template
<
typename HostConfigurationTraits
>
class AlgorithmHost
:
public HostConfigurationTraits::First,
public HostConfigurationTraits::Second
{
public:
typedef typename HostConfigurationTraits::Collection Collection;
private:
Collection data_;
public:
// ADL not working?
void firstExecute()
{
// This works:
//HostConfigurationTraits::First::firstExecute(data_);
// This fails:
this->firstExecute(data_);
}
// ADL not working?
void secondExecute()
{
// This works:
//HostConfigurationTraits::Second::secondExecute(data_);
// This fails:
this->secondExecute(data_);
}
};
class EfficientElement {};
struct DefaultAlgorithmHostTraits
{
typedef EfficientElement Element;
typedef VectorCollection<Element> Collection;
typedef FirstAlgorithm<Collection> First;
typedef SecondAlgorithm<Collection> Second;
};
int main(int argc, const char *argv[])
{
AlgorithmHost<DefaultAlgorithmHostTraits> host;
// Breaks here:
host.secondExecute();
host.firstExecute();
return 0;
}
这是由ADL引起的,还是我误解了我的怀疑? :)
我正在使用g ++ 4.4.3。谢谢!
答案 0 :(得分:2)
您的情况与ADL无关,但事实上您的firstExecute
定义会影响基类的定义。如果你添加这些行:
using HostConfigurationTraits::First::firstExecute;
using HostConfigurationTraits::Second::secondExecute;
在AlgorithmHost
中,它会再次找到基类的成员。这是关于阴影的另一个question/answer。