Python-split()函式用法及簡單實現

TigerJin發表於2021-09-11

Python-split()函式用法及簡單實現

在Python中,split() 方法可以實現將一個字串按照指定的分隔符切分成多個子串,這些子串會被儲存到列表中(不包含分隔符),作為方法的返回值反饋回來。

split函式用法

split(sep=None, maxsplit=-1)

引數

sep – 分隔符,預設為所有的空字元,包括空格、換行(n)、製表符(t)等。

maxsplit – 分割次數。預設為 -1, 即分隔所有。

例項:

// 例子

String = 'Hello world! Nice to meet you'

String.split()
['Hello', 'world!', 'Nice', 'to', 'meet', 'you']

String.split(' ', 3)
['Hello', 'world!', 'Nice', 'to meet you']

String1, String2 = String.split(' ', 1) 
// 也可以將字串分割後返回給對應的n個目標,但是要注意字串開頭是否存在分隔符,若存在會分割出一個空字串
String1 = 'Hello'
String2 = 'world! Nice to meet you'

String.split('!')
// 選擇其他分隔符
['Hello world', ' Nice to meet you']

split函式實現

    def split(self, *args, **kwargs): # real signature unknown
        """
        Return a list of the words in the string, using sep as the delimiter string.
        
          sep
            The delimiter according which to split the string.
            None (the default value) means split according to any whitespace,
            and discard empty strings from the result.
          maxsplit
            Maximum number of splits to do.
            -1 (the default value) means no limit.
        """
        pass

上圖為Pycharm文件

def my_split(string, sep, maxsplit):
    ret = []
    len_sep = len(sep)
    if maxsplit == -1:
        maxsplit = len(string) + 2
    for _ in range(maxsplit):
        index = string.find(sep)
        if index == -1:
            ret.append(string)
            return ret
        else:
            ret.append(string[:index])
            string = string[index + len_sep:]
    ret.append(string)
    return ret


if __name__ == "__main__":
    print(my_split("abcded", "cd", -1))
    print(my_split('Hello World! Nice to meet you', ' ', 3))

以上就是Python-split()函式用法及簡單實現,希望能幫助到你哦~

(推薦作業系統:windows7系統、Python 3.9.1,DELL G3電腦。)

來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/2144/viewspace-2831637/,如需轉載,請註明出處,否則將追究法律責任。

相關文章