Asked 8 months ago
0Comments
2 Views
Given a string (s) , determine if it can be a valid palindrome by removing at most one character.
The Clever Approach: The key insight here is that we don't need to check every possible character removal. We can do this efficiently by using two pointers and a helper function. Let's break it down!
Now, let's dry run this bad boy!
Example: s = "abca"
class Solution {
public:
bool checkPalindrome( string s , int start , int end){
while(start<end){
if(s[start] != s[end]){
return false ;
}
start++ ;
end -- ;
}
return true ;
}
bool validPalindrome(string s) {
int start = 0 ;
int end = s.length()-1 ;
while(start <= end){
if(s[start] != s[end]){
// ek baar i ko remove aur ek baar j ko remove
return checkPalindrome(s , start , end-1) ||
checkPalindrome(s , start +1 , end) ;
}else if (s[start] == s[end]){
start++ ;
end -- ;
}
}
return true ;
}
};
The Beauty of This Solution:
Pro Tips:
Share