問題: リストとして渡された区切り文字によって文字列を単語のリストに分割します。
弦:"After the flood ... all the colors came out."
望ましい出力: ['After', 'the', 'flood', 'all', 'the', 'colors', 'came', 'out']
私は次の関数を書きました-関数に組み込まれているpythonのいくつかを使用して文字列を分割するより良い方法があることを認識していますが、学習のためにこの方法で進めると思いました:
def split_string(source,splitlist):
result = []
for e in source:
if e in splitlist:
end = source.find(e)
result.append(source[0:end])
tmp = source[end+1:]
for f in tmp:
if f not in splitlist:
start = tmp.find(f)
break
source = tmp[start:]
return result
out = split_string("After the flood ... all the colors came out.", " .")
print out
['After', 'the', 'flood', 'all', 'the', 'colors', 'came out', '', '', '', '', '', '', '', '', '']
なぜ「出てきた」が「出た」と「出た」に分けられないのか、私には理解できません。2 つの単語の間の空白文字が無視されているようです。出力の残りは、「出てきた」問題に関連する問題に起因するジャンクだと思います。
編集:
@Ivc の提案に従い、次のコードを思いつきました。
def split_string(source,splitlist):
result = []
lasti = -1
for i, e in enumerate(source):
if e in splitlist:
tmp = source[lasti+1:i]
if tmp not in splitlist:
result.append(tmp)
lasti = i
if e not in splitlist and i == len(source) - 1:
tmp = source[lasti+1:i+1]
result.append(tmp)
return result
out = split_string("This is a test-of the,string separation-code!"," ,!-")
print out
#>>> ['This', 'is', 'a', 'test', 'of', 'the', 'string', 'separation', 'code']
out = split_string("After the flood ... all the colors came out.", " .")
print out
#>>> ['After', 'the', 'flood', 'all', 'the', 'colors', 'came', 'out']
out = split_string("First Name,Last Name,Street Address,City,State,Zip Code",",")
print out
#>>>['First Name', 'Last Name', 'Street Address', 'City', 'State', 'Zip Code']
out = split_string(" After the flood ... all the colors came out...............", " ."
print out
#>>>['After', 'the', 'flood', 'all', 'the', 'colors', 'came', 'out']