Handle Nan when using Pandas ExcelWriter in python

How can I modify the following code to process NaN values ​​as soon as there are empty cells in my data framework when I repeat it row by row, displaying the values ​​in column A?

excel = pd.ExcelWriter(f_name,engine='xlsxwriter')
wb = excel.book
ws = wb.add_worksheet('PnL')

for i in len(df):
  ws.write(0,i,df.iloc[i]['A'])
+4
source share
2 answers

I think you can use fillna:

df = df.fillna(0)

or

df['A'] = df['A'].fillna(0)

But it is better to use to_excel:

import pandas as pd
import numpy as np

# Create a Pandas dataframe from the data.
df = pd.DataFrame({'A': [10, 20, 30, 20, 15, 30, 45, np.nan], 
                   'B': [10, 20, 30, 20, 15, 30, 45, np.nan]})
print df
    A   B
0  10  10
1  20  20
2  30  30
3  20  20
4  15  15
5  30  30
6  45  45
7 NaN NaN

#create subset, because cannot write Series to excel
df1 = df[['A']]

# Create a Pandas Excel writer using XlsxWriter as the engine.
writer = pd.ExcelWriter('f_name.xlsx', engine='xlsxwriter')

# Convert the dataframe to an XlsxWriter Excel object, instead NaN give 0
df1.to_excel(writer, sheet_name='PnL', na_rep=0)

If you want to omit the index and title, add options index=Falseand header=False:

df1.to_excel(writer, sheet_name='PnL', na_rep=0, index=False, header=False)

excel

+4
source

, NAN . - NAN.

, Xlsxwriter NAN-, , . . . docs.

Pandas >= 0.16, :

excel = pd.ExcelWriter(f_name,
                        engine='xlsxwriter',
                        options={'nan_inf_to_errors': True})
+1

All Articles