2 #include "lzf.h" /* LZF compression library */
6 int rdbSaveType(FILE *fp
, unsigned char type
) {
7 if (fwrite(&type
,1,1,fp
) == 0) return -1;
11 int rdbSaveTime(FILE *fp
, time_t t
) {
12 int32_t t32
= (int32_t) t
;
13 if (fwrite(&t32
,4,1,fp
) == 0) return -1;
17 /* check rdbLoadLen() comments for more info */
18 int rdbSaveLen(FILE *fp
, uint32_t len
) {
22 /* Save a 6 bit len */
23 buf
[0] = (len
&0xFF)|(REDIS_RDB_6BITLEN
<<6);
24 if (fwrite(buf
,1,1,fp
) == 0) return -1;
25 } else if (len
< (1<<14)) {
26 /* Save a 14 bit len */
27 buf
[0] = ((len
>>8)&0xFF)|(REDIS_RDB_14BITLEN
<<6);
29 if (fwrite(buf
,2,1,fp
) == 0) return -1;
31 /* Save a 32 bit len */
32 buf
[0] = (REDIS_RDB_32BITLEN
<<6);
33 if (fwrite(buf
,1,1,fp
) == 0) return -1;
35 if (fwrite(&len
,4,1,fp
) == 0) return -1;
40 /* Encode 'value' as an integer if possible (if integer will fit the
41 * supported range). If the function sucessful encoded the integer
42 * then the (up to 5 bytes) encoded representation is written in the
43 * string pointed by 'enc' and the length is returned. Otherwise
45 int rdbEncodeInteger(long long value
, unsigned char *enc
) {
46 /* Finally check if it fits in our ranges */
47 if (value
>= -(1<<7) && value
<= (1<<7)-1) {
48 enc
[0] = (REDIS_RDB_ENCVAL
<<6)|REDIS_RDB_ENC_INT8
;
51 } else if (value
>= -(1<<15) && value
<= (1<<15)-1) {
52 enc
[0] = (REDIS_RDB_ENCVAL
<<6)|REDIS_RDB_ENC_INT16
;
54 enc
[2] = (value
>>8)&0xFF;
56 } else if (value
>= -((long long)1<<31) && value
<= ((long long)1<<31)-1) {
57 enc
[0] = (REDIS_RDB_ENCVAL
<<6)|REDIS_RDB_ENC_INT32
;
59 enc
[2] = (value
>>8)&0xFF;
60 enc
[3] = (value
>>16)&0xFF;
61 enc
[4] = (value
>>24)&0xFF;
68 /* String objects in the form "2391" "-100" without any space and with a
69 * range of values that can fit in an 8, 16 or 32 bit signed value can be
70 * encoded as integers to save space */
71 int rdbTryIntegerEncoding(char *s
, size_t len
, unsigned char *enc
) {
73 char *endptr
, buf
[32];
75 /* Check if it's possible to encode this value as a number */
76 value
= strtoll(s
, &endptr
, 10);
77 if (endptr
[0] != '\0') return 0;
78 ll2string(buf
,32,value
);
80 /* If the number converted back into a string is not identical
81 * then it's not possible to encode the string as integer */
82 if (strlen(buf
) != len
|| memcmp(buf
,s
,len
)) return 0;
84 return rdbEncodeInteger(value
,enc
);
87 int rdbSaveLzfStringObject(FILE *fp
, unsigned char *s
, size_t len
) {
88 size_t comprlen
, outlen
;
92 /* We require at least four bytes compression for this to be worth it */
93 if (len
<= 4) return 0;
95 if ((out
= zmalloc(outlen
+1)) == NULL
) return 0;
96 comprlen
= lzf_compress(s
, len
, out
, outlen
);
101 /* Data compressed! Let's save it on disk */
102 byte
= (REDIS_RDB_ENCVAL
<<6)|REDIS_RDB_ENC_LZF
;
103 if (fwrite(&byte
,1,1,fp
) == 0) goto writeerr
;
104 if (rdbSaveLen(fp
,comprlen
) == -1) goto writeerr
;
105 if (rdbSaveLen(fp
,len
) == -1) goto writeerr
;
106 if (fwrite(out
,comprlen
,1,fp
) == 0) goto writeerr
;
115 /* Save a string objet as [len][data] on disk. If the object is a string
116 * representation of an integer value we try to safe it in a special form */
117 int rdbSaveRawString(FILE *fp
, unsigned char *s
, size_t len
) {
120 /* Try integer encoding */
122 unsigned char buf
[5];
123 if ((enclen
= rdbTryIntegerEncoding((char*)s
,len
,buf
)) > 0) {
124 if (fwrite(buf
,enclen
,1,fp
) == 0) return -1;
129 /* Try LZF compression - under 20 bytes it's unable to compress even
130 * aaaaaaaaaaaaaaaaaa so skip it */
131 if (server
.rdbcompression
&& len
> 20) {
134 retval
= rdbSaveLzfStringObject(fp
,s
,len
);
135 if (retval
== -1) return -1;
136 if (retval
> 0) return 0;
137 /* retval == 0 means data can't be compressed, save the old way */
141 if (rdbSaveLen(fp
,len
) == -1) return -1;
142 if (len
&& fwrite(s
,len
,1,fp
) == 0) return -1;
146 /* Save a long long value as either an encoded string or a string. */
147 int rdbSaveLongLongAsStringObject(FILE *fp
, long long value
) {
148 unsigned char buf
[32];
149 int enclen
= rdbEncodeInteger(value
,buf
);
151 if (fwrite(buf
,enclen
,1,fp
) == 0) return -1;
153 /* Encode as string */
154 enclen
= ll2string((char*)buf
,32,value
);
155 redisAssert(enclen
< 32);
156 if (rdbSaveLen(fp
,enclen
) == -1) return -1;
157 if (fwrite(buf
,enclen
,1,fp
) == 0) return -1;
162 /* Like rdbSaveStringObjectRaw() but handle encoded objects */
163 int rdbSaveStringObject(FILE *fp
, robj
*obj
) {
164 /* Avoid to decode the object, then encode it again, if the
165 * object is alrady integer encoded. */
166 if (obj
->encoding
== REDIS_ENCODING_INT
) {
167 return rdbSaveLongLongAsStringObject(fp
,(long)obj
->ptr
);
169 redisAssert(obj
->encoding
== REDIS_ENCODING_RAW
);
170 return rdbSaveRawString(fp
,obj
->ptr
,sdslen(obj
->ptr
));
174 /* Save a double value. Doubles are saved as strings prefixed by an unsigned
175 * 8 bit integer specifing the length of the representation.
176 * This 8 bit integer has special values in order to specify the following
182 int rdbSaveDoubleValue(FILE *fp
, double val
) {
183 unsigned char buf
[128];
189 } else if (!isfinite(val
)) {
191 buf
[0] = (val
< 0) ? 255 : 254;
193 #if (DBL_MANT_DIG >= 52) && (LLONG_MAX == 0x7fffffffffffffffLL)
194 /* Check if the float is in a safe range to be casted into a
195 * long long. We are assuming that long long is 64 bit here.
196 * Also we are assuming that there are no implementations around where
197 * double has precision < 52 bit.
199 * Under this assumptions we test if a double is inside an interval
200 * where casting to long long is safe. Then using two castings we
201 * make sure the decimal part is zero. If all this is true we use
202 * integer printing function that is much faster. */
203 double min
= -4503599627370495; /* (2^52)-1 */
204 double max
= 4503599627370496; /* -(2^52) */
205 if (val
> min
&& val
< max
&& val
== ((double)((long long)val
)))
206 ll2string((char*)buf
+1,sizeof(buf
),(long long)val
);
209 snprintf((char*)buf
+1,sizeof(buf
)-1,"%.17g",val
);
210 buf
[0] = strlen((char*)buf
+1);
213 if (fwrite(buf
,len
,1,fp
) == 0) return -1;
217 /* Save a Redis object. */
218 int rdbSaveObject(FILE *fp
, robj
*o
) {
219 if (o
->type
== REDIS_STRING
) {
220 /* Save a string value */
221 if (rdbSaveStringObject(fp
,o
) == -1) return -1;
222 } else if (o
->type
== REDIS_LIST
) {
223 /* Save a list value */
224 if (o
->encoding
== REDIS_ENCODING_ZIPLIST
) {
230 if (rdbSaveLen(fp
,ziplistLen(o
->ptr
)) == -1) return -1;
231 p
= ziplistIndex(o
->ptr
,0);
232 while(ziplistGet(p
,&vstr
,&vlen
,&vlong
)) {
234 if (rdbSaveRawString(fp
,vstr
,vlen
) == -1)
237 if (rdbSaveLongLongAsStringObject(fp
,vlong
) == -1)
240 p
= ziplistNext(o
->ptr
,p
);
242 } else if (o
->encoding
== REDIS_ENCODING_LINKEDLIST
) {
247 if (rdbSaveLen(fp
,listLength(list
)) == -1) return -1;
248 listRewind(list
,&li
);
249 while((ln
= listNext(&li
))) {
250 robj
*eleobj
= listNodeValue(ln
);
251 if (rdbSaveStringObject(fp
,eleobj
) == -1) return -1;
254 redisPanic("Unknown list encoding");
256 } else if (o
->type
== REDIS_SET
) {
257 /* Save a set value */
259 dictIterator
*di
= dictGetIterator(set
);
262 if (rdbSaveLen(fp
,dictSize(set
)) == -1) return -1;
263 while((de
= dictNext(di
)) != NULL
) {
264 robj
*eleobj
= dictGetEntryKey(de
);
266 if (rdbSaveStringObject(fp
,eleobj
) == -1) return -1;
268 dictReleaseIterator(di
);
269 } else if (o
->type
== REDIS_ZSET
) {
270 /* Save a set value */
272 dictIterator
*di
= dictGetIterator(zs
->dict
);
275 if (rdbSaveLen(fp
,dictSize(zs
->dict
)) == -1) return -1;
276 while((de
= dictNext(di
)) != NULL
) {
277 robj
*eleobj
= dictGetEntryKey(de
);
278 double *score
= dictGetEntryVal(de
);
280 if (rdbSaveStringObject(fp
,eleobj
) == -1) return -1;
281 if (rdbSaveDoubleValue(fp
,*score
) == -1) return -1;
283 dictReleaseIterator(di
);
284 } else if (o
->type
== REDIS_HASH
) {
285 /* Save a hash value */
286 if (o
->encoding
== REDIS_ENCODING_ZIPMAP
) {
287 unsigned char *p
= zipmapRewind(o
->ptr
);
288 unsigned int count
= zipmapLen(o
->ptr
);
289 unsigned char *key
, *val
;
290 unsigned int klen
, vlen
;
292 if (rdbSaveLen(fp
,count
) == -1) return -1;
293 while((p
= zipmapNext(p
,&key
,&klen
,&val
,&vlen
)) != NULL
) {
294 if (rdbSaveRawString(fp
,key
,klen
) == -1) return -1;
295 if (rdbSaveRawString(fp
,val
,vlen
) == -1) return -1;
298 dictIterator
*di
= dictGetIterator(o
->ptr
);
301 if (rdbSaveLen(fp
,dictSize((dict
*)o
->ptr
)) == -1) return -1;
302 while((de
= dictNext(di
)) != NULL
) {
303 robj
*key
= dictGetEntryKey(de
);
304 robj
*val
= dictGetEntryVal(de
);
306 if (rdbSaveStringObject(fp
,key
) == -1) return -1;
307 if (rdbSaveStringObject(fp
,val
) == -1) return -1;
309 dictReleaseIterator(di
);
312 redisPanic("Unknown object type");
317 /* Return the length the object will have on disk if saved with
318 * the rdbSaveObject() function. Currently we use a trick to get
319 * this length with very little changes to the code. In the future
320 * we could switch to a faster solution. */
321 off_t
rdbSavedObjectLen(robj
*o
, FILE *fp
) {
322 if (fp
== NULL
) fp
= server
.devnull
;
324 redisAssert(rdbSaveObject(fp
,o
) != 1);
328 /* Return the number of pages required to save this object in the swap file */
329 off_t
rdbSavedObjectPages(robj
*o
, FILE *fp
) {
330 off_t bytes
= rdbSavedObjectLen(o
,fp
);
332 return (bytes
+(server
.vm_page_size
-1))/server
.vm_page_size
;
335 /* Save the DB on disk. Return REDIS_ERR on error, REDIS_OK on success */
336 int rdbSave(char *filename
) {
337 dictIterator
*di
= NULL
;
342 time_t now
= time(NULL
);
344 /* Wait for I/O therads to terminate, just in case this is a
345 * foreground-saving, to avoid seeking the swap file descriptor at the
347 if (server
.vm_enabled
)
348 waitEmptyIOJobsQueue();
350 snprintf(tmpfile
,256,"temp-%d.rdb", (int) getpid());
351 fp
= fopen(tmpfile
,"w");
353 redisLog(REDIS_WARNING
, "Failed saving the DB: %s", strerror(errno
));
356 if (fwrite("REDIS0001",9,1,fp
) == 0) goto werr
;
357 for (j
= 0; j
< server
.dbnum
; j
++) {
358 redisDb
*db
= server
.db
+j
;
360 if (dictSize(d
) == 0) continue;
361 di
= dictGetIterator(d
);
367 /* Write the SELECT DB opcode */
368 if (rdbSaveType(fp
,REDIS_SELECTDB
) == -1) goto werr
;
369 if (rdbSaveLen(fp
,j
) == -1) goto werr
;
371 /* Iterate this DB writing every entry */
372 while((de
= dictNext(di
)) != NULL
) {
373 sds keystr
= dictGetEntryKey(de
);
374 robj key
, *o
= dictGetEntryVal(de
);
377 initStaticStringObject(key
,keystr
);
378 expiretime
= getExpire(db
,&key
);
380 /* Save the expire time */
381 if (expiretime
!= -1) {
382 /* If this key is already expired skip it */
383 if (expiretime
< now
) continue;
384 if (rdbSaveType(fp
,REDIS_EXPIRETIME
) == -1) goto werr
;
385 if (rdbSaveTime(fp
,expiretime
) == -1) goto werr
;
387 /* Save the key and associated value. This requires special
388 * handling if the value is swapped out. */
389 if (!server
.vm_enabled
|| o
->storage
== REDIS_VM_MEMORY
||
390 o
->storage
== REDIS_VM_SWAPPING
) {
391 /* Save type, key, value */
392 if (rdbSaveType(fp
,o
->type
) == -1) goto werr
;
393 if (rdbSaveStringObject(fp
,&key
) == -1) goto werr
;
394 if (rdbSaveObject(fp
,o
) == -1) goto werr
;
396 /* REDIS_VM_SWAPPED or REDIS_VM_LOADING */
398 /* Get a preview of the object in memory */
399 po
= vmPreviewObject(o
);
400 /* Save type, key, value */
401 if (rdbSaveType(fp
,po
->type
) == -1) goto werr
;
402 if (rdbSaveStringObject(fp
,&key
) == -1) goto werr
;
403 if (rdbSaveObject(fp
,po
) == -1) goto werr
;
404 /* Remove the loaded object from memory */
408 dictReleaseIterator(di
);
411 if (rdbSaveType(fp
,REDIS_EOF
) == -1) goto werr
;
413 /* Make sure data will not remain on the OS's output buffers */
418 /* Use RENAME to make sure the DB file is changed atomically only
419 * if the generate DB file is ok. */
420 if (rename(tmpfile
,filename
) == -1) {
421 redisLog(REDIS_WARNING
,"Error moving temp DB file on the final destination: %s", strerror(errno
));
425 redisLog(REDIS_NOTICE
,"DB saved on disk");
427 server
.lastsave
= time(NULL
);
433 redisLog(REDIS_WARNING
,"Write error saving DB on disk: %s", strerror(errno
));
434 if (di
) dictReleaseIterator(di
);
438 int rdbSaveBackground(char *filename
) {
441 if (server
.bgsavechildpid
!= -1) return REDIS_ERR
;
442 if (server
.vm_enabled
) waitEmptyIOJobsQueue();
443 if ((childpid
= fork()) == 0) {
445 if (server
.vm_enabled
) vmReopenSwapFile();
447 if (rdbSave(filename
) == REDIS_OK
) {
454 if (childpid
== -1) {
455 redisLog(REDIS_WARNING
,"Can't save in background: fork: %s",
459 redisLog(REDIS_NOTICE
,"Background saving started by pid %d",childpid
);
460 server
.bgsavechildpid
= childpid
;
461 updateDictResizePolicy();
464 return REDIS_OK
; /* unreached */
467 void rdbRemoveTempFile(pid_t childpid
) {
470 snprintf(tmpfile
,256,"temp-%d.rdb", (int) childpid
);
474 int rdbLoadType(FILE *fp
) {
476 if (fread(&type
,1,1,fp
) == 0) return -1;
480 time_t rdbLoadTime(FILE *fp
) {
482 if (fread(&t32
,4,1,fp
) == 0) return -1;
486 /* Load an encoded length from the DB, see the REDIS_RDB_* defines on the top
487 * of this file for a description of how this are stored on disk.
489 * isencoded is set to 1 if the readed length is not actually a length but
490 * an "encoding type", check the above comments for more info */
491 uint32_t rdbLoadLen(FILE *fp
, int *isencoded
) {
492 unsigned char buf
[2];
496 if (isencoded
) *isencoded
= 0;
497 if (fread(buf
,1,1,fp
) == 0) return REDIS_RDB_LENERR
;
498 type
= (buf
[0]&0xC0)>>6;
499 if (type
== REDIS_RDB_6BITLEN
) {
500 /* Read a 6 bit len */
502 } else if (type
== REDIS_RDB_ENCVAL
) {
503 /* Read a 6 bit len encoding type */
504 if (isencoded
) *isencoded
= 1;
506 } else if (type
== REDIS_RDB_14BITLEN
) {
507 /* Read a 14 bit len */
508 if (fread(buf
+1,1,1,fp
) == 0) return REDIS_RDB_LENERR
;
509 return ((buf
[0]&0x3F)<<8)|buf
[1];
511 /* Read a 32 bit len */
512 if (fread(&len
,4,1,fp
) == 0) return REDIS_RDB_LENERR
;
517 /* Load an integer-encoded object from file 'fp', with the specified
518 * encoding type 'enctype'. If encode is true the function may return
519 * an integer-encoded object as reply, otherwise the returned object
520 * will always be encoded as a raw string. */
521 robj
*rdbLoadIntegerObject(FILE *fp
, int enctype
, int encode
) {
522 unsigned char enc
[4];
525 if (enctype
== REDIS_RDB_ENC_INT8
) {
526 if (fread(enc
,1,1,fp
) == 0) return NULL
;
527 val
= (signed char)enc
[0];
528 } else if (enctype
== REDIS_RDB_ENC_INT16
) {
530 if (fread(enc
,2,1,fp
) == 0) return NULL
;
531 v
= enc
[0]|(enc
[1]<<8);
533 } else if (enctype
== REDIS_RDB_ENC_INT32
) {
535 if (fread(enc
,4,1,fp
) == 0) return NULL
;
536 v
= enc
[0]|(enc
[1]<<8)|(enc
[2]<<16)|(enc
[3]<<24);
539 val
= 0; /* anti-warning */
540 redisPanic("Unknown RDB integer encoding type");
543 return createStringObjectFromLongLong(val
);
545 return createObject(REDIS_STRING
,sdsfromlonglong(val
));
548 robj
*rdbLoadLzfStringObject(FILE*fp
) {
549 unsigned int len
, clen
;
550 unsigned char *c
= NULL
;
553 if ((clen
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
) return NULL
;
554 if ((len
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
) return NULL
;
555 if ((c
= zmalloc(clen
)) == NULL
) goto err
;
556 if ((val
= sdsnewlen(NULL
,len
)) == NULL
) goto err
;
557 if (fread(c
,clen
,1,fp
) == 0) goto err
;
558 if (lzf_decompress(c
,clen
,val
,len
) == 0) goto err
;
560 return createObject(REDIS_STRING
,val
);
567 robj
*rdbGenericLoadStringObject(FILE*fp
, int encode
) {
572 len
= rdbLoadLen(fp
,&isencoded
);
575 case REDIS_RDB_ENC_INT8
:
576 case REDIS_RDB_ENC_INT16
:
577 case REDIS_RDB_ENC_INT32
:
578 return rdbLoadIntegerObject(fp
,len
,encode
);
579 case REDIS_RDB_ENC_LZF
:
580 return rdbLoadLzfStringObject(fp
);
582 redisPanic("Unknown RDB encoding type");
586 if (len
== REDIS_RDB_LENERR
) return NULL
;
587 val
= sdsnewlen(NULL
,len
);
588 if (len
&& fread(val
,len
,1,fp
) == 0) {
592 return createObject(REDIS_STRING
,val
);
595 robj
*rdbLoadStringObject(FILE *fp
) {
596 return rdbGenericLoadStringObject(fp
,0);
599 robj
*rdbLoadEncodedStringObject(FILE *fp
) {
600 return rdbGenericLoadStringObject(fp
,1);
603 /* For information about double serialization check rdbSaveDoubleValue() */
604 int rdbLoadDoubleValue(FILE *fp
, double *val
) {
608 if (fread(&len
,1,1,fp
) == 0) return -1;
610 case 255: *val
= R_NegInf
; return 0;
611 case 254: *val
= R_PosInf
; return 0;
612 case 253: *val
= R_Nan
; return 0;
614 if (fread(buf
,len
,1,fp
) == 0) return -1;
616 sscanf(buf
, "%lg", val
);
621 /* Load a Redis object of the specified type from the specified file.
622 * On success a newly allocated object is returned, otherwise NULL. */
623 robj
*rdbLoadObject(int type
, FILE *fp
) {
627 redisLog(REDIS_DEBUG
,"LOADING OBJECT %d (at %d)\n",type
,ftell(fp
));
628 if (type
== REDIS_STRING
) {
629 /* Read string value */
630 if ((o
= rdbLoadEncodedStringObject(fp
)) == NULL
) return NULL
;
631 o
= tryObjectEncoding(o
);
632 } else if (type
== REDIS_LIST
) {
633 /* Read list value */
634 if ((len
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
) return NULL
;
636 /* Use a real list when there are too many entries */
637 if (len
> server
.list_max_ziplist_entries
) {
638 o
= createListObject();
640 o
= createZiplistObject();
643 /* Load every single element of the list */
645 if ((ele
= rdbLoadEncodedStringObject(fp
)) == NULL
) return NULL
;
647 /* If we are using a ziplist and the value is too big, convert
648 * the object to a real list. */
649 if (o
->encoding
== REDIS_ENCODING_ZIPLIST
&&
650 ele
->encoding
== REDIS_ENCODING_RAW
&&
651 sdslen(ele
->ptr
) > server
.list_max_ziplist_value
)
652 listTypeConvert(o
,REDIS_ENCODING_LINKEDLIST
);
654 if (o
->encoding
== REDIS_ENCODING_ZIPLIST
) {
655 dec
= getDecodedObject(ele
);
656 o
->ptr
= ziplistPush(o
->ptr
,dec
->ptr
,sdslen(dec
->ptr
),REDIS_TAIL
);
660 ele
= tryObjectEncoding(ele
);
661 listAddNodeTail(o
->ptr
,ele
);
664 } else if (type
== REDIS_SET
) {
665 /* Read list/set value */
666 if ((len
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
) return NULL
;
667 o
= createSetObject();
668 /* It's faster to expand the dict to the right size asap in order
669 * to avoid rehashing */
670 if (len
> DICT_HT_INITIAL_SIZE
)
671 dictExpand(o
->ptr
,len
);
672 /* Load every single element of the list/set */
674 if ((ele
= rdbLoadEncodedStringObject(fp
)) == NULL
) return NULL
;
675 ele
= tryObjectEncoding(ele
);
676 dictAdd((dict
*)o
->ptr
,ele
,NULL
);
678 } else if (type
== REDIS_ZSET
) {
679 /* Read list/set value */
683 if ((zsetlen
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
) return NULL
;
684 o
= createZsetObject();
686 /* Load every single element of the list/set */
689 double *score
= zmalloc(sizeof(double));
691 if ((ele
= rdbLoadEncodedStringObject(fp
)) == NULL
) return NULL
;
692 ele
= tryObjectEncoding(ele
);
693 if (rdbLoadDoubleValue(fp
,score
) == -1) return NULL
;
694 dictAdd(zs
->dict
,ele
,score
);
695 zslInsert(zs
->zsl
,*score
,ele
);
696 incrRefCount(ele
); /* added to skiplist */
698 } else if (type
== REDIS_HASH
) {
701 if ((hashlen
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
) return NULL
;
702 o
= createHashObject();
703 /* Too many entries? Use an hash table. */
704 if (hashlen
> server
.hash_max_zipmap_entries
)
705 convertToRealHash(o
);
706 /* Load every key/value, then set it into the zipmap or hash
707 * table, as needed. */
711 if ((key
= rdbLoadEncodedStringObject(fp
)) == NULL
) return NULL
;
712 if ((val
= rdbLoadEncodedStringObject(fp
)) == NULL
) return NULL
;
713 /* If we are using a zipmap and there are too big values
714 * the object is converted to real hash table encoding. */
715 if (o
->encoding
!= REDIS_ENCODING_HT
&&
716 ((key
->encoding
== REDIS_ENCODING_RAW
&&
717 sdslen(key
->ptr
) > server
.hash_max_zipmap_value
) ||
718 (val
->encoding
== REDIS_ENCODING_RAW
&&
719 sdslen(val
->ptr
) > server
.hash_max_zipmap_value
)))
721 convertToRealHash(o
);
724 if (o
->encoding
== REDIS_ENCODING_ZIPMAP
) {
725 unsigned char *zm
= o
->ptr
;
726 robj
*deckey
, *decval
;
728 /* We need raw string objects to add them to the zipmap */
729 deckey
= getDecodedObject(key
);
730 decval
= getDecodedObject(val
);
731 zm
= zipmapSet(zm
,deckey
->ptr
,sdslen(deckey
->ptr
),
732 decval
->ptr
,sdslen(decval
->ptr
),NULL
);
734 decrRefCount(deckey
);
735 decrRefCount(decval
);
739 key
= tryObjectEncoding(key
);
740 val
= tryObjectEncoding(val
);
741 dictAdd((dict
*)o
->ptr
,key
,val
);
745 redisPanic("Unknown object type");
750 int rdbLoad(char *filename
) {
753 int type
, retval
, rdbver
;
754 int swap_all_values
= 0;
755 redisDb
*db
= server
.db
+0;
757 time_t expiretime
, now
= time(NULL
);
759 fp
= fopen(filename
,"r");
760 if (!fp
) return REDIS_ERR
;
761 if (fread(buf
,9,1,fp
) == 0) goto eoferr
;
763 if (memcmp(buf
,"REDIS",5) != 0) {
765 redisLog(REDIS_WARNING
,"Wrong signature trying to load DB from file");
768 rdbver
= atoi(buf
+5);
771 redisLog(REDIS_WARNING
,"Can't handle RDB format version %d",rdbver
);
780 if ((type
= rdbLoadType(fp
)) == -1) goto eoferr
;
781 if (type
== REDIS_EXPIRETIME
) {
782 if ((expiretime
= rdbLoadTime(fp
)) == -1) goto eoferr
;
783 /* We read the time so we need to read the object type again */
784 if ((type
= rdbLoadType(fp
)) == -1) goto eoferr
;
786 if (type
== REDIS_EOF
) break;
787 /* Handle SELECT DB opcode as a special case */
788 if (type
== REDIS_SELECTDB
) {
789 if ((dbid
= rdbLoadLen(fp
,NULL
)) == REDIS_RDB_LENERR
)
791 if (dbid
>= (unsigned)server
.dbnum
) {
792 redisLog(REDIS_WARNING
,"FATAL: Data file was created with a Redis server configured to handle more than %d databases. Exiting\n", server
.dbnum
);
799 if ((key
= rdbLoadStringObject(fp
)) == NULL
) goto eoferr
;
801 if ((val
= rdbLoadObject(type
,fp
)) == NULL
) goto eoferr
;
802 /* Check if the key already expired */
803 if (expiretime
!= -1 && expiretime
< now
) {
808 /* Add the new object in the hash table */
809 retval
= dbAdd(db
,key
,val
);
810 if (retval
== REDIS_ERR
) {
811 redisLog(REDIS_WARNING
,"Loading DB, duplicated key (%s) found! Unrecoverable error, exiting now.", key
->ptr
);
814 /* Set the expire time if needed */
815 if (expiretime
!= -1) setExpire(db
,key
,expiretime
);
817 /* Handle swapping while loading big datasets when VM is on */
819 /* If we detecter we are hopeless about fitting something in memory
820 * we just swap every new key on disk. Directly...
821 * Note that's important to check for this condition before resorting
822 * to random sampling, otherwise we may try to swap already
824 if (swap_all_values
) {
825 dictEntry
*de
= dictFind(db
->dict
,key
->ptr
);
827 /* de may be NULL since the key already expired */
830 val
= dictGetEntryVal(de
);
832 if (val
->refcount
== 1 &&
833 (vp
= vmSwapObjectBlocking(val
)) != NULL
)
834 dictGetEntryVal(de
) = vp
;
841 /* Flush data on disk once 32 MB of additional RAM are used... */
843 if ((zmalloc_used_memory() - server
.vm_max_memory
) > 1024*1024*32)
846 /* If we have still some hope of having some value fitting memory
847 * then we try random sampling. */
848 if (!swap_all_values
&& server
.vm_enabled
&& force_swapout
) {
849 while (zmalloc_used_memory() > server
.vm_max_memory
) {
850 if (vmSwapOneObjectBlocking() == REDIS_ERR
) break;
852 if (zmalloc_used_memory() > server
.vm_max_memory
)
853 swap_all_values
= 1; /* We are already using too much mem */
859 eoferr
: /* unexpected end of file is handled here with a fatal exit */
860 redisLog(REDIS_WARNING
,"Short read or OOM loading DB. Unrecoverable error, aborting now.");
862 return REDIS_ERR
; /* Just to avoid warning */
865 /* A background saving child (BGSAVE) terminated its work. Handle this. */
866 void backgroundSaveDoneHandler(int statloc
) {
867 int exitcode
= WEXITSTATUS(statloc
);
868 int bysignal
= WIFSIGNALED(statloc
);
870 if (!bysignal
&& exitcode
== 0) {
871 redisLog(REDIS_NOTICE
,
872 "Background saving terminated with success");
874 server
.lastsave
= time(NULL
);
875 } else if (!bysignal
&& exitcode
!= 0) {
876 redisLog(REDIS_WARNING
, "Background saving error");
878 redisLog(REDIS_WARNING
,
879 "Background saving terminated by signal %d", WTERMSIG(statloc
));
880 rdbRemoveTempFile(server
.bgsavechildpid
);
882 server
.bgsavechildpid
= -1;
883 /* Possibly there are slaves waiting for a BGSAVE in order to be served
884 * (the first stage of SYNC is a bulk transfer of dump.rdb) */
885 updateSlavesWaitingBgsave(exitcode
== 0 ? REDIS_OK
: REDIS_ERR
);