列表、元组、字符串

一、列表

  • 先来了解一下简单数据类型容器数据类型
    简单数据类型:
    在这里插入图片描述
    容器数据类型:
    在这里插入图片描述
  • 列表定义:列表是有序集合,没有固定大小,能够保存任意数量任意类型的 Python 对象,语法为 [元素1, 元素2, …, 元素n]。
    <注>
    1.关键点是「中括号 []」和「逗号 ,」
    2.中括号 把所有元素绑在一起
    3.逗号 将每个元素一一分开

列表的创建

  • 创建普通列表
    例:
x=['monday','tuesday','wednesday','thursday','friday','saturday','weekday']
print(x,type(x))
#['monday', 'tuesday', 'wednesday', 'thursday', 'friday', 'saturday', 'weekday'] <class 'list'>
x=[1,2,3,4,5,6,7]
print(x,type(x))
#[1, 2, 3, 4, 5, 6, 7] <class 'list'>
  • 利用range()创建列表
    例:
x=list(range(10))
print(x,type(x))
#[0, 1, 2, 3, 4, 5, 6, 7, 8, 9] <class 'list'>
#range(a),默认从0开始到a-1结束
x = list(range(1, 11, 2))
print(x, type(x))
#[1, 3, 5, 7, 9] <class 'list'>
#从1开始,步长为2,但不会达到11
x = list(range(10, 1, -2))
print(x, type(x))
# [10, 8, 6, 4, 2] <class 'list'>
#从10开始以步长为-2,但不会达到1
  • 利用推导式创建列表
    例:
x = [1,2]*5
print(x, type(x))
#[1, 2, 1, 2, 1, 2, 1, 2, 1, 2] <class 'list'>
x = [[1,2] for i in range(3)]
print(x, type(x))
#[[1, 2], [1, 2], [1, 2]] <class 'list'>
x = [[i,i+1] for i in range(3)]
print(x, type(x))
#[[0, 1], [1, 2], [2, 3]] <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, 57, 63, 69, 75, 81, 87, 93, 99] <class 'list'>

  • 创建一个4*3的二维数组
    例:
    法一:
    x = [[1, 2, 3], [4, 5, 6], [7, 8, 9], [0, 0, 0]]
    法二:
x=[[0 for col in range(3)] for row in range(4)]
print(x)
#[[0, 0, 0], [0, 0, 0], [0, 0, 0], [0, 0, 0]]

法三:

x=[[0]*3 for row in range(4)]
print(x)
#[[0, 0, 0], [0, 0, 0], [0, 0, 0], [0, 0, 0]]
  • 创建一个混合列表
x=[1,2,'yes',5.67,['hh',2,3]]
print(x,type(x))
#1, 2, 'yes', 5.67, ['hh', 2, 3]] <class 'list'>
  • 创建一个空列表
empty=[]
print(empty,type(empty))
#[] <class 'list'>

向列表中添加元素

1.list.append(obj)在列表***末尾***添加新的对象,只接受***一个***参数,参数可以是***任何数据类型***,被追加元素在list中保持原结构类型。

x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.append(2)
print(x)  
print(len(x))
#['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 2]
#6

x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.append(['Thursday', 'Sunday'])
print(x)  
print(len(x))
#['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', ['Thursday', 'Sunday']]
#6

2.list.extend(seq) 在列表末尾一次性追加另一个序列中的多个值(用新列表扩展原来的列表)
<注>append()和extend()的区别:
append:追加的元素如果是一个 list,那么这个 list 将作为一个整体进行追加.
extend:追加的元素如果是一个 list,那么在原列表后追加这个列表的所有元素。
例:

x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.extend(['Thursday', 'Sunday'])
print(x)  
print(len(x))
#['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday', 'Thursday', 'Sunday']
#7
  • list.insert(index,obj)在编号index位置插入obj
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.insert(2,['Thursday', 'Sunday'])
print(x)  
print(len(x))
#['Monday', 'Tuesday', ['Thursday', 'Sunday'], 'Wednesday', 'Thursday', 'Friday']
#6

删除列表中的元素

  • list.remove(obj) 移除列表中某个值的第一个匹配项
    例:
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
x.remove('Monday')
print(x)
#['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']
  • del var1[, var2 ……] 删除单个或多个对象。
x = ['Monday', 'Tuesday', 'Wednesday', 'Thursday', 'Friday']
del x[0:2]
print(x)  
# ['Wednesday', 'Thursday', 'Friday']

获取列表中的元素

通过元素的索引值,从列表获取单个元素,注意,列表索引值是从0开始的。
例:

x = ['Monday', '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'>

情况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']

列表的常用操作符

在这里插入图片描述
<注>
1.「等号 ==」,只有成员、成员位置都相同时才返回True。
2.列表拼接有两种方式,用「加号 +」和「乘号 *」,前者首尾拼接,后者复制拼接。
例:

list1=[123,456]
list2=[456,123]
list3=[123,456]
print(list1==list2)
print(list1==list3)
#False
#True
list1=[123,456]
list2=[456,123]
list3=[123,456]
list4=list1+list2
print(list4)
#[123, 456, 456, 123]
list1=[123,456]
list1*=3
print(list1)
#[123, 456, 123, 456, 123, 456]
list1 = [123, 456]
list2 = [456, 123]
list3 = [123, 456]
print(123 in list3)  
print(456 not in list3)
#True
#False

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

列表的其它方法

  • list.count(obj) 统计某个元素在列表中出现的次数
    例:
list1 = [123, 456]*3
a=list1.count(123)
print(a)
#3
  • list.index(obj, start, end) 从列表中找出某个值第一个匹配项的索引位置
    例:
x=[1,2,3]*5
print(x.index(1))#0
print(x.index(2,2))#4
print(x.index(2,2,7))#4

  • list.reverse() 反向列表中元素
    例:
x=[1,2,3]*5
x.reverse()
print(x)
#[3, 2, 1, 3, 2, 1, 3, 2, 1, 3, 2, 1, 3, 2, 1]
  • list.sort(key=None, reverse=False) 对原列表进行排序
    <注>
    1.key – 主要是用来进行比较的元素,只有一个参数,具体的函数的参数就是取自于可迭代对象中,指定可迭代对象中的一个元素来进行排序。
    2.reverse – 排序规则,reverse = True 降序, reverse = False 升序(默认)。
    3.该方法没有返回值,但是会对列表的对象进行排序
    例:
x=[1,2,3]*5
x.sort()
print(x)
#[1, 1, 1, 1, 1, 2, 2, 2, 2, 2, 3, 3, 3, 3, 3]
x=[1,2,3]*5
x.sort(reverse=True)
print(x)
#[3, 3, 3, 3, 3, 2, 2, 2, 2, 2, 1, 1, 1, 1, 1]
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)]
#根据列表里的每一个小元组的第二个值的大小来进行升序排列

结合lambda 函数

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

元组

「元组」定义语法为:(元素1, 元素2, …, 元素n)
1.小括号把所有元素绑在一起(创建元组可以用小括号 (),也可以什么都不用)
2.逗号将每个元素一一分开

创建和访问一个元组

<注>
1.Python 的元组与列表类似,不同之处在于tuple被创建后就不能对其进行修改,类似字符串。
2.元组使用小括号,列表使用方括号。
3.元组与列表类似,也用整数来对它进行索引 (indexing) 和切片 (slicing)。
4.元组中只包含一个元素时,需要在元素后面添加逗号,否则括号会被当作运算符使用。
例:

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=(3)
print(x,type(x))
#3 <class 'int'>
x=(1,)
print(x,type(x))
#(1,) <class 'tuple'>
print((6,)*8)
#(6, 6, 6, 6, 6, 6, 6, 6)
  • 创建一个二维元组
tuple1=('hh',78),('python',520)
print(tuple1,type(tuple1))
print(tuple1[0])
print(tuple1[0][1])
print(tuple1[0][0:2])
#(('hh', 78), ('python', 520)) <class 'tuple'>
#('hh', 78)
#78
#('hh', 78)

更新和删除一个元组

例:

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

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

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

元组相关的操作符

在这里插入图片描述
操作过程和列表一样

内置方法

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

t=('hh',78,'python',520)
print(t.count(520))
#1
t=('hh',78,'python',520)
print(t.index(520))
#3

解压元组

  • 解压一维元组(有几个元素左边括号定义几个变量)
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]

字符串

字符串的定义

1.Python 中字符串被定义为引号之间的字符集合。
2。Python 支持使用成对的 单引号 或 双引号。

t1='this is colaj'
print(t1,type(t1))
t2="This is colaj"
print(t2,type(t2))
print(3+2)
print('3'+'2')
#this is colaj <class 'str'>
#This is colaj <class 'str'>
#5
#32
  • Python 的常用转义字符
    在这里插入图片描述
    1.如果字符串中需要出现单引号或双引号,可以使用转义符号\对字符串中的符号进行转义。
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")
# C:\Program Files\Intel\Wifi\Help

2.原始字符串只需要在字符串前边加一个英文字母 r 即可。

print(r"let's go")  
#let's go

3.三引号允许一个字符串跨多行,字符串中可以包含换行符、制表符以及其他特殊字符。

para="""this is a multi-line string
multiline strings can use tabs
tab(name\tgrade\tage)
also can use line break[\n]
"""
print(para)
#this is a multi-line string
#multiline strings can use tabs
#tab(name	grade	age)
#also can use line break[
#]

字符串的切片与拼接

1.类似于元组具有不可修改性
2.从 0 开始 (和 Java 一样)
3.切片通常写成 start:end 这种形式,包括「start 索引」对应的元素,不包括「end索引」对应的元素。
4.索引值可正可负,正索引从 0 开始,从左往右;负索引从 -1 开始,从右往左。使用负数索引时,会从最后一个元素开始计数。最后一个元素的位置编号是 -1。
例:

str1 = 'I Love LsgoGroup'
print(str1[:6])  # I Love
print(str1[5])  # e
str1 = 'I Love LsgoGroup'
print(str1[:6]+" insert"+str1[6:])
#I Love insert LsgoGroup

字符串的常用内置方法

  • capitalize() 将字符串的第一个字符转换为大写。
str1 = 'i Love LsgoGroup'
print(str1.capitalize ())
#I love lsgogroup
  • lower() 转换字符串中所有大写字符为小写。
  • upper() 转换字符串中的小写字母为大写。
  • swapcase() 将字符串中大写转换为小写,小写转换为大写。
str2 = "DAXIExiaoxie"
print(str2.lower())  # daxiexiaoxie
print(str2.upper())  # DAXIEXIAOXIE
print(str2.swapcase())  # daxieXIAOXIE
  • 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',1,11))  #True
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的新字符串。
str1='12345'
print(str1.rjust(8))
print(str1.ljust(8,'*'))
print(str1.rjust(8,'0'))
#   12345
#12345***
#00012345

  • 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']
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="") 根据参数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
  • Python 字符串格式化符号
    在这里插入图片描述
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.'
  • 格式化操作符辅助指令
    在这里插入图片描述
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
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 打赏
    打赏
  • 0
    评论
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包

打赏作者

colaj_49485675

你的鼓励将是我创作的最大动力

¥1 ¥2 ¥4 ¥6 ¥10 ¥20
扫码支付:¥1
获取中
扫码支付

您的余额不足,请更换扫码支付或充值

打赏作者

实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

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

余额充值