By default to_csv writes a CSV like
JavaScript
x
5
1
,a,b,c
2
0,0.0,0.0,0.0
3
1,0.0,0.0,0.0
4
2,0.0,0.0,0.0
5
But I want it to write like this:
JavaScript
1
5
1
a,b,c
2
0,0.0,0.0,0.0
3
1,0.0,0.0,0.0
4
2,0.0,0.0,0.0
5
How do I achieve this? I can’t set index=False
because I want to preserve the index. I just want to remove the leading comma.
JavaScript
1
3
1
df = pd.DataFrame(np.zeros((3,3)), columns = ['a','b','c'])
2
df.to_csv("test.csv") # this results in the first example above.
3
Advertisement
Answer
It is possible by write only columns without index first and then data without header in append mode:
JavaScript
1
14
14
1
df = pd.DataFrame(np.zeros((3,3)), columns = ['a','b','c'], index=list('XYZ'))
2
3
pd.DataFrame(columns=df.columns).to_csv("test.csv", index=False)
4
#alternative for empty df
5
#df.iloc[:0].to_csv("test.csv", index=False)
6
df.to_csv("test.csv", header=None, mode='a')
7
8
df = pd.read_csv("test.csv")
9
print (df)
10
a b c
11
X 0.0 0.0 0.0
12
Y 0.0 0.0 0.0
13
Z 0.0 0.0 0.0
14