python string 문자열 함수 중 자주 사용되는 함수로 split(), append(), lower, replace() 이 있다.            split()      문자열을 list로 나누어주는 함수이다. 문자열을 나누는 기준이되는 separator를     매개변수로 받는다.     string.split(separator, maxsplit)        tweets = "thank you welcoming ceremony it will always be remembered"  def break_into_words(text):     words = text.split(' ')     return words  print(break_into_words(tweets))           split()과 split(' ')의 차이      spllit()은 문자열 안에 공백이 여러개있거나, Tab, enter같은 공백도 다 하나로     처리해서 나누고, split(' ') 은 ' '안에 공백이 하나면, 공백 하나를 기준으로     문자열을 나누기 때문에 용도에 따라서 정확하게 사용해야 한다.      append()      list에 새로운 원소를 추가하기 위해 사용하는 함수이다.       tweets = ['a', 'is', 'back', 'and', 'we', 'are', 'coming', 'back']  def make_new_list(text):     new_list = []     for i in range(len(text)):         if text[i].startswith('b'):             new_list.append(text[i])          return new_list   new_list = make_...