在C ++中方便地声明编译时字符串


137

能够在C ++中的编译期间创建和操作字符串有几个有用的应用程序。尽管可以用C ++创建编译时字符串,但是该过程非常繁琐,因为需要将字符串声明为可变的字符序列,例如

using str = sequence<'H', 'e', 'l', 'l', 'o', ',', ' ', 'w', 'o', 'r', 'l', 'd', '!'>;

诸如字符串连接,子字符串提取等操作很容易实现为对字符序列的操作。是否可以更方便地声明编译时字符串?如果没有,那么作品中是否有建议可以方便地声明编译时字符串?

为什么现有方法失败

理想情况下,我们希望能够声明如下编译时字符串:

// Approach 1
using str1 = sequence<"Hello, world!">;

或者,使用用户定义的文字,

// Approach 2
constexpr auto str2 = "Hello, world!"_s;

哪里decltype(str2)会有constexpr构造函数。可以利用以下事实来实现方法1的更混乱的版本:

template <unsigned Size, const char Array[Size]>
struct foo;

但是,该数组需要具有外部链接,因此要使方法1起作用,我们将必须编写如下内容:

/* Implementation of array to sequence goes here. */

constexpr const char str[] = "Hello, world!";

int main()
{
    using s = string<13, str>;
    return 0;
}

不用说,这很不方便。方法2实际上是不可能实现的。如果要声明(constexpr)文字运算符,那么如何指定返回类型?由于我们需要运算符返回可变参数的字符序列,因此我们需要使用const char*参数来指定返回类型:

constexpr auto
operator"" _s(const char* s, size_t n) -> /* Some metafunction using `s` */

由于s不是,因此会导致编译错误constexpr。尝试通过执行以下操作来解决此问题没有太大帮助。

template <char... Ts>
constexpr sequence<Ts...> operator"" _s() { return {}; }

该标准规定,该特定的文字运算符形式保留用于整数和浮点类型。虽然123_s可以,abc_s但不会。如果我们完全抛弃用户定义的文字,而只使用常规constexpr函数怎么办?

template <unsigned Size>
constexpr auto
string(const char (&array)[Size]) -> /* Some metafunction using `array` */

和以前一样,我们遇到了一个问题,即数组(现在是constexpr函数的参数)本身不再是constexpr类型。

我相信应该可以定义一个C预处理程序宏,该宏将字符串和字符串的大小作为参数,并返回由字符串中的字符组成的序列(使用BOOST_PP_FOR,字符串化,数组下标等)。但是,我没有时间(或足够的兴趣)来实现这样的宏=)


2
Boost具有一个宏,该宏定义了可以用作常量表达式的字符串。好吧,它定义了一个具有字符串成员的类。你检查了吗?
2013年


1
堆栈溢出是不适合询问有关某项提议的地方。最好的地方是C ++网站
Nicol Bolas

1
基本上,您将存储在array / ptr中的字符扩展到一个参数包中(就像Xeo一样)。尽管它们没有分成非类型的模板参数,但是您可以在constexpr函数中使用它们并初始化数组(因此,可以使用concat,substr等)。
dyp

1
@MareInfinitus简而言之,constexpr可以在编译时解析字符串,以便您可以根据结果采用不同的代码路径。本质上,您可以在C ++中创建EDL。应用程序是无限的。
void-pointer

Answers:


127

我还没有看到任何与Scott Schurrstr_constC ++ Now 2012 发表的文章相称的优雅之处。它确实需要constexpr

以下是您可以使用它的方法以及它的作用:

int
main()
{
    constexpr str_const my_string = "Hello, world!";
    static_assert(my_string.size() == 13, "");
    static_assert(my_string[4] == 'o', "");
    constexpr str_const my_other_string = my_string;
    static_assert(my_string == my_other_string, "");
    constexpr str_const world(my_string, 7, 5);
    static_assert(world == "world", "");
//  constexpr char x = world[5]; // Does not compile because index is out of range!
}

它并没有比编译时范围检查更酷!

使用和实现都没有宏。字符串大小没有人为限制。我会在此处发布实现,但是我尊重Scott的隐式版权。该实现在上面链接的他的演示文稿的单个幻灯片上。


3
创建新的constexpr字符串的操作(例如字符串连接和子字符串提取)是否可以使用这种方法?也许使用两个constexpr-string类(一个基于,str_const另一个基于sequence),这是可能的。用户将用于str_const初始化字符串,但是随后创建新字符串的操作将返回sequence对象。
void-pointer

5
这是一段不错的代码。但是,与以字符序列作为模板参数声明的字符串相比,此方法仍然存在缺陷:str_const是常量值,而不是类型,因此无法使用很多元编程习惯用法。
Jean-Bernard Jansen 2014年

1
@JBJansen,可以在没有哈希函数的情况下将字符串编译为可以用作模板参数的类型。每个不同的字符串都给出不同的类型。基本思想是将字符串转换为字符包template<char... cs>。从理论上讲,您可以构建采用文字字符串并将内容编译为函数的东西。请参阅dyp的答案。一个非常完整的库是metaparse。本质上,您可以定义从文字字符串到类型的任何映射,并使用这种技术实现它。
亚伦·麦克戴德

1
我不同意这种热情……不适用于模板元功能– 非常烦人,因为constexpr函数可以在运行时调用的愚蠢妥协–没有真正的串联,需要定义一个char数组(在标头中很难看)–尽管这多亏了上述constexpr的折衷,大多数无宏解决方案都是如此-范围检查并没有给我留下太多印象,因为即使是最低端的constexpr const char *也具有这种优势。我滚动了自己的参数包字符串,它也可以由文字(使用元函数)制成,但需要付出数组定义的代价。
Arne Vogel 2015年

2
@ user975326:我刚刚检查了它的实现,好像我添加了constexpr operator==。抱歉。斯科特(Scott)的演讲应该使您开始如何做。在C ++ 14中比在C ++ 11中容易得多。我什至不用在C ++ 11中尝试。请constexpr在此处查看Scott的最新演讲:youtube.com/user/CppCon
Howard Hinnant 2015年

41

我认为应该可以定义一个C预处理程序宏,该宏以字符串和字符串的大小作为参数,并返回由字符串中的字符组成的序列(使用BOOST_PP_FOR,字符串化,数组下标等)。但是,我没有时间(或足够的兴趣)来实现这样的宏

使用非常简单的宏和某些C ++ 11功能,可以在不依赖boost的情况下实现此功能:

  1. Lambdas variadic
  2. 范本
  3. 广义常数表达式
  4. 非静态数据成员初始化器
  5. 统一初始化

(此处后两项不是严格要求的)

  1. 我们需要能够使用用户提供的索引(从0到N)实例化可变参数模板-该工具也非常有用,例如,可以将元组扩展为可变参数模板函数的参数(请参阅问题: 如何将元组扩展为可变参数模板函数的参数?
    ”解包”元组以调用匹配的函数指针

    namespace  variadic_toolbox
    {
        template<unsigned  count, 
            template<unsigned...> class  meta_functor, unsigned...  indices>
        struct  apply_range
        {
            typedef  typename apply_range<count-1, meta_functor, count-1, indices...>::result  result;
        };
    
        template<template<unsigned...> class  meta_functor, unsigned...  indices>
        struct  apply_range<0, meta_functor, indices...>
        {
            typedef  typename meta_functor<indices...>::result  result;
        };
    }
  2. 然后使用非类型参数char定义一个名为string的可变参数模板:

    namespace  compile_time
    {
        template<char...  str>
        struct  string
        {
            static  constexpr  const char  chars[sizeof...(str)+1] = {str..., '\0'};
        };
    
        template<char...  str>
        constexpr  const char  string<str...>::chars[sizeof...(str)+1];
    }
  3. 现在最有趣的部分-将字符文字传递到字符串模板中:

    namespace  compile_time
    {
        template<typename  lambda_str_type>
        struct  string_builder
        {
            template<unsigned... indices>
            struct  produce
            {
                typedef  string<lambda_str_type{}.chars[indices]...>  result;
            };
        };
    }
    
    #define  CSTRING(string_literal)                                                        \
        []{                                                                                 \
            struct  constexpr_string_type { const char * chars = string_literal; };         \
            return  variadic_toolbox::apply_range<sizeof(string_literal)-1,                 \
                compile_time::string_builder<constexpr_string_type>::produce>::result{};    \
        }()

一个简单的串联演示显示了用法:

    namespace  compile_time
    {
        template<char...  str0, char...  str1>
        string<str0..., str1...>  operator*(string<str0...>, string<str1...>)
        {
            return  {};
        }
    }

    int main()
    {
        auto  str0 = CSTRING("hello");
        auto  str1 = CSTRING(" world");

        std::cout << "runtime concat: " <<  str_hello.chars  << str_world.chars  << "\n <=> \n";
        std::cout << "compile concat: " <<  (str_hello * str_world).chars  <<  std::endl;
    }

https://ideone.com/8Ft2xu


1
这是如此简单,我仍然不敢相信它会起作用。+1!一件事:您不应该使用size_t而不是unsigned吗?
kirbyfan64sos 2014年

1
那用operator+代替operator*呢?(str_hello + str_world)
Remy Lebeau 2015年

与流行的Scott Schurr的str_const方法相比,我更喜欢这种解决方案,因为这种方法可确保基础数据为constexpr。Schurr的方法允许我在运行时使用char []堆栈变量创建一个str_const。我无法安全地从函数返回str_const或将其传递给另一个线程。
格伦

链接已消失...任何人都可以重新发布它吗?@格伦?
einpoklum's

您应该在CSTRING宏中的lambda周围添加一对额外的花括号。否则,您将无法在CSTRING内部调用[]运算符,因为double [[保留用于属性。
florestan

21

编辑:正如霍华德·辛南特(Howard Hinnant,我在对OP的评论中所指出的那样)指出,您可能不需要将字符串的每个单个字符作为单个模板参数的类型。如果您确实需要这样做,则下面有一个无宏解决方案。

我在尝试在编译时使用字符串时发现了一个技巧。除了“模板字符串”之外,它还需要引入另一种类型,但是在函数中,您可以限制此类型的范围。

它不使用宏,而是使用某些C ++ 11功能。

#include <iostream>

// helper function
constexpr unsigned c_strlen( char const* str, unsigned count = 0 )
{
    return ('\0' == str[0]) ? count : c_strlen(str+1, count+1);
}

// helper "function" struct
template < char t_c, char... tt_c >
struct rec_print
{
    static void print()
    {
        std::cout << t_c;
        rec_print < tt_c... > :: print ();
    }
};
    template < char t_c >
    struct rec_print < t_c >
    {
        static void print() { std::cout << t_c; }
    };


// destination "template string" type
template < char... tt_c >
struct exploded_string
{
    static void print()
    {
        rec_print < tt_c... > :: print();
    }
};

// struct to explode a `char const*` to an `exploded_string` type
template < typename T_StrProvider, unsigned t_len, char... tt_c >
struct explode_impl
{
    using result =
        typename explode_impl < T_StrProvider, t_len-1,
                                T_StrProvider::str()[t_len-1],
                                tt_c... > :: result;
};

    template < typename T_StrProvider, char... tt_c >
    struct explode_impl < T_StrProvider, 0, tt_c... >
    {
         using result = exploded_string < tt_c... >;
    };

// syntactical sugar
template < typename T_StrProvider >
using explode =
    typename explode_impl < T_StrProvider,
                            c_strlen(T_StrProvider::str()) > :: result;


int main()
{
    // the trick is to introduce a type which provides the string, rather than
    // storing the string itself
    struct my_str_provider
    {
        constexpr static char const* str() { return "hello world"; }
    };

    auto my_str = explode < my_str_provider >{};    // as a variable
    using My_Str = explode < my_str_provider >;    // as a type

    my_str.print();
}

1
我刚刚度过了一个周末,独立开发了类似的代码,并制作了一个非常基本的系统来解析类型字符串,例如pair<int,pair<char,double>>。我为自己感到骄傲,然后发现了这个答案以及今天的metaparse库!在启动像这样的愚蠢项目之前,我真的应该更彻底地搜索SO :-)我想,从理论上讲,可以使用这种技术来构建完整的C ++编译器。用这个构建的最疯狂的东西是什么?
亚伦·麦克戴德

我不知道。我从未在实际项目中真正使用过这些技术,因此我没有采用这种方法。虽然我想我记得局部类型技巧的细微变化,但稍微更方便了char[]
dyp

你的意思my_str.print();不是str.print();
mike 2016年

是否有C ++ 14稍短的版本?
mike 2016年

必须提供提供程序(至少在C ++ 11中)是很可惜的-我真的很希望能够在同一条语句中使用字符串:/
Alec Teal

10

如果您不想使用Boost解决方案,则可以创建简单的宏来执行类似的操作:

#define MACRO_GET_1(str, i) \
    (sizeof(str) > (i) ? str[(i)] : 0)

#define MACRO_GET_4(str, i) \
    MACRO_GET_1(str, i+0),  \
    MACRO_GET_1(str, i+1),  \
    MACRO_GET_1(str, i+2),  \
    MACRO_GET_1(str, i+3)

#define MACRO_GET_16(str, i) \
    MACRO_GET_4(str, i+0),   \
    MACRO_GET_4(str, i+4),   \
    MACRO_GET_4(str, i+8),   \
    MACRO_GET_4(str, i+12)

#define MACRO_GET_64(str, i) \
    MACRO_GET_16(str, i+0),  \
    MACRO_GET_16(str, i+16), \
    MACRO_GET_16(str, i+32), \
    MACRO_GET_16(str, i+48)

#define MACRO_GET_STR(str) MACRO_GET_64(str, 0), 0 //guard for longer strings

using seq = sequence<MACRO_GET_STR("Hello world!")>;

唯一的问题是64个字符的固定大小(加上其他零)。但是可以根据您的需要轻松更改它。


我非常喜欢这种解决方案;这非常简单,并且做得很好。是否可以修改宏,以便不附加任何内容sizeof(str) > i(而不是附加额外的0,标记)?定义trim将在宏被调用之后执行此操作的元函数很容易,但是如果可以修改宏本身,那将是很好的选择。
void-pointer

这是不可能的,因为解析器无法理解sizeof(str)。可以像这样手动添加字符串大小,MACRO_GET_STR(6, "Hello")但这需要Boost宏才能工作,因为手动编写它需要100倍以上的代码(您需要实现,如简单的东西1+1)。
Yankes 2013年

6

我认为应该可以定义一个C预处理程序宏,该宏将字符串和字符串的大小作为参数,并返回由字符串中的字符组成的序列(使用BOOST_PP_FOR,字符串化,数组下标等)

有文章:Abel Sinkovics和Dave Abrahams 在C ++模板元程序中使用字符串

它对您使用宏+ BOOST_PP_REPEAT的想法有所改进-不需要将显式大小传递给宏。简而言之,它基于固定的字符串大小上限和“字符串溢出保护”:

template <int N>
constexpr char at(char const(&s)[N], int i)
{
    return i >= N ? '\0' : s[i];
}

加上条件的boost :: mpl :: push_back


我更改了对Yankes解决方案的可接受答案,因为它可以解决此特定问题,并且无需使用constexpr或复杂的预处理程序代码即可优雅地完成。

如果您接受结尾的零,手写宏循环,扩展宏中字符串的2倍重复,并且没有Boost-那么我同意-更好。但是,使用Boost只需三行:

现场演示

#include <boost/preprocessor/repetition/repeat.hpp>
#define GET_STR_AUX(_, i, str) (sizeof(str) > (i) ? str[(i)] : 0),
#define GET_STR(str) BOOST_PP_REPEAT(64,GET_STR_AUX,str) 0

我最初将解决方案更改为Yankes,因为他在这里提供了第一个工作示例。在这一点上,有很多好的竞争想法。这么早选择答案是我的错误。目前,我将这个问题标记为“未回答”,直到我有时间尝试一下每个人都在这里发表的想法之前,我将保留该问题。人们在这里给出的答案中有很多有用的信息……
void-pointer

我同意-例如,我喜欢Howard Hinnant的例子。
Evgeny Panasyuk

5

似乎没人喜欢我的其他答案:-<。所以在这里,我展示了如何将str_const转换为实型:

#include <iostream>
#include <utility>

// constexpr string with const member functions
class str_const { 
private:
    const char* const p_;
    const std::size_t sz_;
public:

    template<std::size_t N>
    constexpr str_const(const char(&a)[N]) : // ctor
    p_(a), sz_(N-1) {}

    constexpr char operator[](std::size_t n) const { 
        return n < sz_ ? p_[n] :
        throw std::out_of_range("");
    }

    constexpr std::size_t size() const { return sz_; } // size()
};


template <char... letters>
struct string_t{
    static char const * c_str() {
        static constexpr char string[]={letters...,'\0'};
        return string;
    }
};

template<str_const const& str,std::size_t... I>
auto constexpr expand(std::index_sequence<I...>){
    return string_t<str[I]...>{};
}

template<str_const const& str>
using string_const_to_type = decltype(expand<str>(std::make_index_sequence<str.size()>{}));

constexpr str_const hello{"Hello World"};
using hello_t = string_const_to_type<hello>;

int main()
{
//    char c = hello_t{};        // Compile error to print type
    std::cout << hello_t::c_str();
    return 0;
}

使用clang ++ -stdlib = libc ++ -std = c ++ 14(clang 3.7)编译


效果很好,但不适用于msvc 2019,因为它抱怨str.size()不是constexpr。可以通过分别推导str.size()来添加第二个值来修复。也许阻碍了一些投票;-)
扎卡里亚斯

4

这是一个简洁的C ++ 14解决方案,用于为每个传递的编译时字符串创建std :: tuple <char ...>。

#include <tuple>
#include <utility>


namespace detail {
        template <std::size_t ... indices>
        decltype(auto) build_string(const char * str, std::index_sequence<indices...>) {
                return std::make_tuple(str[indices]...);
        }
}

template <std::size_t N>
constexpr decltype(auto) make_string(const char(&str)[N]) {
        return detail::build_string(str, std::make_index_sequence<N>());
}

auto HelloStrObject = make_string("hello");

这是一个用于创建独特的编译时类型的方法,该类型在另一篇宏文章中进行了精简。

#include <utility>

template <char ... Chars>
struct String {};

template <typename Str, std::size_t ... indices>
decltype(auto) build_string(std::index_sequence<indices...>) {
        return String<Str().chars[indices]...>();
}

#define make_string(str) []{\
        struct Str { const char * chars = str; };\
        return build_string<Str>(std::make_index_sequence<sizeof(str)>());\
}()

auto HelloStrObject = make_string("hello");

用户定义的文字还不能用于此操作真是太糟糕了。


实际上,他们可以使用GCC / Clang支持的扩展,但是我将等待将其添加到标准中后再将其发布为答案。
无效指针

3

一位同事挑战我在编译时将内存中的字符串连接起来。它还包括在编译时实例化单个字符串。完整的代码清单在这里:

//Arrange strings contiguously in memory at compile-time from string literals.
//All free functions prefixed with "my" to faciliate grepping the symbol tree
//(none of them should show up).

#include <iostream>

using std::size_t;

//wrapper for const char* to "allocate" space for it at compile-time
template<size_t N>
struct String {
    //C arrays can only be initialised with a comma-delimited list
    //of values in curly braces. Good thing the compiler expands
    //parameter packs into comma-delimited lists. Now we just have
    //to get a parameter pack of char into the constructor.
    template<typename... Args>
    constexpr String(Args... args):_str{ args... } { }
    const char _str[N];
};

//takes variadic number of chars, creates String object from it.
//i.e. myMakeStringFromChars('f', 'o', 'o', '\0') -> String<4>::_str = "foo"
template<typename... Args>
constexpr auto myMakeStringFromChars(Args... args) -> String<sizeof...(Args)> {
    return String<sizeof...(args)>(args...);
}

//This struct is here just because the iteration is going up instead of
//down. The solution was to mix traditional template metaprogramming
//with constexpr to be able to terminate the recursion since the template
//parameter N is needed in order to return the right-sized String<N>.
//This class exists only to dispatch on the recursion being finished or not.
//The default below continues recursion.
template<bool TERMINATE>
struct RecurseOrStop {
    template<size_t N, size_t I, typename... Args>
    static constexpr String<N> recurseOrStop(const char* str, Args... args);
};

//Specialisation to terminate recursion when all characters have been
//stripped from the string and converted to a variadic template parameter pack.
template<>
struct RecurseOrStop<true> {
    template<size_t N, size_t I, typename... Args>
    static constexpr String<N> recurseOrStop(const char* str, Args... args);
};

//Actual function to recurse over the string and turn it into a variadic
//parameter list of characters.
//Named differently to avoid infinite recursion.
template<size_t N, size_t I = 0, typename... Args>
constexpr String<N> myRecurseOrStop(const char* str, Args... args) {
    //template needed after :: since the compiler needs to distinguish
    //between recurseOrStop being a function template with 2 paramaters
    //or an enum being compared to N (recurseOrStop < N)
    return RecurseOrStop<I == N>::template recurseOrStop<N, I>(str, args...);
}

//implementation of the declaration above
//add a character to the end of the parameter pack and recurse to next character.
template<bool TERMINATE>
template<size_t N, size_t I, typename... Args>
constexpr String<N> RecurseOrStop<TERMINATE>::recurseOrStop(const char* str,
                                                            Args... args) {
    return myRecurseOrStop<N, I + 1>(str, args..., str[I]);
}

//implementation of the declaration above
//terminate recursion and construct string from full list of characters.
template<size_t N, size_t I, typename... Args>
constexpr String<N> RecurseOrStop<true>::recurseOrStop(const char* str,
                                                       Args... args) {
    return myMakeStringFromChars(args...);
}

//takes a compile-time static string literal and returns String<N> from it
//this happens by transforming the string literal into a variadic paramater
//pack of char.
//i.e. myMakeString("foo") -> calls myMakeStringFromChars('f', 'o', 'o', '\0');
template<size_t N>
constexpr String<N> myMakeString(const char (&str)[N]) {
    return myRecurseOrStop<N>(str);
}

//Simple tuple implementation. The only reason std::tuple isn't being used
//is because its only constexpr constructor is the default constructor.
//We need a constexpr constructor to be able to do compile-time shenanigans,
//and it's easier to roll our own tuple than to edit the standard library code.

//use MyTupleLeaf to construct MyTuple and make sure the order in memory
//is the same as the order of the variadic parameter pack passed to MyTuple.
template<typename T>
struct MyTupleLeaf {
    constexpr MyTupleLeaf(T value):_value(value) { }
    T _value;
};

//Use MyTupleLeaf implementation to define MyTuple.
//Won't work if used with 2 String<> objects of the same size but this
//is just a toy implementation anyway. Multiple inheritance guarantees
//data in the same order in memory as the variadic parameters.
template<typename... Args>
struct MyTuple: public MyTupleLeaf<Args>... {
    constexpr MyTuple(Args... args):MyTupleLeaf<Args>(args)... { }
};

//Helper function akin to std::make_tuple. Needed since functions can deduce
//types from parameter values, but classes can't.
template<typename... Args>
constexpr MyTuple<Args...> myMakeTuple(Args... args) {
    return MyTuple<Args...>(args...);
}

//Takes a variadic list of string literals and returns a tuple of String<> objects.
//These will be contiguous in memory. Trailing '\0' adds 1 to the size of each string.
//i.e. ("foo", "foobar") -> (const char (&arg1)[4], const char (&arg2)[7]) params ->
//                       ->  MyTuple<String<4>, String<7>> return value
template<size_t... Sizes>
constexpr auto myMakeStrings(const char (&...args)[Sizes]) -> MyTuple<String<Sizes>...> {
    //expands into myMakeTuple(myMakeString(arg1), myMakeString(arg2), ...)
    return myMakeTuple(myMakeString(args)...);
}

//Prints tuple of strings
template<typename T> //just to avoid typing the tuple type of the strings param
void printStrings(const T& strings) {
    //No std::get or any other helpers for MyTuple, so intead just cast it to
    //const char* to explore its layout in memory. We could add iterators to
    //myTuple and do "for(auto data: strings)" for ease of use, but the whole
    //point of this exercise is the memory layout and nothing makes that clearer
    //than the ugly cast below.
    const char* const chars = reinterpret_cast<const char*>(&strings);
    std::cout << "Printing strings of total size " << sizeof(strings);
    std::cout << " bytes:\n";
    std::cout << "-------------------------------\n";

    for(size_t i = 0; i < sizeof(strings); ++i) {
        chars[i] == '\0' ? std::cout << "\n" : std::cout << chars[i];
    }

    std::cout << "-------------------------------\n";
    std::cout << "\n\n";
}

int main() {
    {
        constexpr auto strings = myMakeStrings("foo", "foobar",
                                               "strings at compile time");
        printStrings(strings);
    }

    {
        constexpr auto strings = myMakeStrings("Some more strings",
                                               "just to show Jeff to not try",
                                               "to challenge C++11 again :P",
                                               "with more",
                                               "to show this is variadic");
        printStrings(strings);
    }

    std::cout << "Running 'objdump -t |grep my' should show that none of the\n";
    std::cout << "functions defined in this file (except printStrings()) are in\n";
    std::cout << "the executable. All computations are done by the compiler at\n";
    std::cout << "compile-time. printStrings() executes at run-time.\n";
}

您确定在编译时完成了吗?前段时间对此进行了讨论,对我而言,结果尚不清楚。
dyp

跑步objdump -t a.out |grep my一无所获。当我开始键入此代码时,我一直在尝试constexpr从函数中删除并objdumpconstexpr省略时显示它们。我有99.9%的信心在编译时会发生。
阿提拉·内维斯

1
如果查看反汇编(-S),您会发现gcc(4.7.2)确实constexpr在编译时解析了函数。但是,字符串不是在编译时组装的。相反,(如果我正确解释的话)对于那些“组合”字符串的每个字符,都有一个自己的movb操作,可以说这是您要寻找的优化。
dyp

2
确实如此。我再次尝试使用gcc 4.9,它仍然做同样的事情。我一直以为这是愚蠢的编译器,直到昨天才尝试使用其他编译器。使用clang时,根本不存在按字节移动。使用gcc时,-Os也会摆脱它们,但是-O3会做同样的事情。
阿提拉·内维斯

2

根据Howard Hinnant的想法,您可以创建文字类,将两个文字相加在一起。

template<int>
using charDummy = char;

template<int... dummy>
struct F
{
    const char table[sizeof...(dummy) + 1];
    constexpr F(const char* a) : table{ str_at<dummy>(a)..., 0}
    {

    }
    constexpr F(charDummy<dummy>... a) : table{ a..., 0}
    {

    }

    constexpr F(const F& a) : table{ a.table[dummy]..., 0}
    {

    }

    template<int... dummyB>
    constexpr F<dummy..., sizeof...(dummy)+dummyB...> operator+(F<dummyB...> b)
    {
        return { this->table[dummy]..., b.table[dummyB]... };
    }
};

template<int I>
struct get_string
{
    constexpr static auto g(const char* a) -> decltype( get_string<I-1>::g(a) + F<0>(a + I))
    {
        return get_string<I-1>::g(a) + F<0>(a + I);
    }
};

template<>
struct get_string<0>
{
    constexpr static F<0> g(const char* a)
    {
        return {a};
    }
};

template<int I>
constexpr auto make_string(const char (&a)[I]) -> decltype( get_string<I-2>::g(a) )
{
    return get_string<I-2>::g(a);
}

constexpr auto a = make_string("abc");
constexpr auto b = a+ make_string("def"); // b.table == "abcdef" 

哪里str_at来的?
mic_e 2015年

其内容如下:str_at<int I>(const char* a) { return a[i]; }
Yankes'Yan

2

您的方法1是正确的方法。

但是,该数组需要具有外部链接,因此要使方法1起作用,我们将必须编写如下代码:constexpr const char str [] =“ Hello,world!”;

不,不正确。这将使用clang和gcc进行编译。我希望它是标准的c ++ 11,但我不是语言爱好者。

#include <iostream>

template <char... letters>
struct string_t{
    static char const * c_str() {
        static constexpr char string[]={letters...,'\0'};
        return string;
    }
};

// just live with it, but only once
using Hello_World_t = string_t<'H','e','l','l','o',' ','w','o','r','l','d','!'>;

template <typename Name>
void print()
{
    //String as template parameter
    std::cout << Name::c_str();
}

int main() {
    std::cout << Hello_World_t::c_str() << std::endl;
    print<Hello_World_t>();
    return 0;
}

我对c ++ 17的真正爱好是等同于以下内容(以完成方法1)

// for template <char...>
<"Text"> == <'T','e','x','t'>

模板化的用户定义文字的标准中已经存在一些非常相似的内容,正如void指针也提到的那样,但仅适用于数字。在此之前,另一个小技巧是使用替代编辑模式+复制和粘贴

string_t<' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' ',' '>;

如果您不介意宏,则可以使用此宏(从Yankes的答案稍作修改):

#define MACRO_GET_1(str, i) \
(sizeof(str) > (i) ? str[(i)] : 0)

#define MACRO_GET_4(str, i) \
MACRO_GET_1(str, i+0),  \
MACRO_GET_1(str, i+1),  \
MACRO_GET_1(str, i+2),  \
MACRO_GET_1(str, i+3)

#define MACRO_GET_16(str, i) \
MACRO_GET_4(str, i+0),   \
MACRO_GET_4(str, i+4),   \
MACRO_GET_4(str, i+8),   \
MACRO_GET_4(str, i+12)

#define MACRO_GET_64(str, i) \
MACRO_GET_16(str, i+0),  \
MACRO_GET_16(str, i+16), \
MACRO_GET_16(str, i+32), \
MACRO_GET_16(str, i+48)

//CT_STR means Compile-Time_String
#define CT_STR(str) string_t<MACRO_GET_64(#str, 0), 0 >//guard for longer strings

print<CT_STR(Hello World!)>();

2

kacey用于创建唯一编译时类型的解决方案也可以稍作修改而用于C ++ 11:

template <char... Chars>
struct string_t {};

namespace detail {
template <typename Str,unsigned int N,char... Chars>
struct make_string_t : make_string_t<Str,N-1,Str().chars[N-1],Chars...> {};

template <typename Str,char... Chars>
struct make_string_t<Str,0,Chars...> { typedef string_t<Chars...> type; };
} // namespace detail

#define CSTR(str) []{ \
    struct Str { const char *chars = str; }; \
    return detail::make_string_t<Str,sizeof(str)>::type(); \
  }()

用:

template <typename String>
void test(String) {
  // ... String = string_t<'H','e','l','l','o','\0'>
}

test(CSTR("Hello"));

2

在玩加速汉娜地图时,我遇到了这个话题。由于没有答案可以解决我的问题,因此我想在此处添加其他解决方案,因为这可能对其他人有帮助。

我的问题是,在将boost hana映射与hana字符串一起使用时,编译器仍会生成一些运行时代码(请参见下文)。显然是因为在编译时查询映射必须是constexpr。这是不可能的,因为BOOST_HANA_STRING宏会生成lambda,该lambda不能在constexpr上下文中使用。另一方面,地图需要具有不同内容的字符串成为不同类型。

由于该线程中的解决方案要么使用lambda,要么不为不同的内容提供不同的类型,因此我发现以下方法很有用。另外,它避免了hacky str<'a', 'b', 'c'>语法。

基本思想是str_const在字符的散列上模板化Scott Schurr的模板。可以c++14,但是c++11使用该crc32函数的递归实现应该可以(请参见此处)。

// str_const from https://github.com/boostcon/cppnow_presentations_2012/blob/master/wed/schurr_cpp11_tools_for_class_authors.pdf?raw=true

    #include <string>

template<unsigned Hash>  ////// <- This is the difference...
class str_const2 { // constexpr string
private:
    const char* const p_;
    const std::size_t sz_;
public:
    template<std::size_t N>
    constexpr str_const2(const char(&a)[N]) : // ctor
        p_(a), sz_(N - 1) {}


    constexpr char operator[](std::size_t n) const { // []
        return n < sz_ ? p_[n] :
            throw std::out_of_range("");
    }

    constexpr std::size_t size() const { return sz_; } // size()

    constexpr const char* const data() const {
        return p_;
    }
};

// Crc32 hash function. Non-recursive version of https://stackoverflow.com/a/23683218/8494588
static constexpr unsigned int crc_table[256] = {
    0x00000000, 0x77073096, 0xee0e612c, 0x990951ba, 0x076dc419, 0x706af48f,
    0xe963a535, 0x9e6495a3, 0x0edb8832, 0x79dcb8a4, 0xe0d5e91e, 0x97d2d988,
    0x09b64c2b, 0x7eb17cbd, 0xe7b82d07, 0x90bf1d91, 0x1db71064, 0x6ab020f2,
    0xf3b97148, 0x84be41de, 0x1adad47d, 0x6ddde4eb, 0xf4d4b551, 0x83d385c7,
    0x136c9856, 0x646ba8c0, 0xfd62f97a, 0x8a65c9ec, 0x14015c4f, 0x63066cd9,
    0xfa0f3d63, 0x8d080df5, 0x3b6e20c8, 0x4c69105e, 0xd56041e4, 0xa2677172,
    0x3c03e4d1, 0x4b04d447, 0xd20d85fd, 0xa50ab56b, 0x35b5a8fa, 0x42b2986c,
    0xdbbbc9d6, 0xacbcf940, 0x32d86ce3, 0x45df5c75, 0xdcd60dcf, 0xabd13d59,
    0x26d930ac, 0x51de003a, 0xc8d75180, 0xbfd06116, 0x21b4f4b5, 0x56b3c423,
    0xcfba9599, 0xb8bda50f, 0x2802b89e, 0x5f058808, 0xc60cd9b2, 0xb10be924,
    0x2f6f7c87, 0x58684c11, 0xc1611dab, 0xb6662d3d, 0x76dc4190, 0x01db7106,
    0x98d220bc, 0xefd5102a, 0x71b18589, 0x06b6b51f, 0x9fbfe4a5, 0xe8b8d433,
    0x7807c9a2, 0x0f00f934, 0x9609a88e, 0xe10e9818, 0x7f6a0dbb, 0x086d3d2d,
    0x91646c97, 0xe6635c01, 0x6b6b51f4, 0x1c6c6162, 0x856530d8, 0xf262004e,
    0x6c0695ed, 0x1b01a57b, 0x8208f4c1, 0xf50fc457, 0x65b0d9c6, 0x12b7e950,
    0x8bbeb8ea, 0xfcb9887c, 0x62dd1ddf, 0x15da2d49, 0x8cd37cf3, 0xfbd44c65,
    0x4db26158, 0x3ab551ce, 0xa3bc0074, 0xd4bb30e2, 0x4adfa541, 0x3dd895d7,
    0xa4d1c46d, 0xd3d6f4fb, 0x4369e96a, 0x346ed9fc, 0xad678846, 0xda60b8d0,
    0x44042d73, 0x33031de5, 0xaa0a4c5f, 0xdd0d7cc9, 0x5005713c, 0x270241aa,
    0xbe0b1010, 0xc90c2086, 0x5768b525, 0x206f85b3, 0xb966d409, 0xce61e49f,
    0x5edef90e, 0x29d9c998, 0xb0d09822, 0xc7d7a8b4, 0x59b33d17, 0x2eb40d81,
    0xb7bd5c3b, 0xc0ba6cad, 0xedb88320, 0x9abfb3b6, 0x03b6e20c, 0x74b1d29a,
    0xead54739, 0x9dd277af, 0x04db2615, 0x73dc1683, 0xe3630b12, 0x94643b84,
    0x0d6d6a3e, 0x7a6a5aa8, 0xe40ecf0b, 0x9309ff9d, 0x0a00ae27, 0x7d079eb1,
    0xf00f9344, 0x8708a3d2, 0x1e01f268, 0x6906c2fe, 0xf762575d, 0x806567cb,
    0x196c3671, 0x6e6b06e7, 0xfed41b76, 0x89d32be0, 0x10da7a5a, 0x67dd4acc,
    0xf9b9df6f, 0x8ebeeff9, 0x17b7be43, 0x60b08ed5, 0xd6d6a3e8, 0xa1d1937e,
    0x38d8c2c4, 0x4fdff252, 0xd1bb67f1, 0xa6bc5767, 0x3fb506dd, 0x48b2364b,
    0xd80d2bda, 0xaf0a1b4c, 0x36034af6, 0x41047a60, 0xdf60efc3, 0xa867df55,
    0x316e8eef, 0x4669be79, 0xcb61b38c, 0xbc66831a, 0x256fd2a0, 0x5268e236,
    0xcc0c7795, 0xbb0b4703, 0x220216b9, 0x5505262f, 0xc5ba3bbe, 0xb2bd0b28,
    0x2bb45a92, 0x5cb36a04, 0xc2d7ffa7, 0xb5d0cf31, 0x2cd99e8b, 0x5bdeae1d,
    0x9b64c2b0, 0xec63f226, 0x756aa39c, 0x026d930a, 0x9c0906a9, 0xeb0e363f,
    0x72076785, 0x05005713, 0x95bf4a82, 0xe2b87a14, 0x7bb12bae, 0x0cb61b38,
    0x92d28e9b, 0xe5d5be0d, 0x7cdcefb7, 0x0bdbdf21, 0x86d3d2d4, 0xf1d4e242,
    0x68ddb3f8, 0x1fda836e, 0x81be16cd, 0xf6b9265b, 0x6fb077e1, 0x18b74777,
    0x88085ae6, 0xff0f6a70, 0x66063bca, 0x11010b5c, 0x8f659eff, 0xf862ae69,
    0x616bffd3, 0x166ccf45, 0xa00ae278, 0xd70dd2ee, 0x4e048354, 0x3903b3c2,
    0xa7672661, 0xd06016f7, 0x4969474d, 0x3e6e77db, 0xaed16a4a, 0xd9d65adc,
    0x40df0b66, 0x37d83bf0, 0xa9bcae53, 0xdebb9ec5, 0x47b2cf7f, 0x30b5ffe9,
    0xbdbdf21c, 0xcabac28a, 0x53b39330, 0x24b4a3a6, 0xbad03605, 0xcdd70693,
    0x54de5729, 0x23d967bf, 0xb3667a2e, 0xc4614ab8, 0x5d681b02, 0x2a6f2b94,
    0xb40bbe37, 0xc30c8ea1, 0x5a05df1b, 0x2d02ef8d
};

template<size_t N>
constexpr auto crc32(const char(&str)[N])
{
    unsigned int prev_crc = 0xFFFFFFFF;
    for (auto idx = 0; idx < sizeof(str) - 1; ++idx)
        prev_crc = (prev_crc >> 8) ^ crc_table[(prev_crc ^ str[idx]) & 0xFF];
    return prev_crc ^ 0xFFFFFFFF;
}

// Conveniently create a str_const2
#define CSTRING(text) str_const2 < crc32( text ) >( text )

// Conveniently create a hana type_c<str_const2> for use in map
#define CSTRING_TYPE(text) hana::type_c<decltype(str_const2 < crc32( text ) >( text ))>

用法:

#include <boost/hana.hpp>

#include <boost/hana/map.hpp>
#include <boost/hana/pair.hpp>
#include <boost/hana/type.hpp>

namespace hana = boost::hana;

int main() {

    constexpr auto s2 = CSTRING("blah");

    constexpr auto X = hana::make_map(
        hana::make_pair(CSTRING_TYPE("aa"), 1)
    );    
    constexpr auto X2 = hana::insert(X, hana::make_pair(CSTRING_TYPE("aab"), 2));   
    constexpr auto ret = X2[(CSTRING_TYPE("aab"))];
    return ret;
}

clang-cl5.0的最终汇编代码为:

012A1370  mov         eax,2  
012A1375  ret  

0

我想对@ user1115339 的答案进行两个非常小的改进。我在答案的注释中提到了它们,但是为了方便起见,我将在此处放置一个复制粘贴解决方案。

唯一的区别是 FIXED_CSTRING宏,它允许使用类模板中的字符串以及用作索引运算符的参数(如果您具有例如编译时映射,则很有用)。

现场例子

namespace  variadic_toolbox
{
    template<unsigned  count, 
        template<unsigned...> class  meta_functor, unsigned...  indices>
    struct  apply_range
    {
        typedef  typename apply_range<count-1, meta_functor, count-1, indices...>::result  result;
    };

    template<template<unsigned...> class  meta_functor, unsigned...  indices>
    struct  apply_range<0, meta_functor, indices...>
    {
        typedef  typename meta_functor<indices...>::result  result;
    };
}

namespace  compile_time
{
    template<char...  str>
    struct  string
    {
        static  constexpr  const char  chars[sizeof...(str)+1] = {str..., '\0'};
    };

    template<char...  str>
    constexpr  const char  string<str...>::chars[sizeof...(str)+1];

    template<typename  lambda_str_type>
    struct  string_builder
    {
        template<unsigned... indices>
        struct  produce
        {
            typedef  string<lambda_str_type{}.chars[indices]...>  result;
        };
    };
}

#define  CSTRING(string_literal)                                                        \
    []{                                                                                 \
        struct  constexpr_string_type { const char * chars = string_literal; };         \
        return  variadic_toolbox::apply_range<sizeof(string_literal)-1,                 \
            compile_time::string_builder<constexpr_string_type>::produce>::result{};    \
    }()


#define  FIXED_CSTRING(string_literal)                                                        \
    ([]{                                                                                 \
        struct  constexpr_string_type { const char * chars = string_literal; };         \
        return  typename variadic_toolbox::apply_range<sizeof(string_literal)-1,                 \
            compile_time::string_builder<constexpr_string_type>::template produce>::result{};    \
    }())    

struct A {

    auto test() {
        return FIXED_CSTRING("blah"); // works
        // return CSTRING("blah"); // works too
    }

    template<typename X>
    auto operator[](X) {
        return 42;
    }
};

template<typename T>
struct B {

    auto test() {       
       // return CSTRING("blah");// does not compile
       return FIXED_CSTRING("blah"); // works
    }
};

int main() {
    A a;
    //return a[CSTRING("blah")]; // fails with error: two consecutive ' [ ' shall only introduce an attribute before ' [ ' token
    return a[FIXED_CSTRING("blah")];
}

0

我自己的实现基于Boost.Hana字符串(带有可变字符的模板类)的方法,但是仅使用C++11标准和constexpr函数,对编译时间进行严格检查(如果不是编译时间表达式,则会出现编译时间错误)。可以从通常的原始C字符串(而不是{'a', 'b', 'c' }通过宏)(通过宏)构造。

实施:https : //sourceforge.net/p/tacklelib/tacklelib/HEAD/tree/trunk/include/tacklelib/tackle/tmpl_string.hpp

测试:https : //sourceforge.net/p/tacklelib/tacklelib/HEAD/tree/trunk/src/tests/unit/test_tmpl_string.cpp

用法示例:

const auto s0    = TACKLE_TMPL_STRING(0, "012");            // "012"
const char c1_s0 = UTILITY_CONSTEXPR_GET(s0, 1);            // '1'

const auto s1    = TACKLE_TMPL_STRING(0, "__012", 2);       // "012"
const char c1_s1 = UTILITY_CONSTEXPR_GET(s1, 1);            // '1'

const auto s2    = TACKLE_TMPL_STRING(0, "__012__", 2, 3);  // "012"
const char c1_s2 = UTILITY_CONSTEXPR_GET(s2, 1);            // '1'

// TACKLE_TMPL_STRING(0, "012") and TACKLE_TMPL_STRING(1, "012")
//   - semantically having different addresses.
//   So id can be used to generate new static array class field to store
//   a string bytes at different address.

// Can be overloaded in functions with another type to express the compiletimeness between functions:

template <uint64_t id, typename CharT, CharT... tchars>
const overload_resolution_1 & test_overload_resolution(const tackle::tmpl_basic_string<id, CharT, tchars...> &);
template <typename CharT>
const overload_resolution_2 & test_overload_resolution(const tackle::constexpr_basic_string<CharT> &);

// , where `constexpr_basic_string` is another approach which loses
//   the compiletimeness between function signature and body border,
//   because even in a `constexpr` function the compile time argument
//   looses the compiletimeness nature and becomes a runtime one.

有关constexpr函数编译时间边界的详细信息:https : //www.boost.org/doc/libs/1_65_0/libs/hana/doc/html/index.html#tutorial-appendix-constexpr

有关其他用法的详细信息,请参见测试。

整个项目目前处于试验阶段。


0

在带有辅助宏功能的C ++ 17中,创建编译时间字符串很容易:

template <char... Cs>
struct ConstexprString
{
    static constexpr int size = sizeof...( Cs );
    static constexpr char buffer[size] = { Cs... };
};

template <char... C1, char... C2>
constexpr bool operator==( const ConstexprString<C1...>& lhs, const ConstexprString<C2...>& rhs )
{
    if( lhs.size != rhs.size )
        return false;

    return std::is_same_v<std::integer_sequence<char, C1...>, std::integer_sequence<char, C2...>>;
}




template <typename F, std::size_t... Is>
constexpr auto ConstexprStringBuilder( F f, std::index_sequence<Is...> )
{
    return ConstexprString<f( Is )...>{};
}

#define CONSTEXPR_STRING( x )                                              \
  ConstexprStringBuilder( []( std::size_t i ) constexpr { return x[i]; },  \
                 std::make_index_sequence<sizeof(x)>{} )

这是一个用法示例:

auto n = CONSTEXPR_STRING( "ab" );
auto m = CONSTEXPR_STRING( "ab" );


static_assert(n == m);
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.