Formatting thousand separator for numbers in a pandas dataframe

Try*_*ard 2 python-2.7 pandas

I am trying to write a dataframe to a csv and I would like the .csv to be formatted with commas. I don't see any way on the to_csv docs to use a format or anything like this.

Does anyone know a good way to be able to format my output?

My csv output looks like this:

12172083.89 1341.4078   -9568703.592    10323.7222
21661725.86 -1770.2725  12669066.38 14669.7118
Run Code Online (Sandbox Code Playgroud)

I would like it to look like this:

12,172,083.89   1,341.4078  -9,568,703.592  10,323.7222
21,661,725.86   -1,770.2725 12,669,066.38   14,669.7118
Run Code Online (Sandbox Code Playgroud)

Pir*_*orm 5

Comma is the default separator. If you want to choose your own separator you can do this by declaring the sep parameter of pandas to_csv() method.
df.to_csv(sep=',')

If you goal is to create thousand separators and export them back into a csv you can follow this example:

import pandas as pd
df = pd.DataFrame([[12172083.89, 1341.4078,   -9568703.592,    10323.7222],
[21661725.86, -1770.2725,  12669066.38, 14669.7118]],columns=['A','B','C','D'])
for c in df.columns:
    df[c] = df[c].apply(lambda x : '{0:,}'.format(x))
df.to_csv(sep='\t')
Run Code Online (Sandbox Code Playgroud)

If you just want pandas to show separators when printed out:

pd.options.display.float_format = '{:,}'.format
print(df)
Run Code Online (Sandbox Code Playgroud)