gpt4 book ai didi

C++ 清理字符串函数

转载 作者:太空狗 更新时间:2023-10-29 23:00:15 25 4
gpt4 key购买 nike

我需要为以下字符构建自己的清理函数:

', ", \, \n, \r, \0 and CTRL-Z

我想确保下面的代码可以无副作用地完成任务:

#include <iostream>
#include <string>
#include <memory>
#include <sstream>
#include <iomanip>
#include <algorithm>

void sanitize (std::string &stringValue)
{
stringValue.replace(stringValue.begin(), stringValue.end(), "\\", "\\\\");
stringValue.replace(stringValue.begin(), stringValue.end(), "'", "\\'");
stringValue.replace(stringValue.begin(), stringValue.end(), "\"", "\\\"");
stringValue.replace(stringValue.begin(), stringValue.end(), "\n", "");
stringValue.replace(stringValue.begin(), stringValue.end(), "\r", "");
stringValue.replace(stringValue.begin(), stringValue.end(), "\0", "");
stringValue.replace(stringValue.begin(), stringValue.end(), "\x1A", "");
}

int main()
{
std::string stringValue = "This is a test string with 'special //characters\n";

std::cout << stringValue << std::endl;

sanitize(stringValue);

std::cout << stringValue << std::endl;
}

此代码无效。错误:

    terminate called after throwing an instance of 'std::length_error'
what(): basic_string::_M_replace
1
1 This is a test string with 'special //characters

原码here

最佳答案

请参阅对我的帖子的评论,了解为什么您的 replace 调用不正确。 "\0"还有一个问题:

stringValue.replace(stringValue.begin(), stringValue.end(), "\0", "");

\0 标记 C 字符串的结尾,因此它将尝试用空字符串替换空字符串。您似乎要删除 \n、\r、\0 和 CTRL-Z,在这种情况下您可以使用 erase-remove idiom而不是这些:

void sanitize(std::string &stringValue)
{
// Add backslashes.
for (auto i = stringValue.begin();;) {
auto const pos = std::find_if(
i, stringValue.end(),
[](char const c) { return '\\' == c || '\'' == c || '"' == c; }
);
if (pos == stringValue.end()) {
break;
}
i = std::next(stringValue.insert(pos, '\\'), 2);
}

// Removes others.
stringValue.erase(
std::remove_if(
stringValue.begin(), stringValue.end(), [](char const c) {
return '\n' == c || '\r' == c || '\0' == c || '\x1A' == c;
}
),
stringValue.end()
);
}

See it working here .

关于C++ 清理字符串函数,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/34221156/

25 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com