Task04 列表 元组 字符串

学习链接(列表)

列表

1、笔记

  • 简单数据类型:

整型<calss ‘int’>
浮点型<class ‘float’>
布尔型<class ‘bool’>

  • 容器数据类型

列表<class ‘list’>
元组<class ‘tuple’>
字典<class ‘dict’>
集合<class ‘set’>
字符串<class ‘str’>

列表的定义

关于列表的思维导图
列表是有序集合,没有固定大小,能够保存任意数量任意类型的python对象。
容器capacity不固定,想装的都能装,有序怎么理解
语法:

[元素1, 元素2, ..., 元素n]
  • 中括号把所有元素绑在一起
  • 逗号将每个元素分开

列表的创建

  • 利用中括号和逗号直接创建,对元素进行捆绑和分割
x = ['我', '想', '你','honey']
print(x)
#['我', '想', '你','honey']
  • 利用range()函数创建列表
x = range(10)
print(x, type(x))
y = list(range(10))
print(y, type(y))
# range(0, 10) <class 'range'>
#[0, 1, 2, 3, 4, 5, 6, 7, 8, 9] <class 'list'>
  • 利用推导式创建列表
#创建一个5维的空列表
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(5)]
print(x, type(x))
# [0, 1, 2, 3, 4] <class 'list'>

x = [i for i in range(20) if (i % 2) == 0]
print(x, type(x))
# [0, 2, 4, 6, 8, 10, 12, 14, 16, 18] <class 'list'>
  • 创建一个4*3的二维数组 (这个跟用array创建的有什么区别?)
x = [[1, 2, 3], [4, 5, 6], [7, 8, 9]]
print(x, type(x))
# [[1, 2, 3], [4, 5, 6], [7, 8, 9]] <class 'list'>

#从数组中索引元素
print(x[2][0]) 
#7 

#修改数组元素
x[2][0] = 10000
print(x, type(x))
# [[1, 2, 3], [4, 5, 6], [10000, 8, 9]] <class 'list'> 

#遍历列表中的每个元素
for i in x:
    print(i, type(i)) 
# [1, 2, 3] <class 'list'>
# [4, 5, 6] <class 'list'>
# [10000, 8, 9] <class 'list'>

#遍历列表中的元素中的元素
for i in x:
    for j in i:
        print(j, type(j))
# 1 <class 'int'>
# 2 <class 'int'>
# 3 <class 'int'>
# 4 <class 'int'>
# 5 <class 'int'>
# 6 <class 'int'>
# 10000 <class 'int'>
# 8 <class 'int'>
# 9 <class 'int'>

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

注意:由于list的元素可以是任何对象,因此列表中保存的是对象的指针。即使保存一个简单的[1,2,3],也有3个指针和3个整数对象。
x = [a]*4 操作中,只是创建了4个指向list的引用。所以一旦a改变,x中的4个a也会随之改变。

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

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

向列表中添加元素

  • list.append(obj) 在列表末尾添加新的对象,只接受一个参数,参数可以是任何数据类型。
  • list.extend(seq) 在列表末尾一次性追加另一个序列中的多个值(用新列表扩展原来的列表)
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.append(['Thursday', 'Sunday'])
print(x)  
# ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', ['Thursday', 'Sunday']]
# 严格来说 'append' 是追加,把一个东西整体添加在列表后
print(len(x))  # 6
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.extend(['Thursday', 'Sunday'])
print(x)  
# ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Thursday', 'Sunday']
# `extend` 是扩展,把一个东西里的所有元素添加在列表后。
print(len(x))  # 7
  • list.insert(index, obj) 在编号 index 位置插入 obj
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.insert(2, 'Sunday')
print(x)
# ['Monday', 'Tuesday', 'Sunday', 'Wednesday', 'Thursday', 'Friday']

print(len(x))  # 6

删除列表中的元素

  • list.remove(obj) 移除列表中某个值的第一个匹配项
 x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.remove('Monday')
print(x)  # ['Tuesday', 'Wednesday', 'Thursday', 'Friday']
 x = ['Monday', 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.remove('Monday')
print(x) #['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
  • list.pop([index=-1]) 移除列表中的一个元素(默认最后一个元素),并且返回该元素的值。
 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']

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

  • del var1[, var2 ……] 删除单个或多个对象

如果知道要删除的元素在列表中的位置,可使用del语句。

x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
del x[0:2]
print(x)  # ['Wednesday', 'Thursday', 'Friday']
  • 如果你要从列表中删除一个元素,且不再以任何方式使用它,就使用del语句;如果你要在删除元素后还能继续使用它,就使用方法pop()。

获取列表中的元素

  • 中括号索引

通过元素的索引值,从列表获取单个元素,注意,列表索引值是从0开始的。通过将索引指定为-1,可让Python返回最后一个列表元素,索引 -2 返回倒数第二个列表元素,以此类推。
切片的通用写法是

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” 从头向后(注意前闭后开,编号stop的元素不取)(默认step 为 1 )从列表头部往编号 stop 切片。

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

情况 3 - “start : stop” (注意前闭后开,编号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]]

列表的常用操作符

  • 等号操作符:== (「等号 ==」,只有成员、成员位置都相同时才返回True)
  • 连接操作符 + 首尾拼接
  • 重复操作符 * 复制拼接
  • 成员关系操作符 innot in
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个方法

  • 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) #[123, 456, 123, 456, 123, 456, 123, 456, 123, 456]
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)]#默认升序 指定按照第一个元素进行排列

2、作业

1、列表操作练习
列表lst 内容如下
lst = [2, 5, 6, 7, 8, 9, 2, 9, 9]
请写程序完成下列操作:

在列表的末尾增加元素15
在列表的中间位置插入元素20
将列表[2, 5, 6]合并到lst中
移除列表中索引为3的元素
翻转列表里的所有元素
对列表里的元素进行排序,从小到大一次,从大到小一次

lst = [2, 5, 6, 7, 8, 9, 2, 9, 9, 15]
print(lst) # [2, 5, 6, 7, 8, 9, 2, 9, 9, 15]
print(len(lst)) # 10
lst.insert(5,20) 
print(lst) # [2, 5, 6, 7, 8, 20, 9, 2, 9, 9, 15]
lst.extend([2,5,6])
print(lst) # [2, 5, 6, 7, 8, 20, 9, 2, 9, 9, 15, 2, 5, 6]
lst.pop(3)
print(lst) # [2, 5, 6, 8, 20, 9, 2, 9, 9, 15, 2, 5, 6]
lst.reverse()
print(lst) # [6, 5, 2, 15, 9, 9, 2, 9, 20, 8, 6, 5, 2]
lst.sort()
print(lst) # [2, 2, 2, 5, 5, 6, 6, 8, 9, 9, 9, 15, 20]
lst.sort(reverse = True)
print(lst)# [20, 15, 9, 9, 9, 8, 6, 6, 5, 5, 2, 2, 2]

2、修改列表

问题描述:
lst = [1, [4, 6], True]
请将列表里所有数字修改成原来的两倍

#第一版
lst = [1, [4, 6], True]
lst1 = [i*2 for i in lst]
print(lst1) # [2, [4, 6, 4, 6], 2]

#第二版
def doubelElement(lst):
    result = []
    for each in lst:
        if type(each) == int or type(each) == float:
            result.append(2 * each)
        if type(each) == str:
            result.append(each * 2)
        if type(each) == list:
            result.append([i * 2 for i in each])
        if type(each) == bool:
            result.append(each)
        if type(each) == tuple:
            print("元素不能修改啦!")
            
    return result


lst = [1, [4, 6], True]
print(doubelElement(lst)) #[2, [8, 12], True]

3、leetcode 852题 山脉数组的峰顶索引
题目链接

def judgeVtype(lst):
    index = lst.index(max(lst))
    lst1 = lst[: index]  # 切片
    lst2 = lst[index:]  # 切片
    lst1.sort()  # 前半部分升序
    lst2.sort(reverse = True)  # 后半部分降序  第一个版本是想切片和索引一起卸掉的  lst[: index].sort()  但是这个语法好像是不对的??
    if lst1 == lst[:index] and lst2 == lst[index:]:
        print(True)
    else:
        print(False)

judgeVtype([1, 3, 4, 4, 3]) # True
judgeVtype([1, 2, 4, 6, 4, 5]) # False

元组

1、笔记

「元组」定义语法为:(元素1, 元素2, ..., 元素n)

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

创建和访问一个元组
python的元组和列表类似,不同之处在于tuple被创建后不能对其进行修改,类似字符串。元组使用小括号,列表使用方括号。
元组与列表类似,也用整数方括号对它进行索引和切片。

 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 = ()
print(type(x))  # <class 'tuple'>
x = (1,)
print(type(x))  # <class 'tuple'>
# 元组中只包含一个元素时,需要在元素后面添加逗号,否则括号会被当作运算符使用。

创建二维元组

x = (1, 10.31, 'python'), ('data', 11)
print(x)
# ((1, 10.31, 'python'), ('data', 11))
# 我的天  都不需要外围的大括号括着?

更新和删除一个元组

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])

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

与元组相关的操作符

  • 等号操作符:== (「等号 ==」,只有成员、成员位置都相同时才返回True。)
  • 连接操作符 + 首尾拼接
  • 重复操作符 * 复制拼接
  • 成员关系操作符 in、not in
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

内置方法

元组的大小和内容都不可更改,因此两种方法。

  • 数一数 count
  • 指一指 index
t = (1, 10.31, 'python')
print(t.count('python'))  # 1
print(t.index(10.31))  # 1

count('python') 是记录在元组 t 中该元素出现几次,显然是 1 次
index(10.31) 是找到该元素在元组 t 的索引,显然是 1

解压元组

解压(unpack)一维元组(有几个元素左边括号定义几个变量)

t = (1, 10.31, 'python')
(a, b, c) = t
print(a, b, c)
# 1 10.31 python

解压二维元组(按照元组里的元组结构来定义变量)

t = (1, 10.31, ('OK', 'python'))
(a, b, (c, d)) = t
print(a, b, c, d)
# 1 10.31 OK python

如果你只想要元组其中几个元素,用通配符「*」,英文叫做wildcard,在计算机语言中代表一个或多个元素。下例就是把多个元素丢给rest变量。

t = 1, 2, 3, 4, 5
a, b, *rest, c = t
print(a, b, c)  # 1 2 5
print(rest)  # [3, 4]

如果你根本不在乎 rest 变量,那么就用通配符「*」加上下划线「_」。

t = 1, 2, 3, 4, 5
a, b, *_ = t
print(a, b)  # 1 2

2、作业

1、元组概念
写出下面代码的执行结果和最终结果的类型

print((1, 2)*2#(1,2,1,2)复制拼接
print((1, )*2) #(1,1) 复制拼接
print((1)*2) # 2 一个元素的元组需要在后面加个逗号 否则会被识别为运算符。

2、

  • 拆包过程是什么?
    拆包:对于多个返回数据,去掉元组、列表或者字典,直接获取里面数据的过程。
  • a, b = 1, 2上述过程属于拆包吗?
    a, b = 1, 2属于直接赋值,不属于拆包。
  • 可迭代对象拆包时,怎么赋值给占位符?
    可迭代对象拆包时,需要变量数量和元素数量一致。
  1. 一般使用" _ "来代表一个占位符
info = ["Alice", 20, 168, 55, (1999,10,22)]
_,age, height,_,_ = info
print(age,height,_) # 20 168 (1999, 10, 22)
  1. 一般使用 * 来代表多个占位符, 在python中, 函数用*args 来获取不确定数量的参数是一种经典写法。
  2. *前缀只能用于一个变量名, 但是这个变量可以出现在赋值表达式的任意位置。 * 占位符拆出来的变量永远是list列表类型。
*head, current = (1,3,5,7,9)
print(head)   # [1,3,5,7]
print(current)   # 9

字符串

1、笔记

字符串的定义

python中字符串被定义为引号之间的字符集合。python支持使用承兑的单引号或者双引号。

  • 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\\Intel\\Wifi\\Help")
  • 原始字符串只需要在字符串前边加一个英文字母 r 即可。
 print(r'C:\Program Files\Intel\Wifi\Help')  
# C:\Program Files\Intel\Wifi\Help
  • 三引号允许一个字符串跨多行,字符串中可以包含换行符、制表符以及其他特殊字符。
para_str = """这是一个多行字符串的实例
多行字符串可以使用制表符
TAB ( \t )。
也可以使用换行符 [ \n ]。
"""
print(para_str)
# 这是一个多行字符串的实例
# 多行字符串可以使用制表符
# TAB (    )。
# 也可以使用换行符 [
#  ]。

字符串的切片与拼接

字符间的空格也占位!
类似于元组具有不可修改性
从0开始
切片通常写成start:end这种形式,注意元素索引前闭后开。
索引值可正可负,正索引从0开始,从左往右;负索引从-1开始,从右往左。使用负数索引时,会从最后一个元素开始计数。随后一个元素的位置编号是-1。

string = "liu sheng"
print(string[0]) # l
print(string[1]) # i
print(string[2]) # u
print(string[3]) #

字符串的常用内置方法

  • capitalize() 将字符串的第一个字符转换为大写。
  • lower() 转换字符串中所有大写字符为小写。
  • upper() 转换字符串中的小写字母为大写。
  • swapcase()将字符串中大写转换为小写,小写转换为大写。
str2 = 'xiaoxie'
print(str2.capitalize())  # Xiaoxie

str2 = "DAXIExiaoxie"
print(str2.lower())  # daxiexiaoxie
print(str2.upper())  # DAXIEXIAOXIE
print(str2.swapcase())  # daxieXIAOXIE
  • count(str, beg= 0,end=len(string)) 返回strstring
    里面出现的次数,如果beg或者end指定则返回指定范围内str出现的次数。
str2 = "DAXIExiaoxie"
print(str2.count('xi'))  # 2
  • endswith(suffix, beg=0, end=len(string)) 检查字符串是否以指定子字符串 suffix结束,如果是,返回 True,否则返回 False。如果 begend 指定值,则在指定范围内检查。
  • startswith(substr, beg=0,end=len(string)) 检查字符串是否以指定子字符串 substr开头,如果是,返回 True,否则返回 False。如果 begend 指定值,则在指定范围内检查。
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 是否包含在字符串中,如果指定范围 begend,则检查是否包含在指定范围内,如果包含,返回开始的索引值,否则返回 -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().split('o'))  # ['I L', 've Lsg', 'Gr', 'up']
u = "www.baidu.com.cn"
# 使用默认分隔符
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']
  • splitlines([keepends]) 按照行('\r', '\r\n',
    '\n')分隔,返回一个包含各行作为元素的列表,如果参数keependsFalse,不包含换行符,如果为 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="")根据参数table给出的表,转换字符串的字符,要过滤掉的字符放到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!!!

字符串格式化

  • 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='Lsgogroup')  # 位置参数要在关键字参数之前
print(str8)  # I Love Lsgogroup

str8 = '{0:.2f}{1}'.format(27.658, 'GB')  # 保留小数点后两位
print(str8)  # 27.66GB

str9 = '{0:.2f} {1}'.format(27.658, 'GB')  # 保留小数点后两位
print(str9) # 27.66 GB
  • 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' % (97, 98, 99))  # 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.nm 是显示的最小总宽度,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

2、作业

1、字符串函数回顾

怎么批量替换字符串中的元素?

replace()

怎么把字符串按照空格进⾏拆分?

split()

怎么去除字符串⾸位的空格?

remove

把 将字符串中的old替换成new,如果max指定,则替换不超过max次。

replace(str="", num)

不带参数默认是以空格为分隔符切片字符串,如果num参数有设置,则仅分隔num个子字符串,返回切片后的子字符串拼接的列表。
lstrip() 删除字符串首尾空格
2、题目要求
实现函数isdigit, 判断字符串里是否只包含数字0~9

def isdigit(string):
    """
    判断字符串只包含数字
    :param string:
    :return:
    """
    if string.isnumeric():
        x = [True for each in string if (int(each) in range(10))]
        return print(all(x))
    else:
        print("字符串不只包含数字,请重新输入")	

isdigit('765836dsd258')
# 字符串不只包含数字,请重新输入

3、leetcode 5题 最长回文子串
题目描述

class Solution:
   def longestPalindrome(self, s: str) -> str:
          
    # your code here
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

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

抵扣说明:

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

余额充值