web-dev-qa-db-fra.com

Exporter une table LaTeX à partir de pandas DataFrame

Existe-t-il un moyen simple d’exporter un bloc de données (ou même une partie de celui-ci) vers LaTeX? 

J'ai cherché dans google et était seulement capable de trouver des solutions en utilisant asciitables.

39
PlagTag

Les DataFrames ont une méthode to_latex:

In [42]: df = pd.DataFrame(np.random.random((5, 5)))

In [43]: df
Out[43]: 
          0         1         2         3         4
0  0.886864  0.518538  0.359964  0.167291  0.940414
1  0.834130  0.022920  0.265131  0.059002  0.530584
2  0.648019  0.953043  0.263551  0.595798  0.153969
3  0.207003  0.015721  0.931170  0.045044  0.432870
4  0.039886  0.898780  0.728195  0.112069  0.468485

In [44]: print df.to_latex()
\begin{tabular}{|l|c|c|c|c|c|c|}
\hline
{} &         0 &         1 &         2 &         3 &         4 \\
\hline
0 &  0.886864 &  0.518538 &  0.359964 &  0.167291 &  0.940414 \\
1 &  0.834130 &  0.022920 &  0.265131 &  0.059002 &  0.530584 \\
2 &  0.648019 &  0.953043 &  0.263551 &  0.595798 &  0.153969 \\
3 &  0.207003 &  0.015721 &  0.931170 &  0.045044 &  0.432870 \\
4 &  0.039886 &  0.898780 &  0.728195 &  0.112069 &  0.468485 \\
\hline
\end{tabular}

Vous pouvez simplement écrire ceci dans un fichier tex.

Par défaut, latex affichera ceci comme:

as it would appear in latex

Remarque: la méthode to_latex offre plusieurs options de configuration.

68
bmu

Il suffit d'écrire dans un fichier texte. Ce n'est pas magique

import pandas as pd
df = pd.DataFrame({"a":range(10), "b":range(10,20)})
with open("my_table.tex", "w") as f:
    f.write("\\begin{tabular}{" + " | ".join(["c"] * len(df.columns)) + "}\n")
    for i, row in df.iterrows():
        f.write(" & ".join([str(x) for x in row.values]) + " \\\\\n")
    f.write("\\end{tabular}")
5
Thorsten Kranz

Si vous voulez le sauvegarder:

with open('mytable.tex', 'w') as tf:
     tf.write(df.to_latex())
0
Armin Alibasic