Python基础学习Day4--元组、列表、字符串

2020-07-29  本文已影响0人  怕热的波波

1.列表

x = [1,2,3,4,5,6]
print(x, type(x))
#[1, 2, 3, 4, 5, 6] <class 'list'>

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

x = [[col for col in range(4)] for row in range(3)]
print(x)
#[[0, 1, 2, 3], [0, 1, 2, 3], [0, 1, 2, 3]]

list可修改,附加append,extend,insert,remove,pop

x = [1,2,3,4]
x.insert(3,100)
print(x)
#[1, 2, 3, 100, 4]

x = [1,2,3,4]
x.remove(3)
print(x)
#[1, 2, 4]

y = x.pop(2)
print(x, y)
#[1, 2] 4

x = [1,2,3,3,4,5,56,6,67,4]
del x[0:5]
print(x)
#[5, 56, 6, 67, 4]

# + 比extend耗费内存
x = [1,2,3,3,4,5,5,6]
y = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
z1 = x+y
print(z1)
x.extend(y)
print(x)
#[1, 2, 3, 3, 4, 5, 5, 6, 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
#[1, 2, 3, 3, 4, 5, 5, 6, 'Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']

列表的其他方法

list = [1,2] * 5
list.index(2,3)
#3

#按第二个值排序
x = [(2, 2), (3, 4), (4, 1), (1, 3)]
x.sort(key=lambda x:x[1])
print(x)
#[(4, 1), (2, 2), (1, 3), (3, 4)]

2.元组

#单个元素的元组,添加逗号
x = (1)
print('Type of x: ', type(x))
y = (1,)
print('Type of y: ', type(y))
#Type of x:  <class 'int'>
#Type of y:  <class 'tuple'>

#元组不可更改,但是元组中元素可更改时,可更改
x = (1,2,3,4,5,[1,3,4])
x[5][0] = 9
print(x)
#(1, 2, 3, 4, 5, [9, 3, 4])

元组常用内置方法

#元组解压
t = 1,2,3,4,5
(a,b,c,d,e) = t
print(a,b,c,d,e)
#1 2 3 4 5

#可以用rest或者通配符'_'匹配不需要的变量
a, b, *rest, c = t
print(*rest)
#3 4

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

3.字符串

常用内置方法

str = 'abcdEFG'
print(str.capitalize())
print(str.upper())
print(str.lower())
print(str.swapcase()) #大小写互换
#Abcdefg
#ABCDEFG
#abcdefg
#ABCDefg

str.count('d')
#1

print(str.endswith('g'))#区分大小写
print(str.endswith('G'))
print(str.find('D')) #区分大小写,找不到则显示-1
#False
#True
#-1

print(str.ljust(20,'_'))
#abcdEFG_____________

str1 = ' Zen of Python '
print(str1.rstrip())
print(str1.strip())
print(str1.strip().strip('n'))  #只能去除边缘的字符
# Zen of Python
#Zen of Python
#Zen of Pytho

print(str1.partition('o'))
print(str1.rpartition('o'))
#(' Zen ', 'o', 'f Python ')
#(' Zen of Pyth', 'o', 'n ')

str2 = 'I love C, I love Java, I love Python.'
print(str2.replace('love', 'hate', 1))
#I hate C, I love Java, I love Python.

print(str2.split())
print(str2.split(' ', 2))
#['I', 'love', 'C,', 'I', 'love', 'Java,', 'I', 'love', 'Python.']
#['I', 'love', 'C, I love Java, I love Python.']

c = '''say
hello
baby'''
print(c.split('\n')) #去掉换行符
#['say', 'hello', 'baby']

#字符串格式化
print("我叫 %s 今年 %d 岁! 体重 %.2f公斤" % ('小明', 10, 50))
#我叫 小明 今年 10 岁! 体重 50.00公斤
上一篇下一篇

猜你喜欢

热点阅读