VertitimeX Technologies

Pandas Table Visualization.

Displaying a DataFrame as a table in pandas can be achieved in several ways, depending on the environment you are working in (e.g., Jupyter Notebooks, Python script, etc.).

1️⃣ Display Pandas DataFrame as a Table in Jupyter Notebook
If you're using Jupyter Notebook, Pandas automatically formats DataFrames as HTML tables.
    import pandas as pd

    # Sample Data
    data = {'Name': ['Alice', 'Bob', 'Charlie'],
    'Age': [25, 30, 35],
    'Score': [85, 90, 78]}

    df = pd.DataFrame(data)

    # Display as Table (Jupyter Notebook)
    df
    

2️⃣ Pretty Table Using Pandas to_markdown()
If you want a well-formatted table for console output:
print(df.to_markdown())
    

3️⃣ Matplotlib Table Visualization
You can render a DataFrame as a table inside a Matplotlib figure.
import matplotlib.pyplot as plt

fig, ax = plt.subplots(figsize=(4, 2))  # Set figure size
ax.axis('tight')
ax.axis('off')
ax.table(cellText=df.values, colLabels=df.columns, cellLoc='center', loc='center')

plt.show()
    

4️⃣ Seaborn Heatmap for Tabular Data
A heatmap is a great way to visualize numerical data.
    import seaborn as sns

    plt.figure(figsize=(4, 2))
    sns.heatmap(df.set_index("Name"), annot=True, cmap="coolwarm", linewidths=0.5)
    plt.show()