← Back to blogs
BACK TO BLOG
Databases

Redis Tutorial for Beginners: Build from Scratch

keep it simple
Nexium
AI

Introduction to Redis

Redis, short for Remote Dictionary Server, is a widely used open-source, in-memory database structure store that can be used as a database, cache, message broker, and even for real-time analytics. What sets Redis apart from traditional databases like MySQL and MongoDB is that it operates entirely in memory, making it blazingly fast. It supports various complex data types such as strings, hashes, lists, sets, sorted sets, bitmaps, streams, and more, making it an incredibly versatile tool for developers.

In this Redis tutorial for beginners, we will explore how Redis works, how to install it, and how you can use it to solve various real-world problems. Whether you're looking to improve the performance of your applications with caching or want to build real-time features such as messaging systems, this tutorial will help you build Redis from scratch.

1. What is Redis?

Before diving into the technical aspects of Redis, it's essential to understand the concept and architecture behind this powerful tool. Redis is a key-value store, meaning it stores data in pairs, where each key corresponds to a specific value. Unlike disk-based databases, Redis keeps the entire dataset in memory, allowing for extremely low-latency access to data. However, Redis also supports persistence by saving data to disk periodically or appending every write operation to a file.

Why Redis?

Some of the key reasons Redis has become so popular include:

  • in-memory database store: Redis stores data in memory, making read and write operations exceptionally fast.
  • Versatile data structures: Unlike traditional key-value stores, Redis supports multiple complex data structures.
  • Persistence: Although it's in-memory, Redis allows you to persist data by saving it to disk, ensuring durability.
  • Replication: Redis supports master-slave replication, enabling you to create highly available systems.
  • Clustering: Redis clusters allow you to scale horizontally by distributing your data across multiple Redis nodes.

When to Use Redis?

Redis is commonly used in scenarios that require:

  • High-speed caching: Redis can store frequently accessed data in memory, reducing database load and increasing the speed of web applications.
  • Session storage: Many web applications store session data in Redis due to its speed and in-memory nature.
  • Real-time analytics: Applications like monitoring tools or financial platforms that require fast data collection and processing use Redis.
  • Message queues and Pub/Sub systems: Redis's lightweight Pub/Sub system is perfect for real-time messaging.
  • Leaderboard systems: Sorted sets in Redis make it easy to implement leaderboards where you need to rank players by score.

2. Installing Redis

In this section of the Redis tutorial for beginners, we'll guide you through installing Redis on different platforms. You can install Redis on Linux, macOS, and Windows.

Step 1: Install Redis on Linux or macOS

Redis is officially supported on Linux and macOS systems, making installation straightforward.

  1. Update your system’s package index:
  sudo apt update
  1. Install Redis using your package manager:
  sudo apt install redis-server

  1. Start the Redis service:
  sudo systemctl start redis-server
  1. Verify Redis is running by checking the status:
  sudo systemctl status redis-server

Redis should now be up and running. You can test it by running the following command to ping Redis:

redis-cli ping

If everything is working, Redis should respond with PONG.

Step 2: Installing Redis on Windows

While Redis was initially developed for Unix-based systems, you can still run it on Windows using Docker or the Windows Subsystem for Linux (WSL).

  • Option 1: WSL (Windows Subsystem for Linux)
    • Install Ubuntu from the Windows Store, then follow the Linux installation instructions to install Redis.
  • Option 2: Docker - Install Docker Desktop on your Windows machine. - Pull the Redis image and start a Redis container:
  docker run --name redis -d redis

With Docker, you can easily run and manage multiple Redis containers. To interact with your Redis container, use the following command:

docker exec -it redis redis-cli


Now you’re ready to dive into Redis commands.

## **3. Basic Redis Commands**

Now that Redis is installed, let's explore some of its basic commands. Redis operates via a command-line interface, `redis-cli`, or through programming languages such as Python, Node.js, and more. For now, let's get comfortable using the Redis CLI.

Start the Redis CLI by running:

```bash
redis-cli

Key-Value Operations

Redis is primarily a key-value store, which means most interactions involve setting, getting, and manipulating keys and values.

  • SET: Store a key-value pair.
  SET mykey "Hello, Redis!"
  • GET: Retrieve the value associated with a key.
  GET mykey

  • DEL: Delete a key and its value.
  DEL mykey
  • EXISTS: Check if a key exists.
  EXISTS mykey

  • EXPIRE: Set an expiration time on a key (in seconds).
  EXPIRE mykey 60

Redis supports many other commands for handling keys, including atomic operations like INCR to increment integers, MSET for setting multiple key-value pairs, and TTL to check the time-to-live for a key.

List Operations

Redis supports lists, which are ordered collections of strings. You can insert elements into the list and retrieve or manipulate them.

  • LPUSH: Insert an element at the head (start) of the list.
  LPUSH mylist "element1"
  LPUSH mylist "element2"

  • LRANGE: Retrieve elements from the list by specifying a range.
  LRANGE mylist 0 -1
  • RPOP: Remove and return the last element in the list.
  RPOP mylist

Hashes

Hashes in Redis are like dictionaries in Python. They store multiple field-value pairs under a single key.

  • HSET: Set a field-value pair in a hash.
  HSET myhash field1 "value1"
  HSET myhash field2 "value2"
  • HGET: Get the value of a specific field in the hash.
  HGET myhash field1

  • HGETALL: Get all field-value pairs in the hash.
  HGETALL myhash

Hashes are ideal for storing objects, like a user profile, where you have multiple related fields.

4. Using Redis as a Cache

One of the most common use cases for Redis is as a cache. Caching helps speed up web applications by storing frequently accessed data in memory, reducing the load on the main database. In this section of the Redis tutorial for beginners, we'll learn how to set up a simple cache using Redis.

When to Use Caching?

  • Reduce database load: By caching the results of expensive database queries in Redis, you can reduce the load on your primary database.
  • Improve page load times: Cached data can be served much faster, improving the user experience.
  • Store session data: Redis is often used to store user session data, ensuring quick access to user details.

Step 1: Caching Example with Python

Let's use Redis as a cache in a Python application.

First, install the Redis client for Python:

pip install redis


### **Step 2: Python Code Example for Caching**

Here’s an example that simulates fetching data from a slow source (like a database) and caching it in Redis.

```python
import redis
import time

# Connect to Redis

r = redis.Redis(host='localhost', port=6379, db=0)

def get_data():
cached_data = r.get('my_data')

    if cached_data:
        print("Data fetched from cache:", cached_data.decode('utf-8'))
    else:
        # Simulate a slow database query
        time.sleep(2)
        data = "Database Query Result"
        print("Data fetched from DB:", data)

        # Cache the result in Redis for 60 seconds
        r.setex('my_data', 60, data)

# Simulate fetching data

get_data()
get_data() # This call will retrieve data from cache

Explanation

  1. The first time you call get_data(), the result is fetched from the "database" (simulated by a sleep call).
  2. The data is then cached in Redis for 60 seconds.
  3. Subsequent calls to get_data() will fetch the result from the cache, reducing the response time.

This is a basic caching pattern that can be expanded to cache various data types and objects.

5. Redis Pub/Sub for Messaging

Redis includes a lightweight publish/subscribe (Pub/Sub) system, which allows messages to be sent between processes. Pub/Sub can be useful for building real-time systems like chat applications, notifications, or live data updates.

How Pub/Sub Works

  • Publishers send messages to a channel.
  • Subscribers listen to channels and receive messages when a publisher sends one to the channel.

Pub/Sub Commands

To illustrate Pub/Sub, let's look at two key Redis commands:

  • SUBSCRIBE: Subscribe to a channel to receive messages.
  SUBSCRIBE mychannel
  • PUBLISH: Publish a message to a channel.
  PUBLISH mychannel "Hello, Redis Pub/Sub!"

Now, let’s implement a Pub/Sub system in Python.

Step 1: Python Code Example for Pub/Sub

import redis

# Publisher function

def publish_message():
r = redis.Redis(host='localhost', port=6379)
r.publish('notifications', 'This is a test message from Publisher!')

# Subscriber function

def subscribe_channel():
r = redis.Redis(host='localhost', port=6379)
pubsub = r.pubsub()
pubsub.subscribe('notifications')

    for message in pubsub.listen():
        if message['type'] == 'message':
            print(f"Received: {message['data'].decode('utf-8')}")

# Run publisher and subscriber in different processes

subscribe_channel() # In one terminal
publish_message() # In another terminal

In this example, the subscriber listens to the notifications channel, and the publisher sends a message to that channel. When the message is published, the subscriber receives and prints it.

6. Persisting Data with Redis

While Redis is an in-memory databasebase, it supports persistence, allowing you to store data on disk. Redis offers two persistence options:

  1. RDB (Redis Database Backup): This creates point-in-time snapshots of your data at specified intervals.
  2. AOF (Append-Only File): This logs every write operation and is replayed when Redis starts, ensuring no data is lost.

Configuring Persistence

To configure Redis persistence, edit the redis.conf file.

  • Enable RDB snapshotting:
  save 900 1  # Save the dataset every 900 seconds if at least 1 key has changed
  • Enable AOF persistence:
  appendonly yes  # Enables AOF

This ensures that your Redis data can survive server restarts or crashes, making it more durable.

7. Redis Data Structures

One of Redis's strongest features is its support for complex data structures. In this part of the Redis tutorial for beginners, we’ll explore more advanced data types and how to use them.

Sets

Sets are collections of unique, unordered strings. Sets allow you to perform operations like unions, intersections, and differences between sets.

  • SADD: Add members to a set.
  SADD myset "member1" "member2" "member3"
  • SMEMBERS: Get all members of a set.
  SMEMBERS myset

  • SINTER: Find the intersection of two sets.
  SADD set1 "a" "b" "c"
  SADD set2 "b" "c" "d"
  SINTER set1 set2  # Returns "b" and "c"

Sorted Sets

Sorted sets are similar to sets, but each member is associated with a score. They’re commonly used for ranking systems, like leaderboards.

  • ZADD: Add members with scores to a sorted set.
  ZADD leaderboard 100 "Player1"
  ZADD leaderboard 200 "Player2"
  ZADD leaderboard 150 "Player3"

  • ZRANGE: Get the members of a sorted set ordered by score.
  ZRANGE leaderboard 0 -1 WITHSCORES  # Returns all players ordered by score

Bitmaps and HyperLogLogs

Redis also supports more exotic data types like bitmaps and HyperLogLogs. Bitmaps allow you to perform bit-level operations on strings, while HyperLogLogs provide approximations for counting unique elements in a dataset.

For example:

  • Use bitmaps to implement fast boolean operations.
  • Use HyperLogLogs to count unique visitors on a website without needing to store all unique entries in memory.