Skip to content
Open
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
105 changes: 105 additions & 0 deletions 4_data_processing/cudf_gpu.py
Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Thanks for adding this example, I am not much aware of the Nvidia Rapid APIs. Just to confirm- Everything we have considered here has latest version and is relevant. correct>

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It's definitely the latest version, but after making this I do wonder if this is something we're really targeting. I'm not sure how often Pandas/dataframe ops are used for llm workloads 🤷

I'm fine with not including it if we don't think it's something people would be interested in!

Copy link
Contributor

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

I will let you make a call here. Thanks

Original file line number Diff line number Diff line change
@@ -0,0 +1,105 @@
# Accelerated data analytics with cudf
# This example shows some simple accelerated data analytics functionality using cudf and pandas.

# [cuDF](https://github.com/rapidsai/cudf) is part of the [NVIDIA RAPIDs](https://rapids.ai/) project.
# RAPIDs provides simple APIs to accelerate common Python data analytics functions with GPUs.
# In this example we'll do some very simple analytics functions (a group by) to calculate
# some average and summed values per hour for a year of the NY taxi dataset.

# cuDF is really easy to bake into pandas - we just download an extra dependency,
# initialize it before we import pandas, and anything we do with pandas with an existing
# cuDF API will be accelerated by the GPU we gave our endpoint.

# We use a network volume to store the raw data on a persistent disk. If you rerun the example, our code
# will automatically load it from disk instead of redownloading

# The CUDA version is restricted to values >12.0 as required by cudf.

import asyncio
from tetra_rp import remote, LiveServerless, GpuGroup, NetworkVolume
from tetra_rp import CudaVersion

# first, define resources - a NetworkVolume will serve as persistent storage
network_volume = NetworkVolume(
name="cudf_network_volume",
size=30 # in GB
)

# GPU worker we will use to do some simple analytics
gpu_config = LiveServerless(
name="cudf_gpu_example",
gpus=[
GpuGroup.AMPERE_24, GpuGroup.ADA_24,
],
networkVolume=network_volume, # assign the network volume to the endpoint
cudaVersions=[CudaVersion(f"12.{minor_cuda_version}") for minor_cuda_version in range(0, 9)],
)

@remote(gpu_config, dependencies=["pandas", "cudf-cu12", "--extra-index-url=https://pypi.nvidia.com"])
class GpuDataFrameExample():
def __init__(self):
return

def process_taxi_data_gpu(self):
import cudf.pandas
cudf.pandas.install()
# use cudf engine for pandas. This will use cudf apis first and fall back to pandas

import pandas as pd
print("pandas module: ", pd)
from time import time
import os

# Our network volume will be mounted directly on our container, and is accessible at /runpod-volume/
filepath = "/runpod-volume/taxi_data.parquet"

if os.path.exists(filepath):
print("data already exists in network volume. Reading from network volume")
_cached = True
df = pd.read_parquet(filepath)
else:
print("data not preloaded on network volume. Downloading...")
months = [f"{i:02d}" for i in range(1, 13)]
dfs = [pd.read_parquet(f"https://d37ci6vzurychx.cloudfront.net/trip-data/yellow_tripdata_2023-{month}.parquet") for month in months]
df = pd.concat(dfs, ignore_index=True)
_cached = False


print(df.head())
print("number of records in dataset: ", len(df))

start = time()
print("starting some GPU accelerated analytics!")

# make some convenience columns
df["tpep_pickup_datetime"] = pd.to_datetime(df["tpep_pickup_datetime"])
df["hour"] = df["tpep_pickup_datetime"].dt.hour


agg = df.groupby(["hour"]).agg(
trips=("passenger_count", "count"),
avg_fare=("fare_amount", "mean"),
avg_tip=("tip_amount", "mean")
).reset_index()

end = time()

print(f"Elapsed time: {end - start:.6f} seconds")
print(agg.head())

if not _cached:
print("caching dataset to network volume")
df.to_parquet(filepath)

return

async def main():
gpu_data_frame_example = GpuDataFrameExample()
await gpu_data_frame_example.process_taxi_data_gpu()


if __name__ == "__main__":
try:
asyncio.run(main())
except Exception as e:
print(f"❌ An error occurred: {e}")