>  기사  >  백엔드 개발  >  C 문자열에서 선행 및 후행 공백을 어떻게 제거하고 여러 공백을 단일 공백으로 줄이나요?

C 문자열에서 선행 및 후행 공백을 어떻게 제거하고 여러 공백을 단일 공백으로 줄이나요?

Mary-Kate Olsen
Mary-Kate Olsen원래의
2024-11-13 07:07:02246검색

How do I remove leading and trailing spaces, and reduce multiple spaces to single spaces in a C   string?

C의 문자열에서 선행 및 후행 공백 제거

일반적으로 문자열 트리밍이라고 알려진 이 작업은 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() 함수는 다음 작업을 수행합니다.

  1. 트림 Trim() 함수를 사용하여 문자열을 삭제합니다.
  2. find_first_of, find_first_not_of, 바꾸기를 사용하여 연속된 공백을 단일 공백으로 바꿉니다.
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 중국어 웹사이트의 기타 관련 기사를 참조하세요!

성명:
본 글의 내용은 네티즌들의 자발적인 기여로 작성되었으며, 저작권은 원저작자에게 있습니다. 본 사이트는 이에 상응하는 법적 책임을 지지 않습니다. 표절이나 침해가 의심되는 콘텐츠를 발견한 경우 admin@php.cn으로 문의하세요.