我有一个字符串,开头有很多空格.如果我想找出第一个不是空格的角色的位置,我该怎么做?
解决方法
见
std::string::find_first_not_of
.
要查找第一个非空格字符的位置(索引):
str.find_first_not_of(' ');
要查找第一个非空白字符的位置(索引):
str.find_first_not_of(" \t\r\n");
如果str为空或完全由空白组成,则返回str.npos.
您可以使用find_first_not_of修剪有问题的前导空格:
str.erase(0,str.find_first_not_of(" \t\r\n"));
如果你不想硬编码哪些字符算作空格(例如使用语言环境),你仍然可以或多或少地使用sbi最初建议的方式使用isspace和find_if,但要注意否定isspace,例如:
string::iterator it_first_nonspace = find_if(str.begin(),str.end(),not1(isspace)); // e.g. number of blank characters to skip size_t chars_to_skip = it_first_nonspace - str.begin(); // e.g. trim leading blanks str.erase(str.begin(),it_first_nonspace);