SlideShare a Scribd company logo
Redis
persistence
in practice
Eugene Fidelin, 2014
Jaludo B.V.
Redis key features
❏ All datasets are stored in memory
extremly fast read/write operations.

❏ Datasets can be saved to disk
RDB and AOF - two ways to achieve persistence.

❏ Redis forks
for long tasks Redis creates child processes.
RDB snaphots and AOF logs
Persistence in Redis is a matter of configuration, balancing
the trade-off between performance, disk I/O, and data
durability.
❏ RDB is a very compact single-file point-in-time
representation of the Redis dataset.
❏ AOF is a simple text log of write operations.
RDB advantages
★ RDB is a very compact and perfect for backups and for
disaster recovery (~2 times smaller than AOF log file).
★ RDB maximizes Redis performances since the only
work the Redis parent process needs to do in order to
persist is forking a child that will do all the rest. The
parent instance will never perform disk I/O or alike.
★ RDB allows faster restarts with big datasets compared
to AOF (up to 2 times faster).
RDB disadvantages (1/2)
➔ RDB is not good to minimize the chance of data loss in
case Redis unexpectedly stops working - in this case
latest minutes of data can be lost.
➔ RDB needs to fork() a child process to persist on disk.
Fork() can be time consuming if the dataset is big and
the CPU performance not great. This may result in
Redis to stop serving clients for some millisecond.
RDB disadvantages (2/2)
➔ RDB uses fork() that implements a copy-on-write
semantic of memory pages. Additional memory
consumtion is proportional to the number of changes
the dataset will get while snapshoting is in progress.
In a very write-heavy application Redis may use up to
2x the memory normally used, so memory swapping
becomes risky.
➔ RDB snapshoting generates a higher volume of disk
writes because whole file is being rewritten each time.
AOF advantages (1/2)
★ AOF log is an append only log, there are no seeks, nor
corruption problems if there is a power outage.
★ AOF generates less blocks writes to disk because data
is only appended to file.
★ Using AOF Redis is much more durable: there are
different fsync policies: no fsync at all (fsynk done by
OS, usually each 30s on Linux), fsync every second
(default config), fsync at every query (very slow).
AOF advantages (2/2)
★ Redis is able to automatically rewrite the AOF in
background when it gets too big.
★ AOF needs fork() only to rewrite logs, you can tune
how often you want to without any trade-off on
durability.
★ AOF contains a log of all the operations one after the
other in an easy to understand and parse format.
AOF disadvantages
➔ AOF takes more time to load in memory on server restart.
➔ AOF files are usually bigger (1.5 - 3 times) than the
equivalent RDB files for the same dataset.
➔ AOF can be slower than RDB. With fsync set to every
second performance is still very high, and with fsync
disabled it exactly as fast as RDB even under high load.
➔ AOF file can be damaged, because of unexpected
shutdown, but this can be easily fixed.
RDB and AOF usage
❏ RDB persistence is enabled by default.
❏ AOF and RDB can be enabled at the same time. The AOF
file will be used to reconstruct the original dataset on
restart, since it is guaranteed to be the most complete.
❏ Redis makes sure to avoid triggering an AOF
BGREWRITEAOF and RDB BGSAVE at the same time.
❏ Persistence can be disabled at all.
RDB configuration (1/2)
save <seconds> <changes>
Will save the DB if both the given number of seconds and
the number of write operations occurred.
Multiple save settings can be specified.
save ""
Disable RDB snapshoting.
dbfilename <filename>.rdb
The filename where to dump the DB
RDB configuration (2/2)
stop-writes-on-bgsave-error <yes/no>
Redis will stop accepting writes if RDB snapshots are
enabled and the latest background save failed.
rdbcompression <yes/no>
Compress string objects using LZF in RDB dump
rdbchecksum <yes/no>
Add a CRC64 checksum at the end of the file. Makes it
more resistant to corruption but there is a performance hit
to pay (around 10%) when saving/loading RDB files.
RDB related commands
BGSAVE
Save the DB in background. Redis forks, the parent
continues to serve the clients, the child saves the dataset
on disk then exits.
SAVE
Perform a synchronous save of the dataset. Other clients
are blocked - never use in production!
LASTSAVE
Return the Unix time of the last successfull DB save.
AOF configuration (1/2)
appendonly <yes/no>
Enable or disable AOF persistence.
appendfilename <filename>.aof
The name of the append only file.
auto-aof-rewrite-percentage <value>
auto-aof-rewrite-min-size <size>
Automatic rewrite the AOF log file when the log size grows by
the specified percentage.
auto-aof-rewrite-percentage 0
Disable automatical AOF rewrite.
AOF configuration (2/2)
appendfsync <always/everysec/no>
Specify how often actually write data on disk instead of waiting
for more data in the output buffer.
no: don't fsync, let the OS flush the data when it wants
(usually every 30 sec.). Faster.
always: fsync after every write. Slow, Safest.
everysec: fsync one time every second. Compromise.
no-appendfsync-on-rewrite <yes/no>
Prevent fsync() from being called in the main process while a
BGSAVE or BGREWRITEAOF is in progress
AOF related commands
BGREWRITEAOF
Instruct Redis to start an AOF rewrite process. The rewrite
will create a small optimized version of the current AOF log.
If BGREWRITEAOF fails, no data gets lost as the old AOF will
be untouched
Persistence related INFO. RDB (1/5)
rdb_changes_since_last_save
Number of operations that produced some kind of changes
in the dataset since the last time either SAVE or BGSAVE
was called.
rdb_bgsave_in_progress
Flag indicating whether an RDB save is on-going.
rdb_last_save_time
Unix timestamp of last successful RDB save (same as the
LASTSAVE command).
Persistence related INFO. RDB (2/5)
rdb_last_bgsave_status
Status of the last RDB save operation (should be ‘ok’).
rdb_last_bgsave_time_sec
Duration of the last RDB save operation in seconds.
rdb_current_bgsave_time_sec
Duration of the on-going RDB save operation if any.
Persistence related INFO. AOF (3/5)
aof_enabled
Flag indicating whether an AOF logging is activated.
aof_rewrite_in_progress
Flag indicating whether an AOF rewrite operation is on-going.
aof_rewrite_scheduled, aof_pending_rewrite
Flags indicating whether an AOF rewrite operation will be
scheduled once the on-going RDB save is complete.
aof_last_rewrite_time_sec
Duration of the last AOF rewrite operation in seconds.
Persistence related INFO. AOF (4/5)
aof_current_rewrite_time_sec
Duration of the on-going AOF rewrite operation if any.
aof_last_bgrewrite_status
Status of the last AOF rewrite operation.
aof_current_size
AOF current file size (in bytes).
aof_base_size
AOF file size on latest startup or rewrite (in bytes).
Persistence related INFO. AOF (5/5)
aof_buffer_length
Size of the AOF buffer.
aof_rewrite_buffer_length
Size of the AOF rewrite buffer.
aof_pending_bio_fsync
Number of fsync pending jobs in background I/O queue.
aof_delayed_fsync
Delayed fsync counter.
Redis persistence and pools
Pools are multiple Redis servers running on the same
machine but using different ports.
★ More effective memory usage. When RDB snapshoting
is performed only DBs from one pool are copied in
memory.
★ More CPUs can be used. While each Redis instance can
use only one CPU, different pools can use different cores.
★ More fine-tuning. Each pool can be configured and
restarted independently.
Persistence config for pools (1/2)
❏ Each pool should have different configuration for
dbfilename and appendfilename.
❏ Because pools can’t be synchronized between each other,
it is possible that RDB snapshot and/or AOF rewrite could
start on several pools at the same time.
❏ In case RDB or RDB + AOF persistence is used, this can
cause high CPU, memory and disk usage.
To avoid this: disable Redis automatic and use manual
control over BGSAVE and/or BGREWRITEAOF operations.
Persistence config for pools (2/2)
Example configuration for AOF + RDB:
❏ disable automatic Redis RDB snapshots and AOF rewrite:
save "", auto-aof-rewrite-percentage 0
❏ configure cron jobs for BGSAVE and BGREWRITEAOF of
each pool at different time:
m h * * * redis-cli -p <port> BGSAVE
m h */4 * * redis-cli -p <port> BGREWRITEAOF

m and h should be different for every pool. BGSAVE can be
run 1-4 times per day, BGREWRITEAOF once per 2-4 days
(calculate how fast AOF file grows for 100%)
Persistence and replication
RDB snapshots are used when performing a master-slave
synchronization (even if RDB persistence is disabled):
❏ the master starts background saving, and starts to buffer
all new commands received that will modify the dataset.
❏ when the background saving is complete, the master
transfers the database file (RDB) to the slave.
❏ the slave saves file on disk, and then loads it into memory.
❏ the master then sends all buffered commands to the slave.
Persistence on master
If Redis has more read operations than writes - the master
server can be used to perform persistence:
❏ enable only AOF logging on master,
❏ disable RDB and AOF on all slaves.
★ Backups will be automatically used to restore dataset in
memory after restart.
★ AOF doesn’t use fork() that could cause Redis to stop
serving clients for some millissecond.
★ If necessary, RDB snapshots could be executed by cron,
when the machine is less busy.
Persistence on slave
If Redis has lot of write operations or disk system is slow (like
at AWS EC2) - persistence-only slave can be used:
❏ enable RDB snaphosts on persistence-only slave,
❏ disable RDB and AOF on master and other slaves.
★ Master does not need to perform any background disk
operations and is fully dedicated to serve client requests,
except for a slave connection.
★ RDB allows faster restarts with big datasets, but snapshots
should be moved to master server manualy.
Persistence tips and tricks
★ Remove all AOF and RDB files from slave before restart.
Redis will start syncing with master faster without restoring
existing backup.
★ Temporary disable AOF on master when slave is syncing.
This will prevent RDB and AOF running at the same time
and will decrease IO wait on master.
★ Try to avoid Redis (or all Redis pools) grow beyond 80% of
memory. After that, you do start seeing high IO behavior,
not necessarily tied directly to swapping
Useful links
❏

Official technical description of Redis persistence:
http://redis.io/topics/persistence

❏

Wider overview of Redis persistence:
http://oldblog.antirez.com/post/redis-persistence-demystified.html

❏

How to configure multiple Redis servers on one machine:
http://chrislaskey.com/blog/342/running-multiple-redis-instances-on-the-sameserver/

❏

Implementing persistence in Redis (article and book):
http://www.packtpub.com/article/implementing-persistence-in-redis-intermediate

❏

Tool to parse RDB files and analyse memory usage:
https://github.com/sripathikrishnan/redis-rdb-tools
Contacts
Eugene Fidelin
❏
❏
❏
❏

Email: eugene.fidelin@gmail.com
Twitter: @EugeneFidelin
Facebook: facebook.com/eugene.fidelin
Github: github.com/eugef

More Related Content

What's hot (20)

PPTX
Introduction to MongoDB
MongoDB
 
PPTX
Hadoop Meetup Jan 2019 - Dynamometer and a Case Study in NameNode GC
Erik Krogen
 
PPT
Introduction to redis
Tanu Siwag
 
PPTX
Redis Reliability, Performance & Innovation
Redis Labs
 
PPTX
Using Apache Arrow, Calcite, and Parquet to Build a Relational Cache
Dremio Corporation
 
PDF
Introduction to MongoDB
Mike Dirolf
 
PDF
Introduction to Redis
Dvir Volk
 
ODP
MongoDB: Advance concepts - Replication and Sharding
Knoldus Inc.
 
PPT
Introduction to mongodb
neela madheswari
 
PDF
RedisConf17 - Lyft - Geospatial at Scale - Daniel Hochman
Redis Labs
 
PPTX
Introduction to Apache Kafka
Jeff Holoman
 
PPTX
Redis Introduction
Alex Su
 
PDF
Introduction to redis - version 2
Dvir Volk
 
PPTX
Introduction to Redis
Arnab Mitra
 
PDF
Linux Performance Analysis: New Tools and Old Secrets
Brendan Gregg
 
PDF
Introduction and Overview of Apache Kafka, TriHUG July 23, 2013
mumrah
 
PPTX
Mongodb basics and architecture
Bishal Khanal
 
PPTX
Apache Arrow: In Theory, In Practice
Dremio Corporation
 
PDF
A crash course in CRUSH
Sage Weil
 
PDF
From flat files to deconstructed database
Julien Le Dem
 
Introduction to MongoDB
MongoDB
 
Hadoop Meetup Jan 2019 - Dynamometer and a Case Study in NameNode GC
Erik Krogen
 
Introduction to redis
Tanu Siwag
 
Redis Reliability, Performance & Innovation
Redis Labs
 
Using Apache Arrow, Calcite, and Parquet to Build a Relational Cache
Dremio Corporation
 
Introduction to MongoDB
Mike Dirolf
 
Introduction to Redis
Dvir Volk
 
MongoDB: Advance concepts - Replication and Sharding
Knoldus Inc.
 
Introduction to mongodb
neela madheswari
 
RedisConf17 - Lyft - Geospatial at Scale - Daniel Hochman
Redis Labs
 
Introduction to Apache Kafka
Jeff Holoman
 
Redis Introduction
Alex Su
 
Introduction to redis - version 2
Dvir Volk
 
Introduction to Redis
Arnab Mitra
 
Linux Performance Analysis: New Tools and Old Secrets
Brendan Gregg
 
Introduction and Overview of Apache Kafka, TriHUG July 23, 2013
mumrah
 
Mongodb basics and architecture
Bishal Khanal
 
Apache Arrow: In Theory, In Practice
Dremio Corporation
 
A crash course in CRUSH
Sage Weil
 
From flat files to deconstructed database
Julien Le Dem
 

Similar to Redis persistence in practice (20)

PPTX
Redis Persistence
Ismaeel Enjreny
 
PDF
quickguide-einnovator-10-redis-admin
jorgesimao71
 
ODP
Introduction to Redis
Knoldus Inc.
 
PDF
Redis acc 2015_eng
DaeMyung Kang
 
PPTX
Redis meetup
Nikhil Dole
 
PDF
History Of Redis Replication And Future Prospects: Zhao Zhao
Redis Labs
 
PDF
Redis Overview
Hoang Long
 
PDF
#SydPHP - The Magic of Redis
Aaron Weatherall
 
PDF
Redis Beyond
KLabCyscorpions-TechBlog
 
PDF
Redis overview
Ashokkumar T A
 
PDF
Redis Beyond
paolomanarang
 
PDF
Redis begins
DaeMyung Kang
 
PDF
Redis : NoSQL key-data store
Open Source School
 
PDF
Redis 101
Abhishek Parwal
 
ODP
Redis overview
Ahmad El-khuja
 
PPTX
Redis_Presentation.pptx ppt on redis and
tanishksaini51
 
PPTX
Introduction to Redis
Ofer Zelig
 
PDF
Redis ndc2013
DaeMyung Kang
 
PDF
dba_lounge_Iasi: Everybody likes redis
Liviu Costea
 
PPTX
This is redis - feature and usecase
Kris Jeong
 
Redis Persistence
Ismaeel Enjreny
 
quickguide-einnovator-10-redis-admin
jorgesimao71
 
Introduction to Redis
Knoldus Inc.
 
Redis acc 2015_eng
DaeMyung Kang
 
Redis meetup
Nikhil Dole
 
History Of Redis Replication And Future Prospects: Zhao Zhao
Redis Labs
 
Redis Overview
Hoang Long
 
#SydPHP - The Magic of Redis
Aaron Weatherall
 
Redis overview
Ashokkumar T A
 
Redis Beyond
paolomanarang
 
Redis begins
DaeMyung Kang
 
Redis : NoSQL key-data store
Open Source School
 
Redis 101
Abhishek Parwal
 
Redis overview
Ahmad El-khuja
 
Redis_Presentation.pptx ppt on redis and
tanishksaini51
 
Introduction to Redis
Ofer Zelig
 
Redis ndc2013
DaeMyung Kang
 
dba_lounge_Iasi: Everybody likes redis
Liviu Costea
 
This is redis - feature and usecase
Kris Jeong
 
Ad

More from Eugene Fidelin (14)

PDF
Marko.js - Unsung Hero of Scalable Web Frameworks (DevDays 2025)
Eugene Fidelin
 
PDF
Testing: do more with less (JSNation 2024)
Eugene Fidelin
 
PDF
Testing: Do More With Less (AdvancedJS 2024)
Eugene Fidelin
 
PDF
Node.js BFFs - our way to the better/micro frontends
Eugene Fidelin
 
PDF
Housekeeping the platform at scale
Eugene Fidelin
 
PPTX
Node.js BFFs: our way to better/micro frontends
Eugene Fidelin
 
PDF
AngularJS in practice
Eugene Fidelin
 
PDF
Безопасность Drupal сайтов
Eugene Fidelin
 
PDF
Разработка и deploy Drupal сайтов с помощью Features.
Eugene Fidelin
 
PPT
Работа с Views в Drupal 7
Eugene Fidelin
 
PPT
Работа с полями (fields) в Drupal 7
Eugene Fidelin
 
PPT
Работа с материалами (nodes) в Drupal 7
Eugene Fidelin
 
ODP
Работа с БД в Drupal 7
Eugene Fidelin
 
PPT
Фичи н-н-нада? Или почему стоит использовать модуль Features.
Eugene Fidelin
 
Marko.js - Unsung Hero of Scalable Web Frameworks (DevDays 2025)
Eugene Fidelin
 
Testing: do more with less (JSNation 2024)
Eugene Fidelin
 
Testing: Do More With Less (AdvancedJS 2024)
Eugene Fidelin
 
Node.js BFFs - our way to the better/micro frontends
Eugene Fidelin
 
Housekeeping the platform at scale
Eugene Fidelin
 
Node.js BFFs: our way to better/micro frontends
Eugene Fidelin
 
AngularJS in practice
Eugene Fidelin
 
Безопасность Drupal сайтов
Eugene Fidelin
 
Разработка и deploy Drupal сайтов с помощью Features.
Eugene Fidelin
 
Работа с Views в Drupal 7
Eugene Fidelin
 
Работа с полями (fields) в Drupal 7
Eugene Fidelin
 
Работа с материалами (nodes) в Drupal 7
Eugene Fidelin
 
Работа с БД в Drupal 7
Eugene Fidelin
 
Фичи н-н-нада? Или почему стоит использовать модуль Features.
Eugene Fidelin
 
Ad

Recently uploaded (20)

PDF
"Beyond English: Navigating the Challenges of Building a Ukrainian-language R...
Fwdays
 
PDF
Newgen Beyond Frankenstein_Build vs Buy_Digital_version.pdf
darshakparmar
 
PDF
Building Real-Time Digital Twins with IBM Maximo & ArcGIS Indoors
Safe Software
 
PPTX
Building Search Using OpenSearch: Limitations and Workarounds
Sease
 
PDF
[Newgen] NewgenONE Marvin Brochure 1.pdf
darshakparmar
 
PDF
"AI Transformation: Directions and Challenges", Pavlo Shaternik
Fwdays
 
PDF
Presentation - Vibe Coding The Future of Tech
yanuarsinggih1
 
PDF
Complete JavaScript Notes: From Basics to Advanced Concepts.pdf
haydendavispro
 
PPTX
AUTOMATION AND ROBOTICS IN PHARMA INDUSTRY.pptx
sameeraaabegumm
 
PDF
Bitcoin for Millennials podcast with Bram, Power Laws of Bitcoin
Stephen Perrenod
 
PDF
Newgen 2022-Forrester Newgen TEI_13 05 2022-The-Total-Economic-Impact-Newgen-...
darshakparmar
 
PPTX
COMPARISON OF RASTER ANALYSIS TOOLS OF QGIS AND ARCGIS
Sharanya Sarkar
 
PDF
Agentic AI lifecycle for Enterprise Hyper-Automation
Debmalya Biswas
 
PDF
From Code to Challenge: Crafting Skill-Based Games That Engage and Reward
aiyshauae
 
PPTX
Webinar: Introduction to LF Energy EVerest
DanBrown980551
 
PDF
Blockchain Transactions Explained For Everyone
CIFDAQ
 
PDF
CIFDAQ Token Spotlight for 9th July 2025
CIFDAQ
 
PDF
Exolore The Essential AI Tools in 2025.pdf
Srinivasan M
 
PPTX
AI Penetration Testing Essentials: A Cybersecurity Guide for 2025
defencerabbit Team
 
PDF
HCIP-Data Center Facility Deployment V2.0 Training Material (Without Remarks ...
mcastillo49
 
"Beyond English: Navigating the Challenges of Building a Ukrainian-language R...
Fwdays
 
Newgen Beyond Frankenstein_Build vs Buy_Digital_version.pdf
darshakparmar
 
Building Real-Time Digital Twins with IBM Maximo & ArcGIS Indoors
Safe Software
 
Building Search Using OpenSearch: Limitations and Workarounds
Sease
 
[Newgen] NewgenONE Marvin Brochure 1.pdf
darshakparmar
 
"AI Transformation: Directions and Challenges", Pavlo Shaternik
Fwdays
 
Presentation - Vibe Coding The Future of Tech
yanuarsinggih1
 
Complete JavaScript Notes: From Basics to Advanced Concepts.pdf
haydendavispro
 
AUTOMATION AND ROBOTICS IN PHARMA INDUSTRY.pptx
sameeraaabegumm
 
Bitcoin for Millennials podcast with Bram, Power Laws of Bitcoin
Stephen Perrenod
 
Newgen 2022-Forrester Newgen TEI_13 05 2022-The-Total-Economic-Impact-Newgen-...
darshakparmar
 
COMPARISON OF RASTER ANALYSIS TOOLS OF QGIS AND ARCGIS
Sharanya Sarkar
 
Agentic AI lifecycle for Enterprise Hyper-Automation
Debmalya Biswas
 
From Code to Challenge: Crafting Skill-Based Games That Engage and Reward
aiyshauae
 
Webinar: Introduction to LF Energy EVerest
DanBrown980551
 
Blockchain Transactions Explained For Everyone
CIFDAQ
 
CIFDAQ Token Spotlight for 9th July 2025
CIFDAQ
 
Exolore The Essential AI Tools in 2025.pdf
Srinivasan M
 
AI Penetration Testing Essentials: A Cybersecurity Guide for 2025
defencerabbit Team
 
HCIP-Data Center Facility Deployment V2.0 Training Material (Without Remarks ...
mcastillo49
 

Redis persistence in practice

  • 2. Redis key features ❏ All datasets are stored in memory extremly fast read/write operations. ❏ Datasets can be saved to disk RDB and AOF - two ways to achieve persistence. ❏ Redis forks for long tasks Redis creates child processes.
  • 3. RDB snaphots and AOF logs Persistence in Redis is a matter of configuration, balancing the trade-off between performance, disk I/O, and data durability. ❏ RDB is a very compact single-file point-in-time representation of the Redis dataset. ❏ AOF is a simple text log of write operations.
  • 4. RDB advantages ★ RDB is a very compact and perfect for backups and for disaster recovery (~2 times smaller than AOF log file). ★ RDB maximizes Redis performances since the only work the Redis parent process needs to do in order to persist is forking a child that will do all the rest. The parent instance will never perform disk I/O or alike. ★ RDB allows faster restarts with big datasets compared to AOF (up to 2 times faster).
  • 5. RDB disadvantages (1/2) ➔ RDB is not good to minimize the chance of data loss in case Redis unexpectedly stops working - in this case latest minutes of data can be lost. ➔ RDB needs to fork() a child process to persist on disk. Fork() can be time consuming if the dataset is big and the CPU performance not great. This may result in Redis to stop serving clients for some millisecond.
  • 6. RDB disadvantages (2/2) ➔ RDB uses fork() that implements a copy-on-write semantic of memory pages. Additional memory consumtion is proportional to the number of changes the dataset will get while snapshoting is in progress. In a very write-heavy application Redis may use up to 2x the memory normally used, so memory swapping becomes risky. ➔ RDB snapshoting generates a higher volume of disk writes because whole file is being rewritten each time.
  • 7. AOF advantages (1/2) ★ AOF log is an append only log, there are no seeks, nor corruption problems if there is a power outage. ★ AOF generates less blocks writes to disk because data is only appended to file. ★ Using AOF Redis is much more durable: there are different fsync policies: no fsync at all (fsynk done by OS, usually each 30s on Linux), fsync every second (default config), fsync at every query (very slow).
  • 8. AOF advantages (2/2) ★ Redis is able to automatically rewrite the AOF in background when it gets too big. ★ AOF needs fork() only to rewrite logs, you can tune how often you want to without any trade-off on durability. ★ AOF contains a log of all the operations one after the other in an easy to understand and parse format.
  • 9. AOF disadvantages ➔ AOF takes more time to load in memory on server restart. ➔ AOF files are usually bigger (1.5 - 3 times) than the equivalent RDB files for the same dataset. ➔ AOF can be slower than RDB. With fsync set to every second performance is still very high, and with fsync disabled it exactly as fast as RDB even under high load. ➔ AOF file can be damaged, because of unexpected shutdown, but this can be easily fixed.
  • 10. RDB and AOF usage ❏ RDB persistence is enabled by default. ❏ AOF and RDB can be enabled at the same time. The AOF file will be used to reconstruct the original dataset on restart, since it is guaranteed to be the most complete. ❏ Redis makes sure to avoid triggering an AOF BGREWRITEAOF and RDB BGSAVE at the same time. ❏ Persistence can be disabled at all.
  • 11. RDB configuration (1/2) save <seconds> <changes> Will save the DB if both the given number of seconds and the number of write operations occurred. Multiple save settings can be specified. save "" Disable RDB snapshoting. dbfilename <filename>.rdb The filename where to dump the DB
  • 12. RDB configuration (2/2) stop-writes-on-bgsave-error <yes/no> Redis will stop accepting writes if RDB snapshots are enabled and the latest background save failed. rdbcompression <yes/no> Compress string objects using LZF in RDB dump rdbchecksum <yes/no> Add a CRC64 checksum at the end of the file. Makes it more resistant to corruption but there is a performance hit to pay (around 10%) when saving/loading RDB files.
  • 13. RDB related commands BGSAVE Save the DB in background. Redis forks, the parent continues to serve the clients, the child saves the dataset on disk then exits. SAVE Perform a synchronous save of the dataset. Other clients are blocked - never use in production! LASTSAVE Return the Unix time of the last successfull DB save.
  • 14. AOF configuration (1/2) appendonly <yes/no> Enable or disable AOF persistence. appendfilename <filename>.aof The name of the append only file. auto-aof-rewrite-percentage <value> auto-aof-rewrite-min-size <size> Automatic rewrite the AOF log file when the log size grows by the specified percentage. auto-aof-rewrite-percentage 0 Disable automatical AOF rewrite.
  • 15. AOF configuration (2/2) appendfsync <always/everysec/no> Specify how often actually write data on disk instead of waiting for more data in the output buffer. no: don't fsync, let the OS flush the data when it wants (usually every 30 sec.). Faster. always: fsync after every write. Slow, Safest. everysec: fsync one time every second. Compromise. no-appendfsync-on-rewrite <yes/no> Prevent fsync() from being called in the main process while a BGSAVE or BGREWRITEAOF is in progress
  • 16. AOF related commands BGREWRITEAOF Instruct Redis to start an AOF rewrite process. The rewrite will create a small optimized version of the current AOF log. If BGREWRITEAOF fails, no data gets lost as the old AOF will be untouched
  • 17. Persistence related INFO. RDB (1/5) rdb_changes_since_last_save Number of operations that produced some kind of changes in the dataset since the last time either SAVE or BGSAVE was called. rdb_bgsave_in_progress Flag indicating whether an RDB save is on-going. rdb_last_save_time Unix timestamp of last successful RDB save (same as the LASTSAVE command).
  • 18. Persistence related INFO. RDB (2/5) rdb_last_bgsave_status Status of the last RDB save operation (should be ‘ok’). rdb_last_bgsave_time_sec Duration of the last RDB save operation in seconds. rdb_current_bgsave_time_sec Duration of the on-going RDB save operation if any.
  • 19. Persistence related INFO. AOF (3/5) aof_enabled Flag indicating whether an AOF logging is activated. aof_rewrite_in_progress Flag indicating whether an AOF rewrite operation is on-going. aof_rewrite_scheduled, aof_pending_rewrite Flags indicating whether an AOF rewrite operation will be scheduled once the on-going RDB save is complete. aof_last_rewrite_time_sec Duration of the last AOF rewrite operation in seconds.
  • 20. Persistence related INFO. AOF (4/5) aof_current_rewrite_time_sec Duration of the on-going AOF rewrite operation if any. aof_last_bgrewrite_status Status of the last AOF rewrite operation. aof_current_size AOF current file size (in bytes). aof_base_size AOF file size on latest startup or rewrite (in bytes).
  • 21. Persistence related INFO. AOF (5/5) aof_buffer_length Size of the AOF buffer. aof_rewrite_buffer_length Size of the AOF rewrite buffer. aof_pending_bio_fsync Number of fsync pending jobs in background I/O queue. aof_delayed_fsync Delayed fsync counter.
  • 22. Redis persistence and pools Pools are multiple Redis servers running on the same machine but using different ports. ★ More effective memory usage. When RDB snapshoting is performed only DBs from one pool are copied in memory. ★ More CPUs can be used. While each Redis instance can use only one CPU, different pools can use different cores. ★ More fine-tuning. Each pool can be configured and restarted independently.
  • 23. Persistence config for pools (1/2) ❏ Each pool should have different configuration for dbfilename and appendfilename. ❏ Because pools can’t be synchronized between each other, it is possible that RDB snapshot and/or AOF rewrite could start on several pools at the same time. ❏ In case RDB or RDB + AOF persistence is used, this can cause high CPU, memory and disk usage. To avoid this: disable Redis automatic and use manual control over BGSAVE and/or BGREWRITEAOF operations.
  • 24. Persistence config for pools (2/2) Example configuration for AOF + RDB: ❏ disable automatic Redis RDB snapshots and AOF rewrite: save "", auto-aof-rewrite-percentage 0 ❏ configure cron jobs for BGSAVE and BGREWRITEAOF of each pool at different time: m h * * * redis-cli -p <port> BGSAVE m h */4 * * redis-cli -p <port> BGREWRITEAOF m and h should be different for every pool. BGSAVE can be run 1-4 times per day, BGREWRITEAOF once per 2-4 days (calculate how fast AOF file grows for 100%)
  • 25. Persistence and replication RDB snapshots are used when performing a master-slave synchronization (even if RDB persistence is disabled): ❏ the master starts background saving, and starts to buffer all new commands received that will modify the dataset. ❏ when the background saving is complete, the master transfers the database file (RDB) to the slave. ❏ the slave saves file on disk, and then loads it into memory. ❏ the master then sends all buffered commands to the slave.
  • 26. Persistence on master If Redis has more read operations than writes - the master server can be used to perform persistence: ❏ enable only AOF logging on master, ❏ disable RDB and AOF on all slaves. ★ Backups will be automatically used to restore dataset in memory after restart. ★ AOF doesn’t use fork() that could cause Redis to stop serving clients for some millissecond. ★ If necessary, RDB snapshots could be executed by cron, when the machine is less busy.
  • 27. Persistence on slave If Redis has lot of write operations or disk system is slow (like at AWS EC2) - persistence-only slave can be used: ❏ enable RDB snaphosts on persistence-only slave, ❏ disable RDB and AOF on master and other slaves. ★ Master does not need to perform any background disk operations and is fully dedicated to serve client requests, except for a slave connection. ★ RDB allows faster restarts with big datasets, but snapshots should be moved to master server manualy.
  • 28. Persistence tips and tricks ★ Remove all AOF and RDB files from slave before restart. Redis will start syncing with master faster without restoring existing backup. ★ Temporary disable AOF on master when slave is syncing. This will prevent RDB and AOF running at the same time and will decrease IO wait on master. ★ Try to avoid Redis (or all Redis pools) grow beyond 80% of memory. After that, you do start seeing high IO behavior, not necessarily tied directly to swapping
  • 29. Useful links ❏ Official technical description of Redis persistence: http://redis.io/topics/persistence ❏ Wider overview of Redis persistence: http://oldblog.antirez.com/post/redis-persistence-demystified.html ❏ How to configure multiple Redis servers on one machine: http://chrislaskey.com/blog/342/running-multiple-redis-instances-on-the-sameserver/ ❏ Implementing persistence in Redis (article and book): http://www.packtpub.com/article/implementing-persistence-in-redis-intermediate ❏ Tool to parse RDB files and analyse memory usage: https://github.com/sripathikrishnan/redis-rdb-tools
  • 30. Contacts Eugene Fidelin ❏ ❏ ❏ ❏ Email: [email protected] Twitter: @EugeneFidelin Facebook: facebook.com/eugene.fidelin Github: github.com/eugef