namedtuple顾名思义,就是名字+元组的数据结构,下面就来看一下Python的collections模块中namedtuple结构使用示例
namedtuple 就是命名的 tuple,比较像 C 语言中 struct。一般情况下的 tuple 是 (item1, item2, item3,...),所有的 item 都只能按照 index 访问,没有明确的称呼,而 namedtuple 就是事先把这些 item 命名,以后可以方便访问。
1 2 3 4 5 6 7 8 9 10 11 12 13 | from collections import namedtuple # 初始化需要两个参数,第一个是 name,第二个参数是所有 item 名字的列表。 coordinate = namedtuple( 'Coordinate' , [ 'x' , 'y' ]) c = coordinate( 10 , 20 ) # or c = coordinate(x = 10 , y = 20 ) c.x = = c[ 0 ] c.y = = c[ 1 ] x, y = c |
namedtuple 还提供了 _make 从 iterable 对象中创建新的实例:
1 | coordinate._make([ 10 , 20 ]) |
再来举个栗子:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 | # -*- coding: utf-8 -*- """ 比如我们用户拥有一个这样的数据结构,每一个对象是拥有三个元素的tuple。 使用namedtuple方法就可以方便的通过tuple来生成可读性更高也更好用的数据结构。 """ from collections import namedtuple websites = [ ( 'Sohu' , '' , u '张朝阳' ), ( 'Sina' , '' , u '王志东' ), ( '163' , '' , u '丁磊' ) ] Website = namedtuple( 'Website' , [ 'name' , 'url' , 'founder' ]) for website in websites: website = Website._make(website) print website print website[ 0 ], website.url |
结果:
1 2 3 4 5 6 | Website(name='Sohu', url='', founder=u'\u5f20\u671d\u9633') Sohu Website(name='Sina', url='', founder=u'\u738b\u5fd7\u4e1c') Sina Website(name='163', url='', founder=u'\u4e01\u78ca') 163 |