Asked 8 months ago
0Comments
2 Views
using namespace std;
#include <iostream>
#include <algorithm>
#include <vector>
string reverseOnlyLetters(string s)
{
int low = 0;
int high = s.size() - 1;
while (low < high)
{
if (isalpha(s[low]) && isalpha(s[high]))
{
swap(s[low], s[high]);
low++, high--;
}
else if (!isalpha(s[low]))
{
low++;
}
else
{
high--;
}
}
return s;
};
int main()
{
string s;
cout << "Enter the String : " << endl;
cin >> s;
cout << "The Reverse Pattren is : " << reverseOnlyLetters(s) << endl;
return 0;
}
// similar Problem ! reverse only letters
// vowels = A E I O U // a e i o u
// example Devloom
// Dovloem
using namespace std;
#include <iostream>
#include <algorithm>
#include <vector>
bool isVowel(char ch)
{
ch = tolower(ch);
return ch == 'a' || ch == 'e' || ch == 'i' || ch == 'o' || ch == 'u';
}
string reverseVowels(string s)
{
int low = 0;
int high = s.size() - 1;
while (low < high)
{
if (isVowel(s[low]) && isVowel(s[high]))
{
swap(s[low], s[high]);
low++, high--;
}
else if (!isVowel(s[low]))
{
low++;
}
else
{
high--;
}
}
return s;
};
int main()
{
string s;
cout << "Enter the String : " << endl;
cin >> s;
cout << "The Reverse Vowels of a String is : " << reverseVowels(s) << endl;
return 0;
}
Share