当我更改
pandas.DataFrame
的样式时,例如像这样
# color these columns
color_columns = ['roi', 'percent_of_ath']
(portfolio_df
.style
# color negative numbers red
.apply(lambda v: 'color: red' if v < 0 else 'color: black',
subset=color_columns)
# color selected cols light blue
.apply(lambda s: 'background-color: lightblue',
subset=color_columns))
应用于数据帧的样式不是永久的。
为了使它们保持不变,我可以将
(portfolio_df ...
部分的输出分配给同一个数据帧像这样:
portfolio_df = (portfolio_df ...
在 Jupyter Notebook 中显示这个覆盖的
portfolio_df
,我可以看到样式精美的 DataFrame。但是尝试从模块导入的函数内更改样式,我失败了。我在函数中构造 DataFrame,更改样式,从函数返回(现在)样式化的 DataFrame,将其显示在 Jupyter Notebook 中,我看到一个非样式化的 DataFrame。
编辑
检查样式操作的返回值
s = (portfolio_df.style.apply(...
我看到这个:
>>> type(s)
pandas.io.formats.style.Styler
所以该操作不返回一个DataFrame,而是一个
...Styler
对象。我错误地认为我可以将此返回值重新分配给我的原始 DataFrame,从而覆盖它并使样式更改永久。
问题
将样式应用于 DataFrame 的操作是破坏性的还是非破坏性的破坏性操作?答案似乎是风格不会永久改变。现在,我怎样才能让它永久改变?
编辑2
查看
Pandas
的源代码,我查看了
class Styler
的文档字符串(参见[1]):
If using in the Jupyter notebook, Styler has defined a ``_repr_html_``
to automatically render itself. Otherwise call Styler.render to get
the generated HTML.
所以在Jupyter中笔记本中,Styler 有一个方法可以根据应用的样式自动渲染数据帧。
否则(在 iPython 中)它会创建 HTML。
将应用的样式的返回值分配给变量
s = (portfolio_df.style.apply(...
我可以使用它在 Jupyter 笔记本中渲染新样式。
我的理解是:我无法将数据帧输出到 Jupyter 笔记本中并期望它渲染新样式。但我可以输出
s
来显示新样式。
[1]
class Styler
in
pandas/pandas/io/formats/style.py
Docstring,第39行。
是对的,Pandas 中的样式应用不会直接修改基础 DataFrame。它创建了一个
Styler
对象,该对象包含有关如何显示 DataFrame 的信息,包括任何应用的样式。
样式不是为了持久化而设计的。 它们旨在用于显示目的,尤其是针对 Jupyter Notebook 等环境。
如果需要在不同函数和上下文中保留样式,则需要采用不同的方法:
-
在函数内返回样式化对象:
不要尝试修改原始 DataFrame,而是在函数内返回
Styler
对象。然后,可以在 Jupyter Notebook 中显示此样式化对象。
```python def style_my_dataframe(df): color_columns = ['roi', 'percent_of_ath'] styled_df = (df.style .apply(lambda v: 'color: red' if v < 0 else 'color: black', subset=color_columns) .apply(lambda s: 'background-color: lightblue', subset=color_columns)) return styled_df
styled_df = style_my_dataframe(portfolio_df) styled_df # This will display the styled DataFrame in Jupyter ```
-
使用 HTML 表示形式:
如果需要在 Jupyter Notebook 之外使用样式,可以将
Styler
对象渲染为 HTML,然后保存或使用该 HTML。
python
html_representation = styled_df.render()
# Save to file:
with open('styled_dataframe.html', 'w') as f:
f.write(html_representation)
-
使用其他库进行更持久的样式设置:
如果需要更强大、更持久的样式选项,请考虑使用其他专门用于表格样式设置和导出(如 Excel 文件)的库。一些流行的选项包括:
- XlsxWriter: 用于创建 Excel 文件,并提供广泛的格式选项。
- Openpyxl: 用于读取和写入 Excel 文件,并支持样式设置。
请记住,Pandas 中的样式主要用于增强数据可视化和探索,而不是用于永久数据修改。选择最适合需求的方法。
标签:python,pandas,jupyter-notebook,pandas-styles From: 56176720