Prepend std::string

后端 未结 4 507
醉梦人生
醉梦人生 2021-02-06 20:03

What is the most efficient way to prepend std::string? Is it worth writing out an entire function to do so, or would it take only 1 - 2 lines? I\'m not seeing anyth

4条回答
  •  醉酒成梦
    2021-02-06 20:59

    There actually is a similar function to the non-existing std::string::push_front, see the below example.


    Documentation of std::string::insert

    #include 
    #include 
    
    int
    main (int argc, char *argv[])
    {
      std::string s1 (" world");
      std::string s2 ("ello");
    
      s1.insert (0,     s2); // insert the contents of s2 at offset 0 in s1
      s1.insert (0, 1, 'h'); // insert one (1) 'h'        at offset 0 in s1
    
      std::cout << s1 << std::endl;
    }
    

    output:

    hello world
    

    Since prepending a string with data might require both reallocation and copy/move of existing data you can get some performance benefits by getting rid of the reallocation part by using std::string::reserve (to allocate more memory before hand).

    The copy/move of data is sadly quite inevitable, unless you define your own custom made class that acts like std::string that allocates a large buffer and places the first content in the center of this memory buffer.

    Then you can both prepend and append data without reallocation and moving data, if the buffer is large enough that is. Copying from source to destination is still, obviously, required though.


    If you have a buffer in which you know you will prepend data more often than you append a good alternative is to store the string backwards, and reversing it when needed (if that is more rare).

提交回复
热议问题