일반적으로 문자열 트리밍이라고 알려진 이 작업은 C의 문자열 클래스를 사용하여 수행할 수 있습니다. 단어 사이에 발생할 수 있는 추가 공백을 해결하기 위해 문자열 감소라는 별도의 작업이 사용됩니다.
선행 및 후행 공백을 제거하려면 다음을 사용하여 Trim() 함수를 정의할 수 있습니다. find_first_not_of 및 find_last_not_of 메소드:
std::string trim(const std::string& str, const std::string& whitespace = " \t") { const auto strBegin = str.find_first_not_of(whitespace); if (strBegin == std::string::npos) return ""; // no content const auto strEnd = str.find_last_not_of(whitespace); const auto strRange = strEnd - strBegin + 1; return str.substr(strBegin, strRange); }
단어 사이의 추가 공백을 제거하기 위해 Reduce() 함수는 다음 작업을 수행합니다.
std::string reduce(const std::string& str, const std::string& fill = " ", const std::string& whitespace = " \t") { // trim first auto result = trim(str, whitespace); // replace sub ranges auto beginSpace = result.find_first_of(whitespace); while (beginSpace != std::string::npos) { const auto endSpace = result.find_first_not_of(whitespace, beginSpace); const auto range = endSpace - beginSpace; result.replace(beginSpace, range, fill); const auto newStart = beginSpace + fill.length(); beginSpace = result.find_first_of(whitespace, newStart); } return result; }
다음 코드는 Trim() 및 Reduce() 함수의 사용법을 보여줍니다.
int main(void) { const std::string foo = " too much\t \tspace\t\t\t "; const std::string bar = "one\ntwo"; std::cout << "[" << trim(foo) << "]" << std::endl; std::cout << "[" << reduce(foo) << "]" << std::endl; std::cout << "[" << reduce(foo, "-") << "]" << std::endl; std::cout << "[" << trim(bar) << "]" << std::endl; }
[too much space] [too much space] [too-much-space] [one two]
위 내용은 C 문자열에서 선행 및 후행 공백을 어떻게 제거하고 여러 공백을 단일 공백으로 줄이나요?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!