在奇怪的重复模板中使用方法的 return 类型作为另一个方法的参数类型 class

Use the return type of a method as an argument type of another method in a curiously recurring template class

请考虑以下代码片段:

template<class E>
class vector_expression
{
public:
    auto size() const {
        return static_cast<E const&>(*this).size();
    }

    auto operator[](/* type equal to E::size_type */ i) const
    {
        if (i >= size())
            throw std::length_error("");
        return static_cast<E const&>(*this)[i];
    }
}; // class vector_expression

template<typename T, class Tuple = std::vector<T>>
class vector
    : public vector_expression<vector<T, Tuple>>
{
public:
    using value_type = T;
    using size_type = typename Tuple::size_type;

    size_type size() const {
        return m_elements.size();
    }

    value_type operator[](size_type i) const { /* ... */ }

private:
    Tuple m_elements;
}; // class vector

vector_expression<E> 的参数 i 的类型应该等于 E::size_type。出于合理的原因,typename E::size_type 在这里不起作用。出于同样的原因,std::result_of_t<decltype(&size)(vector_expression)> 在这里不起作用。

那么,如果可以的话,我们该怎么做呢?

您可以将其作为模板参数显式传递给 vector_expression:

template<class E, class size_type>
class vector_expression ...

template<typename T, class Tuple = std::vector<T>>
class vector
    : public vector_expression<vector<T, Tuple>, 
                               typename Tuple::size_type> ...

编辑:

也可以将有问题的函数变成一个成员函数模板,这样在看到完整的class定义之前它不会被实例化:

template <typename K = E>
auto operator[](typename K::size_type i) const
{
    if (i >= size())
        throw std::length_error("");
    return static_cast<K const&>(*this)[i];
}