Python and Data Science
Software, Tools and Workflows

Beginner's Guide to Developing a Streamlit App for Relative Permeability and Capillary Pressure Curves

Shubham B. Patel
February 19, 2025

Some time ago, I started a collaboration with Alan at CrowdField, where he provided guidance and support for me to develop my first Streamlit app.

I was eager to learn how to use Python to build simple, user-friendly applications that run in a browser and have real-world applications in the oil and gas industry. After discussing several options with Alan, I decided to take on the challenge of building an interactive interface for relative permeability curves.

The process and dynamics of our collaboration were described in a blog post Alan published on the CrowdField website:

Case Study: Collaborating with a Young Engineer to Develop a Streamlit Relative Permeability App

Here’s a short YouTube demo showcasing an app run-through:

And here’s a link to the Streamlit app itself, which you can run in any browser:

👉 Link to Rel Perm StreamLit App

So, I decided to dive deeper into the technical aspects and create a detailed, step-by-step guide on how to develop a Streamlit app like this one.

My goal is to encourage others to explore this powerful tool.

Key Features of Streamlit:

Why Use Streamlit for Saturation Function Calculations?

Envisioning the Streamlit App

When we decided to implement a Streamlit app for relative permeability curves, we envisioned an interface that would:

Step-by-Step Guide

Here are the steps to create a Streamlit app.

Setting Up Your Environment

To get started, you need Python installed on your system along with the necessary libraries.

Install Python

  1. Download and install Python from python.org.
  2. Verify the installation by running:

python --version


You should see an output like Python 3.x.x.

Install Required Libraries

Create a virtual environment to isolate dependencies and install necessary libraries.

Open your terminal or command prompt and navigate to your working directory:

mkdir streamlit_app
cd streamlit_app



Create and activate a virtual environment:

python -m venv env
env\\Scripts\\activate# Windows
source env/bin/activate# Mac/Linux



Install the required libraries:

pip install streamlit numpy pandas plotly openpyxl requests PyPDF2



Creating the App Structure

Inside your project folder, create a new Python file:

touch Myapp.py



Open Myapp.py in your preferred text editor (e.g. VSCode) and add the following imports:

import streamlit as st
import numpy as np
import pandas as pd
import plotly.graph_objs as go
from PyPDF2 import PdfReader



Explanation:

  1. streamlit (st): Creates the interactive user interface for our web application.
  2. numpy (np): Provides efficient tools for numerical computations.
  3. pandas (pd): Handles tabular data (e.g., creating data tables for permeability).
  4. plotly.graph_objs (go): Enables interactive and visually appealing graphs.
  5. requests: Fetches external files from the internet, such as PDFs used in this app.
  6. PyPDF2.PdfReader: Extracts data from PDF files.
  7. io.BytesIO: Allows in-memory file handling for exporting and downloading files.

Defining Functions for Calculations

Functions serve as the backbone of the application, each dedicated to a specific task such as calculating permeability, exporting data, or generating plots.

For relative permeability calculations, I've implemented Corey functions, using exact formulas sourced from the references listed at the end of this guide.

Next, we define the key functions that will compute relative permeability and capillary pressure curves; Water-Oil, Gas-Oil, and Gas-Water systems.

Sample script: Function for Water-Oil System

def calculate_properties_water_oil(Sw, Swc, Sorw, Kro_max, Krw_max, no, nw, pc_max, npc):
   kro = Kro_max * np.maximum(((1 - Sw - Sorw) / (1 - Swc - Sorw)), 0) ** no
   krw = Krw_max * np.maximum(((Sw - Swc) / (1 - Swc - Sorw)), 0) ** nw
   pcwo = pc_max * np.maximum(((1 - Sw - Sorw) / (1 - Swc - Sorw)), 0) ** npc
   return kro, krw, pcwo

We also need code the functions to plot the curves in the user interface and export the curves as tables for ECL simulation.

Building the User Interface

The Streamlit library allows us to create an intuitive interface where users can select the system type, adjust parameters, and view results dynamically.

Key Elements:

  1. Sliders: Allow users to adjust numerical parameters interactively.
  2. Number Input boxes: Allows for fine-tuned control for larger values like pc_max.
  3. Graphs: graphical display of rel perms and Pc curves, which update in real time with user interactive controls.
  4. Buttons: Enable users to download curves as excel tables and ECL include files, as well as pdf documentation.

At the end we can add a block for attribution

Sample attribution script:

st.markdown(
"""
---
Developed by [Shubham B. Patel](<https://www.linkedin.com/in/shubham-patel-1045/>) under the guidance of [Alan Mourgues](<https://www.linkedin.com/in/alan-mourgues/>).
Visit [CrowdField.net](<https://www.crowdfield.net/>) for more case studies.
"""
)



Testing and Deployment

Run the App Locally


streamlit run Saturation functions app.py


Deploy the App

Set Up a GitHub Repository:

  1. Go to GitHub
    • Open GitHub and sign in or create a GitHub account
  2. Create a New Repository
    • Click the "+" icon (top-right) > "New Repository"
    • Fill in details:
      • Repository Name: e.g., my-streamlit-app
      • Description: Add a description (optional)
      • Public: Make the repository public (required for free Streamlit Cloud hosting)
      • Initialize with README: Check this box
      • Click Create Repository

Upload Your App to GitHub

Clone the repository to your local machine:

git clone <https://github.com/your-username/my-streamlit-app.git>



Move your app files (e.g., app.py) into the cloned folder

Add a .gitignore file to exclude unnecessary files:

echo "__pycache__/" > .gitignore


Commit and push your code:

git add .
git commit -m "Initial commit"
git push


Add a Requirements File

Create a file named requirements.txt in the repository folder.

Add the Python libraries your app needs:



streamlit>=1.42.0 # Streamlit for web applications

numpy>=1.21.0 # NumPy for numerical operations

pandas>=1.4.0 # Pandas for data manipulation

matplotlib>=3.5.0 # Matplotlib for plotting

scikit-learn>=1.1.0 # Scikit-learn for machine learning

requests>=2.27.0 # Requests for HTTP requests

plotly>=6.0.0 # Plotly for interactive plotting

PyPDF2>=3.0.0

xlsxwriter>=3.2.0


Save and push this file to GitHub:


git add requirements.txt
git commit -m "Add requirements file"
git push


Deploy on Streamlit Community Cloud

  1. Go to Streamlit Community Cloud
  2. Create a New App
    • Click "New App"
  3. Configure Deployment
    • Select the GitHub repository that contains your app
    • Branch: Leave as main (or select your branch if it's different)
    • File path: Enter the name of your app file (e.g., app.py)
  4. Click "Deploy"
    • Streamlit will install the dependencies from requirements.txt and deploy your app
    • Wait for the deployment process to complete (a few seconds to a minute)

Test and Share Your App

Once deployed, your app will be live, and you'll get a URL like:

https://your-username-your-repo-name.streamlit.app

Share this link with others to allow them to view your app.

Update Your App

Make changes to your app code locally.

Push changes to GitHub:



git add .
git commit -m "Update app"
git push


Streamlit Cloud will automatically detect changes and redeploy your app.

Troubleshooting Tips

That's it! Your app is now live on Streamlit and linked with GitHub for easy updates.

The Impact

This project taught me several valuable lessons:

  1. Modern engineering tools don't have to be complicated to be useful.
  2. Python and Streamlit enable the creation of professional applications without requiring extensive software development expertise.
  3. Hosting calculations in a web app simplifies sharing and collaboration with colleagues.

This Streamlit app offers a powerful yet user-friendly tool for calculating and visualizing relative permeability and capillary pressure curves. By combining technical rigor with modern visualization, it enhances understanding and accelerates decision-making in reservoir engineering.

References

These are the resources I used while developing this body of work:

  1. Corey, A. T., "The Interrelation Between Gas and Oil Relative Permeabilities," Production Mon., 19, 38 (1954).
  2. Purcell, W. R., "Capillary Pressures—Their Measurement Using Mercury and the Calculation of Permeability Therefrom," Transactions AIME, 186, 39 (1949).
  3. Burdine, N. T., "Relative Permeability Calculations from Pore Size Distribution Data," Transactions AIME, 198, 71 (1953).
  4. Lomeland, F., Ebeltoft, E., and Thomas, W. H., "A New Versatile Relative Permeability Correlation," Paper SCA2005-32, presented at the International Symposium of the Society of Core Analysts, Toronto, Canada, August 21–25, 2005.
  5. SPE PEH: Relative Permeability and Capillary Pressure
  6. IHS Energy: Relative Permeability Correlations
  7. Ahmed, T., Reservoir Engineering Handbook, 4th Edition, Chapter 5: "Relative Permeability Concepts."
  8. Streamlit Documentation

Want to get started? Grab my App Development Pack for just $20!

You get:

Purchase for only $20:

👉 https://subscribepage.io/qKBwNA

I hope this article has shown that creating useful tools is within your reach—even if you're just starting with Python.

Feel free to reach out if you have any questions. Happy coding!

More Tools

Explore a curated collection of valuable resources in our Store, both free and paid, all designed to help you upskill.

Shubham is a Reservoir Engineer who specializes in deep-water and unconventional gas fields, focusing on reserve estimation, production forecasting, and reservoir modeling.

With expertise in well test interpretation, reservoir characterization, and economic analysis, he integrates analytical and numerical methods to optimize production and maximize asset value.

Committed to efficiency and sustainability, he enhances operations while promoting responsible reservoir management.

Featured...

All blog posts

"O&G AI Wave"
Newsletter

Subscribe to O&G AI Wave – your indispensable guide to the evolving world of AI and NoCode and their practical applications for Oil & Gas professionals.

Our newsletter brings you the latest trends and insights in AI and NoCode technologies directly impacting the O&G sector.

Every issue is packed with expert analyses and practical tips to help you navigate and leverage these transformative technologies.

Don’t miss out on the opportunity to stay ahead of the trend and future-proof your career in this incredibly dynamic field.

How we can help

At CrowdField, our mission is to empower YOU—helping you showcase your skills in the open market and monetize them effectively. Here's how you benefit from being with us:

👉 Make your mark and find freelance opportunities by listing yourself in our freelancer directory to get noticed. Join us for free here.

👉 Turn your skills into digital products that sell. We'll help you polish, launch, and list them in our Store, promote them on our LinkedIn page, to our email subscribers, and feature your success in a case study on our Blog, amplifying both your product and personal brand. Whether you're at the idea stage, midway through implementation, or nearing completion, if you see potential for monetization, we're interested. Take the first step by getting in touch to start a conversation at hello@crowdfield.net.

👉 Discover bargains in our digital store with heavily discounted prices during our market discovery period. Take advantage of these limited-time offers as we expand our network. Dive in now and find your gem! Got to Store