Python入门--S4列表、元组和字符串


本章主要介绍:列表、元组和字符串
数据类型分类法一:简单数据类型和容器数据类型
数据类型分类法二:常量型数据类型和可变型数据类型

4 列表、元组和字符串

4.1 列表

4.1.1列表定义

列表是有序集合,没有固定的大小,能够保存任意任意数量类型的python对象,语法为【元素1,元素2,…元素n】。

  • 关键点是[中括号[] ]和[逗号,]
  • 中括号 把所有元素绑在一起
  • 逗号 将每个元素一一分开

4.1.2 列表的创建

    1. 创建一个普通列表
      【例子】
x=['Monday','Tuesday','Wednesday','Thursday','Friday']
print(x,type(x))

# ['Monday','Tuesday','Wednesday','Thursday','Friday']<class,'list'>

x=[2,3,4,5,6,7]
print(x,type(x))
# [2,3,4,5,6,7]<class 'list'>
    1. 利用range()创建列表
      【例子】
x=list(range(10))
print(x,type(x))
#[0,1,2,3,4,5,6,7,8,9]<class 'list'>

x = list(range(1,11,2))
print(x,type(x))
#[1,3,5,7,9]<class 'list'>

x=list(range(10,1,-2))
print(x,type(x))
# [10,8,6,4,2]<class 'list'>
    1. 利用推导式创建列表
      【例子】
x=[0]*5
print(x,type(x))
# [0,0,0,0,0]<class 'list'>

x=[0 for i in range(5)]
print(x,type(x))
# [0,0,0,0,0]<class 'list'>

x=[i for i in range(10)]
print(x,type(x))
# [0,1,2,3,4,5,6,7,8,9]<calss 'list'>

x=[i for i in range(1,10,2)]
print(x,type(x))
# [1.3.5.7.9]<class 'list'>

x=[i for i in range(10,1,-2)]
print(x,type(x))
# [10,8,6,4,2]<class 'list'>

x=[i**2 for i in range(1,10)]
print(x,type(x))
# [1,4,9,16,25,36,49,64,81]<class 'list'>

x=[i for i in range(100) if (i%2)!=0 and (i%3)==0]
print(x,type(x))
# [3,9,15,21,27,33,39,45,51,63,69,75,81,93,99]<class 'list'>
  • 创建一个4x3的二维数组
    【例子】
x=[[1,2,3],[4,5,6],[7,8,9],[0,0,0]]
print(x,type(x))
# [[1,2,3],[4,5,6],[7,8,9],[0,0,0]] <calss 'list'>

for i in x:
    print(i,type(i))
# [1, 2, 3] <class 'list'>
# [4, 5, 6] <class 'list'>
# [7, 8, 9] <class 'list'>
# [0, 0, 0] <class 'list'>

x=[[0 for col in range(3)] for row in range(4)]
print(x,type(x))
# [[1, 0, 0], [0, 0, 0], [0, 0, 0], [0, 0, 0]] <class 'list'>

x = [[0] * 3 for row in range(4)]
print(x, type(x))
# [[0, 0, 0], [0, 0, 0], [0, 0, 0], [0, 0, 0]] <class 'list'>
x[1][1] = 1
print(x, type(x))
# [[0, 0, 0], [0, 1, 0], [0, 0, 0], [0, 0, 0]] <class 'list'>

注意:
由于list的元素可以是任何对象,因此列表中所保存的是对象的指针。即保存一个简单的[1,2,3],也有3个指针和三个整数对象。

x=[a]*4操作中,只是创建4个指向list的引用,所有一旦a改变,[]中4个a也会随着改变。
【例子】

x = [[0] * 3] * 4
print(x, type(x))
# [[0, 0, 0], [0, 0, 0], [0, 0, 0], [0, 0, 0]] <class 'list'>

x[0][0] = 1
print(x, type(x))
# [[1, 0, 0], [1, 0, 0], [1, 0, 0], [1, 0, 0]] <class 'list'>

a = [0] * 3
x = [a] * 4
print(x, type(x))
# [[0, 0, 0], [0, 0, 0], [0, 0, 0], [0, 0, 0]] <class 'list'>

x[0][0] = 1
print(x, type(x))
# [[1, 0, 0], [1, 0, 0], [1, 0, 0], [1, 0, 0]] <class 'list'>
  • 创建一个混合列表
    【例子】
mix = [1,'lsgo',3.14,[1,2,3]]
print(x,type(mix))
# [1, 'lsgo', 3.14, [1, 2, 3]] <class 'list'>
  • 创建一个空列表
    【例子】
empty = []
print(empty,type(empty))   
#[ ] <class 'list'>

列表不像元组,列表内容可更改(mutable),因此附加(append,extend)、插入(insert)、删除(remove,pop)这些操作都可以使用。

4.1.3 列表对象的方法

  1. 添加元素
  • list.append(obj)在列表末尾添加新的对象,只接受一个参数,参数可以是任何数据类型,被追加的元素在list中保持着原结构类型。
    【例子】
x=['Monday','Tuesday','Wednesday','Thursday','Friday']
x.append('Thursday')
print(x)
# ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Thursday']
print(len(x))   # 6

此元素如果是一个list,那么这个list将作为一个整体进行追加,注意append()和extend()的区别。
【例子】

x=['Monday','Sunday','Wednesday','Thursday','Friday']
x.append(['Thursday','Sunday'])
print(x)
print(len(x)) 
# ['Monday','Thesday','Wednesday','Thursday','Friday',['Thursday','Sunday']]
# 6
  • list.extend(seq)在列表末尾一次性追加另一个序列中的多个值(用新列表扩展原来的列表)
    【例子】
x=['Monday','Tuesday','Wednesday','Thursday','Friday']
x.extend(['Thursday','Sunday'])
print(x)
print(len(x))
# ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Thursday', 'Sunday']
# 7

严格来说:append是追加,把一个东西整体添加在列表后,而extend是拓展,把一个东西里面的所有元素添加在列表后面
2. 向列表插入元素

  • list.insert(index,obj)在编号index位置插入obj。
    【例子】
x=['Monday','Tuesday','Wednesday','Thursday','Friday']
x.insert(2,'Sunday')
print(x)
print(len(x))

#['Monday', 'Tuesday', 'Sunday', 'Wednesday', 'Thursday', 'Friday'] 
# 6
  1. 删除列表中的元素
  • list.remove(obj)移除列表中某个值的第一个匹配项。
    【例子】
x=['Monday','Tuesday','Wednesday','Thursday','Friday']
x.remove('Monday')
print(x)

# ['Tuesday', 'Wednesday', 'Thursday', 'Friday']

# 【例子】
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
y = x.pop()
print(y)  # Friday

y = x.pop(0)
print(y)  # Monday

y = x.pop(-2)
print(y)  # Wednesday
print(x)  # ['Tuesday', 'Thursday']

remove和pop都可以删除元素,前着是指具体要删除的元素,后者是指定一个索引。

  • del [var1,var2,…]删除单个或多个对象
    【例子】
    如果知道要删除的元素在列表中的位置,可使用del语句
x=['Monday','Tueaday','Wednesday','Thursday','Friday']
del x[02]
print(x) # ['Wednesday','Thursday','Friday']
  1. 获取列表中的元素
  • 通过元素的索引值,从列表获取单个元素,注意:列表索引值是从0开始的。
  • 通过将索引指定为-1.可让Python返回最后一个列表元素,索引-2返回倒数第二个列表元素,以此类推
    【例子】
x=['Moday','Tuesday','Wednesday',['Thursday','Friday']]
print(x[0],type(x[0]))      # Monday <class 'str'>
print(x[-1],type(x[-1]))   # ['Thursday','Friday']<class 'list'>
print(x[-2],type(x[-2]))   # Wednesday<class 'str'>

切片的通用写法是:start : stop : step

  • 情况1-“start:”
  • 以step为1(默认)从编号start往列表尾部切片
    【例子】
x = ['Monday','Tuesday','Wednesday','Thursday','Friday']
print(x[3:])    # ['Thursday','Friday']
print(x[-3:])   # ['Wednesday','Thursday','Friday']
  • 情况2-“:stop”
  • 以step为1(默认)从列表头部往编号stop切片
    【例子】
week = ['Monday','Tuesday','Wednesday','Thursday','Friday']
print(week[:3])       #['Monday','Tuesday','Wednesday']
print(week[:-3])      #['Monday','Tuesday']
  • 情况3-“start:stop”
  • 以step为1(默认)从编号start往编号stop切片
    【例子】
week = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
print(week[1:3])  # ['Tuesday', 'Wednesday']
print(week[-3:-1])  # ['Wednesday', 'Thursday']
  • 情况4-“start:stop:step”
  • 以具体的step从编号start往编号stop切片。注意最后把step设为-1,相当于将列表反向排列
    【例子】
week = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
print(week[1:4:2])  # ['Tuesday', 'Thursday']
print(week[:4:2])   # ['Monday', 'Wednesday']
print(week[1::2])   # ['Tuesday', 'Thursday']
print(week[::-1])  
# ['Friday', 'Thursday', 'Wednesday', 'Tuesday', 'Monday']
  • 情况5-“:”
  • 复制列表中的所有元素(浅拷贝)
    【例子】
week = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
print(week[:])  
# ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']

【浅拷贝与深拷贝】

list1 = [123, 456, 789, 213]
list2 = list1
list3 = list1[:]

# 浅拷贝
print(list2)  # [123, 456, 789, 213]
print(list3)  # [123, 456, 789, 213]
list1.sort()
print(list2)  # [123, 213, 456, 789] 
print(list3)  # [123, 456, 789, 213]
# 深拷贝
list1 = [[123, 456], [789, 213]]
list2 = list1
list3 = list1[:]
print(list2)  # [[123, 456], [789, 213]]
print(list3)  # [[123, 456], [789, 213]]
list1[0][0] = 111
print(list2)  # [[111, 456], [789, 213]]
print(list3)  # [[111, 456], [789, 213]]

4.1.4 列表的常用操作符

  • 等号操作符:==
  • 连接操作符:+
  • 重复操作符:*
  • 成员关系操作符in、not in
    [等号==],只有成员、成员位置都相同时才返回True
    列表拼接有两种方式,用[加号+]和[乘号*],前着首尾拼接,后者复制拼接。
    【例子】
list1 = [123, 456]
list2 = [456, 123]
list3 = [123, 456]

print(list1 == list2)  # False
print(list1 == list3)  # True

list4 = list1 + list2  # extend()
print(list4)  # [123, 456, 456, 123]

list5 = list3 * 3
print(list5)  # [123, 456, 123, 456, 123, 456]

list3 *= 3
print(list3)  # [123, 456, 123, 456, 123, 456]

print(123 in list3)  # True
print(456 not in list3)  # False

前面三种方法(append, extend, insert)可对列表增加元素,它们没有返回值,是直接修改了原数据对象。 而将两个list相加,需要创建新的 list 对象,从而需要消耗额外的内存,特别是当 list 较大时,尽量不要使用 “+” 来添加list。

4.1.5 列表的其他方法

  • list.count(obj)统计某个元素在列表中出现的次数
    【例子】
list1 = [123, 456] * 3
print(list1)    # [123, 456, 123, 456, 123, 456]
num = list1.count(123)
print(num)    # 3
  • list.index(x, [start,end]) 从列表中找出某个值第一个匹配项的索引位置
    【例子】
list1 =[123,456]*5
print(list1.index(123))      # 0
print(list1.index(123,1))    # 2
print(list1.index(123,3,7))  # 4
  • list.reverse()方向列表中元素
    【例子】
x=[123,456,789]
x.reverse()
print(x)    # [789,456,123]
  • list.sort(key=None,reverse=False)对原列表进行排序
    key --主要是用来进行比较的元素,只有一个参数,具体的函数的参数就是取自于可迭代对象中,指定可迭代对象中的一个元素来进行排序
    reverse --排序规则,reverse=True降序,reverse=False升序(默认)
    该方法没有返回值,但是会对列表的对象进行排序。
    【例子】
x = [123, 456, 789, 213]
x.sort()
print(x)
# [123, 213, 456, 789]

x.sort(reverse=True)
print(x)
# [789, 456, 213, 123]


# 获取列表的第二个元素
def takeSecond(elem):
    return elem[1]


x = [(2, 2), (3, 4), (4, 1), (1, 3)]
x.sort(key=takeSecond)
print(x)
# [(4, 1), (2, 2), (1, 3), (3, 4)]

x.sort(key=lambda a: a[0])
print(x)
# [(1, 3), (2, 2), (3, 4), (4, 1)]

4.1.5 练习题

  1. 列表操作练习
    列表list内容如下:
    ls=[2,5,6,7,8,9,2,9,9]
    写程序完成以下操作:
1. 在列表的末尾增加元素15
ls.append(15)
2. 在列表的中间位置插入元素20
print(len(ls))
ls.insert(len(ls)/2,20)
3. 将列表[2,5,6]合并到ls中
ls.extend([2,5,6])
4. 可移除列表中索引为3的元素
ls.pop(3)
5. 翻转列表里的所有元素
ls.reverse()
6. 对列表里的元素进行排序,降序一次和升序一次
ls.sort(key=None,reverse=False)
ls.sort(key=None,reverse=True)
  1. 修改列表
    lst=[1,[4,6],True]
    将列表里的所有数字修改成原来的两倍
    lst=lst*2

  2. LeetCode 852题 山脉数组的峰顶索引
    如果一个数组k符合下面两个属性,则称之为山脉数组:
    数组的长度大于等于3,并存在i,i>0且len(k)-1,使得
    k[0]<k[1]<…k[i-1]<k[i]>j[i+1]>…k[len(k)-1]
    那么则称i就是顶峰索引。
    【问题】现在给定一个山脉数组,求顶峰索引:
    示例:
    输入:[1,3,4,5,3]
    输出:True
    输入:[1,2,4,6,4,5]
    输出:False

class Solution:
     def peakIndexInMountainArray(self, A: list[int])->int:  # A是 输入参数数据类型的引用(外号,别名) ->int 返#  回值的数据类型
str1='No'
str2='Yes'
iMax=0
if(len(a)<3):
       print(str1)
else:
       for i in  range(len(k)-1):
               if(A[i]<A[i+1]):
                      iMax=i
                else:
                      break
        for i in range(iMax,len(k)-1):
                if(A[i]>A[i+1]):
                       count=i
                else:
                       break;
if (count=len(k)-1):
       print(str2)
else:
       print(str1)

4.2 元组

[元素]定义语法为:(元素1,元素2,…元素n)

  • 小括号把所有元素绑在一起
  • 逗号将每个元素一一分开

4.2.1 创建和访问一个元组

  • Python的元组与列表类似,不同之处在于Tuple被创建后就不能对其进行修改,类似字符串
  • 元组使用小括号,列表使用方括号
  • 元组与列表类似,也用整数来对它进行索引(indexing)和切片(slicing)
    【例子】
# 元组的创建
t1 = (1, 10.31, 'python')
t2 = 1, 10.31, 'python'
print(t1, type(t1))
# (1, 10.31, 'python') <class 'tuple'>
print(t2, type(t2))
# (1, 10.31, 'python') <class 'tuple'>

tuple1 = (1, 2, 3, 4, 5, 6, 7, 8)
print(tuple1[1])  # 2
print(tuple1[5:])  # (6, 7, 8)
print(tuple1[:5])  # (1, 2, 3, 4, 5)
tuple2 = tuple1[:]
print(tuple2)  # (1, 2, 3, 4, 5, 6, 7, 8)
  • 创建元组可以使用小括号,也可以什么都不用,但是为了可读性,必须加上()
  • 元组中只包含一个元素时,需要在元组后面添加逗号,否则括号会被当做优先级运算符使用
    【例子】
x=(1)
print(type(x))  #<class 'int'>
x=(2,3,4,5)
print(type(x))   # class 'tuple'>
x=[]
print(type(x))   # <class 'list'>
x=(1,)
print(type(x))   # <class 'tuple'>

print(8*(8))      # 64
print(8*(8,))     # (8,8,8,8,8,8,8,8)

【创建二维元组】

x=(1,10.31,'python'),('data',11)
print(x)
# ((1,10.31,'python'),('data',11))

print(x[0])
# (1,10.31,'python')
print(x[0][0],x[0][1],x[0][2])
# 1 10.31 python

print(x[0][0:2])
# (1,10.31)

4.2.2 更新和删除一个元组

【例子】

week=('Monday','Tuesday','Thursday','Friday')
week=week[:2] + ('Wednesday',)+week[2:]
print(week)    # ('Monday','Tuesday','Wednesday','Thursday','Friday')

元组具有不可更改(immutable)的性质,因此不能直接给元组的元素赋值,但是只要元组中的元组可更改(mutable),那么我们可以直接更改其元素,这跟赋值其元素不同

t1=(1,2,3,[4,5,6])
print(t1)  # (1,2,3,[4,5,6])

t1[3][0]=9
print(t1)  #(1,2,3,[9,5,6])

4.2.3 元组相关的操作符

  • 等号操作符:==
  • 连接操作符:+
  • 重复操作符:*
  • 成员关系操作符:in、not in
    [等号==],只有成员、成员位置都相同时才返回True.
    元组拼接有两种方式,用[加号+]和[乘号*],前者首尾拼接,后者复制拼接。
    【例子】
t1 = (123, 456)
t2 = (456, 123)
t3 = (123, 456)

print(t1 == t2)  # False
print(t1 == t3)  # True

t4 = t1 + t2
print(t4)  # (123, 456, 456, 123)

t5 = t3 * 3
print(t5)  # (123, 456, 123, 456, 123, 456)

t3 *= 3
print(t3)  # (123, 456, 123, 456, 123, 456)

print(123 in t3)  # True
print(456 not in t3)  # False

4.2.4 内置方法

元组大小和内容都不可更改,因此只有count和index两种方法
【例子】

t=(1,10.31,'python')
print(t.count('python'))   # 1
print(t.index(10.31))       # 1

4.2.5 解压元组

【例子】解压(uppack)一维元组(有几个元素左边括号定义几个变量)

t=(1,10.31,'python')
(a,b,c,d) =t
print(a,b,c)  # 1 10.31 python
# 【例子】解压二维元组(按照元组里的元组结构来定义变量)
t=(1,10.31,('ok','print'))
(a,b,(c,d))=t
print(a,b,c,d)  # 1 10.31 Ok python
#【例子】如果不需要剩下的变量,就用通配[*]加上下划线_
t = 1,2,3,4,5
a,b,*_=t
print(a,b)  # 1 2

4.2.6 【练习题】

  1. 元组概念
    写出下面代码的执行结果和最终结果的类型
    (1,2)*2 # (1,2,1,2) <class ‘tuple’>
    (1,)*2 #(1,1) <class ‘tuple’>
    (1)*2 # 2 <class ‘int’>
  2. 拆包过程是什么?
    a,b=1,2 # 是属于拆包,属于元组
    可迭代对象拆包时,怎么赋值给占位符?

4.3 字符串

4.3.1 字符串的定义

  • Python中字符串被定义为引号之间的字符集合
  • Python支持使用成对的 单引号 或 双引号
    【例子】
t1='i love Python'
print(t1,type(t1))
# i love Python <class 'str'>

t2='I love Python'
print(t2,type(t2))
# I love Python! <class 'str'>

print(5+8)  # 13
print('5'+'8') # 58
  • Python的常用转义字符
    转义字符 描述
    \ 反斜杠符号
    ’ 单引号
    " 双引号
    \n 换行
    \t 横向制表符(TAB)
    \r 回车
    #【例子】如果字符串中需要出现单引号或双引号,需要使用转义符号\对字符串中的符号进行转义。
print('let\'s go')    # let's go
print('let\'s go')    # let's go
print('C:\\ now')  # C:\now
print('c:\\Program Files\\Inter\\Wifi')        # C:\Program Files\Intel\Wifi\Help
print(r'C:\Program Files\Intel\Wifi\Help')  # C:\Program Files\Intel\Wifi\Help
# 【例子】
三引号允许一个字符串跨多行,字符串中可以包含换行符、制表符以及其他特殊字符
para_str = """这是一个多行字符串的实例
多行字符串可以使用制表符
TAB ( \t )。
也可以使用换行符 [ \n ]。
"""
print(para_str)
# 这是一个多行字符串的实例
# 多行字符串可以使用制表符
# TAB (    )。
# 也可以使用换行符 [
#  ]。

para_str = '''这是一个多行字符串的实例
多行字符串可以使用制表符
TAB ( \t )。
也可以使用换行符 [ \n ]。
'''
print(para_str)
# 这是一个多行字符串的实例
# 多行字符串可以使用制表符
# TAB ( 	 )。
# 也可以使用换行符 [ 
#  ]。

4.3.2 字符串的切片与拼接

  • 类似于元组具有不可修改性
  • 从0开始(和JAVA一样)
  • 切片通常写成start:end这种形式,包括[start 索引]对应的元素,不包括[end索引]对应的元素
  • 索引值可正可负,正索引从0开始,从左往右;负索引从-1开始,从右往左。使用负数索引时,会从最后一个元素开始计数。最后一个元素的位置编号是 -1。
    【例子】
str1='I love LsgoGroup'
print(str1[:6])  # I love
print(str1[5])  # e
print(str1[:6]+"插入的字符串"+str1[6:])  # I Love 插入的字符串 LsgoGroup

s='python'
print(s)   # Python
print(s[2:4]) # th
print(s[-5:-2]) # yth
print(s[2])  # t
print(s[-1]) # n

4.3.3 字符串中的常用内置方法

  • capitalize() 将字符串的第一个字符转换为大写
# 【例子】
str2 = 'xiaoxie'
print(str2.capitalize())  # Xiaoxie
  • lower() 转换字符串中所有大写字符为小写
  • upper() 转换字符串中的小写字母为大写
  • swapcase() 将字符串中大写转换为小写,小写转换为大写
    【例子】
str2 = "DAXIExiaoxie"
print(str2.lower())   # daxiexiaoxie
print(str2.upper())  # DAXIEXIAOXIE
print(str2.swapcase()) # daxiaoXIAOXIE
  • count(str,beg=0,end=len(string)) 返回str在string里面出现的次数,如果beg或者end指定则返回指定范围内str出现的次数。
    【例子】
str2 ="DAXIExiaoxie"
print(str2.count('xi'))  # 2
  • endswith(suffix,beg=0,end=len(string))检查字符串是否以指定子字符串suffix结束,如果是,返回true,范泽返回False。如果beg和end指定值,则在指定范围内检查。
  • startswith(substr,beg=0,end=len(string))检查字符串是否以指定字符串substr开头,如果是,返回 True,否则返回 False。如果 beg 和 end 指定值,则在指定范围内检查。
    【例子】
str2 = "DAXIExiaoxie"
print(str2.endswith('ie'))  # True
print(str2.endswith('xi'))  # False
print(str2.startswith('Da'))  # False
print(str2.startswith('DA'))  # True
  • find(str,beg=0,end=len(string))检测str是否包含在字符串中,如果指定范围beg和end,则检查是否包含在指定范围内,如果包含,返回开始的索引值,否则返回-1。
  • rfind(str,beg=0,end=len(string)) 类似于find()函数,不过是从右边开始查找。
    【例子】
str2 = "DAXIExiaoxie"
print(str2.find('xi'))  # 5
print(str2.find('ix'))  # -1
print(str2.rfind('xi'))  # 9
  • isnumeric()如果字符串中只包含数字字符,则返回True,否则返回False.
    【例子】
str3 = '12345'
print(str3.isnumeric())  # True
str3 += 'a'
print(str3.isnumeric())  # False
  • ljust(width,[fillchar])返回一个原字符串左对齐,并使用fillchar(默认空格)填充至长度width的心字符串。
  • rjust(width,[fillchar])返回一个原字符串右对齐,并使用fillchar(默认空格)填充至长度width的新字符串。
    【例子】
str4 = '1101'
print(str4.ljust(8, '0'))  # 11010000
print(str4.rjust(8, '0'))  # 00001101
  • lstrip([chars]) 截掉字符串左边的空格或指定字符。
  • rstrip([chars]) 删除字符串末尾的空格或指定字符。
  • strip([chars]) 在字符串上执行lstrip()和rstrip()
    【例子】
str5 = ' I Love LsgoGroup '
print(str5.lstrip())  # 'I Love LsgoGroup '
print(str5.lstrip().strip('I'))  # ' Love LsgoGroup '
print(str5.rstrip())  # ' I Love LsgoGroup'
print(str5.strip())  # 'I Love LsgoGroup'
print(str5.strip().strip('p'))  # 'I Love LsgoGrou'
  • partition(sub) 找到子字符串sub,把字符串分为一个三元组(pre_sub,sub,fol_sub),如果字符串中不包含sub则返回(‘原字符串’,’’,’’)
  • rpartition(sub)类似于partition()方法,不过是从右边开始查找
    【例子】
str5 = ' I Love LsgoGroup '
print(str5.strip().partition('o'))  # ('I L', 'o', 've LsgoGroup')
print(str5.strip().partition('m'))  # ('I Love LsgoGroup', '', '')
print(str5.strip().rpartition('o'))  # ('I Love LsgoGr', 'o', 'up')
  • replace(old,new,[max])把字符串中的old替换成new,如果max指定,则替换不超过max次。
    【例子】
str5=' I Love Lsgogroup'
print(str5.strip().replace('I','We'))  # We Love LsgoGroup
  • split(str="",num)不带参数默认是以空格为分隔符切片字符串,如果num参数有设置,则仅分割num个字符串,返回切片后的子字符串拼接的列表。
    【例子】
str5=' I Love LsgoGroup '
print(str5.strip().split())     # ['I','Love','LsgoGroup']
print(str5.strip().spilt('o'))  # [' I L','ve Lsg','Gr','up']
# 【例子】
u="www.baidu.com"
# 使用默认分隔符
print(u.split())  # ["www .baidu.com.cn"]

#以'.'为分割符
print((u.split('.')))  # ['www','baidu','com','cn']

# 分割0次
print((u.split(".", 0)))  # ['www .baidu.com.cn']

# 分割一次
print((u.split(".", 1)))  # ['www', 'baidu.com.cn']

# 分割两次
print(u.split(".", 2))  # ['www', 'baidu', 'com.cn']

# 分割两次,并取序列为1的项
print((u.split(".",2)[1]))   # baidu

# 分割两次,并把分割后的三个部分保存到三个变量
u1,u2,u3 = u.split(".",2)
print(u1)  # www
print(u2)  # baidu
print(u3)  # com.cn

【例子】去掉换行符

c = '''say
hello
baby'''

print(c)
# say
# hello
# baby
print(c.split('\n'))  # ['say', 'hello', 'baby']

#【例子】
string = "hello boy<[www.baidu.com]>byebye"
print(string.split('[')[1].split(']')[0])  # www .baidu.com
print(string.split('[')[1].split(']')[0].split('.'))  # ['www', 'baidu', 'com']
  • splitlines([keepends])按照行(’\r’,’\r\n’,’\n’)分割,返回一个包含各行作为元素的列表,如果参数keepends为False,不包含换行符,如果为True,则保留换行符。
    【例子】
str6 = 'I \n Love \n LsgoGroup'
print(str6.splitlines())        # ['I ', ' Love ', ' LsgoGroup']
print(str6.splitlines(True))  # ['I \n', ' Love \n', ' LsgoGroup']
  • maketrans(intab,outtab)创建字符映射的转换表,第一个参数是字符串,表示需要转换的字符,第二个参数也是字符串表示转换的目标。
  • translate(table,deletechars="") 根据参数给出的表格,转换字符串的字符,要过滤掉的字符放到deletechars参数中。
    【例子】
str7 = 'this is string example....wow!!!'
intab = 'aeiou'
outtab = '12345'
trantab = str7.maketrans(intab, outtab)
print(trantab)  # {97: 49, 111: 52, 117: 53, 101: 50, 105: 51}
print(str7.translate(trantab))  # th3s 3s str3ng 2x1mpl2....w4w!!!

4.3.4 字符串格式化

  • format 格式化函数
    【例子】
str8="{0} Love {1}".format('I','Lsgogroup')  # 位置参数
print(str8)               # I Love Lsgogroup

str8="{a} Love {b}".format(a='I',b='Lsgogroup')  # 关键字参数
print(str8)       # I Love Lsgogroup

str8="{0}  Love {b}".format('I',b='Logogroup')    # 位置参数要在关键字参数之前
print(str8)       # I Love Lsgogroup

str8 = '{0:.2f}{1}'.format(27.658,'GB')   # 保留小数点后两位
print(str8)   # 27.66GB
  • Python 字符串格式化符号
    符 号 描述
    %c 格式化字符及其ASCII码
    %s 格式化字符串,用str()方法处理对象
    %r 格式化字符串,用rper()方法处理对象
    %d 格式化整数
    %o 格式化无符号八进制数
    %x 格式化无符号十六进制数
    %X 格式化无符号十六进制数(大写)
    %f 格式化浮点数字,可指定小数点后的精度
    %e 用科学计数法格式化浮点数
    %E 作用同%e,用科学计数法格式化浮点数
    %g 根据值的大小决定使用%f或%e
    %G 作用同%g,根据值的大小决定使用%f或%E
    【例子】
print('%c' %97)  # a
print('%c %c %c' %(4,5,9))             # a b c
print('%d+%d=%d' %(4,5,9))         # 4+5=9
print('我叫 %s 今年 %d 岁!'%('小明'10))   # 我叫 小明 今年 10 岁
print('%o' % 10)  # 12
print('%x' % 10)  # a
print('%X' % 10)  # A
print('%f' % 27.658)  # 27.658000
print('%e' % 27.658)  # 2.765800e+01
print('%E' % 27.658)  # 2.765800E+01
print('%g' % 27.658)  # 27.658
text = "I am %d years old." % 22
print("I said: %s." % text)  # I said: I am 22 years old..
print("I said: %r." % text)  # I said: 'I am 22 years old.'

  • 格式化操作符辅助指令
    符号 功能
    m.n m 是显示的最小总宽度,n 是小数点后的位数(如果可用的话)
  • 用作左对齐
  • 在正数前面显示加号( + )

在八进制数前面显示零(‘0’),在十六进制前面显示’0x’或者’0X’(取决于用的是’x’还是’X’)

0 显示的数字前面填充’0’而不是默认的空格
【例子】

print('%5.1f' % 27.658)      # ' 27.7'
print('%.2e' % 27.658)       # 2.77e+01
print('%10d' % 10)            # '        10'
print('%-10d' % 10)           # '10        '
print('%+d' % 10)             # +10
print('%#o' % 10)             # 0o12
print('%#x' % 108)            # 0x6c
print('%010d' % 5)            # 0000000005

4.3.5【练习题】

  1. 字符串函数回顾
  • 这么批量替换字符串中的元素? replace
  • 怎么把字符串按照空格进行拆分? spilt
  • 怎么去除字符串首位的空格?
  1. 实现isdigit函数
    【题目要求】实现函数isdigit,判断字符串里是否只包含数字0~9
def isdigit(string):
    """
    判断字符串只包含数字
    param string
    return
    """
    count=0;
    for i in string:
         if(i>=0 and i<=9):
             count+=1
         else:
             print('No')
             break
     if(count==len(string))
           printf('Yes')
  1. leetcode 5题 最长回文子串
    【题目描述】给定一个字符串s,找到s中最长的回文字串。可以认为s的最大长度为1000。
    【示例】
    输入:“babad”
    输出:“bab”
    输入:“cbbd”
    输出:“bb”
#【法一】暴力法
class Solution:
    def longString(self,s:str)->str:
        count=0
        for i in range(len(s)):
            for j in range(i+1,len(s)):
                if(s[i]==s[j] and j-i>count):
                    count=j-i
                
        if(count==0):
            return 'No'
        else:
            return s[i:j]    # 打印切片
          
# 创建实例,对象是类的实例
test=Solution()
str1=test.longString('abcad')
print(str1)
  • 0
    点赞
  • 1
    收藏
    觉得还不错? 一键收藏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值