TypeError Traceback (most recent call last) ~\AppData\Local\Temp/ipykernel_11604/1859500952.py in <module> ----> 1 data[data['gender'] == 'M'] TypeError: list indices must be integers or slices, not str
时间: 2024-02-19 07:58:32 浏览: 202
Python BeautifulSoup [解决方法] TypeError: list indices must be integers or slices, not str
5星 · 资源好评率100%
这个错误是因为你使用了列表索引来访问数据,而不是使用DataFrame索引。要使用DataFrame索引,首先需要将数据转换为DataFrame格式。你可以使用`pd.DataFrame()`函数将数据转换为DataFrame,然后再使用`[]`运算符来访问数据。
例如,假设你有一个名为`data`的列表,其中包含姓名、年龄和性别:
```python
data = [['Alice', 25, 'F'], ['Bob', 30, 'M'], ['Charlie', 35, 'M'], ['Dave', 40, 'M'], ['Eve', 45, 'F']]
```
你可以使用以下代码将其转换为DataFrame,并访问`gender`列中值为`'M'`的行:
```python
import pandas as pd
# 将数据转换为DataFrame
df = pd.DataFrame(data, columns=['name', 'age', 'gender'])
# 访问gender列中值为'M'的行
df[df['gender'] == 'M']
```
这将返回一个包含所有满足条件的行的DataFrame。如果要选择特定的列,可以在索引中指定列名,如下所示:
```python
df.loc[df['gender'] == 'M', ['name', 'age']]
```
这将返回一个包含所有满足条件的行,以及`name`和`age`列的DataFrame。
阅读全文