VB.net 2010 视频教程 VB.net 2010 视频教程 python基础视频教程
SQL Server 2008 视频教程 c#入门经典教程 Visual Basic从门到精通视频教程
当前位置:
首页 > Python基础教程 >
  • Python标准库学习之operator.itemgetter函数的使用

operator.itemgetter是Python标准库operator模块中的一个函数,本文主要介绍了Python标准库学习之operator.itemgetter函数的使用,具有一定的参考价值,感兴趣的可以了解一下

一、简介
operator.itemgetter 是 Python 标准库 operator 模块中的一个函数。它主要用于获取可迭代对象中的特定元素,常用于排序操作。这个函数返回一个可调用对象,可以方便地从序列或映射中获取指定的项。

二、语法和参数

operator.itemgetter(*items)
参数:

*items:一个或多个索引、键或其他可用于从对象中获取项的值。

三、实例

3.1 基本使用
代码:

from operator import itemgetter
 
# 创建一个列表
fruits = ['apple', 'banana', 'cherry', 'date']
 
# 使用itemgetter获取特定位置的元素
getter = itemgetter(1, 3)
result = getter(fruits)
 
print("原始列表:")
print(fruits)
print("\nitemgetter(1, 3)的结果:")
print(result)

输出:

原始列表:

['apple', 'banana', 'cherry', 'date']

itemgetter(1, 3)的结果:
('banana', 'date')

3.2 用于列表排序
代码:

from operator import itemgetter
 
# 创建一个包含元组的列表
people = [
    ('John', 25, 'USA'),
    ('Jane', 30, 'UK'),
    ('Bob', 22, 'Canada'),
    ('Alice', 28, 'Australia')
]
 
# 按年龄排序
sorted_by_age = sorted(people, key=itemgetter(1))
 
print("原始列表:")
print(people)
print("\n按年龄排序后的列表:")
print(sorted_by_age)
 
# 按国家排序,然后按年龄排序
sorted_complex = sorted(people, key=itemgetter(2, 1))
 
print("\n按国家排序,然后按年龄排序的列表:")
print(sorted_complex)

输出:

原始列表:
[('John', 25, 'USA'), ('Jane', 30, 'UK'), ('Bob', 22, 'Canada'), ('Alice', 28, 'Australia')]

按年龄排序后的列表:
[('Bob', 22, 'Canada'), ('John', 25, 'USA'), ('Alice', 28, 'Australia'), ('Jane', 30, 'UK')]

按国家排序,然后按年龄排序的列表:
[('Alice', 28, 'Australia'), ('Bob', 22, 'Canada'), ('Jane', 30, 'UK'), ('John', 25, 'USA')]

3.3 用于字典排序
代码:

from operator import itemgetter
 
# 创建一个字典
fruits = {'apple': 3, 'banana': 1, 'cherry': 2, 'date': 4}
 
# 按值排序
sorted_by_value = sorted(fruits.items(), key=itemgetter(1))
 
print("原始字典:")
print(fruits)
print("\n按值排序后的列表:")
print(sorted_by_value)
 
# 转换回字典
sorted_dict = dict(sorted_by_value)
print("\n排序后的字典:")
print(sorted_dict)

输出:

原始字典:
{'apple': 3, 'banana': 1, 'cherry': 2, 'date': 4}

按值排序后的列表:
[('banana', 1), ('cherry', 2), ('apple', 3), ('date', 4)]

排序后的字典:
{'banana': 1, 'cherry': 2, 'apple': 3, 'date': 4}

四、注意事项
itemgetter 返回的是一个可调用对象,不是实际的值。
对于字典,itemgetter(key) 等同于 lambda x: x[key],但性能更好。
在处理大量数据时,itemgetter 通常比 lambda 函数更高效。
itemgetter 可以接受多个参数,用于同时获取多个项。
在排序复杂结构(如包含多个字段的对象列表)时,itemgetter 特别有用。
使用 itemgetter 时要确保指定的键或索引在所有要处理的对象中都存在,否则会引发 KeyError 或 IndexError。
到此这篇关于Python标准库学习之operator.itemgetter函数的使用的文章就介绍到这了,更多相关Python operator.itemgetter函数内容请搜索以前的文章或继续浏览下面的相关文章希望大家以后多多支持!

原文链接:https://blog.csdn.net/qq_46396470/article/details/140536594


相关教程