欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

LeetCode125. Valid Palindrome

程序员文章站 2024-03-06 23:32:14
...

LeetCode125. Valid Palindrome

题目:

Given a string, determine if it is a palindrome, considering only alphanumeric characters and ignoring cases.

For example,
"A man, a plan, a canal: Panama" is a palindrome.
"race a car" is not a palindrome.

Note:
Have you consider that the string might be empty? This is a good question to ask during an interview.

For the purpose of this problem, we define empty string as valid palindrome.

题目分析:

很简单,忽略掉非字母的,然后前后循环,然后时间复杂度在O(n/2)。

代码:

class Solution {
public:
	bool isPalindrome(string s) {
		int start = 0, end = s.length() - 1;
		while (start<end) {
			if (!isalnum(s[start])) start++;
			else if (!isalnum(s[end])) end--;
			else {
				if (tolower(s[start++]) != tolower(s[end--])) return false;
			}
		}
		return true;
	}
};



相关标签: c++ leetcode