给定一个列表,我想要一种探索其内容的方法。
len() 会给我列表中的项目数,但我还能走得更远吗?例如,获取有关列表中包含的对象的类及其大小的信息?
这是一个比较笼统的问题。如果你觉得我应该提出一些具体的例子,请告诉我。
如果您想了解列表的可用属性和方法,可以打印在线帮助:
help(list)
如果你想要一个方法的文档,你可以这样做,例如:
help(list.append)
如果你想要项目的数量,你可以使用Len
函数:
l = [True, None, "Hi", 5, 3.14]
print("Length of the list is {0}".format(len(l)))
# -> Length of the list is 5
如果您想要列表引用的内存大小,可以尝试sys.getsizeof
以下功能:
import sys
print(sys.getsizeof(l))
# -> 104
对于项目的内存大小,只需将各个大小相加:
print(sum(sys.getsizeof(i) for i in l))
# -> 147
要列出每个项目的类型,请使用以下type
函数:
for item in l:
print(type(item))
你得到:
<class 'bool'>
<class 'NoneType'>
<class 'str'>
<class 'int'>
<class 'float'>