1

所以我有一个函数,它在技术上索引字符串中第一个和最后一个字符之间的字符,在里面打乱,然后重新添加第一个和最后一个字母。它工作得很好,直到我意识到带有标点符号的单词使它变得古怪。我希望标点符号保持在同一个索引中,关于如何去做的任何想法?

string shuffle_word(string word){
    string scramble_str = "", full_scramble = "";
    if(word.length() > 2){
        scramble_str += word.substr(1, word.length()-2);  //indexes the inside string (excludes first and last char)
        random_shuffle(scramble_str.begin(), scramble_str.end());
        full_scramble = word[0] + scramble_str + word[word.length()-1]; //adds first and last char back on
        return full_scramble;
    }
    else{
        return word;
    }
}
4

3 回答 3

0

我会去做这样的事情:

std::vector<int> punctuatuion_char_indicies = findIndiciesOfPunctuation(input_string);

std::string result = shuffle_word(input_string);


std::vector<int> punctuatuion_char_indicies2 = findIndiciesOfPunctuation(result);




for(int i=0; i< sizeOfPunctuationVectors ; ++i)
{
  std::swap( result[ punctuatuion_char_indicies[i] ], 
             result[ punctuatuion_char_indicies2[i] ); // std::swap is in <algorithm>
}

或者您可以使用 punctuuion_char_indicies 向量部分执行您的随机播放功能。

于 2013-10-11T22:12:37.970 回答
0

对第一个和最后一个字符使用相同的变体可能是最简单的:

  1. 记录每个标点符号的位置
  2. 提取并保存标点符号
  3. 打乱字母
  4. 在其原始位置插入每个标点符号
于 2013-10-11T21:52:09.400 回答
0

您可以创建非标点字符的索引列表,然后将索引打乱。然后像这样修改字符串:

    if (numShuffledIndices > 0)
    {
        char temp = word[shuffledIndices[0]]; // save first character
        for (int i = 0; i < numShuffledIndices-1; ++i)
        {
            word[shuffledIndices[i]] = word[shuffledIndices[i+1]];
        }
        word[shuffledIndices[numShuffledIndices-1]] = temp;
    }

因此,如果字符串是“Hello, world!”,则索引将是 [0, 1, 2, 3, 4, 7, 8, 9, 10, 11]。如果将它们改组为 [7, 4, 2, 9, 1, 0, 11, 8, 3 10],则结果字符串将为“dHrll, olewo!”

于 2013-10-11T21:58:52.283 回答