pandas DataFrames

Python programming
Pandas
DataFrames
Tabular data

This lesson teaches how to use pandas DataFrames in Python to load tabular data, inspect and subset rows and columns, create new variables, and summarize data.

Authors

Noor Sohail

Will Gammerdinger

Published

March 16, 2026

Keywords

Pandas tutorial, CSV, Excel

Approximate time: XX minutes

Learning Objectives

In this lesson, we will:

  • Load and inspect data in a Pandas DataFrame.
  • Subset and index DataFrames in several different ways.
  • Add new columns to a DataFrame based on existing data.
  • Perform useful operations on DataFrames to summarize and manipulate data.

Overview of lesson

Real-life data oftentimes comes in the form of tables of data, matrices of gene expression, or excel sheets of patient data. pandas DataFrames are Python’s way of representing this tabular data so you can clean, filter, and summarize it efficiently. Being comfortable with DataFrames will let you do tasks like quickly finding all samples from a particular condition, computing summary statistics, or preparing a clean table for plotting. In this lesson, you will practice loading data into DataFrames and performing common operations that mirror how you would explore a dataset in a spreadsheet, but with far more control and reproducibility.

Downloading Data

First, we need to download the datasets we will be working with in this lesson, which is a metadata file containing information about a biological dataset.

You can download the data folder here by:

  1. Right-clicking the link and selecting “Save Link As…” to download the file to your computer.
  2. After downloading the file, place it in the data folder within the project directory
  3. Unzip the file to extract its contents.

Pandas Library

The Pandas library is a powerful tool for data manipulation and analysis in Python. It provides data structures and functions needed to manipulate tables of data, like excel sheets. The primary data structures in Pandas are Series and DataFrames.

Pandas and NumPy

Pandas is built on top of the NumPy library, which in practice means that most of the methods defined for NumPy Arrays apply to Pandas data structures.

This library is widely used in data science and machine learning for tasks such as data cleaning, transformation, and analysis. This is due to its comprehensive set of functions for handling and manipulating data, as well as its ability to handle large datasets efficiently.

Loading a Datasets

Within the Pandas library, there are built-in functions to load datasets from various file formats, such as csv (comma separated values) or excel files (.xlsx). The most commonly used function for loading data is pandas.read_csv(), which allows you to read a CSV file and create a DataFrame.

When working with large datasets, you will very likely be working with “metadata” file which contains the information about each sample in your dataset. The metadata is very important information and we encourage you to think about creating a document with as much metadata you can record before you bring the data into R. Here is some additional reading on metadata from the HMS Data Management Working Group.

We have a file in which we identify information about the data or metadata. Our metadata is also stored in a CSV file. In this file, each row corresponds to a sample and each column contains some information about each sample.

import pandas as pd

metadata = pd.read_csv("data/mouse_exp_design.csv")
metadata
Table 1: DataFrame of our experimental design, including sample names, genotypes, cell types, and replicate numbers for each sample.
genotype celltype replicate
sample1 Wt typeA 1
sample2 Wt typeA 2
sample3 Wt typeA 3
sample4 KO typeA 1
sample5 KO typeA 2
sample6 KO typeA 3
sample7 Wt typeB 1
sample8 Wt typeB 2
sample9 Wt typeB 3
sample10 KO typeB 1
sample11 KO typeB 2
sample12 KO typeB 3

The first column contains the row names and the remaining columns contain information about our samples that allow us to categorize them. For example, the second column contains genotype information for each sample. Each sample is classified in one of two categories: Wt (wild type) or KO (knockout). What types of categories do you observe in the remaining columns?

This metadata appears to describe the samples in our study. Each row holds information for a single sample, and the columns contain categorical information about the sample genotype (WT or KO), celltype (typeA or typeB), and replicate number (1, 2, or 3).

Inspecting the DataFrame

There are a wide selection of base functions in R that are useful for inspecting your data and summarizing it. Let’s use the metadata file that we created to test out data inspection functions.

For example, we can use the shape method to check the dimensions of our DataFrame, which will tell us how many rows and columns it contains:

metadata.shape
(12, 3)
.shape

The .shape method returns the number of rows and columns in the DataFrame. The first element is the number of rows, while the second element is the number of columns.

We do not have closing parentheses after .shape because it is an attribute of the DataFrame, not a method/function. In contrast, methods require parentheses to be called, even if they do not take any arguments (e.g., metadata.head()).

Suppose we had a larger file, we might not want to display all the contents in the console. Instead we could check the top (the first 6 lines) of this data.frame using the function head():

metadata.head()
Table 2: First six rows of the metadata DataFrame using the head() function
genotype celltype replicate
sample1 Wt typeA 1
sample2 Wt typeA 2
sample3 Wt typeA 3
sample4 KO typeA 1
sample5 KO typeA 2
Warning

Have not made exercises for the entire lesson

  1. Print the last 6 lines of the metadata DataFrame using tail() function.
  2. A followup question to question #1

Indexing and Subsetting DataFrames

To access specific elements of a DataFrame, we can use indexing and subsetting techniques. DataFrames can be indexed using both numerical indices and labels (rownames and column names).

Both are useful for different purposes. Numerical indexing is often more concise and can be faster for certain operations, while label-based indexing can be more intuitive and easier to read, especially when working with large datasets with meaningful row and column names.

Subsetting DataFrames with Indices

To access specific elements of a DataFrame using numerical indexing, we can use the iloc method, which stands for “integer location”. This method allows us to access rows and columns by their indices.

Let’s say we wanted to extract the wild type (Wt) value that is present in the first row and the first column.

  1. To extract it, just like with arrays, we give the name of the dataframe that we want to extract from, followed by the square brackets (metadata.iloc[ ]).
  2. Now inside the square brackets we give the coordinates or indices for the rows in which the value(s) are present, followed by a comma, then the coordinates or indices for the columns in which the value(s) are present (metadata.iloc[rows, columns]).

We know the wild type value is in the first row if we count from the top, so we put a one, then a comma. The wild type value is also in the first column, counting from left to right, so we put a one in the columns space too.

# Extract the value in the first row and first column
metadata.iloc[0, 0]
'Wt'

Now let’s extract the value 1 from the first row and third column.

# Extract the value in the first row and third column
metadata.iloc[0, 2]
np.int64(1)

Now if you only wanted to select based on rows, you would provide the index for the rows and leave the columns index blank. The key here is to include the comma, to let Python know that you are accessing a 2-dimensional data structure:

# Extract the first row
metadata.iloc[0, :]
genotype        Wt
celltype     typeA
replicate        1
Name: sample1, dtype: object

What kind of data structure does the output appear to be? It looks slightly different from the original DataFrame, but it still has the column names from before. Let us use the type() function to check the data structure of this output:

type(metadata.iloc[0, :])
<class 'pandas.Series'>

This is a Series data structure, which is a one-dimensional array with rownames. It is similar to a vector in R. The reason we get a Series instead of a DataFrame is because we are selecting a single row from the DataFrame. Since a single column in a DataFrame is really just a vector, Python will output a list-like object as the simplest data structure.

If you were selecting specific columns from the DataFrame - the rows are left blank:

# Extract the first column
metadata.iloc[:, 0]
sample1     Wt
sample2     Wt
sample3     Wt
sample4     KO
sample5     KO
sample6     KO
sample7     Wt
sample8     Wt
sample9     Wt
sample10    KO
sample11    KO
sample12    KO
Name: genotype, dtype: str

Same as before, we get a Series data structure because we are selecting a single column from the DataFrame.

Oftentimes we would like to keep our single column as a DataFrame. To do this, we use the to_frame() method, which converts a Series to a DataFrame:

# Extract the first column and convert it to a DataFrame
metadata.iloc[:, 0].to_frame()
Table 3: Converting a Series to a DataFrame using the to_frame() method.
genotype
sample1 Wt
sample2 Wt
sample3 Wt
sample4 KO
sample5 KO
sample6 KO
sample7 Wt
sample8 Wt
sample9 Wt
sample10 KO
sample11 KO
sample12 KO

Slicing DataFrames

Just like with vectors, you can select multiple rows and columns at a time. Within the square brackets, you need to provide a vector of the desired values.

We can extract consecutive rows or columns using the colon (:) to create the vector of indices to extract.

# Extract the first three rows
metadata.iloc[0:3, :]
Table 4: Extracting the first three rows from the metadata DataFrame using slices.
genotype celltype replicate
sample1 Wt typeA 1
sample2 Wt typeA 2
sample3 Wt typeA 3

Alternatively, we can use the list of indices [] to extract any number of rows or columns. Let’s extract the first, third, and sixth rows.

# Extract the first, third, and sixth rows
metadata.iloc[[0, 2, 5], :]
Table 5: Extracting non-consecutive rows from the metadata DataFrame with a list of indices.
genotype celltype replicate
sample1 Wt typeA 1
sample3 Wt typeA 3
sample6 KO typeA 3

Subsetting DataFrames with Labels

For larger datasets, it can be tricky to remember the column number that corresponds to a particular variable. (Is celltype in column 1 or 2? oh, right… they are in column 1). In some cases, the column/row number for values can change if the script you are using adds or removes columns/rows. It’s, therefore, often better to use column/row names to refer to extract particular values, and it makes your code easier to read and your intentions clearer.

So first let us take a look at what the rownams (index) and column names (columns) are for our DataFrame:

# Get the row names
metadata.index
Index(['sample1', 'sample2', 'sample3', 'sample4', 'sample5', 'sample6',
       'sample7', 'sample8', 'sample9', 'sample10', 'sample11', 'sample12'],
      dtype='str')
# Get the column names
metadata.columns
Index(['genotype', 'celltype', 'replicate'], dtype='str')

Now that we know the row and column names, we can use them to subset our data. To access specific elements of a DataFrame using label-based indexing, we can use the loc method, which stands for “location”. This method allows us to access rows and columns by their labels. For example, to extract the first three samples, we can use the following code:

# Extract the first three samples for the celltype column
metadata.loc[["sample1", "sample2", "sample3"], "celltype"]
sample1    typeA
sample2    typeA
sample3    typeA
Name: celltype, dtype: str

We can mix and match label-based and numerical indexing. For example, we can use label-based indexing to select the column we want, then use numerical indexing to select the first three samples from that column:

# Extract the first three samples for the celltype column 
metadata.iloc[0:2]["celltype"]
sample1    typeA
sample2    typeA
Name: celltype, dtype: str

It’s important to type the names of the columns/rows in the exact way that they are typed in the DataFrame; for instance if I had spelled celltype with a capital C, it would not have worked.

# Extract the first three samples for the Celltype column 
metadata.iloc[0:2]["Celltype"] # Celltype column incorrect
KeyError: 'Celltype'

We can also directly access a column without the loc method by using the column name as an attribute of the DataFrame. For example, to access the celltype column, we can use the following code:

# Access the celltype column directly
metadata["celltype"]
sample1     typeA
sample2     typeA
sample3     typeA
sample4     typeA
sample5     typeA
sample6     typeA
sample7     typeB
sample8     typeB
sample9     typeB
sample10    typeB
sample11    typeB
sample12    typeB
Name: celltype, dtype: str

Subsetting DataFrames with Logical Expressions

With DataFrames we can use logical expressions to extract the rows or columns in the DataFrame with specific values. First, we need to determine the indices in a rows or columns where a logical expression is True, then we can extract those rows or columns from the DataFrame.

For example, if we want to return only those rows of the DataFrame with the celltype column having a value of typeA, we would perform two steps:

  1. Identify which rows in the celltype column have a value of typeA.
  2. Use those True values to extract those rows from the DataFrame.
# Create a boolean mask for rows where celltype is "typeA"
metadata["celltype"] == "typeA"
sample1      True
sample2      True
sample3      True
sample4      True
sample5      True
sample6      True
sample7     False
sample8     False
sample9     False
sample10    False
sample11    False
sample12    False
Name: celltype, dtype: bool

This will output True and False values for the values in the vector. The first six values are True and the last six are False. This means the first six rows of our metadata have a vale of typeA while the last six do not. We can save these values to a variable, which we can call whatever we would like; let’s call it logical_idx.

# Create a boolean mask for rows where celltype is "typeA"
logical_idx = metadata["celltype"] == "typeA"

# Subset the DataFrame to return only rows where celltype is "typeA"
metadata[logical_idx]
Table 6: Subsetting metadata by applying a boolean mask for rows where celltype is “typeA”.
genotype celltype replicate
sample1 Wt typeA 1
sample2 Wt typeA 2
sample3 Wt typeA 3
sample4 KO typeA 1
sample5 KO typeA 2
sample6 KO typeA 3

We have used those True and False values to extract the rows that correspond to the True values from the metadata DataFrame. The result is a dataframe that only contains rows where the celltype is typeA.

  1. A question to evaluate Learning Objective 2
  2. A followup question to question #1

Adding New Columns

Now that we know how to access specific values in a DataFrame, we can also add new columns to our data. Oftentimes you will need to create new variables based on the information in your DataFrame or add new information to your DataFrame.

Adding a New Column with the Same Value

Perhaps we wanted to add a new column to our metadata, where we specify that the species for each of our samples is mus musculus. When the value is the same across all the rows, we can simply create a new column and assign whichever value we want to that column:

# Add a new column for species
metadata["species"] = "mus musculus"
metadata
Table 7: Adding a new column (species) to the metadata DataFrame with the same value for all rows.
genotype celltype replicate species
sample1 Wt typeA 1 mus musculus
sample2 Wt typeA 2 mus musculus
sample3 Wt typeA 3 mus musculus
sample4 KO typeA 1 mus musculus
sample5 KO typeA 2 mus musculus
sample6 KO typeA 3 mus musculus
sample7 Wt typeB 1 mus musculus
sample8 Wt typeB 2 mus musculus
sample9 Wt typeB 3 mus musculus
sample10 KO typeB 1 mus musculus
sample11 KO typeB 2 mus musculus
sample12 KO typeB 3 mus musculus

Adding a New Column with Conditional Values

We can even add new columns that are conditional across information within the dataframe. For example, perhaps all the mice in replicate 1 were female while the rest were male. We can create a new column for sex and make those corresponding assignments using the loc method.

We are going to do this in three steps:

  1. Create the column sex and initialize it with a default value of None.
None

None is a special value in Python that represents the absence of a value or a null value. It is often used to indicate that a variable has no value or that a function does not return anything. In this case, we are initializing the sex column with None to indicate that we have not yet assigned any values to it.

# Add a new column for sex
metadata["sex"] = None
metadata
Table 8: Initializing a new column (sex) in the metadata DataFrame with a default value of None.
genotype celltype replicate species sex
sample1 Wt typeA 1 mus musculus None
sample2 Wt typeA 2 mus musculus None
sample3 Wt typeA 3 mus musculus None
sample4 KO typeA 1 mus musculus None
sample5 KO typeA 2 mus musculus None
sample6 KO typeA 3 mus musculus None
sample7 Wt typeB 1 mus musculus None
sample8 Wt typeB 2 mus musculus None
sample9 Wt typeB 3 mus musculus None
sample10 KO typeB 1 mus musculus None
sample11 KO typeB 2 mus musculus None
sample12 KO typeB 3 mus musculus None
  1. Asign the value female to rows where the replicate column has a value of 1. We do this with the loc method, which allows us to access rows that meet our condition, then we specify the column (sex) in which we want to assign the value female.
# Assign "female" to rows where replicate is 1
metadata.loc[metadata["replicate"] == 1, "sex"] = "female"
metadata
Table 9: Assigning the value “female” to rows where the replicate column has a value of 1.
genotype celltype replicate species sex
sample1 Wt typeA 1 mus musculus female
sample2 Wt typeA 2 mus musculus None
sample3 Wt typeA 3 mus musculus None
sample4 KO typeA 1 mus musculus female
sample5 KO typeA 2 mus musculus None
sample6 KO typeA 3 mus musculus None
sample7 Wt typeB 1 mus musculus female
sample8 Wt typeB 2 mus musculus None
sample9 Wt typeB 3 mus musculus None
sample10 KO typeB 1 mus musculus female
sample11 KO typeB 2 mus musculus None
sample12 KO typeB 3 mus musculus None
  1. Assign the value male to rows where the replicate column has a value of 2 or 3.
# Assign "male" to rows where replicate is not 1
metadata.loc[metadata["replicate"] != 1, "sex"] = "male"
metadata
Table 10: Assigning the value “male” to rows where the replicate column has a value not equal to 1.
genotype celltype replicate species sex
sample1 Wt typeA 1 mus musculus female
sample2 Wt typeA 2 mus musculus male
sample3 Wt typeA 3 mus musculus male
sample4 KO typeA 1 mus musculus female
sample5 KO typeA 2 mus musculus male
sample6 KO typeA 3 mus musculus male
sample7 Wt typeB 1 mus musculus female
sample8 Wt typeB 2 mus musculus male
sample9 Wt typeB 3 mus musculus male
sample10 KO typeB 1 mus musculus female
sample11 KO typeB 2 mus musculus male
sample12 KO typeB 3 mus musculus male

Calculating New Columns

We can also create new columns by performing calculations on existing columns. For example, we can create a new column called replicate_squared that contains the square of the values in the replicate column.

# Create a new column for the square of the replicate number
metadata["replicate_squared"] = metadata["replicate"] ** 2
metadata
Table 11: Creating a new column (replicate_squared) that contains the square of the values in the replicate column.
genotype celltype replicate species sex replicate_squared
sample1 Wt typeA 1 mus musculus female 1
sample2 Wt typeA 2 mus musculus male 4
sample3 Wt typeA 3 mus musculus male 9
sample4 KO typeA 1 mus musculus female 1
sample5 KO typeA 2 mus musculus male 4
sample6 KO typeA 3 mus musculus male 9
sample7 Wt typeB 1 mus musculus female 1
sample8 Wt typeB 2 mus musculus male 4
sample9 Wt typeB 3 mus musculus male 9
sample10 KO typeB 1 mus musculus female 1
sample11 KO typeB 2 mus musculus male 4
sample12 KO typeB 3 mus musculus male 9

Or even take the sum across multiple columns to create a new column. For example, we can create a new column called replicate_replicate_sum that contains the sum of the values in the replicate and replicate columns.

# Create a new column for the sum of replicate and replicate
metadata["replicate_replicate_sum"] = metadata["replicate"] + metadata["replicate"]
metadata
Table 12: Creating a new column (replicate_replicate_sum) that contains the sum of the values in the replicate and replicate columns.
genotype celltype replicate species sex replicate_squared replicate_replicate_sum
sample1 Wt typeA 1 mus musculus female 1 2
sample2 Wt typeA 2 mus musculus male 4 4
sample3 Wt typeA 3 mus musculus male 9 6
sample4 KO typeA 1 mus musculus female 1 2
sample5 KO typeA 2 mus musculus male 4 4
sample6 KO typeA 3 mus musculus male 9 6
sample7 Wt typeB 1 mus musculus female 1 2
sample8 Wt typeB 2 mus musculus male 4 4
sample9 Wt typeB 3 mus musculus male 9 6
sample10 KO typeB 1 mus musculus female 1 2
sample11 KO typeB 2 mus musculus male 4 4
sample12 KO typeB 3 mus musculus male 9 6

We can apply any range of mathematical operations to create new columns based on data that already exists in the DataFrame.

Useful DataFrame Operations

The Pandas library is filled with useful function to manipulate and wrangle with dataframes. Here, we will continue to cover some useful functions that are commonly used, but a more comprehensive cheatsheet of Pandas functions can be found on the official website.

value_counts()

Other ways to quickly summarize the contents of a DataFrame include value_counts(), which counts the number of times a particular value appears in a column. For example, we can use this function to count the number of samples that belong to each genotype category:

metadata["genotype"].value_counts()
genotype
Wt    6
KO    6
Name: count, dtype: int64

Now we know how many samples are classified as WT and how many are classified as KO in our dataset.

Subsection 3B

  1. A question to evaluate Learning Objective 3
  2. A followup question to question #1

Next Lesson >>

Back to Schedule

Reuse

CC-BY-4.0