9

I tried code below in Wandbox:

#include <array>
#include <iostream>
#include <tuple>
#include <typeinfo>
#include <functional>
#include <utility>


int main()
{
    constexpr std::array<const char, 10> str{"123456789"};
    constexpr auto foo = std::apply([](auto... args) constexpr { std::integer_sequence<char, args...>{}; } , str);
    std::cout << typeid(foo).name();
}

and the compiler told me that args... are not constant expression. What's wrong?

4

3 回答 3

7

函数参数不能标注constexpr。因此,您不能在需要常量表达式的地方使用它们,例如非类型模板参数。

做你想做的事情需要某种基于模板参数的编译时字符串处理。

于 2016-11-12T05:30:36.063 回答
5

您可以在没有以下情况下完成您想要的std::apply

#include <array>
#include <iostream>
#include <tuple>
#include <typeinfo>
#include <functional>
#include <utility>
#include <type_traits>

template <std::size_t N, class = std::make_index_sequence<N>>
struct iterate;

template <std::size_t N, std::size_t... Is>
struct iterate<N, std::index_sequence<Is...>> {
    template <class Lambda>
    constexpr auto operator()(Lambda lambda) {
        return lambda(std::integral_constant<std::size_t, Is>{}...);
    }
};

int main()
{
    constexpr std::array<const char, 10> str{"123456789"};
    constexpr auto foo = iterate<str.size()>{}([](auto... is) constexpr { return std::integer_sequence<char, str[is]...>{}; });
    std::cout << typeid(foo).name();
}

[现场演示]

于 2016-11-12T12:17:16.703 回答
4

所有 constexpr 函数都必须在 constexpr 和 not 都有效,即使标记为 constexpr。

有一个关于将字符作为非类型模板参数传递的 constexpr 文字的提议。然后"hello"_bob可以直接扩展为参数包。

另一种方法是您可以std::integral_constant<T, t>通过某种机制传递给 lambda,例如 my indexer. 然后转换T为 constexpr 即使变量不是。"hello"这对您的序列没有帮助。

于 2016-11-12T09:28:49.163 回答