用顶行替换标题

我现在有一个数据框,看起来像这样:

           Unnamed: 1    Unnamed: 2   Unnamed: 3  Unnamed: 4
0   Sample Number  Group Number  Sample Name  Group Name
1             1.0           1.0          s_1         g_1
2             2.0           1.0          s_2         g_1
3             3.0           1.0          s_3         g_1
4             4.0           2.0          s_4         g_2

我正在寻找一种方法来删除标题行,并使第一行成为新的标题行,所以新的数据框架应该是这样的:

    Sample Number  Group Number  Sample Name  Group Name
0             1.0           1.0          s_1         g_1
1             2.0           1.0          s_2         g_1
2             3.0           1.0          s_3         g_1
3             4.0           2.0          s_4         g_2

我已经尝试沿着 if 'Unnamed' in df.columns:线的东西,然后使没有头 df.to_csv(newformat,header=False,index=False)的数据帧,但我似乎没有得到任何地方。

331816 次浏览

数据框架可以通过简单的操作来改变

df.columns = df.iloc[0]
df = df[1:]

然后

df.to_csv(path, index=False)

应该能行。

new_header = df.iloc[0] #grab the first row for the header
df = df[1:] #take the data less the header row
df.columns = new_header #set the header row as the df header

如果你想要一句俏皮话,你可以这样做:

df.rename(columns=df.iloc[0]).drop(df.index[0])

@ ostrokach 回答最好。最有可能的情况是,您希望在对数据框架的任何引用中始终保留这个属性,因此 inplace = True 将使您受益。
Rename (column = df.iloc [0] ,inplace = True) Drop ([0] ,inplace = True)

另一种方法


df.columns = df.iloc[0]
df = df.reindex(df.index.drop(0)).reset_index(drop=True)
df.columns.name = None


Sample Number  Group Number  Sample Name  Group Name
0             1.0           1.0          s_1         g_1
1             2.0           1.0          s_2         g_1
2             3.0           1.0          s_3         g_1
3             4.0           2.0          s_4         g_2


如果你喜欢的话,去箭头餐厅,谢谢

这里有一个定义“就地”列索引的简单技巧。因为 set_index设置了 划船索引,所以我们可以通过调换数据帧、设置索引并将其返回来对列进行同样的操作:

df = df.T.set_index(0).T

注意,如果您的行已经有不同的索引,那么您可能必须更改 set_index(0)中的 0

header = table_df.iloc[0]
table_df.drop([0], axis =0, inplace=True)
table_df.reset_index(drop=True)
table_df.columns = header
table_df

最佳实践和 最佳一线队:

df.to_csv(newformat,header=1)

注意头部的值:

标题引用行号作为列名。毫无疑问,行号不是 df,而是来自 excel 文件(0是第一行,1是第二行,依此类推)。

这样,您将获得所需的列名,而不必编写其他代码或创建新的 df。

好消息是,它丢弃了被替换的行。

另一个使用 Python 交换的俏皮话是:

df, df.columns = df[1:] , df.iloc[0]

这不会重置索引

不过,相反的方法不会像预期的 df.columns, df = df.iloc[0], df[1:]那样起作用

或者,我们可以在读取带有熊猫的文件时这样做。

这个案子我们可以利用,

pd.read_csv('file_path',skiprows=1)

读取文件时,这将跳过第一行,并将该列设置为文件的第二行。

出于某种原因,我不得不这样做:

df.columns = [*df.iloc[0]]
df = table[1:]

我将列表分割成列表的部分看起来是多余的,但是除此之外,标题仍然作为实际表的一部分出现。

这似乎是一个可能需要不止一次的任务。我已经采取了 rgalbo 的答案,并编写了一个简单的函数,可以提升和放置到任何项目。

def promote_df_headers(df):
'''
Takes a df and uses the first row as the header


Parameters
----------
df : DataFrame
Any df with one or more columns.


Returns
-------
df : DataFrame
Input df with the first row removed and used as the column names.


'''


new_header = df.iloc[0]
df = df[1:]
df.columns = new_header
df = df.reset_index(drop=True)


return df