Welcome! In this unit, we will explore how to use Redis streams for event logging. This is an important part of our Redis-based backend system project. By the end of this lesson, you will know how to log events and retrieve them using Redis streams. Remember, you've already learned how to manage user data and handle transactions. Now, we're adding another layer to our system by using streams.
In this unit, we will focus on the following tasks:
- Adding entries to a stream: We will log user activities in a Redis stream.
- Reading entries from a stream: You will see how to read the logged events from the stream.
Let's start by refreshing what we've learned about adding data. This time, we will use streams instead of simple keys. Here's a snippet to show how you can add an entry to a stream and read it back:
Python1import redis 2 3# Connect to Redis 4client = redis.Redis(host='localhost', port=6379, db=0) 5 6# Example usage 7stream_name = 'user_activity_stream' 8client.xadd(stream_name, {'event': 'login', 'username': 'alice'}) 9client.xadd(stream_name, {'event': 'login', 'username': 'bob'}) 10 11entries = client.xread({stream_name: '0-0'}, count=2) 12 13for entry in entries: 14 print(f"Stream entry: {entry}")
In this code, we read the entries from the user_activity_stream
and print each one. The stream_name
and count
parameters help control the stream reading operation.
Feel ready to give it a try? Let's jump into the practice section and start working on logging events using Redis streams. Happy coding!