列表?
# 创建列表
name_list = ["zhangsan", "lisi", "wangwu"]
for i in name_list:
print(i)
# print(name_list)
# list基本操作
# 取值取索引
print(name_list[0]) # 取值
print(name_list.index("zhangsan")) # 取索引
# 修改
name_list[0] = "张三"
print(name_list[0])
# 追加数据
name_list.append("zhaoliu") # append追加
name_list.insert(1, "lala") # insert插入
name_list.extend(name_list) # 从另一个列表中插入进去
# 删除
name_list.remove("zhangsan") # 删除指定元素
name_list.clear() # 清空
name_list.pop() # 弹出末尾元素
del name_list[1] # 删除指定索引元素 甚至可以删除变量
# 统计
a = len(name_list) # 长度
b = name_list.count("zhangsan") # zhangsan的出现次数
# 排序
name_list.sort() # 升序排序
name_list.sort(reverse=True) # 降序排列
name_list.reverse() # 反转
元组
# 创建元组
# 元组定义完成不能修改
# 元组的第一个元素类型就是元组的类型
info_Tuple = ("张三", 10, 1.57)
empty_Tuple = () # 床架空元组
for i in info_Tuple: # 遍历元组
print(i)
# 元组常用操作
# 取值取索引
print(info_Tuple[0]) # 取值
print(info_Tuple.index("张三")) # 取索引
# 统计次数
print(info_Tuple.count("张三"))
# 应用
print("%s年龄是%d身高是%.2f" % info_Tuple)
字典
# 创建字典
# 数据与数据之间要用,连接
Student = {
"name": "小明",
"age": 19,
"gender": True,
"height": 1.57
}
print(Student)
# 遍历键
for i in Student:
print(i)
# 遍历键值对
for k in Student:
print("%s %s" % (k, Student[k]))
# 字典基本操作
# 取值
print(Student["name"])
# 修改
# 如果存在键则修改 不存在则新增
Student["name"] = "大明"
# 删除
Student.pop("name") # 删除某个键的元素
# 统计键的数量
print(len(Student))
# 合并字典
temp = {"height": 1.70, "age": 20}
Student.update(temp) # 合并字典合并如果存在原有则会覆盖
# 清空
Student.clear()
字符串?
?
# 字符串
str1 = "My name is lisi"
str2 = "我太帅了"
# 遍历(一个字母一个字母)
for i in str1:
print(i)
# 统计字符串长度
print(len(str1))
print(len(str2))
# 统计某个字母次数
print(str1.count("M"))
# 某一个小字符串出现位置
print(str1.index("My"))
# 判断类型方法
str1.isspace() # 判断是否只存在空格
str1.isalnum() # 至少存在一个字符且字符全部都是数字或字母
str1.isalpha() # 至少存在一个字符且所有字符都是字母
str1.isdecimal() # 如果只包含数字
str1.isnumeric() # 是否只包含数据
str1.isdigit() # 是否只包含数字
str1.istitle() # 判断是否每个单词首字母大写
str1.islower() # 至少包含一个区分大小写的字符 且所有这些字符都是小写
str1.isupper() # 至少包含一个区分大小写的字符 且所有这些字符都是大写
# 查找和替换
str1.startswith("My") # 字符串是否以指定字符开头
str1.endswith("My") # 字符串是否以指定字符结束
str1.find("My") # 在其中查找指定字符串并返回索引值
str1.replace("My", "MMy") # 替换字符串
# 大小写转换
str1.capitalize() # 字符串第一个字母大写
str1.title() # 字符串中每个单词首字母大写
str1.lower() # 字符串中每个大写单词转换为小写
str1.upper() # 字符串中每个小写字母转化为大写
str1.swapcase() # 转换大小写
# 文本对齐
str1.ljust(10, " ") # 左对齐
str1.rjust(10, " ") # 右对齐
str1.center(10, " ") # 居中对齐
# 去除空白字符
str1.lstrip() # 去掉左边空格
str1.rstrip() # 去除右边空格
str1.strip() # 去除空格
# 字符串拆分和连接
str1.split(" ") # 按照空格进行分割 如果不加入参数默认空白字符换行
"".join(str1) # 连接
# 字符串的切片
# 切片的不包括结束的索引 但包括开头的索引
# 01234567
str1[2:6] # 2345截取2到5
str1[2:] # 234567截取2到末尾
str1[0:6] # 012345截取从开始到5
str1[:6] # 012345截取从开始到5
str1[:] # 01234567截取全部
str1[::2] # 0246截取偶数
str1[1::2] # 1357截取技术
str1[-1] # 7截取最后一个
str1[2:-1] # 23456截取从2到最后一位
str1[::-1] # 逆序
|