Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C++ Split String Every X Characters

I am trying to write a function that takes a string, and splits every X number of characters:

std::vector<std::string> DIFSplitStringByNumber(std::string s, int l)
{
    const char *c = s.c_str();  
    char buffer[l];
    std::vector<std::string> entries;
    entries.reserve(int(s.length() / l) + 1);

    int d = 0;   
    for(int i = 0; i < s.length() - 1;)
    {
        if(d != l)
        {
            buffer[d] = c[i];
            d++;
            i++;
        }
        else
        {
            entries.push_back(std::string(buffer, l));

            //Clear array
            memset(buffer, 0, l);
            d = 0;
        }       
    }

    return entries;
}

For example, If I called DIFSplitStringByNumber("hello!", 2), I should get a vector containing:

[0] he
[1] ll
[2] o!

However, it only seems to get the first two results (the vector size is 2), and when I do something like DIFSplitStringByNumber("hello", 2), it crashes, presumably because its trying to access an array index that doesn't exist (it expects 6 characters, but there are only 5). Is there a simpler way to do this?

like image 638
Igor Avatar asked Jul 29 '14 18:07

Igor


2 Answers

The heart of the algorithm really comes down to the following two lines.

for (size_t i = 0; i < s.size(); i += l)
    res.push_back(s.substr(i, l));

Also, you should pass the string by const reference.

like image 98
avakar Avatar answered Sep 21 '22 08:09

avakar


This will split a string into a vector. If there aren't an even number of splits, it will add the extra characters to the end.

std::vector<std::string> Split(const std::string& str, int splitLength)
{
   int NumSubstrings = str.length() / splitLength;
   std::vector<std::string> ret;

   for (auto i = 0; i < NumSubstrings; i++)
   {
        ret.push_back(str.substr(i * splitLength, splitLength));
   }

   // If there are leftover characters, create a shorter item at the end.
   if (str.length() % splitLength != 0)
   {
        ret.push_back(str.substr(splitLength * NumSubstrings));
   }


   return ret;
}
like image 22
lcs Avatar answered Sep 18 '22 08:09

lcs