
2. No sponsors or groups provided payment for this analysis. The performance analysis was conducted on a specific package version (dating back to Feb 2023) and reflects my personal experience. Data processing is competitive, so take the benchmark comparison with a grain of salt.
Thank you for taking the time to read this message!
Pandas is no doubt one of the most popular libraries in Python. Its DataFrame is intuitive and has rich APIs for data manipulation tasks. Many Python libraries integrated with Pandas DataFrame to increase their adoption rate.
However, Pandas doesn’t shine in the land of data processing with a large dataset. It is predominantly used for data analysis on a single machine, not a cluster of machines. In this article, I will try to measure performance for Polars, DuckDB, Vaex, Modin as alternatives to compare with Pandas.
Database-like ops benchmark published by h2oai inspires the idea of this post. The benchmark experiment was conducted in May 2021. This article is to review this field after two years with many feature and improvements.
Why is Pandas slow on large datasets?
The main reason is that Pandas wasn’t designed to run on multiple cores. Pandas uses only one CPU core at a time to perform the data manipulation tasks and takes no advantage on modern PC with multiple cores on parallelism.
How to mitigate the issue when data size is large (still can fit on one machine) but Pandas takes time to execute? One solution is to leverage a framework like Apache Spark to perform data manipulation tasks utilizing clusters. But sometimes, data analysis can be done more efficiently by sampling data and analyze on a single machine.
If you prefer to stay on a single machine, let’s review Polars, DuckDB, Vaex, Modin as alternatives to compare with Pandas in this article. To measure how long it takes to process extensive data, I will share the performance benchmark on a single machine.
Performance Evaluation Preparison
The specs of the tested machine
MacBook Pro (13-inch, 2020, Four Thunderbolt 3 ports)
- CPU: 2 GHz Quad-Core Intel Core i5 (4 cores)
- Memory: 16 GB 3733 MHz LPDDR4X
- OS: MacOS Monterey 12.2
The test dataset
In this case, a medium-large dataset for the process would be good enough to show the differences. The NYC Parking Tickets are a good dataset for this evaluation. It has 42.3M rows from Aug 2013-June 2017 with 51 columns including Registration State, Vehicle Make, and Vehicle Color that are interesting to know the insights. We will use the fiscal 2017 dataset with 10.8M rows, and the file size is about 2.09G.
The evaluation process
- Due to the entire running time that includes reading the data into memory, it is necessary to consider the data loading separately.
- We’d process the same call 5x times to avoid edge cases and use the median value to report as our final performance result.
Helper function to repeat and compute the median
from itertools import repeat
from statistics import median
import functools
import time
durations = []
## repeat a given function multiple times, append the execution duration to a list
def record_timer(func, times = 5):
for _ in repeat(None, times):
start_time = time.perf_counter()
value = func()
end_time = time.perf_counter()
run_time = end_time - start_time
print(f"Finished {func.__name__!r} in {run_time:.10f} secs")
durations.append(run_time)
return value
## Decorator and compute the median of the function
def repeat_executor(times=5):
def timer(func):
"""Print the runtime of the decorated function"""
@functools.wraps(func)
def wrapper_timer(*args, **kwargs):
value = record_timer(func, times=times)
print(f'{median(list(durations))}')
return value
return wrapper_timer
return timer
Warning: we will show a lot of code, so it’s easier for readers on what I did instead of either not showing the process or pointing you to a GitHub. If you don’t bother about the process, please skip and proceed to the result at the bottom.
Pandas: The Baseline
To set up the baseline for comparison, we shall examine the famous use cases for daily analytics jobs: filter, aggregation, joins, and window function.
- filter: find the Vehicle Make is BMW
- aggregation: group by Vehicle Make and perform count
- join: SELF join on Summons Number
- window function: rank the Vehicle Make based on the count of the
I selected on only the used fields for our testing, which are ‘Summons Number’, ‘Vehicle Make’, ‘Issue Date’
. Note if I choose to select everything, the last two queries run significantly slower.
import pandas as pd
from repeat_helper import repeat_executor
df = pd.read_csv("./Parking_Violations_Issued_-_Fiscal_Year_2017.csv")
df = df[['Summons Number', 'Vehicle Make', 'Issue Date']]
# ## Filter on the Vehicle Make for BMW
@repeat_executor(times=5)
def test_filter():
return df[df['Vehicle Make'] == 'BMW']['Summons Number']
# # ## Group By on the Vehicle Make and Count
@repeat_executor(times=5)
def test_groupby():
return df.groupby("Vehicle Make").agg({"Summons Number":'count'})
# # ## SELF join
@repeat_executor(times=5)
def test_self_join():
return df.set_index("Summons Number").join(df.set_index("Summons Number"), how="inner", rsuffix='_other').reset_index()['Summons Number']
## window function
@repeat_executor(times=5)
def test_window_function():
df['summon_rank'] = df.sort_values("Issue Date",ascending=False) \
.groupby("Vehicle Make") \
.cumcount() + 1
return df
test_filter()
# # The median time is 0.416s
test_groupby()
# # The median time is 0.600s
test_self_join()
# # The median time is 4.159s
test_window_function()
# # The median time is 17.465s
DuckDb: Efficient OLAP In-Process DB
DuckDB is gaining popularity as its columnar-vectorized engine powers analytical types of queries. It’s an analytical or OLAP version of SQLite, a widely adopted simple embedded in-process DBMS.
Although it’s a DBMS, installation isn’t complex compared to Microsoft SQL Server or Postgres; Additionally, no external dependencies are required to run a query. I am astonished how easy it is to execute a SQL query with DuckDb CLI.
If you prefer SQL interface, DuckDb might be your best alternative to performing data analysis directly on CSV or Parquet file. Let’s continue with some code examples and simultaneously show how straightforward it is to work with SQL with DuckDb.
DuckDb has a magic read_csv_auto
function to infer a CSV file and load that data into memory. At runtime, I found I have to change SAMPLE_SIZE=-1
to skip sampling due some fields in my dataset isn’t inferred correctly, with sampling is default as 1,000 rows.
import duckdb
from repeat_helper import repeat_executor
con = duckdb.connect(database=':memory:')
con.execute("""CREATE TABLE parking_violations AS SELECT "Summons Number", "Vehicle Make", "Issue Date" FROM read_csv_auto('/Users/chengzhizhao/projects/pandas_alternatives/Parking_Violations_Issued_-_Fiscal_Year_2017.csv', delim=',', SAMPLE_SIZE=-1);""")
con.execute("""SELECT COUNT(1) FROM parking_violations""")
print(con.fetchall())
# ## Filter on the Vehicle Make for BMW
@repeat_executor(times=5)
def test_filter():
con.execute("""
SELECT * FROM parking_violations WHERE "Vehicle Make" = 'BMW'
""")
return con.fetchall()
# # ## Group By on the Vehicle Make and Count
@repeat_executor(times=5)
def test_groupby():
con.execute("""
SELECT COUNT("Summons Number") FROM parking_violations GROUP BY "Vehicle Make"
""")
return con.fetchall()
# # # ## SELF join
@repeat_executor(times=5)
def test_self_join():
con.execute("""
SELECT a."Summons Number"
FROM parking_violations a
INNER JOIN parking_violations b on a."Summons Number" = b."Summons Number"
""")
return con.fetchall()
# ## window function
@repeat_executor(times=5)
def test_window_function():
con.execute("""
SELECT *, ROW_NUMBER() OVER (PARTITION BY "Vehicle Make" ORDER BY "Issue Date")
FROM parking_violations
""")
return con.fetchall()
test_filter()
# The median time is 0.410s
test_groupby()
# # The median time is 0.122s
test_self_join()
# # The median time is 3.364s
test_window_function()
# # The median time is 6.466s
The result on DuckDb is impressive. We have the filter test that is at parity but much better performance in rest 3 tests compared with pandas.
If you are not comfortable writing Python, you can use the DuckDb CLI with SQL interface in command line or TAD easily

Polars: Astonishing Fast Build On Rust + Arrow
Polars was created by Ritchie Vink. Ritchie also has a blog post, “I wrote one of the fastest DataFrame libraries,” and it was well-received. The impressive part for Polars is that on the Database-like ops benchmark by h2oai, it ranked the top on the group by and join operations.
Here are a few reasons Polars can replace Pandas:
- Polars starts with the parallelization of DataFrame from the beginning. It doesn’t restrict itself to single-core operation.
- PyPolars is Rust-based with Python bindings, which has outstanding performance comparable to C, and “Arrow Columnar Format” is an excellent choice for the analytics OLAP type query.
- Lazy evaluation: plan (not execute) the query until triggered. This can be used to optimize queries like additional pushdown further.
import polars as pl
from repeat_helper import repeat_executor
df = pl.read_csv("./Parking_Violations_Issued_-_Fiscal_Year_2017.csv")
df = df.select(['Summons Number', 'Vehicle Make', 'Issue Date'])
# ## Filter on the Vehicle Make for BMW
@repeat_executor(times=5)
def test_filter():
return df.filter(pl.col('Vehicle Make') == 'BMW').select('Summons Number')
# # ## Group By on the Vehicle Make and Count
@repeat_executor(times=5)
def test_groupby():
return df.groupby("Vehicle Make").agg(pl.col("Summons Number").count())
# # # ## SELF join
@repeat_executor(times=5)
def test_self_join():
return df.join(df, on="Summons Number", how="inner").select('Summons Number')
# ## window function
@repeat_executor(times=5)
def test_window_function():
return df.select(
[
'Summons Number',
'Vehicle Make',
'Issue Date',
pl.col(['Issue Date']).sort(reverse=True).cumcount().over("Vehicle Make").alias("summon_rank")
]
)
test_filter()
# # The median time is 0.0523s
test_groupby()
# # # The median time is 0.0808s
test_self_join()
# # # The median time is 1.343s
test_window_function()
# # The median time is 2.705s
WOW, Polars is blazingly fast! Coding in Polars give you a feeling of mixed pySpark and Pandas, but the interface is so familiar, and it took less than 15 mins for me to write the query above with no experience with Polars API. You can refer Polars documentation on Python to comprehend it quickly.
Vaex: Out-of-Core DataFrames
Vaex is another alternative that does the lazy evaluation, avoiding additional memory wastage for performance penalty. It uses memory mapping and will only execute when explicitly asked to. Vaex has a set of handy data visualizations, making it easier to explore the dataset.
Vaex has implemented parallelized group by, and it’s efficient on join.
import vaex
from repeat_helper import repeat_executor
vaex.settings.main.thread_count = 4 # cores fit my macbook
df = vaex.open('./Parking_Violations_Issued_-_Fiscal_Year_2017.csv')
df = df[['Summons Number', 'Vehicle Make', 'Issue Date']]
# ## Filter on the Vehicle Make for BMW
@repeat_executor(times=5)
def test_filter():
return df[df['Vehicle Make'] == 'BMW']['Summons Number']
# # ## Group By on the Vehicle Make and Count
@repeat_executor(times=5)
def test_groupby():
return df.groupby("Vehicle Make").agg({"Summons Number":'count'})
# # ## SELF join
@repeat_executor(times=5)
def test_self_join():
return df.join(df, how="inner", rsuffix='_other', left_on='Summons Number', right_on='Summons Number')['Summons Number']
test_filter()
# # The median time is 0.006s
test_groupby()
# # The median time is 2.987s
test_self_join()
# # The median time is 4.224s
# window function https://github.com/vaexio/vaex/issues/804
However, I found the window function isn’t implemented, and open issue tracked here. We can iterate by each group and assign each row a value with the suggestion mentioned in this issue. However, I didn’t find the window function implemented out of the box for Vaex.
vf['rownr`] = vaex.vrange(0, len(vf))
Modin: Scale pandas by changing one line of code
With a line of the code change, will Modin enable user better performance than Pandas? In Modin, it is to do the following change, replace the Pandas library with Modin.
## import pandas as pd
import modin.pandas as pd
However, there is still a list of implementations that still need to be done in Modin. Besides code change, we’d still need to set up its backend for scheduling. I tried to use Ray in this example.
import os
os.environ["MODIN_ENGINE"] = "ray" # Modin will use Ray
#########################
#######Same AS Pandas#######
#########################
test_filter()
# # The median time is 0.828s
test_groupby()
# # The median time is 1.211s
test_self_join()
# # The median time is 1.389s
test_window_function()
# # The median time is 15.635s,
# `DataFrame.groupby_on_multiple_columns` is not currently supported by PandasOnRay, defaulting to pandas implementation.
The window function on Modin hasn’t been supported on Ray, so it still uses the Pandas implementation. The time spent is closer to Pandas on window function.
(py)datatable
If you come from R community, data.table
it shouldn’t be a unfamiliar package. As any package gets popular, its core idea will be brought to the other languages. (py)datatable is one the attempts to mimic R’s data.table
core algorithms and API.
However, during testing, this doesn’t work well to qualify faster than pandas, given the syntax is similar to R’s data.table
I think it’s nice to mention here as a Pandas alternative.
Result

Final Thoughts
Those are Pandas alternatives that gave users better performance for the cases I tested. At the same time, the API change is not significant to Pandas. If you consider one of those libraries, it should be a smooth transition. On the other hand, Pandas still hold the best coverage on functionality for APIs. The alternative solutions are short for advanced API support like window function.
Running Pandas on a single machine is still the best option for data analysis or ad-hoc queries. The alternative libraries may boost the performance in some cases, but only sometimes in all cases on a single machine.
Let me know what you think is the best alternative to Pandas you’d choose by leaving comments.
About Me
I hope my stories are helpful to you.
For data engineering post, you can also subscribe to my new articles or becomes a referred Medium member that also gets full access to stories on Medium.
More Articles

Bidding War on Housing Market? Let’s Use R For Exploratory Data Analysis
Exploratory Data Analysis (EDA) is a methodology in data science as the initial approach to gain insights by visualizing and summarizing data. We will use some exploratory data analysis technics to find the reason behind the bidding war on the housing market.

Here Is What I Learned Using Apache Airflow over 6 Years
Apache Airflow is undoubtedly the most popular open-source project for data engineering for years. It gains popularity at the right time with The Rise Of Data Engineer. Today, I want to share my journey with Airflow and what I learned over 6 years.

How to Engage with Users By Storytelling: Show Data Analytics in R and Shiny
Using R and Shiny, we can build an app where the end users can interact with the data analysis we have done. I will show you how to engage with users by storytelling - show data analytics in R and Shiny.