C ++模板元编程:重载运算符

时间:2017-01-13 01:57:32

标签: c++ operator-overloading template-meta-programming

我正在玩模板元编程。我正在尝试使用tmp创建一个有限状态机。我知道网络上有几个实现,但我想自己实现一个练习。

我正在尝试为基类内的模板化基类的模板化导数重载运算符。假设我们有一个基类:

template<typename Input>
class Base
{
public:
    virtual ~Base() = default;    
    virtual bool operator()(const Input& input) const = 0;

    template<typename Lhs, typename Rhs>
    constexpr Derivation1<Input, Lhs, Rhs> operator||(const Lhs& left, const Rhs& right) const;

    template<typename Lhs, typename Rhs>
    constexpr Derivation2<Input, Lhs, Rhs> operator&&(const Lhs& left, const Rhs& right) const;
};

及其两个派生词:

template<typename Input, typename... TSpecialized>
class Derivation1 : public Base<Input>
{
public:
    bool operator()(const Input& input) const override
    {
        // ...
    }
};

template<typename Input, typename... TSpecialized>
class Derivation2 : public Base<Input>
{
public:
    bool operator()(const Input& input) const override
    {
        // ...
    }
};

以及我们在基类中声明的运算符的定义:

template <typename Input>
template <typename Lhs, typename Rhs>
constexpr Derivation1<Input, Lhs, Rhs> Base<Input>::operator||(const Lhs& left, const Rhs& right) const
{
    return Derivation1<Input, Lhs, Rhs>();
}

template <typename Input>
template <typename Lhs, typename Rhs>
constexpr Derivation2<Input, Lhs, Rhs> Base<Input>::operator&&(const Lhs& left, const Rhs& right) const
{
    return Derivation2<Input, Lhs, Rhs>();
}

Rhs和Lhs类型也是基类的推导。

当我尝试使用像:

这样的运算符时
Derivation3<int, 10, 20> left;
Derivation4<int, 300, 290> right;

auto result = left || right;

我收到一条错误,指出运算符没有重载与参数匹配。两个派生都具有相同的基类型:Base<int>,其中应声明重载。变量result应该是Derivation1类型(就像我们在上面的代码中声明的那样)。

在这种情况下如何正确地重载operatros?

1 个答案:

答案 0 :(得分:3)

我找到了解决方案。我在基类中创建了一个typedef:

template<typename Input>
class Base
{
public:
    virtual ~Base() = default;    
    virtual bool operator()(const Input& input) const = 0;

    typedef Input inputType;
};

我在课堂外移动了操作符重载:

template <typename Lhs, typename Rhs>
constexpr Derivation1<typename Lhs::inputType, Lhs, Rhs> operator||(const Lhs& left, const Rhs& right)
{
    return Derivation1<typename Lhs::inputType, Lhs, Rhs>();
}

template <typename Lhs, typename Rhs>
constexpr Derivation2<typename Lhs::inputType, Lhs, Rhs> operator&&(const Lhs& left, const Rhs& right)
{
    return Derivation2<typename Lhs::inputType, Lhs, Rhs>();
}

此代码完全符合预期。