Python dataframe concat
时间: 2024-10-09 19:00:19 浏览: 35
在Python的pandas库中,`concat()`函数用于沿着某一轴方向连接(或堆叠)两个或更多的DataFrame对象。它并不直接是合并(join),而是将DataFrame按行或列拼接在一起。
如果你想要使用`concat()`,而不是`join()`,你可以这样做:
```python
# 假设我们有两个DataFrame,df1和df2
import pandas as pd
index = ['A', 'B', 'C', 'D']
df1 = pd.DataFrame({'col1': [1, 2, 3, 4]}, index=index)
df2 = pd.DataFrame({'col2': [5, 6, 7, 8]}, index=index)
# 沿着列方向拼接
result_column_concat = pd.concat([df1, df2], axis=1) # 默认是沿列(axis=1)拼接
# 或者沿行(axis=0)拼接,保留索引
result_row_concat = pd.concat([df1, df2], axis=0, ignore_index=True)
# 结果:
# result_column_concat:
# col1 col2
# A 1 5
# B 2 6
# C 3 7
# D 4 8
# result_row_concat:
# 0 1
# A 1.0 5.0
# B 2.0 6.0
# C 3.0 7.0
# D 4.0 8.0
```
阅读全文