python pandas reset_index
时间: 2023-09-01 20:11:43 浏览: 107
在 Pandas 中,reset_index() 函数用于重置 DataFrame 或者 Series 的索引,它可以将索引重置为默认的数字索引,也可以将多级索引拆分成单级索引。reset_index() 函数不会修改原始 DataFrame 或者 Series,而是返回一个新的 DataFrame 或者 Series。
使用 reset_index() 函数时,需要注意以下几点:
1. reset_index() 函数默认将原始索引列添加为新的列,如果不需要原始索引列,可以使用 drop=True 参数删除原始索引列。
2. reset_index() 函数可以对指定的列进行重置索引,可以使用 level 参数指定需要重置的列。
下面是一个示例代码:
```python
import pandas as pd
data = {'name': ['Alice', 'Bob', 'Charlie'], 'score': [80, 90, 70]}
df = pd.DataFrame(data)
df = df.set_index('name') # 将 name 列设置为索引
print(df)
# 输出结果:
# score
# name
# Alice 80
# Bob 90
# Charlie 70
df = df.reset_index(drop=False) # 重置索引
print(df)
# 输出结果:
# name score
# 0 Alice 80
# 1 Bob 90
# 2 Charlie 70
```
在上面的代码中,我们首先使用 set_index() 函数将 name 列设置为索引,然后使用 reset_index() 函数将索引重置为默认的数字索引,并且保留原始索引列。最后输出重置索引后的 DataFrame。
阅读全文