सी/सी ++ स्ट्रिंग के शब्दों को फिर से शुरू करने का कोई भी शानदार तरीका नहीं है। सबसे अधिक पठनीय तरीके को कुछ के लिए सबसे सुंदर कहा जा सकता है जबकि दूसरों के लिए सबसे अधिक प्रदर्शन करने वाला। मैंने 2 विधियों को सूचीबद्ध किया है जिनका उपयोग आप इसे प्राप्त करने के लिए कर सकते हैं। रिक्त स्थान से अलग किए गए शब्दों को पढ़ने के लिए पहला तरीका स्ट्रिंगस्ट्रीम का उपयोग कर रहा है। यह थोड़ा सीमित है लेकिन यदि आप उचित जांच प्रदान करते हैं तो यह कार्य काफी अच्छी तरह से करता है।
उदाहरण
#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); } }
गेटलाइन फ़ंक्शन का उपयोग करके स्ट्रिंग को विभाजित करने के लिए एक कस्टम डिलीमीटर प्रदान करने का दूसरा तरीका है -
उदाहरण
#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); } }