주어진 키가 제목인지 확인하는 프로그램을 작성하세요.
istitle()- 각 단어의 첫 글자가 대문자인지, 나머지 글자는 모두 소문자인지 확인하세요.
txt = 'Rose Is A Beautiful Flower' if txt[0]>='a' and txt[0]<='z': print("No Title is there") else: i = 1 while i<len(txt)-1: if txt[i]==' ': if txt[i+1]>='A' and txt[i+1]<='Z': pass else: print("No Title is there") break i+=1 else: print("Title is there")
Title is there
한 단어를 다른 단어로 바꾸는 프로그램을 작성하세요.
replace()-문자열 내의 하위 문자열을 다른 하위 문자열로 바꿉니다.
txt = "I like bananas" already = "bananas" new = "apples" l = len(already) # l = 7 start = 0 end = l while end<=len(txt): if txt[start:end] == 'bananas': txt = txt[:start] + new start+=1 end+=1 else: print(txt)
I like apples
Python에서는 모든 것이 객체입니다.
모든 사물은 서로 다른 기억 공간을 만들 수 있습니다.
문자열은 불변(변경불가)입니다.
동일한 객체는 동일한 메모리를 참조할 수 있습니다.
country1 = 'India' country2 = 'India' country3 = 'India' country4 = 'India' print(id(country1)) print(id(country2)) print(id(country3)) print(id(country4)) country1 = "Singapore" print(id(country1))
135098294846640 135098294846640 135098294846640 135098294846640 135098292962352
기존 문자열을 편집하려고 해도 변경되지 않습니다. 대신, 새로운 값을 저장하기 위한 새로운 메모리가 생성됩니다.
rfind()와 rindex()의 차이점:
두 방법 모두 지정된 하위 문자열이 마지막으로 나타나는 것을 검색하지만 하위 문자열이 없으면 다르게 작동합니다.
txt = "Mi casa, su casa." x = txt.rfind("casa") print(x) x = txt.rindex("casa") print(x)
12 12
txt = "Mi casa, su casa." x = txt.rfind("basa") print(x) x = txt.rindex("basa") print(x)
-1 ValueError: substring not found
rfind()-찾을 수 없는 경우: -1을 반환합니다
rindex()-찾을 수 없는 경우: ValueError 발생
주어진 키가 사용 가능한지 확인하는 프로그램을 작성하세요.
(rfind() 또는 rindex())
txt = "Python is my favourite language" key = 'myy' l = len(key) start = 0 end = l while end<=len(txt): if txt[start:end] == key: print(start) break start += 1 end += 1 else: print('-1 or ValueError')
-1 or ValueError
주어진 텍스트를 분할하는 프로그램을 작성하세요.
split()- 지정된 구분 기호를 기준으로 문자열을 하위 문자열 목록으로 나눕니다.
txt = "Today is Wednesday" word = '' start = 0 i = 0 while i<len(txt): if txt[i]==' ': print(txt[start:i]) start = i+1 elif i == len(txt)-1: print(txt[start:i+1]) i+=1
Today is Wednesday
위 내용은 요일 문자열 함수의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!