Pandas: sum DataFrame rows for given columns Pandas: sum DataFrame rows for given columns python python

Pandas: sum DataFrame rows for given columns


You can just sum and set param axis=1 to sum the rows, this will ignore none numeric columns:

In [91]:df = pd.DataFrame({'a': [1,2,3], 'b': [2,3,4], 'c':['dd','ee','ff'], 'd':[5,9,1]})df['e'] = df.sum(axis=1)dfOut[91]:   a  b   c  d   e0  1  2  dd  5   81  2  3  ee  9  142  3  4  ff  1   8

If you want to just sum specific columns then you can create a list of the columns and remove the ones you are not interested in:

In [98]:col_list= list(df)col_list.remove('d')col_listOut[98]:['a', 'b', 'c']In [99]:df['e'] = df[col_list].sum(axis=1)dfOut[99]:   a  b   c  d  e0  1  2  dd  5  31  2  3  ee  9  52  3  4  ff  1  7


If you have just a few columns to sum, you can write:

df['e'] = df['a'] + df['b'] + df['d']

This creates new column e with the values:

   a  b   c  d   e0  1  2  dd  5   81  2  3  ee  9  142  3  4  ff  1   8

For longer lists of columns, EdChum's answer is preferred.


Create a list of column names you want to add up.

df['total']=df.loc[:,list_name].sum(axis=1)

If you want the sum for certain rows, specify the rows using ':'