ElastiCache 101 - A Comprehensive Guide for Beginners

May 22, 2023

ElastiCache 101 - A Comprehensive Guide for Beginners

Introduction to ElastiCache

What Is Amazon ElastiCache?

Amazon ElastiCache is a fully managed in-memory caching service provided by Amazon Web Services (AWS). It allows you to easily deploy, operate, and scale popular open-source cache engines, such as Redis and Memcached, on the cloud without worrying about managing infrastructure. By offloading data processing tasks from your primary databases, ElastiCache helps improve application performance, reduce latency, and increase throughput.

Role in Application Performance

ElastiCache enables developers to accelerate their applications by caching frequently used data, which reduces the time it takes to fetch the data from the disk or primary database. This results in quicker response times, reduced CPU and I/O load on your back-end systems, and an overall improved user experience for your customers.

By integrating ElastiCache into your application architecture, you can ensure that your application remains responsive even under high traffic loads and offers users a consistently fast experience.

Relation to AWS Infrastructure

ElastiCache integrates seamlessly with other AWS services, allowing you to build caching architectures that work harmoniously within your existing AWS infrastructure. For instance, you can use ElastiCache with Amazon RDS or Amazon DynamoDB as your primary data storage, while utilizing Amazon EC2 instances for running your applications.

Furthermore, it supports features like Auto Scaling, Multi-AZ deployments, and automatic backups to help you manage your cache clusters effectively and maintain high availability.

Key Features of ElastiCache

Scalability and Flexibility

ElastiCache offers impressive scalability, both horizontally and vertically, enabling you to handle increasing workloads efficiently. You can add or remove cache nodes effortlessly, allowing your applications to grow or contract based on demand. For example, to scale your Redis cluster, simply use the following AWS CLI command:

aws elasticache modify-replication-group --replication-group-id mygroup --num-cache-clusters 5

Additionally, you have the flexibility to choose between two caching engines, Redis and Memcached, depending on your specific requirements. While Redis offers advanced data structures and atomic operations, Memcached is ideal for simple key-value caches.

High Availability and Fault Tolerance

ElastiCache supports Multi-AZ deployments, ensuring that your cache data remains highly available even during planned maintenance or unexpected failures. By automatically detecting and replacing failed nodes, ElastiCache minimizes downtime and allows you to focus on developing your application. To enable Multi-AZ support in your Redis replication group, use the following command:

aws elasticache create-replication-group --replication-group-id mygroup --primary-cluster-id mycluster --automatic-failover-enabled --num-node-groups 1 --replicas-per-node-group 2

Automatic backups and point-in-time recovery options further enhance the fault tolerance of your ElastiCache deployment, safeguarding your cache data against accidental loss or corruption.

Improved Security Measures

ElastiCache provides robust security features to help protect your data and network. By default, it operates inside an Amazon Virtual Private Cloud (VPC), isolating your cache instances from the public internet. Furthermore, you can use VPC Security Groups and Network Access Control Lists (ACLs) to limit access to specific IP addresses or subnets.

Authentication and encryption options for both Redis and Memcached instances ensure that only authorized clients can access your cache:

  • For Redis, you can enable both in-transit and at-rest encryption using AWS Key Management Service (KMS). Additionally, you can configure password-based authentication.
  • For Memcached, you can set up a Simple Authentication and Security Layer (SASL) based authentication mechanism.

Monitoring and Maintenance Features

ElastiCache integrates seamlessly with other AWS services such as Amazon CloudWatch, providing real-time monitoring and performance metrics for your cache instances. This visibility allows you to make informed decisions when optimizing your cache performance. To retrieve cache cluster metrics, use the following command:

aws cloudwatch get-metric-data --metric-data-queries file://myqueries.json --start-time 2020-10-18T23:00:00Z --end-time 2020-11-01T23:00:00Z

Moreover, ElastiCache offers managed maintenance windows, during which AWS automatically applies software updates and performs system-level changes to keep your cache environment up-to-date and secure.

By understanding these key features of ElastiCache, you are now better equipped to leverage its capabilities for building scalable, high-performance applications in the AWS cloud.

Comparing Redis and Memcached in ElastiCache

ElastiCache supports two popular open-source cache engines: Redis and Memcached. Both engines offer excellent performance, but they cater to different use cases and have unique feature sets.

Feature Comparison

Redis:

  1. Data structures: Redis supports various data structures such as strings, hashes, lists, sets, sorted sets, bitmaps, and hyperloglogs. This flexibility allows developers to model data in different ways according to their specific use case.
  2. Persistence: Redis offers an optional persistence feature that enables you to store cache data on disk. This can help recover data in case of a system crash.
  3. Replication: Redis supports master-slave replication, making it easy to scale reads and ensure high availability of cached data.
  4. Transactions: Redis has built-in support for transactions, enabling atomic execution of multiple commands.
  5. Lua scripting: Redis supports Lua scripting, allowing users to run server-side custom logic.
import redis

r = redis.StrictRedis(host='your-elasticache-endpoint', port=6379)

# Setting Key-Value Pair

r.set('key', 'value')

# Fetching Value Using Key

value = r.get('key')
print(value)

Memcached:

  1. Data structures: Memcached only supports simple key-value pairs, limiting its functionality compared to Redis.
  2. Persistence: Memcached does not support data persistence.
  3. Replication: Memcached does not have native support for replication. However, AWS ElastiCache provides Multi-AZ replication groups for Memcached to improve availability.
  4. Transactions: Memcached doesn't offer transaction support.
  5. Scripting: Memcached lacks support for server-side scripting.
from pymemcache.client.base import Client

client = Client(('your-elasticache-endpoint', 11211))

# Setting Key-Value Pair

client.set('key', 'value')

# Fetching Value Using Key

value = client.get('key')
print(value)

Performance Benchmarks

Both Redis and Memcached provide excellent performance, with each excelling in specific areas. Redis typically performs better when dealing with complex data structures due to its superior data handling capabilities. On the other hand, Memcached may show better performance in scenarios requiring simple key-value storage as it has a simpler architecture and lower memory overhead.

However, actual performance differences vary depending on your specific use case, data structure size, and access patterns. It's crucial to run benchmarks tailored to your requirements before making a decision.

Choosing the Right Engine for Your Needs

Selecting between Redis and Memcached depends on your project's unique requirements:

  1. If you need support for advanced data structures, transactions, or server-side scripting, choose Redis.
  2. If your use case only requires simple key-value storage and you prioritize ease of use and lower memory overhead, consider Memcached.
  3. If you need persistence or replication features, go with Redis.

Ultimately, the right choice boils down to understanding your application's specific requirements and testing both engines' performance under those conditions. Remember that when using AWS ElastiCache, you can always switch your caching engine as your needs evolve.

Comparing ElastiCache to Other Caching Solutions

Before diving deeper into Amazon ElastiCache, it's important to understand the broader landscape of caching solutions. In this section, we'll compare in-memory databases with managed caching services, provide alternatives to ElastiCache, and suggest when to consider these alternative solutions.

In-Memory Databases vs. Managed Caching Services

In-memory databases store data directly in RAM, providing low-latency access and excellent read/write performance. Examples include Redis and Memcached. While powerful, managing these databases yourself can be time-consuming, requiring manual scaling, monitoring, and maintenance efforts.

Managed caching services, on the other hand, are cloud-based offerings provided by vendors like AWS, which take care of these operational aspects for you. They are designed to improve application performance by offloading database-related tasks and reducing latency associated with frequently-accessed data.

Amazon ElastiCache is one such managed caching service, supporting both Redis and Memcached engines.

Alternative Caching Solutions and when to Consider Them

While ElastiCache is a great choice for many use cases, there are other caching solutions you might consider based on your needs:

  1. Self-hosted Redis/Memcached: When you need full control over cache management or have strict cost constraints, going with self-hosted in-memory databases could be the right decision.
  2. Dragonfly: Compatible with both Redis and Memcached API, Dragonfly is a modern and more high-performant alternative. It can be self-hosted and also has a managed service.
  3. Google Cloud Memorystore: If your application is already running on the Google Cloud Platform, its managed Redis and Memcached service might be a more convenient option.
  4. Azure Cache for Redis: For users committed to the Microsoft Azure ecosystem, Azure Cache for Redis offers a fully managed, secure, and highly available Redis service.

When choosing a caching solution, it's essential to evaluate factors such as ease of use, flexibility, performance, cost, and compatibility with your current infrastructure.

ElastiCache Use Cases

Database Acceleration

One of the primary uses for ElastiCache is to accelerate database performance. By caching frequently accessed data, applications can reduce latency and lower the load on databases. This speeds up response times and allows databases to handle more concurrent users.

For example, imagine an e-commerce application where product details are retrieved often. Instead of querying the database every time, you could store these details in ElastiCache. Here's a simple code snippet in Python using Redis as a cache:

import redis
from my_database import get_product_details

cache = redis.StrictRedis(host="your_elasticache_endpoint", port=6379)

def get_product(product_id):
    # Check if the product details are in the cache

    product = cache.hgetall(f"product:{product_id}")

    if not product:
        # Fetch product details from the database and update the cache

        product = get_product_details(product_id)
        cache.hmset(f"product:{product_id}", product)

    return product

Session Store Management

ElastiCache is also an excellent choice for storing user session data. As sessions require low-latency access, in-memory storage provides faster retrieval and better scalability than traditional disk-based storage options.

Consider the following example using Node.js with Express and Redis:

const express = require("express");
const session = require("express-session");
const RedisStore = require("connect-redis")(session);

const app = express();

app.use(
  session({
    store: new RedisStore({
      host: "your_elasticache_endpoint",
      port: 6379,
    }),
    secret: "your_session_secret",
    resave: false,
    saveUninitialized: true,
  })
);

// Your application routes here

app.listen(3000, () => console.log("Server listening on port 3000"));

Real-Time Analytics Processing

ElastiCache can be used to store and process analytics data in real-time. For instance, you might track the number of visitors to your website or maintain a leaderboard for a gaming app.

The following Python code demonstrates how to increment a page view counter using Redis:

import redis

cache = redis.StrictRedis(host="your_elasticache_endpoint", port=6379)

def increment_page_view(page_id):
    cache.incr(f"page_views:{page_id}")

def get_page_views(page_id):
    return int(cache.get(f"page_views:{page_id}") or 0)

Message Brokering

ElastiCache, specifically Redis, can be used as a message broker for pub/sub communication patterns in distributed applications. This enables decoupling between components and simplifies scaling.

Here's an example of using Redis to publish messages and subscribe to channels in Node.js:

const redis = require('redis');

const publisher = redis.createClient({ host: 'your_elasticache_endpoint', port: 6379 });
const subscriber = redis.createClient({ host: 'your_elasticache_endpoint', port: 6379 });

subscriber.on('message', (channel, message) => {
    console.log(`Received message ${message} on channel ${channel}`);
});

subscriber.subscribe('example_channel');

publisher.publish('example_channel', 'Hello, ElastiCache!');

ElastiCache Case Studies

ElastiCache is used by companies like Airbnb, BMW, Expedia Group, and Intuit, among others. In this section, we will explore two category based case studies that demonstrate the benefits of using Amazon ElastiCache and provide valuable insights from real-world implementations.

Success Stories

1. eCommerce Company: Scaling with Peak Traffic

A popular online retail store experienced sudden spikes in traffic during seasonal sales and promotional events. They needed to maintain a fast and responsive experience for their customers while still delivering personalized content.

By implementing Amazon ElastiCache for Redis, the eCommerce company was able to:

  • Reduce page load times, resulting in higher customer satisfaction and lower bounce rates.
  • Optimize database queries by caching frequently accessed data, thus reducing database load.
  • Seamlessly scale their cache capacity during peak traffic periods without any downtime or manual intervention.

2. Gaming Company: Real-Time Leaderboards

A fast-growing mobile gaming company wanted to implement real-time leaderboards in their games to enhance user engagement and competition.

With Amazon ElastiCache for Redis, the Gaming was able to:

  • Fast leaderboard updates due to the low-latency nature of ElastiCache.
  • Improved game performance by offloading compute-intensive operations like leaderboard calculations to the cache layer.
  • Effortless horizontal scalability to handle millions of concurrent users.
import redis

# Connect to Your ElastiCache Redis Cluster

cache = redis.Redis(host='your-elasticache-endpoint', port=6379)

# Add a New Player Score to the Leaderboard

cache.zadd("game_leaderboard", {"player1": 1000})

# Increment an Existing Player's Score

cache.zincrby("game_leaderboard", 500, "player1")

# Fetch Top 10 Players From the Leaderboard

top_players = cache.zrevrange("game_leaderboard", 0, 9, withscores=True)

Lessons Learned From Real-World Implementations

From these case studies, we can derive several useful takeaways when implementing Amazon ElastiCache:

  1. Understand your caching needs: The benefits of caching depend on the type of data being cached and its access patterns. Analyze your application's data access patterns to identify the most suitable caching strategy.

  2. Monitor cache performance: Keep an eye on cache metrics such as cache hits, misses, and evictions to optimize your caching strategy. Use Amazon CloudWatch to monitor these metrics and set up alarms for potential issues.

  3. Scale responsibly: While ElastiCache provides easy scalability, it's crucial to plan your scaling strategy correctly. Consider factors like cost, ease of management, and performance when choosing between vertical (resizing nodes) and horizontal (adding more nodes) scaling.

  4. Secure your cache: Safeguard your cache from unauthorized access by employing security best practices like using VPCs, enabling encryption at rest and in transit, and proper authentication.

Pros and Cons of Using ElastiCache

Pros:

  1. Simplicity: ElastiCache abstracts away the complexities of managing and maintaining your own caching layer, allowing you to focus on your application development.
  2. Scalability: With a few clicks, you can scale up or down your cache clusters to handle increasing workloads, without any downtime.
  3. Fault Tolerance: Automatic failover and replication features ensure high availability and data durability for your cache.
  4. Performance: ElastiCache improves application performance by reducing the load on your primary data store, resulting in faster response times.

Cons:

  1. Cost: Managed services come with an added cost compared to self-hosted caching solutions. You pay for the convenience and the resources used.
  2. Vendor Lock-in: When using ElastiCache, you're relying on AWS infrastructure and its specific implementation of the Redis and Memcached engines. Migrating to another provider or an in-house solution may require more effort.

ElastiCache Pricing and Cost Optimization

Understanding ElastiCache Pricing Model

To effectively manage your ElastiCache expenses, it is crucial to understand its pricing model. AWS offers two main types of ElastiCache engines: Redis and Memcached. The pricing depends on factors such as region, instance type, and cache nodes. Here are some key components:

  1. Cache Nodes: You pay for each cache node per hour (or partial hour) that it runs. Each node has a specific amount of memory and compute power, which directly impacts its cost. Make sure to choose an appropriate cache node type based on your use case and performance requirements.

  2. Data Transfer: While data transfer between ElastiCache instances within the same region and availability zone is free, transferring data across regions or between instances in different availability zones incurs additional costs.

  3. Backups: You can opt for automatic backups, which are charged separately. The cost depends on the amount of backup storage used.

  4. Reserved Instances: You can reserve instances for 1 or 3 years to receive a discount on hourly rates. This option is ideal for workloads with predictable resource needs.

Visit the official AWS ElastiCache pricing page for detailed pricing information.

Tips for Cost-Effective Usage

Optimizing your ElastiCache costs is essential to get the most out of your investment. Here are some helpful tips:

  1. Right-Sizing Instances: Choose the appropriate instance type based on your usage patterns and performance requirements. Avoid over-provisioning resources by monitoring cache hit rates and adjusting memory capacity accordingly.

  2. Using Reserved Instances: If you have predictable workloads, consider purchasing reserved instances to benefit from discounted hourly rates.

  3. Cluster Scaling: Scale your ElastiCache clusters horizontally by adding or removing nodes based on demand. This allows you to pay for only the resources you need at any given time.

  4. Data Transfer Optimization: Minimize cross-region and cross-AZ data transfer costs by strategically placing your cache instances in the same region and availability zone as your application instances.

  5. Monitoring and Alerts: Set up monitoring and alerts using Amazon CloudWatch to track usage, identify inefficiencies, and make informed decisions to optimize costs.

Estimating Costs Using the AWS Simple Monthly Calculator

The AWS Simple Monthly Calculator is a handy tool that helps you estimate your monthly ElastiCache expenses. Here's how to use it:

  1. Navigate to the calculator and click "Create Estimate" under the "ElastiCache" section.
  2. Choose between "Redis" and "Memcached" as your cache engine.
  3. Select the desired region, instance type, and number of nodes.
  4. Adjust other parameters such as data transfer and backup storage based on your requirements.
  5. Review the estimated costs, which will be displayed at the bottom of the calculator.

Keep in mind that this estimation provides a rough idea of your expenses; actual costs may vary depending on your usage patterns.

Getting Started with ElastiCache

Creating an ElastiCache Cluster

Creating an ElastiCache cluster is fairly simple using the AWS Management Console, AWS CLI, or SDKs. We will use the AWS Management Console for demonstration purposes. To create a new ElastiCache cluster:

  1. Sign in to the AWS Management Console and navigate to the ElastiCache dashboard.
  2. Click on the "Create" button to begin creating a cluster.
  3. Choose your desired cache engine (Redis or Memcached) and complete the configuration form.
  4. Finally, click the "Create" button to deploy your ElastiCache cluster.

Choosing the Right Cache Engine and Instance Type

We've covered this topic extensively above but the choice between Redis and Memcached depends on your use case. To summarize, while both provide high-performance caching, they have different features. Redis is more versatile, supporting various data structures, replication, transactions, and Lua scripting. Memcached is simpler and perfect for small-scale applications with limited requirements.

The right instance type depends on your workload and performance needs. AWS offers various instance types optimized for memory, CPU, and network performance. Analyze your application's pattern and select the instance type that provides the best balance of cost and performance.

Configuring Security Groups, VPCs, and Subnets

Securing your ElastiCache cluster is important to protect sensitive data and prevent unauthorized access. When creating a cluster, you must configure the proper Virtual Private Cloud (VPC), subnets, and security groups.

VPC and Subnets

ElastiCache clusters are deployed within a VPC, which isolates your infrastructure from other AWS customers. Make sure to select the correct VPC that either already hosts or should host your application. Similarly, choose appropriate subnets within the VPC where your ElastiCache cluster instances will be launched.

Security Groups

Security groups act as virtual firewalls for your resources, controlling inbound and outbound traffic. To secure your ElastiCache cluster:

  1. Create a new security group or use an existing one for your cluster.
  2. Configure rules to allow only trusted sources (e.g., your application servers) to access the cluster on specific ports.
  3. Apply the security group to your ElastiCache cluster during creation.

Connecting to a Cluster

With your ElastiCache cluster created, it's time to connect your application to it. Use the endpoint provided by AWS to establish a connection. For Redis, you can use a popular client library like redis-py. Here's an example in Python:

import redis

# Replace 'Your-Endpoint' with the Actual Endpoint and Port From Your Cluster

cache = redis.StrictRedis(host='your-endpoint', port=6379, db=0)

# Simple Set and Get Operations

cache.set('key', 'value')
result = cache.get('key')
print(result) # Output: value

For Memcached, you can use a client library like pymemcache. The following is an example in Python:

from pymemcache.client.base import Client

# Replace 'Your-Endpoint' with the Actual Endpoint and Port From Your Cluster

client = Client(('your-endpoint', 11211))

# Simple Set and Get Operations

client.set('key', 'value')
result = client.get('key')
print(result) # Output: value

That's it! You've now learned how to set up, secure, and connect to an ElastiCache cluster. Let's explore its best practices so you can optimize your application's performance with ease.

Best Practices for Using ElastiCache

Monitoring Performance and Usage

Monitoring is essential to maintain optimal performance and detect potential issues before they impact your applications. Here are some key metrics and tools that can help you monitor your ElastiCache clusters:

  1. Amazon CloudWatch: ElastiCache integrates with CloudWatch, enabling you to monitor cache performance and usage in near real-time. Key metrics include cache hit rate, evictions, and cache misses. Set up custom alarms to notify you when specific thresholds are reached.
import boto3

cloudwatch = boto3.client("cloudwatch")

response = cloudwatch.get_metric_data(
    MetricDataQueries=[
        {
            "Id": "cachehitrate",
            "MetricStat": {
                "Metric": {
                    "Namespace": "AWS/ElastiCache",
                    "MetricName": "CacheHits",
                    "Dimensions": [
                        {"Name": "CacheClusterId", "Value": "your-cache-cluster-id"},
                    ],
                },
                "Period": 60,
                "Stat": "Sum",
            },
            "ReturnData": True,
        },
    ],
    StartTime="2023-05-20T00:00:00Z",
    EndTime="2023-05-20T23:59:59Z",
)

print(response)
  1. ElastiCache Events: Subscribe to ElastiCache events based on specific actions or conditions via AWS Management Console, Amazon SNS, or programmatically using Boto3 to stay informed about cluster changes and incidents.

  2. Slowlog: Redis Slowlog captures slow commands executed on the cache. Use it to detect performance issues caused by individual Redis commands.

Scaling ElastiCache Clusters

To ensure your caching layer scales seamlessly with your application, consider the following approaches:

  1. Vertical scaling: Increase or decrease the capacity of your cache node by changing its node type. Migrating to a larger node type can improve performance and allow for more data storage.

  2. Horizontal scaling: Add or remove nodes from your cluster to handle increased traffic or reduce costs during periods of low activity. In Redis, you can partition your dataset across multiple shards (Redis Cluster) or utilize read replicas to scale reads.

  3. Auto Scaling: Use AWS Auto Scaling policies to automatically adjust the number of nodes based on predefined metrics and thresholds. This ensures optimal cache performance even during sudden changes in demand.

Implementing Data Persistence and Backup

ElastiCache provides different data persistence options to suit your needs:

  1. Snapshotting (RDB): Periodically save your cache's data to disk as binary dumps. You can then store snapshots on Amazon S3 for long-term retention or use them to create new clusters.

  2. Append Only File (AOF): Log each write operation that modifies your cache data. AOF offers better durability, but may have an impact on performance compared to snapshotting.

Remember to schedule regular backups and test their integrity to avoid data loss.

Ensuring High Availability and Fault Tolerance

A highly available ElastiCache deployment can minimize downtime and maintain consistent performance. Here are some best practices:

  1. Multi-AZ Deployment: Deploy cache nodes across multiple Availability Zones within a region, reducing the risk of a single point of failure.

  2. Read Replicas: Create read replicas to offload read traffic from your primary node, improving overall throughput and latency. In case of a primary node failure, promote one of the read replicas to become the primary node.

  3. Cluster Sharding: Distribute your dataset across multiple shards with Redis Cluster, ensuring high availability and fault tolerance.

With these best practices in mind, you are now better equipped to use ElastiCache effectively. Remember to monitor, scale, persist data, and maintain high availability for a seamless caching experience.

Conclusion

In conclusion, Amazon ElastiCache is a powerful and easy-to-use caching solution that allows developers to optimize their application performance significantly. This comprehensive guide has introduced you to the fundamentals of ElastiCache, including its advantages, deployment options, cache engines, and best practices. As you embark on your ElastiCache journey, remember to assess your caching needs carefully, choose the appropriate cache engine, and follow recommended guidelines to maximize efficiency. With this knowledge under your belt, you are now well-equipped to leverage the full potential of ElastiCache and elevate your applications to new heights.

Frequently Asked Questions

When should I use ElastiCache?

Use ElastiCache for a fast, scalable, and managed caching solution that enhances performance and lessens database load. It's ideal for read-heavy or compute-intensive workloads with high user request volumes or complex processing. By storing frequently accessed data in memory, it lowers latency and speeds up response times for better user experience.

What is the difference between ElastiCache and database?

ElastiCache and databases are distinct data management services. ElastiCache, an AWS managed caching service, enhances web application performance by storing frequently-used data in memory for faster retrieval, supporting engines like Redis and Memcached. Databases, structured storage systems, focus on persistent data storage, organization, and management using relational (e.g., MySQL, PostgreSQL) or NoSQL databases (e.g., MongoDB, DynamoDB). The key difference is that ElastiCache accelerates data access through caching while databases prioritize persistent data management.

What is the difference between ElastiCache and Redis cache?

ElastiCache and Redis cache are distinct yet related services. Redis cache is an open-source, in-memory key-value data store known for its speed, simplicity, and versatility, used for caching and message brokering. ElastiCache, provided by Amazon Web Services (AWS), is a managed caching service that supports two engines: Redis and Memcached. It simplifies deployment, scaling, and maintenance of cache clusters. Essentially, Redis is the underlying technology, while ElastiCache is an AWS service using Redis or Memcached as caching engine options.

Is ElastiCache serverless?

Amazon ElastiCache is not serverless, as it requires the management of underlying infrastructure such as nodes and clusters. It is a managed caching service that facilitates the deployment, operation, and scaling of in-memory data stores like Redis and Memcached. While it simplifies some aspects of managing these caches, users still need to deal with provisioning and managing resources to scale and maintain performance.

Was this content helpful?

Related Guides

Stay up to date on all things Dragonfly

Subscribe to receive a monthly newsletter with new content, product announcements, events info, and more!

Start building today

Dragonfly is fully compatible with the Redis ecosystem and requires no code changes to implement.