我想將"Onehundredthousand"
拆分爲"one"
"hundred"
"thousand"
使用python。 我該怎麼做?將字符串拆分爲python中的單獨字符串
2
A
回答
5
>>> s = "Onehundredthousand"
>>> s.replace('hundred', '_hundred_').split('_')
['One', 'hundred', 'thousand']
這隻對給定的字符串有效。
4
使用正則表達式re.split
。如果您使用捕獲組作爲分隔符,它也將被包括在結果列表:
>>> import re
>>> re.split('(hundred)', 'Onehundredthousand')
['One', 'hundred', 'thousand']
+0
感謝您的支持 –
6
您可以使用一個字符串的partition
方法將其分爲3個部分(左部分,分離器,右邊部分):
"onehundredthousand".partition("hundred")
# output: ('one', 'hundred', 'thousand')
相關問題
- 1. 將字符串拆分爲兩個單獨的字符串
- 2. 將字符串拆分爲字符串
- 3. 將字符串拆分爲字符串
- 4. 將Python的字符串列表拆分爲基於字符的單獨列表
- 5. C#拆分字符串 - 將字符串拆分爲數組
- 6. Java:將字符串拆分爲單獨的字符串和整數變量
- 7. 將字符串拆分爲「。」
- 8. 將字符串拆分爲「|」
- 9. 拆分字符數組爲單獨的字符串
- 10. 將lua字符串拆分爲字符
- 11. php將字符串拆分爲字符
- 12. PatternSyntaxException將字符串拆分爲「*」字符
- 13. 將表空間中的字符串拆分爲單獨的列
- 14. 如何將字符串拆分爲單個字符串?
- 15. 將字符串拆分爲C++中的單獨變量
- 16. 如何將json字符串拆分爲mysql中的單獨行
- 17. Python的字符串拆分
- 18. 字符串操作:將此字符串拆分爲 - 字符?
- 19. 如何將字符串拆分爲java中的子字符串
- 20. 將CSV字符串拆分爲PHP中的多個字符串
- 21. 如何將字符串拆分爲iOS中的子字符串?
- 22. 如何在python中將字符串拆分爲字符?
- 23. 將字符串生成器拆分爲字符串字符串特定字符
- 24. 將字符串拆分爲兩個div,並將其拆分爲字符串php
- 25. Python字符串拆分
- 26. 拆分字符串在python
- 27. Python字符串拆分
- 28. Python字符串拆分
- 29. Python拆分字符串
- 30. 如何將字符串拆分爲字母字符串和數字字符串?
post ur attempts .. –
只是對於這個特定的字符串,可以有n種不同的解決方案。但是如果你想要一個通用的解決方案,你需要有一些分隔符。 –