logo

Stringstream を使用して文字列からスペースを削除する

文字列からスペースを削除する解決策はすでに投稿されています ここ 。この記事では、次のソリューションを使用します ストリングストリーム が議論されています。

アルゴリズム:  



1. Enter the whole string into stringstream. 2. Empty the string. 3. Extract word by word and concatenate to the string.

プログラム 1: 使用する 終了後 。 

CPP
// C++ program to remove spaces using stringstream #include    using namespace std; // Function to remove spaces string removeSpaces(string str) {  stringstream ss;  string temp;  // Storing the whole string  // into string stream  ss << str;  // Making the string empty  str = '';  // Running loop till end of stream  while (!ss.eof()) {  // Extracting word by word from stream  ss >> temp;  // Concatenating in the string to be  // returned  str = str + temp;  }  return str; } // Driver function int main() {  // Sample Inputs  string s = 'This is a test';  cout << removeSpaces(s) << endl;  s = 'geeks for geeks';  cout << removeSpaces(s) << endl;  s = 'geeks quiz is awesome!';  cout << removeSpaces(s) << endl;  s = 'I love to code';  cout << removeSpaces(s) << endl;  return 0; } 

出力
Thisisatest geeksforgeeks geeksquizisawesome! Ilovetocode

時間計算量: O(n) (n は文字列の長さ)
補助スペース: の上)

プログラム 2: 使用する getline() 。 



CPP
// C++ program to remove spaces using stringstream // and getline() #include    using namespace std; // Function to remove spaces string removeSpaces(string str) {  // Storing the whole string  // into string stream  stringstream ss(str);  string temp;  // Making the string empty  str = '';  // Running loop till end of stream  // and getting every word  while (getline(ss temp ' ')) {  // Concatenating in the string  // to be returned  str = str + temp;  }  return str; } // Driver function int main() {  // Sample Inputs  string s = 'This is a test';  cout << removeSpaces(s) << endl;  s = 'geeks for geeks';  cout << removeSpaces(s) << endl;  s = 'geeks quiz is awesome!';  cout << removeSpaces(s) << endl;  s = 'I love to code';  cout << removeSpaces(s) << endl;  return 0; } // Code contributed by saychakr13 

出力
Thisisatest geeksforgeeks geeksquizisawesome! Ilovetocode

時間計算量: O(n) 
補助スペース: O(n)