01. Reverse Words in a String III
The problem can be found at the following link: Question Link
My Approach
Initialize two variables,
startandend, both initially set to 0. These will be used to keep track of the current word boundaries in the string.Enter a while loop that continues until the
startpointer reaches the end of the input strings.Inside the outer while loop, enter another while loop that continues until either the
endpointer reaches the end of the string or encounters a space character (' ').Inside the inner while loop, the
endpointer is incremented until it either reaches the end of the string or finds a space character, effectively identifying the end of the current word.Once the inner while loop completes, it means we have identified a word in the string. At this point, we use the
reversefunction from the C++ Standard Library to reverse the characters in the identified word. Thereversefunction takes two iterators,s.begin() + startpointing to the beginning of the word ands.begin() + endpointing to the end of the word, and reverses the characters in that range.After reversing the word, we update the
startpointer toend + 1, which sets it to the beginning of the next word (or the character after the space).We also update the
endpointer to match thestartpointer, effectively resetting it for the next word.
Time and Auxiliary Space Complexity
Time Complexity:
O(n)Auxiliary Space Complexity:
O(1)
Code (C++)
class Solution {
public:
string reverseWords(string s) {
int start=0,end=0;
while(start<s.length()){
while(end<s.length() && s[end]!= ' '){
end++;
}
reverse(s.begin()+start,s.begin()+end);
start=end+1;
end=start;
}
return s;
}
};
Contribution and Support
For discussions, questions, or doubts related to this solution, please visit our discussion section. We welcome your input and aim to foster a collaborative learning environment.
If you find this solution helpful, consider supporting us by giving a ⭐ star to the rishabhv12/Daily-Leetcode-Solution repository.
Last updated
Was this helpful?