How to Leverage Multiprocessing and Multithreading in AWS Lambda Functions
Published on:
October 17, 2024

AWS Lambda has emerged as a popular solution in serverless computing, allowing developers to run code without managing infrastructure.

AWS Lambda and How AWS Lambda works ? | by Mehmet Ozkaya | AWS Serverless  Microservices with Patterns & Best Practices | Medium

While Lambda offers convenience and scalability, its single-threaded nature can limit performance for CPU-intensive tasks.

In this post, we explore how to enhance Lambda’s performance using multiprocessing and multithreading in Python, providing developers with techniques to make the most of AWS Lambda’s available resources.

Understanding the AWS Lambda Execution Environment

AWS Lambda provides a server-less environment where code execution is triggered by events.

However, understanding Lambda’s execution model is essential before implementing parallel processing.

  • Resource Allocation: Lambda assigns CPU power proportionate to the memory allocation. More memory results in more CPU resources.
  • Ephemeral Storage: The /tmp directory offers up to 512MB of storage that persists only during the function's execution.
  • Concurrency Limits: Lambda imposes limits on the size of deployment packages, maximum execution time (15 minutes), and concurrent executions.

These constraints are crucial when designing parallel solutions, as they directly impact how multiprocessing and multithreading behave in Lambda.

Benefits of Multiprocessing and Multithreading in AWS Lambda

Parallel processing allows Lambda functions to execute tasks more efficiently, leading to:

  1. Improved Performance: CPU-bound tasks can be split across multiple cores using multiprocessing, while I/O-bound tasks can run concurrently with multithreading.
  2. Optimal Resource Utilization: Effective use of allocated CPU power can prevent underutilization during Lambda invocations.
  3. Reduced Execution Time: By processing tasks in parallel, Lambda functions can complete tasks faster, reducing overall execution time.

Implementing Multiprocessing in AWS Lambda

Multiprocessing enables parallel execution of tasks by using multiple cores.

However, Lambda does not support shared memory (/dev/shm), so modules like multiprocessing.Queue() and multiprocessing.Pool() are not available. Instead, you can use multiprocessing.Pipe() for inter-process communication.

Example: Sequential Volume Calculation

Let’s start with a sequential approach to calculating the total EBS volume size for EC2 instances.

import time
import boto3

class EC2VolumeCalculator:
    def __init__(self):
        self.ec2_resource = boto3.resource('ec2')

    def get_volume_size(self, instance):
        total_size = sum(volume.size for volume in instance.volumes.all())
        return total_size

    def calculate_total_volume_size(self):
        total_size = 0
        for instance in self.ec2_resource.instances.all():
            total_size += self.get_volume_size(instance)
        return total_size

def lambda_handler(event, context):
    calculator = EC2VolumeCalculator()
    start_time = time.time()
    total_size = calculator.calculate_total_volume_size()
    execution_time = time.time() - start_time
    print(f"Total EBS volume size: {total_size} GB")
    print(f"Execution time: {execution_time} seconds")

Results:

Total EBS volume size: 496 GB
Execution time: 1.925 seconds

The sequential approach is simple but can be slow when processing multiple instances. By using multiprocessing, we can parallelize the workload and improve performance.

Multiprocessing with Pipe()

To enable parallel execution in Lambda, we can use multiprocessing.Pipe() to communicate between processes.

Here’s how to implement it.

import time
from multiprocessing import Process, Pipe
import boto3

class EC2VolumeParallelCalculator:
    def __init__(self):
        self.ec2_resource = boto3.resource('ec2')

    def calculate_instance_volumes(self, instance, connection):
        total_volume_size = sum(volume.size for volume in instance.volumes.all())
        connection.send([total_volume_size])
        connection.close()

    def get_total_volume_size(self):
        instances = list(self.ec2_resource.instances.all())
        processes = []
        parent_pipes = []

        for instance in instances:
            parent_conn, child_conn = Pipe()
            parent_pipes.append(parent_conn)
            process = Process(target=self.calculate_instance_volumes, args=(instance, child_conn))
            processes.append(process)

        for process in processes:
            process.start()

        for process in processes:
            process.join()

        total_volume = sum(parent_conn.recv()[0] for parent_conn in parent_pipes)
        return total_volume

def lambda_handler(event, context):
    calculator = EC2VolumeParallelCalculator()
    start_time = time.time()
    total_volume_size = calculator.get_total_volume_size()
    elapsed_time = time.time() - start_time
    print(f"Total EBS volume size: {total_volume_size} GB")
    print(f"Execution time (parallel): {elapsed_time} seconds")

Results:

Total EBS volume size: 496 GB
Execution time (parallel): 1.856 seconds

Using ThreadPoolExecutor for Multithreading

While multiprocessing is ideal for CPU-heavy tasks, multithreading is more suitable for I/O-bound operations. Python’s ThreadPoolExecutor allows you to run threads concurrently, making it an efficient choice when dealing with network requests or file I/O.

Example: Multithreading with ThreadPoolExecutor

Here’s an example of calculating EBS volumes in parallel using threads.

import time
import boto3
from concurrent.futures import ThreadPoolExecutor, as_completed

class EC2VolumeParallelCalculator:
    def __init__(self):
        self.ec2_resource = boto3.resource('ec2')

    def calculate_instance_volumes(self, instance):
        total_volume_size = sum(volume.size for volume in instance.volumes.all())
        return total_volume_size

    def get_total_volume_size(self):
        instances = list(self.ec2_resource.instances.all())
        total_volume = 0

        with ThreadPoolExecutor() as executor:
            futures = [executor.submit(self.calculate_instance_volumes, instance) for instance in instances]
            for future in as_completed(futures):
                total_volume += future.result()

        return total_volume

def lambda_handler(event, context):
    calculator = EC2VolumeParallelCalculator()
    start_time = time.time()
    total_volume_size = calculator.get_total_volume_size()
    elapsed_time = time.time() - start_time
    print(f"Total EBS volume size: {total_volume_size} GB")
    print(f"Execution time (parallel): {elapsed_time} seconds")

Results:

Total EBS volume size: 496 GB
Execution time (parallel): 1.097 seconds

Multiprocessing vs. ThreadPoolExecutor: Which to Use?

When deciding between multiprocessing and multithreading for AWS Lambda, here are key considerations:

  1. Global Interpreter Lock (GIL): Multiprocessing bypasses the GIL, enabling true parallelism for CPU-bound tasks. ThreadPoolExecutor runs within the GIL, making it ideal for I/O-bound tasks.
  2. Resource Usage: Multiprocessing consumes more memory since each process runs independently. Threads share memory, making multithreading more efficient.
  3. Overhead: Multiprocessing incurs higher overhead due to process creation, whereas threads are faster to start.
  4. Use Case:
    • Use multiprocessing for CPU-bound tasks like data processing or heavy computations.
    • Use multithreading for I/O-bound tasks such as network calls or file operations.

Best Practices for AWS Lambda Parallelism

To optimize the performance of your AWS Lambda functions, follow these best practices:

  1. Memory Allocation: Increasing Lambda memory also increases CPU power, helping to scale parallel executions effectively.
  2. Cold Start Optimization: Be mindful of cold starts when using parallel processing, as both multiprocessing and threading can affect startup time.
  3. Task Nature: Choose the right parallelization method based on your workload—multiprocessing for CPU-bound tasks and multithreading for I/O-bound tasks.
  4. Error Handling: Ensure robust error handling, especially when using parallel execution, to prevent function crashes.

Choosing the Right Approach for AWS Lambda

Multiprocessing and multithreading offer significant performance improvements for AWS Lambda functions.

While multiprocessing is ideal for CPU-heavy tasks, ThreadPoolExecutor is more suitable for I/O-bound workloads, making it a better fit for many serverless use cases. Always test and measure performance to determine the best approach for your specific scenario.

AWS Lambda is designed to handle many small tasks concurrently, so in some cases, breaking tasks into smaller Lambda functions or using Step Functions may be more effective than parallel processing within a single function.

As always, aim for a balance between performance, cost, and efficiency when building serverless applications.

How to Leverage Multiprocessing and Multithreading in AWS Lambda Functions
Kunal Tyagi
CTO -
Bindbee
Thank you! Your submission has been received!
Oops! Something went wrong while submitting the form.