I have an almost working solution. However, it fails to compile some simple cases, and I can't decipher the error message.
My current solution:
#define AUTO_RETURN( EXPR ) -> decltype( EXPR )
{ return EXPR; }
template< typename BinaryFunc, typename First, typename Second >
auto foldl( BinaryFunc&& func, First&& first, Second&& second )
AUTO_RETURN( func( std::forward<First>(first), std::forward<Second>(second) ) )
template<typename BinaryFunc, typename First, typename Second, typename... Rest >
auto foldl( BinaryFunc&& func, First&& first, Second&& second, Rest&&... rest )
AUTO_RETURN(
foldl(
std::forward<BinaryFunc>(func),
func( std::forward<First>(first), std::forward<Second>(second) ),
std::forward<Rest>(rest)... )
)
This works as expected:
struct adder
{
template< int LHS, int RHS >
std::integral_constant<int,LHS+RHS>
operator()( std::integral_constant<int,LHS>, std::integral_constant<int,RHS> )
{
return {};
}
};
auto result = foldl( adder(),
std::integral_constant<int,19>{},
std::integral_constant<int,23>{}
);
assert( result.value == 42 );
However this fails to compile.
foldl( adder(),
std::integral_constant<int,1>{},
std::integral_constant<int,2>{},
std::integral_constant<int,3>{},
std::integral_constant<int,4>{},
);
Oddly, if I remove all std::forward
and rvalue refs from the code it works fine.
What am I doing wrong?
Is this a compiler bug?