1

boost::range::combine単なる積ではなく、デカルト力として使用したいと思います。

そのような式の代わりに のようにboost::range::combine(myRange, myRange, myRange);書きますmyCombine(myRange, 3);

どのように実装できますか?

4

1 に答える 1

2

これを C++17 または C++14 で実装すると、はるかに簡単でクリーンになりますが、これにのタグを付けたので、準拠した実装になります。同じ引数を繰り返し使用して関数オブジェクト を呼び出す一般的な方法を次に示します。fN

まず、ジェネリック関数オブジェクト fの最初の引数をバインドし、任意の数の引数を受け入れる方法が必要です。

template <typename TF, typename T>
struct bound
{
    TF _f;
    T _x;

    template <typename TFFwd, typename TFwd>
    bound(TFFwd&& f, TFwd&& x)
        : _f{std::forward<TFFwd>(f)}, _x{std::forward<TFwd>(x)}
    {
    }

    template <typename... Ts>
    auto operator()(Ts&&... xs)
        -> decltype(_f(_x, std::forward<Ts>(xs)...))
    {
        return _f(_x, std::forward<Ts>(xs)...);
    }
};

template <typename TF, typename T>
auto bind_first(TF&& f, T&& x)
    -> decltype(bound<TF&&, T&&>(std::forward<TF>(f), std::forward<T>(x)))
{
    return bound<TF&&, T&&>(std::forward<TF>(f), std::forward<T>(x));
}

次に、引数を複数回helperバインドする再帰が必要です。xTN

template <std::size_t TN>
struct helper
{
    template <typename TF, typename T>
    auto operator()(TF&& f, T&& x)
        -> decltype(helper<TN - 1>{}(bind_first(std::forward<TF>(f), x), x))
    {
        return helper<TN - 1>{}(bind_first(std::forward<TF>(f), x), x);
    }
};

template <>
struct helper<0>
{
    template <typename TF, typename T>
    auto operator()(TF&& f, T&& x)
        -> decltype(f(x))
    {
        return f(x);
    }
};

最後に、素敵なインターフェースを提供できます。

template <std::size_t TN, typename TF, typename T>
auto call_with_same_arg(TF&& f, T&& x)
    -> decltype(helper<TN - 1>{}(std::forward<TF>(f), std::forward<T>(x)))
{
    return helper<TN - 1>{}(std::forward<TF>(f), std::forward<T>(x));
}

使用法:

int add(int a, int b, int c)
{
    return a + b + c;   
}

int main()
{
    assert(call_with_same_arg<3>(add, 5) == 15);
}

ライブワンドボックスの例


これは、同じことの完全な C++17 実装です。

template <std::size_t TN, typename TF, typename T>
decltype(auto) call_with_same_arg(TF&& f, T&& x)
{
    if constexpr(TN == 1)
    {
        return f(x);
    }
    else
    {
        return call_with_same_arg<TN - 1>(
            [&](auto&&... xs){ return f(x, std::forward<decltype(xs)>(xs)...); }, x);
    }
}

ライブワンドボックスの例


完全を期すために、C++14 実装:

template <std::size_t TN>
struct helper
{
    template <typename TF, typename T>
    decltype(auto) operator()(TF&& f, T&& x)
    {
        return helper<TN - 1>{}(
            [&](auto&&... xs){ return f(x, std::forward<decltype(xs)>(xs)...); }, x);
    }
};

template <>
struct helper<0>
{
    template <typename TF, typename T>
    decltype(auto) operator()(TF&& f, T&& x)
    {
        return f(x);
    }
};

template <std::size_t TN, typename TF, typename T>
decltype(auto) call_with_same_arg(TF&& f, T&& x)
{
    return helper<TN - 1>{}(std::forward<TF>(f), std::forward<T>(x));
}

ライブワンドボックスの例

于 2017-03-17T10:15:18.963 に答える