Delete Chars in Python

ぃ、小莉子 提交于 2019-12-02 06:26:06

问题


does anybody know how to delete all characters behind a specific character??

like this:

http://google.com/translate_t

into

http://google.com

回答1:


if you're asking about an abstract string and not url you could go with:

>>> astring ="http://google.com/translate_t"
>>> astring.rpartition('/')[0]
http://google.com



回答2:


For urls, using urlparse:

>>> import urlparse
>>> parts = urlparse.urlsplit('http://google.com/path/to/resource?query=spam#anchor')
>>> parts
('http', 'google.com', '/path/to/resource', 'query=spam', 'anchor')
>>> urlparse.urlunsplit((parts[0], parts[1], '', '', ''))
'http://google.com'

For arbitrary strings, using re:

>>> import re
>>> re.split(r'\b/\b', 'http://google.com/path/to/resource', 1)
['http://google.com', 'path/to/resource']



回答3:


str="http://google.com/translate_t"
shortened=str[0:str.rfind("/")]

Should do it. str[a:b] returns a substring in python. And rfind is used to find the index of a character sequence, starting at the end of the string.




回答4:


If you know the position of the character then you can use the slice syntax to to create a new string:

In [2]: s1 = "abc123"
In [3]: s2 = s1[:3]
In [4]: print s2
abc

To find the position you can use the find() or index() methods of strings. The split() and partition() methods may be useful, too. Those methods are documented in the Python docs for sequences.

To remove a part of a string is imposible because strings are immutable.

If you want to process URLs then you should definitely use the urlparse library. It lets you split an URL into its parts. If you just want remove a part of the file path then you will have to do that still by yourself.



来源:https://stackoverflow.com/questions/549130/delete-chars-in-python

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!