标签:tin art lock 获取 features cat mos erro 这不
https://blog.csdn.net/laizi_laizi/article/details/105437368
这个方法来自于python内置的collections: 容器数据类型,官网介绍:
这个模块实现了特定目标的容器,以提供Python标准内建容器 dict , list , set , 和 tuple 的替代选择。
我们知道一般的元组(tuple)元素不能改变,也只能通过索引来访问其中的元素,但是命名元组(namedtuple)就方便很多,可读性和操作性强。
collections.namedtuple(typename, field_names, *, rename=False, defaults=None, module=None)
>>> from collections import namedtuple
# 其实point = namedtuple(‘Point‘, [‘x‘, ‘y‘])这样写也不会报错
# 但是还是和typename保持一致比较规范吧
>>> Point = namedtuple(‘Point‘, [‘x‘, ‘y‘])
>>> p = Point(11, y=22) # 以位置参数或者关键字参数实例化
>>> p[0] + p[1] # 可像普通元组一样索引(11, 22)
33
>>> x, y = p
>>> x, y
(11, 22)
>>> p.x + p.y # 属性可以通过“.”加名字访问
33
>>> p.x = 33 # 属性还是不可以直接更改
Traceback (most recent call last):
File "<pyshell#10>", line 1, in <module>
p.x = 33
AttributeError: can‘t set attribute
>>> p._replace(x=33) # 这样也不行,是返回一个新的实例
Point(x=33, y=22) # 所以不管是tuple还是namedtuple
>>> p.x # 就用来保存一些不可更改的值的东西吧
11
>>> id(p._replace(x=33))
1618244029320
>>> id(p)
1618244029104
>>> p
Point(x=11, y=22)
# 再来看我实际碰到的一个例子吧
# ResNet stage specification
>>>StageSpec = namedtuple(
"StageSpec",
[
"index", # Index of the stage, eg 1, 2, ..,. 5
"block_count", # Number of residual blocks in the stage
"return_features", # True => return the last feature map from this stage
],
)
>>> ResNet50StagesTo5 = tuple(
StageSpec(index=i, block_count=c, return_features=r)
for (i, c, r) in ((1, 3, False), (2, 4, False),
(3, 6, False), (4, 3, True))
)
>>> ResNet50StagesTo5
(StageSpec(index=1, block_count=3, return_features=False),
StageSpec(index=2, block_count=4, return_features=False),
StageSpec(index=3, block_count=6, return_features=False),
StageSpec(index=4, block_count=3, return_features=True))
这也是collections: 容器数据类型里面对于dict的一种替代选择:collections.OrderedDict([items])
有序词典就像常规词典一样,但有一些与排序操作相关的额外功能。注意:在 Python 3.6/3.7中内置的 dict 类也有记住插入顺序的能力(python3.5还没有),本来这一个最大的区别也就淡化了【我也是写这篇的时候才知道这个】
>>> from collections import OrderedDict
>>> d1={}
>>> d1[‘a‘]=‘A‘
>>> d1[‘b‘]=‘B‘
>>> d1[‘c‘]=‘C‘
>>>> for k,v in d1.items(): # 在python3.7里面也是记住顺序了
... print(k,v) # 在3.5会打乱顺序输出的
...
a A
b B
c C
>>> d2={}
>>> d2[‘c‘]=‘C‘
>>> d2[‘b‘]=‘B‘
>>> d2[‘a‘]=‘A‘
>>>> d1
{‘a‘: ‘A‘, ‘b‘: ‘B‘, ‘c‘: ‘C‘}
>>>> d2
{‘c‘: ‘C‘, ‘b‘: ‘B‘, ‘a‘: ‘A‘}
>>> d1 == d2 # 这里注意,普通字典还是相等的,区别这里来了
True
>>> d3 = OrderedDict()
>>> d4 = OrderedDict()
>>> d3[‘a‘]=‘A‘
>>> d3[‘b‘]=‘B‘
>>> d3[‘c‘]=‘C‘
>>> d4[‘c‘]=‘C‘
>>> d4[‘b‘]=‘B‘
>>> d4[‘a‘]=‘A‘
>>> d3
OrderedDict([(‘a‘, ‘A‘), (‘b‘, ‘B‘), (‘c‘, ‘C‘)])
>>> d4
OrderedDict([(‘c‘, ‘C‘), (‘b‘, ‘B‘), (‘a‘, ‘A‘)])
>>> d3 == d4 # 记住顺序好像一样了,但是这不一样
False
>>> new_list = [("name", "lsm"), ("sex", "male"), ("face", "handsome")]
>>> new_dict = OrderedDict(new_list)
>>> new_dict
OrderedDict([