반응형
Notice
Recent Posts
Recent Comments
Link
일 | 월 | 화 | 수 | 목 | 금 | 토 |
---|---|---|---|---|---|---|
1 | 2 | 3 | 4 | |||
5 | 6 | 7 | 8 | 9 | 10 | 11 |
12 | 13 | 14 | 15 | 16 | 17 | 18 |
19 | 20 | 21 | 22 | 23 | 24 | 25 |
26 | 27 | 28 | 29 | 30 | 31 |
Tags
- 리액트
- web
- Level1
- dp
- 자바스크립트
- Level2
- 웹프로그래밍
- 파이썬
- react
- 고득점Kit
- C++
- 백준
- 리트코드
- Level3
- 카카오
- javascript
- 동적계획법
- 코테연습
- Doitvue.js입문
- 프로그래머스
- OS
- typescript
- sql
- 배열
- CS
- Medium
- python
- VUE
- 프로그래밍
- LeetCode
Archives
- Today
- Total
[리트코드] 125. Valid Palindrome - python 본문
반응형
125. Valid Palindrome
문제
A phrase is a palindrome if, after converting all uppercase letters into lowercase letters and removing all non-alphanumeric characters, it reads the same forward and backward. Alphanumeric characters include letters and numbers.
Given a string s, return true if it is a palindrome, or false otherwise.
제한사항
- 1 <= s.length <= 2 * 105
- s consists only of printable ASCII characters.
풀이
1. 소문자로 다 바꾸기
2. 문자이거나 숫자 아닌 것 제거
3. 왼쪽 포인터와 오른쪽 포인터 비교
4. 같으면 한칸씩 움직이기
5. 다르면 펠린드롭 아님
6. 교차될 때 멈추기
class Solution:
def isPalindrome(self, s: str) -> bool:
s = s.lower()
s = re.sub("[^a-z0-9]", "", s)
start, end = 0, len(s) - 1
while start < end:
if s[start] != s[end]:
return False
start += 1
end -= 1
return True
제거하지 않고 지나치면서 확인하는 방법
class Solution:
def isPalindrome(self, s: str) -> bool:
beg, end = 0, len(s) - 1
while beg <= end:
while not s[beg].isalnum() and beg < end: beg += 1
while not s[end].isalnum() and beg < end: end -= 1
if s[beg] == s[end] or s[beg].upper() == s[end].upper():
beg, end = beg + 1, end - 1
else:
return False
return True
반응형
'코테 문제 풀이' 카테고리의 다른 글
[프로그래머스] 가장 긴 팰린드롬 - python (0) | 2022.04.13 |
---|---|
[리트코드] 680. Valid Palindrome II - python (0) | 2022.04.13 |
[리트코드] 49. Group Anagrams - python (0) | 2022.04.13 |
[리트코드] 3. Longest Substring Without Repeating Characters (0) | 2022.04.13 |
[리트코드] 415. Add Strings - python (0) | 2022.04.12 |
Comments