程序员求职经验分享与学习资料整理平台

网站首页 > 文章精选 正文

. Python 中的列表用法详解

balukai 2025-01-16 17:55:11 文章精选 7 ℃

列表是 Python 中最通用和最常用的数据结构之一。它们是有序的项目集合,可以保存各种数据类型并且是可变的,这意味着它们的内容在创建后可以更改。列表提供了一种有效的方法来有效地组织和操作数据。

1 创建列表

在 Python 中创建列表非常简单。列表是通过将项目括在方括号来定义的[],用逗号分隔。

示例:创建简单列表

# Creating a list of OS  
os = ["Linux", "Windows", "MacOS"]  
print(os)

输出

['Linux', 'Windows', 'MacOS']

2.索引和切片列表

列表支持索引,允许您使用元素的位置访问各个元素。Python 使用从 0 开始的索引,因此第一个元素的索引为 0。此外,您还可以对列表进行切片以获取项目的子集。

示例:访问和切片列表

# Accessing elements  
first_os = operating_systems[0]   # 'Linux'  
second_os = operating_systems[1]  # 'Windows'  

# Slicing a list  
sublist = operating_systems[1:3]  # ['Windows', 'MacOS']  

print(first_os, second_os)  
print(sublist)

输出

Linux Windows
['Windows', 'MacOS']

3. 修改列表

由于列表是可变的,因此可以轻松修改其内容。可以根据需要添加、删除或更改项目。

示例:添加和删除元素

# Adding an element  
operating_systems.append("ChromiumOS")  # Adds 'ChromiumOS' to the end of the list  

# Removing an element  
operating_systems.remove("Windows")     # Removes 'Windows' from the list  

print(operating_systems)

输出

['Linux', 'MacOS', 'ChromiumOS']

4. 列出方法

Python 提供了多种用于处理列表的内置方法。以下是一些常用的方法:

  • append(item):将项目添加到列表的末尾。
  • insert(index, item):在指定索引处插入项目。
  • pop(index):删除并返回指定索引处的项目(默认为最后一项)。
  • sort():按升序对列表进行排序。
  • reverse():反转列表的顺序。

示例:使用 List 方法

# Inserting an item  
operating_systems.insert(1, "MS-DOS")  # Inserts 'MS-DOS' at index 1  

# Popping an item: Removes and returns the last item ('ChromiumOS')
last_fruit = operating_systems.pop()  

# Sorting the list  
operating_systems.sort()              # Sorts the list in alphabetical order  

print(operating_systems)  
print("Popped OS:", last_fruit)

输出

['Linux', 'MS-DOS', 'MacOS']
Popped OS: ChromiumOS

5. 列表推导式

列表推导式是在 Python 中创建列表的一种简洁方法。它由括号组成,其中包含一个表达式,后跟一个 for 子句,以及用于筛选项目的可选 if 子句。

示例:使用 List Comprehension

# Creating a list of squares for even numbers from 0 to 9  
squares = [x**2 for x in range(10) if x % 2 == 0]  

print(squares)  # Outputs only squares of even numbers

输出

[0, 4, 16, 36, 64]
最近发表
标签列表