Valid Palindrome
๋ฌธ์
string์ด ์ฃผ์ด์ง๋๋ฐ, ์ํ๋ฒณ์ ๋ชจ๋ ์๋ฌธ์๋ก ๋ณ๊ฒฝํ๊ณ ๋๋จธ์ง ๋ฌธ์๋ ์ ์ธํ์์๋ ์ด ๋ฌธ์์ด์ด ํ๋ฌธ์ธ์ง๋ฅผ ํ๋จํ๋ค.
์์) Example 1:
Input: s = โA man, a plan, a canal: Panamaโ Output: true Explanation: โamanaplanacanalpanamaโ is a palindrome. Example 2:
Input: s = โrace a carโ Output: false Explanation: โraceacarโ is not a palindrome. Example 3:
Input: s = โ โ Output: true Explanation: s is an empty string โโ after removing non-alphanumeric characters. Since an empty string reads the same forward and backward, it is a palindrome.
ํ์ด
import re
class Solution:
def isPalindrome(self, s: str) -> bool:
s = s.lower()
s = re.sub(r'[^a-z]',"",s)
if s == s[::-1]:
return True
else: return False
์๊ฒ๋ ์
- ๋ฌธ์ ์์ alphanumeric์ด๋ผ๊ณ ํ๋ค๋ฉด ์ํ๋ฒณ ๋ฟ ์๋๋ผ ์ซ์๋ ๋จ๊ฒจ์ผ ํ๋ค. ๋๋ ๊ทธ๋ฅ ์ํ๋ฒณ ๋นผ๋ฉด ๋ค ๋จ๊ธฐ๋์ค ์์์ ์๋๊ฑด ์ญ์ ํ๋ ์ ๊ท ํํ์์ ์ผ๋๋ฐ, ์ด๋ฐ ๊ฒฝ์ฐ์๋ isalpha()์์์ ์ธ ์ ์๋ค๊ณ ํ๋ค. ๊ทธ์น๋ง ์์ด๊ฐ ๋ชจ๊ตญ์ด๊ฐ ์๋ ์ฌ๋์ด ์๊ธฐ๋ ์ด๋ ต๋ค.
- ๋ฌธ์์ด ์ฌ๋ผ์ด์ฑ์์ ๊ฑฐ๊พธ๋ก ๋ค์ง์ด๋ด์ผ ํ๋ ๊ฒฝ์ฐ์๋ ๋ค์๊ณผ ๊ฐ์ ์ ํ์ง๊ฐ ์๋ค.
text = "hello" reversed_text = ''.join(reversed(text))
reversed๋ ๋ฆฌ์คํธ๋ฅผ ๋ค์ง์ด์ฃผ๋๋ฐ, reversed๋ ๊ฑธ ๊ทธ๋๋ก printํ๋ฉด ๊ฐ์ฒด ์์ฒด๋ฅผ ๋ฐํํ๋ค. ๋ฆฌ์คํธ๋ฅผ ์ฆ์ ๋ค์ง์ด์ ๋ฐํํ์ง ์๊ณ ๋ฐ๋ณต์(iterator)๋ฅผ ๋ฐํํ๊ธฐ ๋๋ฌธ์ด๋ค. ๋ฐ๋ณต์๋ ์๋ณธ ๋ฐ์ดํฐ๋ฅผ ํ๋ฒ์ ํ๋์ฉ ์ฝ์ ์ ์์ง๋ง, ์ง์ ์ถ๋ ฅํ๋ฉด ๊ฐ์ฒด์ ๋ฉ๋ชจ๋ฆฌ ์ฃผ์๋ฅผ ๋ฐํํ๋ค. ๋ฐ๋ผ์ ์ด๋ฅผ ๋ค์ ๋ฆฌ์คํธ๋ ๋ฌธ์์ด๋ก ๋ฐํํ๋ ๊ณผ์ ์ด ํ์ํ๋ค!
Leave a comment