Computer >> 컴퓨터 >  >> 프로그램 작성 >> C++

C/C++ 문자열의 단어를 반복하는 가장 우아한 방법

<시간/>

C/C++ 문자열의 단어를 반복하는 우아한 방법은 없습니다. 가장 읽기 쉬운 방법이 어떤 사람에게는 가장 우아하고 어떤 사람에게는 가장 성능이 좋은 방법이라고 할 수 있습니다. 이를 달성하는 데 사용할 수 있는 2가지 방법을 나열했습니다. 첫 번째 방법은 stringstream을 사용하여 공백으로 구분된 단어를 읽는 것입니다. 이것은 약간 제한적이지만 적절한 검사를 제공하면 작업을 상당히 잘 수행합니다.

예시

#include <vector>
#include <string>
#include <sstream>
using namespace std;
int main() {
    string str("Hello from the dark side");
    string tmp;            // A string to store the word on each iteration.
    stringstream str_strm(str);
    vector<string> words;     // Create vector to hold our words
    while (str_strm >> tmp) {
        // Provide proper checks here for tmp like if empty
        // Also strip down symbols like !, ., ?, etc.
        // Finally push it.
        words.push_back(tmp);
    }
}

또 다른 방법은 getline 함수 −

를 사용하여 문자열을 분할하는 사용자 지정 구분 기호를 제공하는 것입니다.

예시

#include <vector>
#include <string>
#include <sstream>
using namespace std;
int main() {
    std::stringstream str_strm("Hello from the dark side");
    std::string tmp;
    vector<string> words;
    char delim = ' '; // Ddefine the delimiter to split by
    while (std::getline(str_strm, tmp, delim)) {
        // Provide proper checks here for tmp like if empty
        // Also strip down symbols like !, ., ?, etc.
        // Finally push it.
        words.push_back(tmp);
    }
}