trim函数用来去除一个字符串左右两边的空格和制表符
err例一–>一个错误的trim函数展示
string LaStrUtils::trim(const std::string& str)
{
string ret;
//find the first position of not start with space or '\t'
string::size_type pos1 = str.find_first_not_of(" ");
string::size_type pos2 = str.find_first_not_of('\t');
string::size_type pos_begin = pos1>pos2?pos1:pos2;
if(pos_begin == string::npos)
{
return str;
}
//find the last position of end with space or '\t'
string::size_type pos3 = str.find_last_of(" ");
string::size_type pos4 = str.find_last_of('\t');
string::size_type pos_end = pos3<pos4?pos3:pos4;
if(pos_end != string::npos)
{
ret = str.substr(pos_begin, pos_end - pos_begin);
}
ret = str.substr(pos_begin);
return ret;
}
测试样例
测试结果
没有考虑space和’\t’的嵌套
err例二–>使用RE(正则表达式)重整代码
错误的trim函数
bool LAStrUtils::trim(const std::string& line, std::string& ret)
{
regex_t pkg_line_regex;
//char* pkg_line_pattern = "[ |\t]*([\\+|-][a-zA-Z0-9\\+-_ ]+)[ |\t]*";
char* pkg_line_pattern = "[ |\t]*([a-zA-Z0-9\\+-_ ]+)[ |\t]*";
if(regcomp(&pkg_line_regex, pkg_line_pattern, REG_EXTENDED))
{
regfree(&pkg_line_regex);
return false;
}
regmatch_t match[];
if(regexec(&pkg_line_regex, line.c_str(), , match, ))
{
return false;
}
ret.assign(line.c_str() + match[].rm_so, match[].rm_eo - match[].rm_so);
return true;
}
用” \t aa bb cc \t “测试,最终结果是aa
没有其他输出结果了!!
正确的trim函数
最终我选择老老实实用string类
string LaStrUtils::trim(const std::string& str)
{
string ret;
//find the first position of not start with space or '\t'
string::size_type pos_begin = str.find_first_not_of(" \t");
if(pos_begin == string::npos)
return str;
//find the last position of end with space or '\t'
string::size_type pos_end = str.find_last_not_of(" \t");
if(pos_end == string::npos)
return str;
ret = str.substr(pos_begin, pos_end-pos_begin);
return ret;
}
达到了我要的目的,下图为测试样例以及测试结果,perfect!
大功告成!