熊宝宝要当红军 发表于 2019-8-25 16:33:05

第013讲:元组:戴上了镣铐的元组 的一些点

关于元组和列表的一些点



0,列表是包罗万象的数组,里面可以放各种类型的元素,也可以任意添加,删除,修改元素,可以通过切片拷贝
元组也是包罗万象的,但是它不能随意添加和删除,修改,可以进行切片拷贝
我们通过dir(tuple)就可以看到,元组只有很少的方法,而列表却有很多

    >>> dir(tuple)
    ['__add__', '__class__', '__contains__', '__delattr__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__getnewargs__', '__gt__', '__hash__', '__init__', '__iter__', '__le__', '__len__', '__lt__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__rmul__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__', 'count', 'index']

    >>> dir(list)
    ['__add__', '__class__', '__contains__', '__delattr__', '__delitem__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__gt__', '__hash__', '__iadd__', '__imul__', '__init__', '__iter__', '__le__', '__len__', '__lt__', '__mul__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__reversed__', '__rmul__', '__setattr__', '__setitem__', '__sizeof__', '__str__', '__subclasshook__', 'append', 'clear', 'copy', 'count', 'extend', 'index', 'insert', 'pop', 'remove', 'reverse', 'sort']

1,通过dir()我们知道元组可以使用的方法只有
count()【计算并返回指定元素的数量】
index()【寻找并返回参数的索引值】


说白了只有“查”的功能,而列表却有“增删查改”的功能


增:
append()【在最后增加一个元素】
extend()【扩展列表(用另一个列表)】
insert()【在指定位置插入一个元素】
删:
remove()【删除一个指定元素】
pop()【删除并返回最后一个元素】
clear()【清空所有元素】
查:
count()【计算并返回指定元素的数量】
index()【寻找并返回参数的索引值】
改:
sort()【按指定的顺序排序(默认从小到大)】
reverse()【原地翻转所有数据】
其他:
copy()【拷贝一个副本】



2,创建一个元组,什么情况下逗号和小括号必须同时存在,缺一不可?


要和*,+ 一起用时,比如说
>>> 2*2,
(4,)
>>> 2*(2,)
(2, 2)

>>> tuple1 = (1,2,3,4,6,7,8)
>>> tuple1 = tuple1[:4] + (5,) + tuple1
>>> tuple1
(1, 2, 3, 4, 5, 6, 7, 8)
>>> tuple1 = tuple1[:4] + 5, + tuple1       #这样会报错!
Traceback (most recent call last):
File "<pyshell#125>", line 1, in <module>
    tuple1 = tuple1[:4] + 5, + tuple1
<font size="4">TypeError: can only concatenate tuple (not "int") to tuple
</font>

3, x, y, z = 1, 2, 3 请问x, y, z是元组吗?
所有的多对象的、逗号分隔的、没有明确用符号定义的这些集合默认的类型都是元组。(小甲鱼说的,太精辟了)
上代码:
>>> x, y, z = 1, 2, 3
>>> type(x)
<class 'int'>
>>> h = x,y,z
>>> type(h)
<class 'tuple'>



4,在小甲鱼老师的引导下,试了一下写“元组推导式”,写出来后是这个样子:???
>>> x = (1,2,3,4,5)
    >>> y = (6,7,8,9,0)
    >>> point = ((a,b) for a in x for b in y if a>b)
    >>> point
    <generator object <genexpr> at 0x0000022AA93EB4C0>
    >>> type(point)
    <class 'generator'>原来误打误撞得到了一个生成器,试着访问一下,还不错,小甲鱼老师说之后会细讲生成器:
>>> point.__next__()
(1, 0)
>>> point.__next__()
(2, 0)
>>> point.__next__()
(3, 0)
>>> point.__next__()
(4, 0)
>>> point.__next__()
(5, 0)
其实我们有了“列表推导式”就没有必要有”元组推导式“了




我们一起来学python吧!!!


ykn大神6 发表于 2019-8-25 16:46:44

支持!!!
页: [1]
查看完整版本: 第013讲:元组:戴上了镣铐的元组 的一些点