题目:
data:image/s3,"s3://crabby-images/70e34/70e34864644e62a8c996608bc55a75904d010536" alt=""
示例:
data:image/s3,"s3://crabby-images/6a752/6a75239bf49554742e898062f892ef84ab868a23" alt=""
分析:
给一个字符串,将里面的元音字母反转,并且保持非元音字母不变(包括顺序).
字符串反转类型的题,我们都可以使用双指针来解决:定义首尾指针,分别向中间靠拢,直到首尾指针都指向了元音字母,然后交换首尾指针所指的字母,如此不会影响到非元音字母,同时也将元音字母反转了.
data:image/s3,"s3://crabby-images/ff433/ff4336fc647d32993515f39b180cfd67e6f43887" alt=""
data:image/s3,"s3://crabby-images/9156a/9156a4e50a11f224b93a809f392f3934166a0c2e" alt=""
代码+结果如下:
cpp
class Solution {
public:
//判断是否为元音字母
bool isY(char c){
if(c=='a'||c=='A'||c=='e'||c=='E'||c=='i'||c=='I'||c=='o'||c=='O'||c=='u'||c=='U'){
return true;
}
return false;
}
string reverseVowels(string s) {
int l=0;
int r=s.size()-1;
//双指针寻找首尾元音字母
while(l<r){
while(l<r&&!isY(s[l])) ++l; //左指针向右寻找元音字母
while(l<r&&!isY(s[r])) --r; //右指针向左寻找元音字母
char temp=s[l];
s[l]=s[r];s[r]=temp;
++l;--r;
}
return s;
}
};
data:image/s3,"s3://crabby-images/d79d7/d79d7d9a387a73bec6232990371d8ae3189088c1" alt=""