要将字典转换为 Pandas DataFrame,并且将字典的键作为行(即索引),你可以使用 orient='index'
作为参数,这样字典的键会作为 DataFrame 的行索引,而不是列名。
以下是一个示例:
示例代码
import pandas as pd# 创建一个字典
data = {'A': [1, 2, 3],'B': [4, 5, 6],'C': [7, 8, 9]
}# 将字典转换为 DataFrame,以键为行
df = pd.DataFrame.from_dict(data, orient='index')# 打印结果
print(df)
输出:
0 1 2
A 1 2 3
B 4 5 6
C 7 8 9
解释:
pd.DataFrame.from_dict(data, orient='index')
:orient='index'
将字典的键作为 DataFrame 的行索引,而不是列。- DataFrame 会自动为列分配数字编号(例如
0, 1, 2
)。如果你希望指定列名,可以通过columns
参数进行设置。
添加列名
如果你希望为这些列指定列名,可以使用 columns
参数:
df = pd.DataFrame.from_dict(data, orient='index', columns=['col1', 'col2', 'col3'])
print(df)
输出:
col1 col2 col3
A 1 2 3
B 4 5 6
C 7 8 9
这样你就可以控制行和列的结构了。