module.c 294.4 KB
Newer Older
A
antirez 已提交
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29
/*
 * Copyright (c) 2016, Salvatore Sanfilippo <antirez at gmail dot com>
 * All rights reserved.
 *
 * Redistribution and use in source and binary forms, with or without
 * modification, are permitted provided that the following conditions are met:
 *
 *   * Redistributions of source code must retain the above copyright notice,
 *     this list of conditions and the following disclaimer.
 *   * Redistributions in binary form must reproduce the above copyright
 *     notice, this list of conditions and the following disclaimer in the
 *     documentation and/or other materials provided with the distribution.
 *   * Neither the name of Redis nor the names of its contributors may be used
 *     to endorse or promote products derived from this software without
 *     specific prior written permission.
 *
 * THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
 * AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
 * IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
 * ARE DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT OWNER OR CONTRIBUTORS BE
 * LIABLE FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR
 * CONSEQUENTIAL DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF
 * SUBSTITUTE GOODS OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS
 * INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN
 * CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE)
 * ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE
 * POSSIBILITY OF SUCH DAMAGE.
 */

A
antirez 已提交
30 31
#include "server.h"
#include "cluster.h"
32
#include "rdb.h"
A
antirez 已提交
33
#include <dlfcn.h>
34
#include <sys/stat.h>
35
#include <sys/wait.h>
A
antirez 已提交
36 37 38 39 40 41 42

/* --------------------------------------------------------------------------
 * Private data structures used by the modules system. Those are data
 * structures that are never exposed to Redis Modules, if not as void
 * pointers that have an API the module can call with them)
 * -------------------------------------------------------------------------- */

43 44
typedef struct RedisModuleInfoCtx {
    struct RedisModule *module;
45
    const char *requested_section;
46 47 48 49
    sds info;           /* info string we collected so far */
    int sections;       /* number of sections we collected so far */
    int in_section;     /* indication if we're in an active section or not */
    int in_dict_field;  /* indication that we're curreintly appending to a dict */
50 51 52 53
} RedisModuleInfoCtx;

typedef void (*RedisModuleInfoFunc)(RedisModuleInfoCtx *ctx, int for_crash_report);

A
antirez 已提交
54 55 56 57 58 59
/* This structure represents a module inside the system. */
struct RedisModule {
    void *handle;   /* Module dlopen() handle. */
    char *name;     /* Module name. */
    int ver;        /* Module version. We use just progressive integers. */
    int apiver;     /* Module API version as requested during initialization.*/
60
    list *types;    /* Module data types. */
61 62
    list *usedby;   /* List of modules using APIs from this one. */
    list *using;    /* List of modules we use some APIs of. */
63
    list *filters;  /* List of filters the module has registered. */
64
    int in_call;    /* RM_Call() nesting level */
65
    int in_hook;    /* Hooks callback nesting level for this module (0 or 1). */
A
antirez 已提交
66
    int options;    /* Module options and capabilities. */
67
    int blocked_clients;         /* Count of RedisModuleBlockedClient in this module. */
68
    RedisModuleInfoFunc info_cb; /* Callback for module to add INFO fields. */
A
antirez 已提交
69 70 71
};
typedef struct RedisModule RedisModule;

72 73 74 75 76 77 78 79 80 81
/* This represents a shared API. Shared APIs will be used to populate
 * the server.sharedapi dictionary, mapping names of APIs exported by
 * modules for other modules to use, to their structure specifying the
 * function pointer that can be called. */
struct RedisModuleSharedAPI {
    void *func;
    RedisModule *module;
};
typedef struct RedisModuleSharedAPI RedisModuleSharedAPI;

A
antirez 已提交
82 83 84 85 86 87 88 89 90 91 92 93 94 95
static dict *modules; /* Hash table of modules. SDS -> RedisModule ptr.*/

/* Entries in the context->amqueue array, representing objects to free
 * when the callback returns. */
struct AutoMemEntry {
    void *ptr;
    int type;
};

/* AutMemEntry type field values. */
#define REDISMODULE_AM_KEY 0
#define REDISMODULE_AM_STRING 1
#define REDISMODULE_AM_REPLY 2
#define REDISMODULE_AM_FREED 3 /* Explicitly freed by user already. */
96
#define REDISMODULE_AM_DICT 4
97
#define REDISMODULE_AM_INFO 5
A
antirez 已提交
98

99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121
/* The pool allocator block. Redis Modules can allocate memory via this special
 * allocator that will automatically release it all once the callback returns.
 * This means that it can only be used for ephemeral allocations. However
 * there are two advantages for modules to use this API:
 *
 * 1) The memory is automatically released when the callback returns.
 * 2) This allocator is faster for many small allocations since whole blocks
 *    are allocated, and small pieces returned to the caller just advancing
 *    the index of the allocation.
 *
 * Allocations are always rounded to the size of the void pointer in order
 * to always return aligned memory chunks. */

#define REDISMODULE_POOL_ALLOC_MIN_SIZE (1024*8)
#define REDISMODULE_POOL_ALLOC_ALIGN (sizeof(void*))

typedef struct RedisModulePoolAllocBlock {
    uint32_t size;
    uint32_t used;
    struct RedisModulePoolAllocBlock *next;
    char memory[];
} RedisModulePoolAllocBlock;

A
antirez 已提交
122 123 124 125 126 127 128
/* This structure represents the context in which Redis modules operate.
 * Most APIs module can access, get a pointer to the context, so that the API
 * implementation can hold state across calls, or remember what to free after
 * the call and so forth.
 *
 * Note that not all the context structure is always filled with actual values
 * but only the fields needed in a given context. */
129 130 131

struct RedisModuleBlockedClient;

A
antirez 已提交
132 133 134 135
struct RedisModuleCtx {
    void *getapifuncptr;            /* NOTE: Must be the first field. */
    struct RedisModule *module;     /* Module reference. */
    client *client;                 /* Client calling a command. */
136 137
    struct RedisModuleBlockedClient *blocked_client; /* Blocked client for
                                                        thread safe context. */
A
antirez 已提交
138 139 140 141
    struct AutoMemEntry *amqueue;   /* Auto memory queue of objects to free. */
    int amqueue_len;                /* Number of slots in amqueue. */
    int amqueue_used;               /* Number of used slots in amqueue. */
    int flags;                      /* REDISMODULE_CTX_... flags. */
A
antirez 已提交
142 143
    void **postponed_arrays;        /* To set with RM_ReplySetArrayLength(). */
    int postponed_arrays_count;     /* Number of entries in postponed_arrays. */
144
    void *blocked_privdata;         /* Privdata set when unblocking a client. */
145 146 147
    RedisModuleString *blocked_ready_key; /* Key ready when the reply callback
                                             gets called for clients blocked
                                             on keys. */
148 149 150 151

    /* Used if there is the REDISMODULE_CTX_KEYS_POS_REQUEST flag set. */
    int *keys_pos;
    int keys_count;
152 153

    struct RedisModulePoolAllocBlock *pa_head;
154 155 156 157
    redisOpArray saved_oparray;    /* When propagating commands in a callback
                                      we reallocate the "also propagate" op
                                      array. Here we save the old one to
                                      restore it later. */
A
antirez 已提交
158 159 160
};
typedef struct RedisModuleCtx RedisModuleCtx;

161
#define REDISMODULE_CTX_INIT {(void*)(unsigned long)&RM_GetApi, NULL, NULL, NULL, NULL, 0, 0, 0, NULL, 0, NULL, NULL, NULL, 0, NULL, {0}}
A
antirez 已提交
162 163
#define REDISMODULE_CTX_MULTI_EMITTED (1<<0)
#define REDISMODULE_CTX_AUTO_MEMORY (1<<1)
164
#define REDISMODULE_CTX_KEYS_POS_REQUEST (1<<2)
165 166
#define REDISMODULE_CTX_BLOCKED_REPLY (1<<3)
#define REDISMODULE_CTX_BLOCKED_TIMEOUT (1<<4)
167
#define REDISMODULE_CTX_THREAD_SAFE (1<<5)
168
#define REDISMODULE_CTX_BLOCKED_DISCONNECTED (1<<6)
169
#define REDISMODULE_CTX_MODULE_COMMAND_CALL (1<<7)
A
antirez 已提交
170

171
/* This represents a Redis key opened with RM_OpenKey(). */
A
antirez 已提交
172 173 174 175 176 177 178
struct RedisModuleKey {
    RedisModuleCtx *ctx;
    redisDb *db;
    robj *key;      /* Key name object. */
    robj *value;    /* Value object, or NULL if the key was not found. */
    void *iter;     /* Iterator. */
    int mode;       /* Opening mode. */
A
antirez 已提交
179

A
antirez 已提交
180
    /* Zset iterator. */
A
antirez 已提交
181 182 183 184 185 186 187 188
    uint32_t ztype;         /* REDISMODULE_ZSET_RANGE_* */
    zrangespec zrs;         /* Score range. */
    zlexrangespec zlrs;     /* Lex range. */
    uint32_t zstart;        /* Start pos for positional ranges. */
    uint32_t zend;          /* End pos for positional ranges. */
    void *zcurrent;         /* Zset iterator current node. */
    int zer;                /* Zset iterator end reached flag
                               (true if end was reached). */
A
antirez 已提交
189 190 191
};
typedef struct RedisModuleKey RedisModuleKey;

A
antirez 已提交
192 193 194 195 196 197
/* RedisModuleKey 'ztype' values. */
#define REDISMODULE_ZSET_RANGE_NONE 0       /* This must always be 0. */
#define REDISMODULE_ZSET_RANGE_LEX 1
#define REDISMODULE_ZSET_RANGE_SCORE 2
#define REDISMODULE_ZSET_RANGE_POS 3

A
antirez 已提交
198 199
/* Function pointer type of a function representing a command inside
 * a Redis module. */
200
struct RedisModuleBlockedClient;
A
antirez 已提交
201
typedef int (*RedisModuleCmdFunc) (RedisModuleCtx *ctx, void **argv, int argc);
202
typedef void (*RedisModuleDisconnectFunc) (RedisModuleCtx *ctx, struct RedisModuleBlockedClient *bc);
A
antirez 已提交
203 204 205 206 207 208 209 210 211 212 213 214 215 216

/* This struct holds the information about a command registered by a module.*/
struct RedisModuleCommandProxy {
    struct RedisModule *module;
    RedisModuleCmdFunc func;
    struct redisCommand *rediscmd;
};
typedef struct RedisModuleCommandProxy RedisModuleCommandProxy;

#define REDISMODULE_REPLYFLAG_NONE 0
#define REDISMODULE_REPLYFLAG_TOPARSE (1<<0) /* Protocol must be parsed. */
#define REDISMODULE_REPLYFLAG_NESTED (1<<1)  /* Nested reply object. No proto
                                                or struct free. */

217
/* Reply of RM_Call() function. The function is filled in a lazy
A
antirez 已提交
218
 * way depending on the function called on the reply structure. By default
219
 * only the type, proto and protolen are filled. */
220
typedef struct RedisModuleCallReply {
A
antirez 已提交
221 222 223 224 225 226 227 228 229 230 231 232 233 234
    RedisModuleCtx *ctx;
    int type;       /* REDISMODULE_REPLY_... */
    int flags;      /* REDISMODULE_REPLYFLAG_...  */
    size_t len;     /* Len of strings or num of elements of arrays. */
    char *proto;    /* Raw reply protocol. An SDS string at top-level object. */
    size_t protolen;/* Length of protocol. */
    union {
        const char *str; /* String pointer for string and error replies. This
                            does not need to be freed, always points inside
                            a reply->proto buffer of the reply object or, in
                            case of array elements, of parent reply objects. */
        long long ll;    /* Reply value for integer reply. */
        struct RedisModuleCallReply *array; /* Array of sub-reply elements. */
    } val;
235
} RedisModuleCallReply;
A
antirez 已提交
236

237 238 239 240 241 242 243 244
/* Structure representing a blocked client. We get a pointer to such
 * an object when blocking from modules. */
typedef struct RedisModuleBlockedClient {
    client *client;  /* Pointer to the blocked client. or NULL if the client
                        was destroyed during the life of this object. */
    RedisModule *module;    /* Module blocking the client. */
    RedisModuleCmdFunc reply_callback; /* Reply callback on normal completion.*/
    RedisModuleCmdFunc timeout_callback; /* Reply callback on timeout. */
245
    RedisModuleDisconnectFunc disconnect_callback; /* Called on disconnection.*/
246
    void (*free_privdata)(RedisModuleCtx*,void*);/* privdata cleanup callback.*/
247 248 249
    void *privdata;     /* Module private data that may be used by the reply
                           or timeout callback. It is set via the
                           RedisModule_UnblockClient() API. */
250 251
    client *reply_client;           /* Fake client used to accumulate replies
                                       in thread safe contexts. */
252
    int dbid;           /* Database number selected by the original client. */
253
    int blocked_on_keys;    /* If blocked via RM_BlockClientOnKeys(). */
254
    int unblocked;          /* Already on the moduleUnblocked list. */
255 256 257 258 259
} RedisModuleBlockedClient;

static pthread_mutex_t moduleUnblockedClientsMutex = PTHREAD_MUTEX_INITIALIZER;
static list *moduleUnblockedClients;

260 261 262 263
/* We need a mutex that is unlocked / relocked in beforeSleep() in order to
 * allow thread safe contexts to execute commands at a safe moment. */
static pthread_mutex_t moduleGIL = PTHREAD_MUTEX_INITIALIZER;

264 265 266 267

/* Function pointer type for keyspace event notification subscriptions from modules. */
typedef int (*RedisModuleNotificationFunc) (RedisModuleCtx *ctx, int type, const char *event, RedisModuleString *key);

268 269
/* Keyspace notification subscriber information.
 * See RM_SubscribeToKeyspaceEvents() for more information. */
270 271
typedef struct RedisModuleKeyspaceSubscriber {
    /* The module subscribed to the event */
272
    RedisModule *module;
273
    /* Notification callback in the module*/
274
    RedisModuleNotificationFunc notify_callback;
275
    /* A bit mask of the events the module is interested in */
276 277 278 279
    int event_mask;
    /* Active flag set on entry, to avoid reentrant subscribers
     * calling themselves */
    int active;
280 281 282 283 284
} RedisModuleKeyspaceSubscriber;

/* The module keyspace notification subscribers list */
static list *moduleKeyspaceSubscribers;

285 286 287 288 289
/* Static client recycled for when we need to provide a context with a client
 * in a situation where there is no client to provide. This avoidsallocating
 * a new client per round. For instance this is used in the keyspace
 * notifications, timers and cluster messages callbacks. */
static client *moduleFreeContextReusedClient;
290

291 292 293 294 295
/* Data structures related to the exported dictionary data structure. */
typedef struct RedisModuleDict {
    rax *rax;                       /* The radix tree. */
} RedisModuleDict;

296 297 298 299 300
typedef struct RedisModuleDictIter {
    RedisModuleDict *dict;
    raxIterator ri;
} RedisModuleDictIter;

301
typedef struct RedisModuleCommandFilterCtx {
302 303
    RedisModuleString **argv;
    int argc;
304
} RedisModuleCommandFilterCtx;
305

306
typedef void (*RedisModuleCommandFilterFunc) (RedisModuleCommandFilterCtx *filter);
307 308 309 310 311 312

typedef struct RedisModuleCommandFilter {
    /* The module that registered the filter */
    RedisModule *module;
    /* Filter callback function */
    RedisModuleCommandFilterFunc callback;
313 314
    /* REDISMODULE_CMDFILTER_* flags */
    int flags;
315 316 317 318 319
} RedisModuleCommandFilter;

/* Registered filters */
static list *moduleCommandFilters;

O
Oran Agra 已提交
320 321 322 323 324 325 326
typedef void (*RedisModuleForkDoneHandler) (int exitcode, int bysignal, void *user_data);

static struct RedisModuleForkInfo {
    RedisModuleForkDoneHandler done_handler;
    void* done_handler_user_data;
} moduleForkInfo = {0};

327 328 329 330
typedef struct RedisModuleServerInfoData {
    rax *rax;                       /* parsed info data. */
} RedisModuleServerInfoData;

331 332 333 334
/* Flags for moduleCreateArgvFromUserFormat(). */
#define REDISMODULE_ARGV_REPLICATE (1<<0)
#define REDISMODULE_ARGV_NO_AOF (1<<1)
#define REDISMODULE_ARGV_NO_REPLICAS (1<<2)
O
Oran Agra 已提交
335

336 337 338 339 340 341 342
/* Determine whether Redis should signalModifiedKey implicitly.
 * In case 'ctx' has no 'module' member (and therefore no module->options),
 * we assume default behavior, that is, Redis signals.
 * (see RM_GetThreadSafeContext) */
#define SHOULD_SIGNAL_MODIFIED_KEYS(ctx) \
    ctx->module? !(ctx->module->options & REDISMODULE_OPTION_NO_IMPLICIT_SIGNAL_MODIFIED) : 1

343 344 345 346 347 348 349 350 351 352 353 354
/* Server events hooks data structures and defines: this modules API
 * allow modules to subscribe to certain events in Redis, such as
 * the start and end of an RDB or AOF save, the change of role in replication,
 * and similar other events. */

typedef struct RedisModuleEventListener {
    RedisModule *module;
    RedisModuleEvent event;
    RedisModuleEventCallback callback;
} RedisModuleEventListener;

list *RedisModule_EventListeners; /* Global list of all the active events. */
355 356
unsigned long long ModulesInHooks = 0; /* Total number of modules in hooks
                                          callbacks right now. */
357

A
antirez 已提交
358 359 360 361
/* --------------------------------------------------------------------------
 * Prototypes
 * -------------------------------------------------------------------------- */

362 363
void RM_FreeCallReply(RedisModuleCallReply *reply);
void RM_CloseKey(RedisModuleKey *key);
364
void autoMemoryCollect(RedisModuleCtx *ctx);
A
antirez 已提交
365 366
robj **moduleCreateArgvFromUserFormat(const char *cmdname, const char *fmt, int *argcp, int *flags, va_list ap);
void moduleReplicateMultiIfNeeded(RedisModuleCtx *ctx);
367 368
void RM_ZsetRangeStop(RedisModuleKey *kp);
static void zsetKeyReset(RedisModuleKey *key);
369
void RM_FreeDict(RedisModuleCtx *ctx, RedisModuleDict *d);
370
void RM_FreeServerInfo(RedisModuleCtx *ctx, RedisModuleServerInfoData *data);
A
antirez 已提交
371

372 373 374 375 376 377 378
/* --------------------------------------------------------------------------
 * Heap allocation raw functions
 * -------------------------------------------------------------------------- */

/* Use like malloc(). Memory allocated with this function is reported in
 * Redis INFO memory, used for keys eviction according to maxmemory settings
 * and in general is taken into account as memory allocated by Redis.
D
Dvir Volk 已提交
379
 * You should avoid using malloc(). */
380 381 382 383
void *RM_Alloc(size_t bytes) {
    return zmalloc(bytes);
}

D
Dvir Volk 已提交
384 385 386 387 388 389 390 391
/* Use like calloc(). Memory allocated with this function is reported in
 * Redis INFO memory, used for keys eviction according to maxmemory settings
 * and in general is taken into account as memory allocated by Redis.
 * You should avoid using calloc() directly. */
void *RM_Calloc(size_t nmemb, size_t size) {
    return zcalloc(nmemb*size);
}

392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408
/* Use like realloc() for memory obtained with RedisModule_Alloc(). */
void* RM_Realloc(void *ptr, size_t bytes) {
    return zrealloc(ptr,bytes);
}

/* Use like free() for memory obtained by RedisModule_Alloc() and
 * RedisModule_Realloc(). However you should never try to free with
 * RedisModule_Free() memory allocated with malloc() inside your module. */
void RM_Free(void *ptr) {
    zfree(ptr);
}

/* Like strdup() but returns memory allocated with RedisModule_Alloc(). */
char *RM_Strdup(const char *str) {
    return zstrdup(str);
}

409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466
/* --------------------------------------------------------------------------
 * Pool allocator
 * -------------------------------------------------------------------------- */

/* Release the chain of blocks used for pool allocations. */
void poolAllocRelease(RedisModuleCtx *ctx) {
    RedisModulePoolAllocBlock *head = ctx->pa_head, *next;

    while(head != NULL) {
        next = head->next;
        zfree(head);
        head = next;
    }
    ctx->pa_head = NULL;
}

/* Return heap allocated memory that will be freed automatically when the
 * module callback function returns. Mostly suitable for small allocations
 * that are short living and must be released when the callback returns
 * anyway. The returned memory is aligned to the architecture word size
 * if at least word size bytes are requested, otherwise it is just
 * aligned to the next power of two, so for example a 3 bytes request is
 * 4 bytes aligned while a 2 bytes request is 2 bytes aligned.
 *
 * There is no realloc style function since when this is needed to use the
 * pool allocator is not a good idea.
 *
 * The function returns NULL if `bytes` is 0. */
void *RM_PoolAlloc(RedisModuleCtx *ctx, size_t bytes) {
    if (bytes == 0) return NULL;
    RedisModulePoolAllocBlock *b = ctx->pa_head;
    size_t left = b ? b->size - b->used : 0;

    /* Fix alignment. */
    if (left >= bytes) {
        size_t alignment = REDISMODULE_POOL_ALLOC_ALIGN;
        while (bytes < alignment && alignment/2 >= bytes) alignment /= 2;
        if (b->used % alignment)
            b->used += alignment - (b->used % alignment);
        left = (b->used > b->size) ? 0 : b->size - b->used;
    }

    /* Create a new block if needed. */
    if (left < bytes) {
        size_t blocksize = REDISMODULE_POOL_ALLOC_MIN_SIZE;
        if (blocksize < bytes) blocksize = bytes;
        b = zmalloc(sizeof(*b) + blocksize);
        b->size = blocksize;
        b->used = 0;
        b->next = ctx->pa_head;
        ctx->pa_head = b;
    }

    char *retval = b->memory + b->used;
    b->used += bytes;
    return retval;
}

A
antirez 已提交
467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482
/* --------------------------------------------------------------------------
 * Helpers for modules API implementation
 * -------------------------------------------------------------------------- */

/* Create an empty key of the specified type. 'kp' must point to a key object
 * opened for writing where the .value member is set to NULL because the
 * key was found to be non existing.
 *
 * On success REDISMODULE_OK is returned and the key is populated with
 * the value of the specified type. The function fails and returns
 * REDISMODULE_ERR if:
 *
 * 1) The key is not open for writing.
 * 2) The key is not empty.
 * 3) The specified type is unknown.
 */
I
Itamar Haber 已提交
483
int moduleCreateEmptyKey(RedisModuleKey *key, int type) {
A
antirez 已提交
484 485 486 487 488 489 490 491 492 493 494 495
    robj *obj;

    /* The key must be open for writing and non existing to proceed. */
    if (!(key->mode & REDISMODULE_WRITE) || key->value)
        return REDISMODULE_ERR;

    switch(type) {
    case REDISMODULE_KEYTYPE_LIST:
        obj = createQuicklistObject();
        quicklistSetOptions(obj->ptr, server.list_max_ziplist_size,
                            server.list_compress_depth);
        break;
A
antirez 已提交
496 497 498
    case REDISMODULE_KEYTYPE_ZSET:
        obj = createZsetZiplistObject();
        break;
A
antirez 已提交
499 500 501
    case REDISMODULE_KEYTYPE_HASH:
        obj = createHashObject();
        break;
A
antirez 已提交
502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527
    default: return REDISMODULE_ERR;
    }
    dbAdd(key->db,key->key,obj);
    key->value = obj;
    return REDISMODULE_OK;
}

/* This function is called in low-level API implementation functions in order
 * to check if the value associated with the key remained empty after an
 * operation that removed elements from an aggregate data type.
 *
 * If this happens, the key is deleted from the DB and the key object state
 * is set to the right one in order to be targeted again by write operations
 * possibly recreating the key if needed.
 *
 * The function returns 1 if the key value object is found empty and is
 * deleted, otherwise 0 is returned. */
int moduleDelKeyIfEmpty(RedisModuleKey *key) {
    if (!(key->mode & REDISMODULE_WRITE) || key->value == NULL) return 0;
    int isempty;
    robj *o = key->value;

    switch(o->type) {
    case OBJ_LIST: isempty = listTypeLength(o) == 0; break;
    case OBJ_SET: isempty = setTypeSize(o) == 0; break;
    case OBJ_ZSET: isempty = zsetLength(o) == 0; break;
528 529
    case OBJ_HASH: isempty = hashTypeLength(o) == 0; break;
    case OBJ_STREAM: isempty = streamLength(o) == 0; break;
A
antirez 已提交
530 531 532 533 534 535 536 537 538 539 540 541 542 543
    default: isempty = 0;
    }

    if (isempty) {
        dbDelete(key->db,key->key);
        key->value = NULL;
        return 1;
    } else {
        return 0;
    }
}

/* --------------------------------------------------------------------------
 * Service API exported to modules
544 545 546 547 548 549
 *
 * Note that all the exported APIs are called RM_<funcname> in the core
 * and RedisModule_<funcname> in the module side (defined as function
 * pointers in redismodule.h). In this way the dynamic linker does not
 * mess with our global function pointers, overriding it with the symbols
 * defined in the main executable having the same names.
A
antirez 已提交
550 551 552 553
 * -------------------------------------------------------------------------- */

/* Lookup the requested module API and store the function pointer into the
 * target pointer. The function returns REDISMODULE_ERR if there is no such
554 555 556 557
 * named API, otherwise REDISMODULE_OK.
 *
 * This function is not meant to be used by modules developer, it is only
 * used implicitly by including redismodule.h. */
558
int RM_GetApi(const char *funcname, void **targetPtrPtr) {
A
antirez 已提交
559 560 561 562 563 564
    dictEntry *he = dictFind(server.moduleapi, funcname);
    if (!he) return REDISMODULE_ERR;
    *targetPtrPtr = dictGetVal(he);
    return REDISMODULE_OK;
}

565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582
/* Helper function for when a command callback is called, in order to handle
 * details needed to correctly replicate commands. */
void moduleHandlePropagationAfterCommandCallback(RedisModuleCtx *ctx) {
    client *c = ctx->client;

    /* We don't need to do anything here if the context was never used
     * in order to propagate commands. */
    if (!(ctx->flags & REDISMODULE_CTX_MULTI_EMITTED)) return;

    if (c->flags & CLIENT_LUA) return;

    /* Handle the replication of the final EXEC, since whatever a command
     * emits is always wrapped around MULTI/EXEC. */
    robj *propargv[1];
    propargv[0] = createStringObject("EXEC",4);
    alsoPropagate(server.execCommand,c->db->id,propargv,1,
        PROPAGATE_AOF|PROPAGATE_REPL);
    decrRefCount(propargv[0]);
583 584 585 586 587 588 589 590 591 592 593 594 595 596 597

    /* If this is not a module command context (but is instead a simple
     * callback context), we have to handle directly the "also propagate"
     * array and emit it. In a module command call this will be handled
     * directly by call(). */
    if (!(ctx->flags & REDISMODULE_CTX_MODULE_COMMAND_CALL) &&
        server.also_propagate.numops)
    {
        for (int j = 0; j < server.also_propagate.numops; j++) {
            redisOp *rop = &server.also_propagate.ops[j];
            int target = rop->target;
            if (target)
                propagate(rop->cmd,rop->dbid,rop->argv,rop->argc,target);
        }
        redisOpArrayFree(&server.also_propagate);
A
antirez 已提交
598 599
        /* Restore the previous oparray in case of nexted use of the API. */
        server.also_propagate = ctx->saved_oparray;
600
    }
601 602
}

A
antirez 已提交
603 604
/* Free the context after the user function was called. */
void moduleFreeContext(RedisModuleCtx *ctx) {
605
    moduleHandlePropagationAfterCommandCallback(ctx);
A
antirez 已提交
606
    autoMemoryCollect(ctx);
607
    poolAllocRelease(ctx);
A
antirez 已提交
608 609 610 611 612 613 614 615 616 617
    if (ctx->postponed_arrays) {
        zfree(ctx->postponed_arrays);
        ctx->postponed_arrays_count = 0;
        serverLog(LL_WARNING,
            "API misuse detected in module %s: "
            "RedisModule_ReplyWithArray(REDISMODULE_POSTPONED_ARRAY_LEN) "
            "not matched by the same number of RedisModule_SetReplyArrayLen() "
            "calls.",
            ctx->module->name);
    }
618
    if (ctx->flags & REDISMODULE_CTX_THREAD_SAFE) freeClient(ctx->client);
A
antirez 已提交
619 620
}

621 622 623 624 625 626
/* This Redis command binds the normal Redis command invocation with commands
 * exported by modules. */
void RedisModuleCommandDispatcher(client *c) {
    RedisModuleCommandProxy *cp = (void*)(unsigned long)c->cmd->getkeys_proc;
    RedisModuleCtx ctx = REDISMODULE_CTX_INIT;

627
    ctx.flags |= REDISMODULE_CTX_MODULE_COMMAND_CALL;
628 629 630
    ctx.module = cp->module;
    ctx.client = c;
    cp->func(&ctx,(void**)c->argv,c->argc);
A
antirez 已提交
631
    moduleFreeContext(&ctx);
632 633

    /* In some cases processMultibulkBuffer uses sdsMakeRoomFor to
A
antirez 已提交
634 635 636 637 638 639 640 641
     * expand the query buffer, and in order to avoid a big object copy
     * the query buffer SDS may be used directly as the SDS string backing
     * the client argument vectors: sometimes this will result in the SDS
     * string having unused space at the end. Later if a module takes ownership
     * of the RedisString, such space will be wasted forever. Inside the
     * Redis core this is not a problem because tryObjectEncoding() is called
     * before storing strings in the key space. Here we need to do it
     * for the module. */
642
    for (int i = 0; i < c->argc; i++) {
A
antirez 已提交
643 644
        /* Only do the work if the module took ownership of the object:
         * in that case the refcount is no longer 1. */
645 646 647
        if (c->argv[i]->refcount > 1)
            trimStringObjectIfNeeded(c->argv[i]);
    }
A
antirez 已提交
648 649
}

650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685
/* This function returns the list of keys, with the same interface as the
 * 'getkeys' function of the native commands, for module commands that exported
 * the "getkeys-api" flag during the registration. This is done when the
 * list of keys are not at fixed positions, so that first/last/step cannot
 * be used.
 *
 * In order to accomplish its work, the module command is called, flagging
 * the context in a way that the command can recognize this is a special
 * "get keys" call by calling RedisModule_IsKeysPositionRequest(ctx). */
int *moduleGetCommandKeysViaAPI(struct redisCommand *cmd, robj **argv, int argc, int *numkeys) {
    RedisModuleCommandProxy *cp = (void*)(unsigned long)cmd->getkeys_proc;
    RedisModuleCtx ctx = REDISMODULE_CTX_INIT;

    ctx.module = cp->module;
    ctx.client = NULL;
    ctx.flags |= REDISMODULE_CTX_KEYS_POS_REQUEST;
    cp->func(&ctx,(void**)argv,argc);
    int *res = ctx.keys_pos;
    if (numkeys) *numkeys = ctx.keys_count;
    moduleFreeContext(&ctx);
    return res;
}

/* Return non-zero if a module command, that was declared with the
 * flag "getkeys-api", is called in a special way to get the keys positions
 * and not to get executed. Otherwise zero is returned. */
int RM_IsKeysPositionRequest(RedisModuleCtx *ctx) {
    return (ctx->flags & REDISMODULE_CTX_KEYS_POS_REQUEST) != 0;
}

/* When a module command is called in order to obtain the position of
 * keys, since it was flagged as "getkeys-api" during the registration,
 * the command implementation checks for this special call using the
 * RedisModule_IsKeysPositionRequest() API and uses this function in
 * order to report keys, like in the following example:
 *
686 687 688 689
 *     if (RedisModule_IsKeysPositionRequest(ctx)) {
 *         RedisModule_KeyAtPos(ctx,1);
 *         RedisModule_KeyAtPos(ctx,2);
 *     }
690 691 692 693 694 695 696 697 698 699 700
 *
 *  Note: in the example below the get keys API would not be needed since
 *  keys are at fixed positions. This interface is only used for commands
 *  with a more complex structure. */
void RM_KeyAtPos(RedisModuleCtx *ctx, int pos) {
    if (!(ctx->flags & REDISMODULE_CTX_KEYS_POS_REQUEST)) return;
    if (pos <= 0) return;
    ctx->keys_pos = zrealloc(ctx->keys_pos,sizeof(int)*(ctx->keys_count+1));
    ctx->keys_pos[ctx->keys_count++] = pos;
}

G
Guy Korland 已提交
701
/* Helper for RM_CreateCommand(). Turns a string representing command
702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730
 * flags into the command flags used by the Redis core.
 *
 * It returns the set of flags, or -1 if unknown flags are found. */
int commandFlagsFromString(char *s) {
    int count, j;
    int flags = 0;
    sds *tokens = sdssplitlen(s,strlen(s)," ",1,&count);
    for (j = 0; j < count; j++) {
        char *t = tokens[j];
        if (!strcasecmp(t,"write")) flags |= CMD_WRITE;
        else if (!strcasecmp(t,"readonly")) flags |= CMD_READONLY;
        else if (!strcasecmp(t,"admin")) flags |= CMD_ADMIN;
        else if (!strcasecmp(t,"deny-oom")) flags |= CMD_DENYOOM;
        else if (!strcasecmp(t,"deny-script")) flags |= CMD_NOSCRIPT;
        else if (!strcasecmp(t,"allow-loading")) flags |= CMD_LOADING;
        else if (!strcasecmp(t,"pubsub")) flags |= CMD_PUBSUB;
        else if (!strcasecmp(t,"random")) flags |= CMD_RANDOM;
        else if (!strcasecmp(t,"allow-stale")) flags |= CMD_STALE;
        else if (!strcasecmp(t,"no-monitor")) flags |= CMD_SKIP_MONITOR;
        else if (!strcasecmp(t,"fast")) flags |= CMD_FAST;
        else if (!strcasecmp(t,"getkeys-api")) flags |= CMD_MODULE_GETKEYS;
        else if (!strcasecmp(t,"no-cluster")) flags |= CMD_MODULE_NO_CLUSTER;
        else break;
    }
    sdsfreesplitres(tokens,count);
    if (j != count) return -1; /* Some token not processed correctly. */
    return flags;
}

A
antirez 已提交
731 732 733
/* Register a new command in the Redis server, that will be handled by
 * calling the function pointer 'func' using the RedisModule calling
 * convention. The function returns REDISMODULE_ERR if the specified command
734 735
 * name is already busy or a set of invalid flags were passed, otherwise
 * REDISMODULE_OK is returned and the new command is registered.
736 737 738 739 740 741 742
 *
 * This function must be called during the initialization of the module
 * inside the RedisModule_OnLoad() function. Calling this function outside
 * of the initialization function is not defined.
 *
 * The command function type is the following:
 *
A
antirez 已提交
743
 *      int MyCommand_RedisCommand(RedisModuleCtx *ctx, RedisModuleString **argv, int argc);
744 745
 *
 * And is supposed to always return REDISMODULE_OK.
746 747
 *
 * The set of flags 'strflags' specify the behavior of the command, and should
G
Guy Korland 已提交
748
 * be passed as a C string composed of space separated words, like for
749 750
 * example "write deny-oom". The set of flags are:
 *
751 752
 * * **"write"**:     The command may modify the data set (it may also read
 *                    from it).
753
 * * **"readonly"**:  The command returns data from keys but never writes.
754 755 756 757
 * * **"admin"**:     The command is an administrative command (may change
 *                    replication or perform similar tasks).
 * * **"deny-oom"**:  The command may use additional memory and should be
 *                    denied during out of memory conditions.
758
 * * **"deny-script"**:   Don't allow this command in Lua scripts.
759 760 761 762
 * * **"allow-loading"**: Allow this command while the server is loading data.
 *                        Only commands not interacting with the data set
 *                        should be allowed to run in this mode. If not sure
 *                        don't use this flag.
763
 * * **"pubsub"**:    The command publishes things on Pub/Sub channels.
764 765 766 767 768
 * * **"random"**:    The command may have different outputs even starting
 *                    from the same input arguments and key values.
 * * **"allow-stale"**: The command is allowed to run on slaves that don't
 *                      serve stale data. Don't use if you don't know what
 *                      this means.
G
Guy Korland 已提交
769
 * * **"no-monitor"**: Don't propagate the command on monitor. Use this if
770 771 772 773 774 775 776 777 778 779 780 781 782
 *                     the command has sensible data among the arguments.
 * * **"fast"**:      The command time complexity is not greater
 *                    than O(log(N)) where N is the size of the collection or
 *                    anything else representing the normal scalability
 *                    issue with the command.
 * * **"getkeys-api"**: The command implements the interface to return
 *                      the arguments that are keys. Used when start/stop/step
 *                      is not enough because of the command syntax.
 * * **"no-cluster"**: The command should not register in Redis Cluster
 *                     since is not designed to work with it because, for
 *                     example, is unable to report the position of the
 *                     keys, programmatically creates key names, or any
 *                     other reason.
783
 */
784 785 786 787 788 789
int RM_CreateCommand(RedisModuleCtx *ctx, const char *name, RedisModuleCmdFunc cmdfunc, const char *strflags, int firstkey, int lastkey, int keystep) {
    int flags = strflags ? commandFlagsFromString((char*)strflags) : 0;
    if (flags == -1) return REDISMODULE_ERR;
    if ((flags & CMD_MODULE_NO_CLUSTER) && server.cluster_enabled)
        return REDISMODULE_ERR;

A
antirez 已提交
790 791 792 793 794
    struct redisCommand *rediscmd;
    RedisModuleCommandProxy *cp;
    sds cmdname = sdsnew(name);

    /* Check if the command name is busy. */
795
    if (lookupCommand(cmdname) != NULL) {
A
antirez 已提交
796 797 798 799 800 801
        sdsfree(cmdname);
        return REDISMODULE_ERR;
    }

    /* Create a command "proxy", which is a structure that is referenced
     * in the command table, so that the generic command that works as
802
     * binding between modules and Redis, can know what function to call
A
antirez 已提交
803 804 805 806 807 808 809 810 811 812 813
     * and what the module is.
     *
     * Note that we use the Redis command table 'getkeys_proc' in order to
     * pass a reference to the command proxy structure. */
    cp = zmalloc(sizeof(*cp));
    cp->module = ctx->module;
    cp->func = cmdfunc;
    cp->rediscmd = zmalloc(sizeof(*rediscmd));
    cp->rediscmd->name = cmdname;
    cp->rediscmd->proc = RedisModuleCommandDispatcher;
    cp->rediscmd->arity = -1;
814
    cp->rediscmd->flags = flags | CMD_MODULE;
815
    cp->rediscmd->getkeys_proc = (redisGetKeysProc*)(unsigned long)cp;
816 817 818
    cp->rediscmd->firstkey = firstkey;
    cp->rediscmd->lastkey = lastkey;
    cp->rediscmd->keystep = keystep;
A
antirez 已提交
819 820 821 822
    cp->rediscmd->microseconds = 0;
    cp->rediscmd->calls = 0;
    dictAdd(server.commands,sdsdup(cmdname),cp->rediscmd);
    dictAdd(server.orig_commands,sdsdup(cmdname),cp->rediscmd);
823
    cp->rediscmd->id = ACLGetCommandID(cmdname); /* ID used for ACL. */
A
antirez 已提交
824 825 826
    return REDISMODULE_OK;
}

A
antirez 已提交
827
/* Called by RM_Init() to setup the `ctx->module` structure.
828 829 830
 *
 * This is an internal function, Redis modules developers don't need
 * to use it. */
831
void RM_SetModuleAttribs(RedisModuleCtx *ctx, const char *name, int ver, int apiver) {
A
antirez 已提交
832 833 834 835 836 837 838
    RedisModule *module;

    if (ctx->module != NULL) return;
    module = zmalloc(sizeof(*module));
    module->name = sdsnew((char*)name);
    module->ver = ver;
    module->apiver = apiver;
839
    module->types = listCreate();
840 841
    module->usedby = listCreate();
    module->using = listCreate();
842
    module->filters = listCreate();
Y
Yossi Gottlieb 已提交
843
    module->in_call = 0;
A
antirez 已提交
844
    module->in_hook = 0;
845
    module->options = 0;
A
antirez 已提交
846 847 848
    ctx->module = module;
}

849 850 851 852
/* Return non-zero if the module name is busy.
 * Otherwise zero is returned. */
int RM_IsModuleNameBusy(const char *name) {
    sds modulename = sdsnew(name);
853 854 855
    dictEntry *de = dictFind(modules,modulename);
    sdsfree(modulename);
    return de != NULL;
856 857
}

A
antirez 已提交
858 859 860 861 862
/* Return the current UNIX time in milliseconds. */
long long RM_Milliseconds(void) {
    return mstime();
}

863 864 865 866 867 868 869 870 871 872 873 874 875
/* Set flags defining capabilities or behavior bit flags.
 *
 * REDISMODULE_OPTIONS_HANDLE_IO_ERRORS:
 * Generally, modules don't need to bother with this, as the process will just
 * terminate if a read error happens, however, setting this flag would allow
 * repl-diskless-load to work if enabled.
 * The module should use RedisModule_IsIOError after reads, before using the
 * data that was read, and in case of error, propagate it upwards, and also be
 * able to release the partially populated value and all it's allocations. */
void RM_SetModuleOptions(RedisModuleCtx *ctx, int options) {
    ctx->module->options = options;
}

876 877 878 879 880 881
/* Signals that the key is modified from user's perspective (i.e. invalidate WATCH). */
int RM_SignalModifiedKey(RedisModuleCtx *ctx, RedisModuleString *keyname) {
    signalModifiedKey(ctx->client->db,keyname);
    return REDISMODULE_OK;
}

A
antirez 已提交
882 883 884 885
/* --------------------------------------------------------------------------
 * Automatic memory management for modules
 * -------------------------------------------------------------------------- */

886 887 888 889
/* Enable automatic memory management. See API.md for more information.
 *
 * The function must be called as the first function of a command implementation
 * that wants to use automatic memory. */
890
void RM_AutoMemory(RedisModuleCtx *ctx) {
A
antirez 已提交
891 892 893 894
    ctx->flags |= REDISMODULE_CTX_AUTO_MEMORY;
}

/* Add a new object to release automatically when the callback returns. */
895
void autoMemoryAdd(RedisModuleCtx *ctx, int type, void *ptr) {
A
antirez 已提交
896 897 898 899 900 901 902 903 904 905 906 907
    if (!(ctx->flags & REDISMODULE_CTX_AUTO_MEMORY)) return;
    if (ctx->amqueue_used == ctx->amqueue_len) {
        ctx->amqueue_len *= 2;
        if (ctx->amqueue_len < 16) ctx->amqueue_len = 16;
        ctx->amqueue = zrealloc(ctx->amqueue,sizeof(struct AutoMemEntry)*ctx->amqueue_len);
    }
    ctx->amqueue[ctx->amqueue_used].type = type;
    ctx->amqueue[ctx->amqueue_used].ptr = ptr;
    ctx->amqueue_used++;
}

/* Mark an object as freed in the auto release queue, so that users can still
908 909 910 911 912 913
 * free things manually if they want.
 *
 * The function returns 1 if the object was actually found in the auto memory
 * pool, otherwise 0 is returned. */
int autoMemoryFreed(RedisModuleCtx *ctx, int type, void *ptr) {
    if (!(ctx->flags & REDISMODULE_CTX_AUTO_MEMORY)) return 0;
A
antirez 已提交
914

915 916 917 918 919 920 921 922 923 924 925
    int count = (ctx->amqueue_used+1)/2;
    for (int j = 0; j < count; j++) {
        for (int side = 0; side < 2; side++) {
            /* For side = 0 check right side of the array, for
             * side = 1 check the left side instead (zig-zag scanning). */
            int i = (side == 0) ? (ctx->amqueue_used - 1 - j) : j;
            if (ctx->amqueue[i].type == type &&
                ctx->amqueue[i].ptr == ptr)
            {
                ctx->amqueue[i].type = REDISMODULE_AM_FREED;

926
                /* Switch the freed element and the last element, to avoid growing
927 928 929 930
                 * the queue unnecessarily if we allocate/free in a loop */
                if (i != ctx->amqueue_used-1) {
                    ctx->amqueue[i] = ctx->amqueue[ctx->amqueue_used-1];
                }
931

932 933 934
                /* Reduce the size of the queue because we either moved the top
                 * element elsewhere or freed it */
                ctx->amqueue_used--;
935
                return 1;
D
Dvir Volk 已提交
936
            }
A
antirez 已提交
937 938
        }
    }
939
    return 0;
A
antirez 已提交
940 941 942
}

/* Release all the objects in queue. */
943
void autoMemoryCollect(RedisModuleCtx *ctx) {
A
antirez 已提交
944 945 946 947 948 949 950 951 952 953
    if (!(ctx->flags & REDISMODULE_CTX_AUTO_MEMORY)) return;
    /* Clear the AUTO_MEMORY flag from the context, otherwise the functions
     * we call to free the resources, will try to scan the auto release
     * queue to mark the entries as freed. */
    ctx->flags &= ~REDISMODULE_CTX_AUTO_MEMORY;
    int j;
    for (j = 0; j < ctx->amqueue_used; j++) {
        void *ptr = ctx->amqueue[j].ptr;
        switch(ctx->amqueue[j].type) {
        case REDISMODULE_AM_STRING: decrRefCount(ptr); break;
954 955
        case REDISMODULE_AM_REPLY: RM_FreeCallReply(ptr); break;
        case REDISMODULE_AM_KEY: RM_CloseKey(ptr); break;
956
        case REDISMODULE_AM_DICT: RM_FreeDict(NULL,ptr); break;
957
        case REDISMODULE_AM_INFO: RM_FreeServerInfo(NULL,ptr); break;
A
antirez 已提交
958 959 960 961 962 963 964 965 966 967 968 969 970
        }
    }
    ctx->flags |= REDISMODULE_CTX_AUTO_MEMORY;
    zfree(ctx->amqueue);
    ctx->amqueue = NULL;
    ctx->amqueue_len = 0;
    ctx->amqueue_used = 0;
}

/* --------------------------------------------------------------------------
 * String objects APIs
 * -------------------------------------------------------------------------- */

971 972 973 974
/* Create a new module string object. The returned string must be freed
 * with RedisModule_FreeString(), unless automatic memory is enabled.
 *
 * The string is created by copying the `len` bytes starting
975 976 977 978 979 980
 * at `ptr`. No reference is retained to the passed buffer.
 *
 * The module context 'ctx' is optional and may be NULL if you want to create
 * a string out of the context scope. However in that case, the automatic
 * memory management will not be available, and the string memory must be
 * managed manually. */
D
Dvir Volk 已提交
981
RedisModuleString *RM_CreateString(RedisModuleCtx *ctx, const char *ptr, size_t len) {
A
antirez 已提交
982
    RedisModuleString *o = createStringObject(ptr,len);
983
    if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_STRING,o);
A
antirez 已提交
984 985 986
    return o;
}

A
antirez 已提交
987 988 989
/* Create a new module string object from a printf format and arguments.
 * The returned string must be freed with RedisModule_FreeString(), unless
 * automatic memory is enabled.
D
Dvir Volk 已提交
990
 *
991 992 993 994
 * The string is created using the sds formatter function sdscatvprintf().
 *
 * The passed context 'ctx' may be NULL if necessary, see the
 * RedisModule_CreateString() documentation for more info. */
D
Dvir Volk 已提交
995 996 997 998 999 1000 1001 1002 1003
RedisModuleString *RM_CreateStringPrintf(RedisModuleCtx *ctx, const char *fmt, ...) {
    sds s = sdsempty();

    va_list ap;
    va_start(ap, fmt);
    s = sdscatvprintf(s, fmt, ap);
    va_end(ap);

    RedisModuleString *o = createObject(OBJ_STRING, s);
1004
    if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_STRING,o);
D
Dvir Volk 已提交
1005 1006 1007 1008 1009

    return o;
}


1010 1011 1012 1013
/* Like RedisModule_CreatString(), but creates a string starting from a long long
 * integer instead of taking a buffer and its length.
 *
 * The returned string must be released with RedisModule_FreeString() or by
1014 1015 1016 1017
 * enabling automatic memory management.
 *
 * The passed context 'ctx' may be NULL if necessary, see the
 * RedisModule_CreateString() documentation for more info. */
1018
RedisModuleString *RM_CreateStringFromLongLong(RedisModuleCtx *ctx, long long ll) {
A
antirez 已提交
1019 1020
    char buf[LONG_STR_SIZE];
    size_t len = ll2string(buf,sizeof(buf),ll);
1021
    return RM_CreateString(ctx,buf,len);
A
antirez 已提交
1022 1023
}

A
artix 已提交
1024 1025 1026 1027 1028 1029 1030 1031 1032 1033
/* Like RedisModule_CreatString(), but creates a string starting from a long
 * double.
 *
 * The returned string must be released with RedisModule_FreeString() or by
 * enabling automatic memory management.
 *
 * The passed context 'ctx' may be NULL if necessary, see the
 * RedisModule_CreateString() documentation for more info. */
RedisModuleString *RM_CreateStringFromLongDouble(RedisModuleCtx *ctx, long double ld, int humanfriendly) {
    char buf[MAX_LONG_DOUBLE_CHARS];
1034 1035
    size_t len = ld2string(buf,sizeof(buf),ld,
        (humanfriendly ? LD_STR_HUMAN : LD_STR_AUTO));
A
artix 已提交
1036 1037 1038
    return RM_CreateString(ctx,buf,len);
}

1039 1040 1041 1042
/* Like RedisModule_CreatString(), but creates a string starting from another
 * RedisModuleString.
 *
 * The returned string must be released with RedisModule_FreeString() or by
1043 1044 1045 1046
 * enabling automatic memory management.
 *
 * The passed context 'ctx' may be NULL if necessary, see the
 * RedisModule_CreateString() documentation for more info. */
1047 1048
RedisModuleString *RM_CreateStringFromString(RedisModuleCtx *ctx, const RedisModuleString *str) {
    RedisModuleString *o = dupStringObject(str);
1049
    if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_STRING,o);
1050 1051 1052
    return o;
}

1053 1054 1055 1056 1057
/* Free a module string object obtained with one of the Redis modules API calls
 * that return new string objects.
 *
 * It is possible to call this function even when automatic memory management
 * is enabled. In that case the string will be released ASAP and removed
1058 1059 1060 1061 1062 1063 1064
 * from the pool of string to release at the end.
 *
 * If the string was created with a NULL context 'ctx', it is also possible to
 * pass ctx as NULL when releasing the string (but passing a context will not
 * create any issue). Strings created with a context should be freed also passing
 * the context, so if you want to free a string out of context later, make sure
 * to create it using a NULL context. */
1065
void RM_FreeString(RedisModuleCtx *ctx, RedisModuleString *str) {
A
antirez 已提交
1066
    decrRefCount(str);
1067
    if (ctx != NULL) autoMemoryFreed(ctx,REDISMODULE_AM_STRING,str);
A
antirez 已提交
1068 1069
}

1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090
/* Every call to this function, will make the string 'str' requiring
 * an additional call to RedisModule_FreeString() in order to really
 * free the string. Note that the automatic freeing of the string obtained
 * enabling modules automatic memory management counts for one
 * RedisModule_FreeString() call (it is just executed automatically).
 *
 * Normally you want to call this function when, at the same time
 * the following conditions are true:
 *
 * 1) You have automatic memory management enabled.
 * 2) You want to create string objects.
 * 3) Those string objects you create need to live *after* the callback
 *    function(for example a command implementation) creating them returns.
 *
 * Usually you want this in order to store the created string object
 * into your own data structure, for example when implementing a new data
 * type.
 *
 * Note that when memory management is turned off, you don't need
 * any call to RetainString() since creating a string will always result
 * into a string that lives after the callback function returns, if
1091 1092 1093
 * no FreeString() call is performed.
 *
 * It is possible to call this function with a NULL context. */
1094
void RM_RetainString(RedisModuleCtx *ctx, RedisModuleString *str) {
1095
    if (ctx == NULL || !autoMemoryFreed(ctx,REDISMODULE_AM_STRING,str)) {
1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108
        /* Increment the string reference counting only if we can't
         * just remove the object from the list of objects that should
         * be reclaimed. Why we do that, instead of just incrementing
         * the refcount in any case, and let the automatic FreeString()
         * call at the end to bring the refcount back at the desired
         * value? Because this way we ensure that the object refcount
         * value is 1 (instead of going to 2 to be dropped later to 1)
         * after the call to this function. This is needed for functions
         * like RedisModule_StringAppendBuffer() to work. */
        incrRefCount(str);
    }
}

1109 1110 1111
/* Given a string module object, this function returns the string pointer
 * and length of the string. The returned pointer and length should only
 * be used for read only accesses and never modified. */
1112
const char *RM_StringPtrLen(const RedisModuleString *str, size_t *len) {
1113 1114 1115 1116 1117
    if (str == NULL) {
        const char *errmsg = "(NULL string reply referenced in module)";
        if (len) *len = strlen(errmsg);
        return errmsg;
    }
A
antirez 已提交
1118 1119 1120 1121
    if (len) *len = sdslen(str->ptr);
    return str->ptr;
}

1122 1123 1124 1125
/* --------------------------------------------------------------------------
 * Higher level string operations
 * ------------------------------------------------------------------------- */

A
antirez 已提交
1126
/* Convert the string into a long long integer, storing it at `*ll`.
A
antirez 已提交
1127 1128 1129
 * Returns REDISMODULE_OK on success. If the string can't be parsed
 * as a valid, strict long long (no spaces before/after), REDISMODULE_ERR
 * is returned. */
1130
int RM_StringToLongLong(const RedisModuleString *str, long long *ll) {
A
antirez 已提交
1131 1132 1133 1134
    return string2ll(str->ptr,sdslen(str->ptr),ll) ? REDISMODULE_OK :
                                                     REDISMODULE_ERR;
}

A
antirez 已提交
1135
/* Convert the string into a double, storing it at `*d`.
A
antirez 已提交
1136 1137
 * Returns REDISMODULE_OK on success or REDISMODULE_ERR if the string is
 * not a valid string representation of a double value. */
1138
int RM_StringToDouble(const RedisModuleString *str, double *d) {
A
antirez 已提交
1139 1140 1141 1142
    int retval = getDoubleFromObject(str,d);
    return (retval == C_OK) ? REDISMODULE_OK : REDISMODULE_ERR;
}

A
artix 已提交
1143 1144 1145 1146 1147 1148 1149 1150
/* Convert the string into a long double, storing it at `*ld`.
 * Returns REDISMODULE_OK on success or REDISMODULE_ERR if the string is
 * not a valid string representation of a double value. */
int RM_StringToLongDouble(const RedisModuleString *str, long double *ld) {
    int retval = string2ld(str->ptr,sdslen(str->ptr),ld);
    return retval ? REDISMODULE_OK : REDISMODULE_ERR;
}

1151 1152 1153 1154 1155 1156 1157
/* Compare two string objects, returning -1, 0 or 1 respectively if
 * a < b, a == b, a > b. Strings are compared byte by byte as two
 * binary blobs without any encoding care / collation attempt. */
int RM_StringCompare(RedisModuleString *a, RedisModuleString *b) {
    return compareStringObjects(a,b);
}

1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180
/* Return the (possibly modified in encoding) input 'str' object if
 * the string is unshared, otherwise NULL is returned. */
RedisModuleString *moduleAssertUnsharedString(RedisModuleString *str) {
    if (str->refcount != 1) {
        serverLog(LL_WARNING,
            "Module attempted to use an in-place string modify operation "
            "with a string referenced multiple times. Please check the code "
            "for API usage correctness.");
        return NULL;
    }
    if (str->encoding == OBJ_ENCODING_EMBSTR) {
        /* Note: here we "leak" the additional allocation that was
         * used in order to store the embedded string in the object. */
        str->ptr = sdsnewlen(str->ptr,sdslen(str->ptr));
        str->encoding = OBJ_ENCODING_RAW;
    } else if (str->encoding == OBJ_ENCODING_INT) {
        /* Convert the string from integer to raw encoding. */
        str->ptr = sdsfromlonglong((long)str->ptr);
        str->encoding = OBJ_ENCODING_RAW;
    }
    return str;
}

G
Guy Korland 已提交
1181
/* Append the specified buffer to the string 'str'. The string must be a
1182
 * string created by the user that is referenced only a single time, otherwise
G
Guy Korland 已提交
1183
 * REDISMODULE_ERR is returned and the operation is not performed. */
1184 1185 1186 1187 1188 1189 1190 1191
int RM_StringAppendBuffer(RedisModuleCtx *ctx, RedisModuleString *str, const char *buf, size_t len) {
    UNUSED(ctx);
    str = moduleAssertUnsharedString(str);
    if (str == NULL) return REDISMODULE_ERR;
    str->ptr = sdscatlen(str->ptr,buf,len);
    return REDISMODULE_OK;
}

A
antirez 已提交
1192 1193 1194 1195 1196 1197
/* --------------------------------------------------------------------------
 * Reply APIs
 *
 * Most functions always return REDISMODULE_OK so you can use it with
 * 'return' in order to return from the command implementation with:
 *
1198 1199
 *     if (... some condition ...)
 *         return RM_ReplyWithLongLong(ctx,mycount);
A
antirez 已提交
1200 1201
 * -------------------------------------------------------------------------- */

1202 1203 1204 1205 1206
/* Send an error about the number of arguments given to the command,
 * citing the command name in the error message.
 *
 * Example:
 *
1207
 *     if (argc != 3) return RedisModule_WrongArity(ctx);
1208
 */
1209
int RM_WrongArity(RedisModuleCtx *ctx) {
A
antirez 已提交
1210 1211 1212 1213 1214 1215
    addReplyErrorFormat(ctx->client,
        "wrong number of arguments for '%s' command",
        (char*)ctx->client->argv[0]->ptr);
    return REDISMODULE_OK;
}

1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227
/* Return the client object the `RM_Reply*` functions should target.
 * Normally this is just `ctx->client`, that is the client that called
 * the module command, however in the case of thread safe contexts there
 * is no directly associated client (since it would not be safe to access
 * the client from a thread), so instead the blocked client object referenced
 * in the thread safe context, has a fake client that we just use to accumulate
 * the replies. Later, when the client is unblocked, the accumulated replies
 * are appended to the actual client.
 *
 * The function returns the client pointer depending on the context, or
 * NULL if there is no potential client. This happens when we are in the
 * context of a thread safe context that was not initialized with a blocked
1228 1229
 * client object. Other contexts without associated clients are the ones
 * initialized to run the timers callbacks. */
1230
client *moduleGetReplyClient(RedisModuleCtx *ctx) {
1231 1232 1233 1234 1235 1236 1237 1238 1239 1240
    if (ctx->flags & REDISMODULE_CTX_THREAD_SAFE) {
        if (ctx->blocked_client)
            return ctx->blocked_client->reply_client;
        else
            return NULL;
    } else {
        /* If this is a non thread safe context, just return the client
         * that is running the command if any. This may be NULL as well
         * in the case of contexts that are not executed with associated
         * clients, like timer contexts. */
1241
        return ctx->client;
1242
    }
1243 1244
}

1245
/* Send an integer reply to the client, with the specified long long value.
A
antirez 已提交
1246
 * The function always returns REDISMODULE_OK. */
1247
int RM_ReplyWithLongLong(RedisModuleCtx *ctx, long long ll) {
1248 1249 1250
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyLongLong(c,ll);
A
antirez 已提交
1251 1252 1253 1254
    return REDISMODULE_OK;
}

/* Reply with an error or simple string (status message). Used to implement
1255 1256 1257
 * ReplyWithSimpleString() and ReplyWithError().
 * The function always returns REDISMODULE_OK. */
int replyWithStatus(RedisModuleCtx *ctx, const char *msg, char *prefix) {
1258 1259
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
A
antirez 已提交
1260 1261
    addReplyProto(c,prefix,strlen(prefix));
    addReplyProto(c,msg,strlen(msg));
1262
    addReplyProto(c,"\r\n",2);
A
antirez 已提交
1263 1264 1265 1266 1267 1268 1269 1270 1271
    return REDISMODULE_OK;
}

/* Reply with the error 'err'.
 *
 * Note that 'err' must contain all the error, including
 * the initial error code. The function only provides the initial "-", so
 * the usage is, for example:
 *
1272
 *     RedisModule_ReplyWithError(ctx,"ERR Wrong Type");
A
antirez 已提交
1273 1274 1275
 *
 * and not just:
 *
1276
 *     RedisModule_ReplyWithError(ctx,"Wrong Type");
1277 1278
 *
 * The function always returns REDISMODULE_OK.
A
antirez 已提交
1279
 */
1280
int RM_ReplyWithError(RedisModuleCtx *ctx, const char *err) {
1281
    return replyWithStatus(ctx,err,"-");
A
antirez 已提交
1282 1283 1284
}

/* Reply with a simple string (+... \r\n in RESP protocol). This replies
1285 1286 1287 1288
 * are suitable only when sending a small non-binary string with small
 * overhead, like "OK" or similar replies.
 *
 * The function always returns REDISMODULE_OK. */
1289
int RM_ReplyWithSimpleString(RedisModuleCtx *ctx, const char *msg) {
1290
    return replyWithStatus(ctx,msg,"+");
A
antirez 已提交
1291 1292 1293
}

/* Reply with an array type of 'len' elements. However 'len' other calls
A
antirez 已提交
1294
 * to `ReplyWith*` style functions must follow in order to emit the elements
1295 1296
 * of the array.
 *
A
antirez 已提交
1297 1298 1299 1300 1301 1302
 * When producing arrays with a number of element that is not known beforehand
 * the function can be called with the special count
 * REDISMODULE_POSTPONED_ARRAY_LEN, and the actual number of elements can be
 * later set with RedisModule_ReplySetArrayLength() (which will set the
 * latest "open" count if there are multiple ones).
 *
1303
 * The function always returns REDISMODULE_OK. */
A
antirez 已提交
1304
int RM_ReplyWithArray(RedisModuleCtx *ctx, long len) {
1305 1306
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
A
antirez 已提交
1307 1308 1309 1310
    if (len == REDISMODULE_POSTPONED_ARRAY_LEN) {
        ctx->postponed_arrays = zrealloc(ctx->postponed_arrays,sizeof(void*)*
                (ctx->postponed_arrays_count+1));
        ctx->postponed_arrays[ctx->postponed_arrays_count] =
A
antirez 已提交
1311
            addReplyDeferredLen(c);
A
antirez 已提交
1312 1313
        ctx->postponed_arrays_count++;
    } else {
A
antirez 已提交
1314
        addReplyArrayLen(c,len);
A
antirez 已提交
1315
    }
A
antirez 已提交
1316 1317 1318
    return REDISMODULE_OK;
}

1319 1320 1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334 1335 1336 1337 1338 1339
/* Reply to the client with a null array, simply null in RESP3 
 * null array in RESP2.
 *
 * The function always returns REDISMODULE_OK. */
int RM_ReplyWithNullArray(RedisModuleCtx *ctx) {
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyNullArray(c);
    return REDISMODULE_OK;
}

/* Reply to the client with an empty array. 
 *
 * The function always returns REDISMODULE_OK. */
int RM_ReplyWithEmptyArray(RedisModuleCtx *ctx) {
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReply(c,shared.emptyarray);
    return REDISMODULE_OK;
}

A
antirez 已提交
1340 1341 1342 1343 1344 1345 1346 1347 1348 1349 1350 1351
/* When RedisModule_ReplyWithArray() is used with the argument
 * REDISMODULE_POSTPONED_ARRAY_LEN, because we don't know beforehand the number
 * of items we are going to output as elements of the array, this function
 * will take care to set the array length.
 *
 * Since it is possible to have multiple array replies pending with unknown
 * length, this function guarantees to always set the latest array length
 * that was created in a postponed way.
 *
 * For example in order to output an array like [1,[10,20,30]] we
 * could write:
 *
1352 1353 1354 1355 1356 1357 1358 1359
 *      RedisModule_ReplyWithArray(ctx,REDISMODULE_POSTPONED_ARRAY_LEN);
 *      RedisModule_ReplyWithLongLong(ctx,1);
 *      RedisModule_ReplyWithArray(ctx,REDISMODULE_POSTPONED_ARRAY_LEN);
 *      RedisModule_ReplyWithLongLong(ctx,10);
 *      RedisModule_ReplyWithLongLong(ctx,20);
 *      RedisModule_ReplyWithLongLong(ctx,30);
 *      RedisModule_ReplySetArrayLength(ctx,3); // Set len of 10,20,30 array.
 *      RedisModule_ReplySetArrayLength(ctx,2); // Set len of top array
A
antirez 已提交
1360 1361 1362
 *
 * Note that in the above example there is no reason to postpone the array
 * length, since we produce a fixed number of elements, but in the practice
G
Guy Korland 已提交
1363
 * the code may use an iterator or other ways of creating the output so
A
antirez 已提交
1364 1365 1366
 * that is not easy to calculate in advance the number of elements.
 */
void RM_ReplySetArrayLength(RedisModuleCtx *ctx, long len) {
1367 1368
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return;
A
antirez 已提交
1369 1370 1371 1372 1373 1374 1375 1376 1377
    if (ctx->postponed_arrays_count == 0) {
        serverLog(LL_WARNING,
            "API misuse detected in module %s: "
            "RedisModule_ReplySetArrayLength() called without previous "
            "RedisModule_ReplyWithArray(ctx,REDISMODULE_POSTPONED_ARRAY_LEN) "
            "call.", ctx->module->name);
            return;
    }
    ctx->postponed_arrays_count--;
A
antirez 已提交
1378
    setDeferredArrayLen(c,
A
antirez 已提交
1379 1380 1381 1382 1383 1384 1385 1386
            ctx->postponed_arrays[ctx->postponed_arrays_count],
            len);
    if (ctx->postponed_arrays_count == 0) {
        zfree(ctx->postponed_arrays);
        ctx->postponed_arrays = NULL;
    }
}

1387 1388 1389
/* Reply with a bulk string, taking in input a C buffer pointer and length.
 *
 * The function always returns REDISMODULE_OK. */
1390
int RM_ReplyWithStringBuffer(RedisModuleCtx *ctx, const char *buf, size_t len) {
1391 1392 1393
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyBulkCBuffer(c,(char*)buf,len);
A
antirez 已提交
1394 1395 1396
    return REDISMODULE_OK;
}

I
Itamar Haber 已提交
1397 1398 1399 1400 1401 1402 1403
/* Reply with a bulk string, taking in input a C buffer pointer that is
 * assumed to be null-terminated.
 *
 * The function always returns REDISMODULE_OK. */
int RM_ReplyWithCString(RedisModuleCtx *ctx, const char *buf) {
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
I
Itamar Haber 已提交
1404
    addReplyBulkCString(c,(char*)buf);
I
Itamar Haber 已提交
1405 1406 1407
    return REDISMODULE_OK;
}

1408 1409 1410
/* Reply with a bulk string, taking in input a RedisModuleString object.
 *
 * The function always returns REDISMODULE_OK. */
1411
int RM_ReplyWithString(RedisModuleCtx *ctx, RedisModuleString *str) {
1412 1413 1414
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyBulk(c,str);
A
antirez 已提交
1415 1416 1417
    return REDISMODULE_OK;
}

1418 1419 1420 1421 1422 1423
/* Reply with an empty string.
 *
 * The function always returns REDISMODULE_OK. */
int RM_ReplyWithEmptyString(RedisModuleCtx *ctx) {
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
1424
    addReply(c,shared.emptybulk);
1425 1426 1427 1428 1429 1430 1431 1432 1433 1434 1435 1436 1437 1438
    return REDISMODULE_OK;
}

/* Reply with a binary safe string, which should not be escaped or filtered 
 * taking in input a C buffer pointer and length.
 *
 * The function always returns REDISMODULE_OK. */
int RM_ReplyWithVerbatimString(RedisModuleCtx *ctx, const char *buf, size_t len) {
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyVerbatim(c, buf, len, "txt");
    return REDISMODULE_OK;
}

1439
/* Reply to the client with a NULL.
1440 1441
 *
 * The function always returns REDISMODULE_OK. */
1442
int RM_ReplyWithNull(RedisModuleCtx *ctx) {
1443 1444
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
A
antirez 已提交
1445
    addReplyNull(c);
1446 1447 1448
    return REDISMODULE_OK;
}

1449 1450 1451 1452 1453 1454
/* Reply exactly what a Redis command returned us with RedisModule_Call().
 * This function is useful when we use RedisModule_Call() in order to
 * execute some command, as we want to reply to the client exactly the
 * same reply we obtained by the command.
 *
 * The function always returns REDISMODULE_OK. */
1455
int RM_ReplyWithCallReply(RedisModuleCtx *ctx, RedisModuleCallReply *reply) {
1456 1457
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
1458
    sds proto = sdsnewlen(reply->proto, reply->protolen);
1459
    addReplySds(c,proto);
1460 1461 1462
    return REDISMODULE_OK;
}

1463 1464 1465 1466 1467 1468
/* Send a string reply obtained converting the double 'd' into a bulk string.
 * This function is basically equivalent to converting a double into
 * a string into a C buffer, and then calling the function
 * RedisModule_ReplyWithStringBuffer() with the buffer and length.
 *
 * The function always returns REDISMODULE_OK. */
A
antirez 已提交
1469
int RM_ReplyWithDouble(RedisModuleCtx *ctx, double d) {
1470 1471 1472
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyDouble(c,d);
A
antirez 已提交
1473 1474 1475
    return REDISMODULE_OK;
}

A
artix 已提交
1476 1477 1478 1479 1480 1481 1482 1483 1484 1485 1486 1487 1488 1489 1490
/* Send a string reply obtained converting the long double 'ld' into a bulk
 * string. This function is basically equivalent to converting a long double
 * into a string into a C buffer, and then calling the function
 * RedisModule_ReplyWithStringBuffer() with the buffer and length.
 * The double string uses human readable formatting (see
 * `addReplyHumanLongDouble` in networking.c).
 *
 * The function always returns REDISMODULE_OK. */
int RM_ReplyWithLongDouble(RedisModuleCtx *ctx, long double ld) {
    client *c = moduleGetReplyClient(ctx);
    if (c == NULL) return REDISMODULE_OK;
    addReplyHumanLongDouble(c, ld);
    return REDISMODULE_OK;
}

A
antirez 已提交
1491 1492 1493 1494 1495 1496 1497 1498
/* --------------------------------------------------------------------------
 * Commands replication API
 * -------------------------------------------------------------------------- */

/* Helper function to replicate MULTI the first time we replicate something
 * in the context of a command execution. EXEC will be handled by the
 * RedisModuleCommandDispatcher() function. */
void moduleReplicateMultiIfNeeded(RedisModuleCtx *ctx) {
1499 1500 1501
    /* Skip this if client explicitly wrap the command with MULTI, or if
     * the module command was called by a script. */
    if (ctx->client->flags & (CLIENT_MULTI|CLIENT_LUA)) return;
1502
    /* If we already emitted MULTI return ASAP. */
A
antirez 已提交
1503
    if (ctx->flags & REDISMODULE_CTX_MULTI_EMITTED) return;
1504
    /* If this is a thread safe context, we do not want to wrap commands
1505
     * executed into MULTI/EXEC, they are executed as single commands
1506 1507
     * from an external client in essence. */
    if (ctx->flags & REDISMODULE_CTX_THREAD_SAFE) return;
1508 1509 1510 1511 1512 1513 1514
    /* If this is a callback context, and not a module command execution
     * context, we have to setup the op array for the "also propagate" API
     * so that RM_Replicate() will work. */
    if (!(ctx->flags & REDISMODULE_CTX_MODULE_COMMAND_CALL)) {
        ctx->saved_oparray = server.also_propagate;
        redisOpArrayInit(&server.also_propagate);
    }
A
antirez 已提交
1515 1516 1517 1518 1519 1520 1521
    execCommandPropagateMulti(ctx->client);
    ctx->flags |= REDISMODULE_CTX_MULTI_EMITTED;
}

/* Replicate the specified command and arguments to slaves and AOF, as effect
 * of execution of the calling command implementation.
 *
1522
 * The replicated commands are always wrapped into the MULTI/EXEC that
A
antirez 已提交
1523
 * contains all the commands replicated in a given module command
1524 1525
 * execution. However the commands replicated with RedisModule_Call()
 * are the first items, the ones replicated with RedisModule_Replicate()
A
antirez 已提交
1526 1527
 * will all follow before the EXEC.
 *
1528 1529 1530 1531 1532 1533 1534 1535
 * Modules should try to use one interface or the other.
 *
 * This command follows exactly the same interface of RedisModule_Call(),
 * so a set of format specifiers must be passed, followed by arguments
 * matching the provided format specifiers.
 *
 * Please refer to RedisModule_Call() for more information.
 *
1536 1537 1538 1539
 * Using the special "A" and "R" modifiers, the caller can exclude either
 * the AOF or the replicas from the propagation of the specified command.
 * Otherwise, by default, the command will be propagated in both channels.
 *
1540 1541 1542 1543 1544 1545 1546 1547 1548 1549 1550 1551 1552 1553
 * ## Note about calling this function from a thread safe context:
 *
 * Normally when you call this function from the callback implementing a
 * module command, or any other callback provided by the Redis Module API,
 * Redis will accumulate all the calls to this function in the context of
 * the callback, and will propagate all the commands wrapped in a MULTI/EXEC
 * transaction. However when calling this function from a threaded safe context
 * that can live an undefined amount of time, and can be locked/unlocked in
 * at will, the behavior is different: MULTI/EXEC wrapper is not emitted
 * and the command specified is inserted in the AOF and replication stream
 * immediately.
 *
 * ## Return value
 *
1554 1555
 * The command returns REDISMODULE_ERR if the format specifiers are invalid
 * or the command name does not belong to a known command. */
1556
int RM_Replicate(RedisModuleCtx *ctx, const char *cmdname, const char *fmt, ...) {
A
antirez 已提交
1557 1558 1559 1560 1561 1562 1563 1564 1565 1566 1567 1568 1569 1570
    struct redisCommand *cmd;
    robj **argv = NULL;
    int argc = 0, flags = 0, j;
    va_list ap;

    cmd = lookupCommandByCString((char*)cmdname);
    if (!cmd) return REDISMODULE_ERR;

    /* Create the client and dispatch the command. */
    va_start(ap, fmt);
    argv = moduleCreateArgvFromUserFormat(cmdname,fmt,&argc,&flags,ap);
    va_end(ap);
    if (argv == NULL) return REDISMODULE_ERR;

1571 1572 1573 1574 1575 1576 1577
    /* Select the propagation target. Usually is AOF + replicas, however
     * the caller can exclude one or the other using the "A" or "R"
     * modifiers. */
    int target = 0;
    if (!(flags & REDISMODULE_ARGV_NO_AOF)) target |= PROPAGATE_AOF;
    if (!(flags & REDISMODULE_ARGV_NO_REPLICAS)) target |= PROPAGATE_REPL;

1578 1579 1580 1581 1582
    /* Replicate! When we are in a threaded context, we want to just insert
     * the replicated command ASAP, since it is not clear when the context
     * will stop being used, so accumulating stuff does not make much sense,
     * nor we could easily use the alsoPropagate() API from threads. */
    if (ctx->flags & REDISMODULE_CTX_THREAD_SAFE) {
1583
        propagate(cmd,ctx->client->db->id,argv,argc,target);
1584 1585
    } else {
        moduleReplicateMultiIfNeeded(ctx);
1586
        alsoPropagate(cmd,ctx->client->db->id,argv,argc,target);
1587
    }
A
antirez 已提交
1588 1589 1590 1591

    /* Release the argv. */
    for (j = 0; j < argc; j++) decrRefCount(argv[j]);
    zfree(argv);
1592
    server.dirty++;
A
antirez 已提交
1593 1594 1595 1596
    return REDISMODULE_OK;
}

/* This function will replicate the command exactly as it was invoked
1597
 * by the client. Note that this function will not wrap the command into
A
antirez 已提交
1598
 * a MULTI/EXEC stanza, so it should not be mixed with other replication
1599 1600 1601 1602 1603 1604 1605 1606
 * commands.
 *
 * Basically this form of replication is useful when you want to propagate
 * the command to the slaves and AOF file exactly as it was called, since
 * the command can just be re-executed to deterministically re-create the
 * new state starting from the old one.
 *
 * The function always returns REDISMODULE_OK. */
1607
int RM_ReplicateVerbatim(RedisModuleCtx *ctx) {
A
antirez 已提交
1608 1609 1610
    alsoPropagate(ctx->client->cmd,ctx->client->db->id,
        ctx->client->argv,ctx->client->argc,
        PROPAGATE_AOF|PROPAGATE_REPL);
1611
    server.dirty++;
A
antirez 已提交
1612 1613 1614 1615 1616 1617 1618
    return REDISMODULE_OK;
}

/* --------------------------------------------------------------------------
 * DB and Key APIs -- Generic API
 * -------------------------------------------------------------------------- */

A
antirez 已提交
1619 1620 1621 1622 1623 1624 1625 1626 1627 1628
/* Return the ID of the current client calling the currently active module
 * command. The returned ID has a few guarantees:
 *
 * 1. The ID is different for each different client, so if the same client
 *    executes a module command multiple times, it can be recognized as
 *    having the same ID, otherwise the ID will be different.
 * 2. The ID increases monotonically. Clients connecting to the server later
 *    are guaranteed to get IDs greater than any past ID previously seen.
 *
 * Valid IDs are from 1 to 2^64-1. If 0 is returned it means there is no way
1629 1630 1631 1632 1633 1634 1635 1636 1637
 * to fetch the ID in the context the function was currently called.
 *
 * After obtaining the ID, it is possible to check if the command execution
 * is actually happening in the context of AOF loading, using this macro:
 *
 *      if (RedisModule_IsAOFClient(RedisModule_GetClientId(ctx)) {
 *          // Handle it differently.
 *      }
 */
A
antirez 已提交
1638 1639 1640 1641 1642
unsigned long long RM_GetClientId(RedisModuleCtx *ctx) {
    if (ctx->client == NULL) return 0;
    return ctx->client->id;
}

1643 1644 1645 1646 1647
/* This is an helper for RM_GetClientInfoById() and other functions: given
 * a client, it populates the client info structure with the appropriate
 * fields depending on the version provided. If the version is not valid
 * then REDISMODULE_ERR is returned. Otherwise the function returns
 * REDISMODULE_OK and the structure pointed by 'ci' gets populated. */
A
antirez 已提交
1648

1649 1650 1651
int modulePopulateClientInfoStructure(void *ci, client *client, int structver) {
    if (structver != 1) return REDISMODULE_ERR;

1652
    RedisModuleClientInfoV1 *ci1 = ci;
1653 1654 1655 1656 1657 1658 1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673
    memset(ci1,0,sizeof(*ci1));
    ci1->version = structver;
    if (client->flags & CLIENT_MULTI)
        ci1->flags |= REDISMODULE_CLIENTINFO_FLAG_MULTI;
    if (client->flags & CLIENT_PUBSUB)
        ci1->flags |= REDISMODULE_CLIENTINFO_FLAG_PUBSUB;
    if (client->flags & CLIENT_UNIX_SOCKET)
        ci1->flags |= REDISMODULE_CLIENTINFO_FLAG_UNIXSOCKET;
    if (client->flags & CLIENT_TRACKING)
        ci1->flags |= REDISMODULE_CLIENTINFO_FLAG_TRACKING;
    if (client->flags & CLIENT_BLOCKED)
        ci1->flags |= REDISMODULE_CLIENTINFO_FLAG_BLOCKED;

    int port;
    connPeerToString(client->conn,ci1->addr,sizeof(ci1->addr),&port);
    ci1->port = port;
    ci1->db = client->db->id;
    ci1->id = client->id;
    return REDISMODULE_OK;
}

1674 1675 1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694
/* This is an helper for moduleFireServerEvent() and other functions:
 * It populates the replication info structure with the appropriate
 * fields depending on the version provided. If the version is not valid
 * then REDISMODULE_ERR is returned. Otherwise the function returns
 * REDISMODULE_OK and the structure pointed by 'ri' gets populated. */
int modulePopulateReplicationInfoStructure(void *ri, int structver) {
    if (structver != 1) return REDISMODULE_ERR;

    RedisModuleReplicationInfoV1 *ri1 = ri;
    memset(ri1,0,sizeof(*ri1));
    ri1->version = structver;
    ri1->master = server.masterhost==NULL;
    ri1->masterhost = server.masterhost? server.masterhost: "";
    ri1->masterport = server.masterport;
    ri1->replid1 = server.replid;
    ri1->replid2 = server.replid2;
    ri1->repl1_offset = server.master_repl_offset;
    ri1->repl2_offset = server.second_replid_offset;
    return REDISMODULE_OK;
}

A
antirez 已提交
1695 1696 1697 1698 1699 1700 1701 1702 1703 1704 1705
/* Return information about the client with the specified ID (that was
 * previously obtained via the RedisModule_GetClientId() API). If the
 * client exists, REDISMODULE_OK is returned, otherwise REDISMODULE_ERR
 * is returned.
 *
 * When the client exist and the `ci` pointer is not NULL, but points to
 * a structure of type RedisModuleClientInfo, previously initialized with
 * the correct REDISMODULE_CLIENTINFO_INITIALIZER, the structure is populated
 * with the following fields:
 *
 *      uint64_t flags;         // REDISMODULE_CLIENTINFO_FLAG_*
1706
 *      uint64_t id;            // Client ID
A
antirez 已提交
1707 1708 1709 1710
 *      char addr[46];          // IPv4 or IPv6 address.
 *      uint16_t port;          // TCP port.
 *      uint16_t db;            // Selected DB.
 *
1711 1712 1713 1714 1715
 * Note: the client ID is useless in the context of this call, since we
 *       already know, however the same structure could be used in other
 *       contexts where we don't know the client ID, yet the same structure
 *       is returned.
 *
A
antirez 已提交
1716 1717 1718 1719 1720 1721 1722 1723 1724 1725 1726 1727 1728 1729 1730 1731
 * With flags having the following meaning:
 *
 *     REDISMODULE_CLIENTINFO_FLAG_SSL          Client using SSL connection.
 *     REDISMODULE_CLIENTINFO_FLAG_PUBSUB       Client in Pub/Sub mode.
 *     REDISMODULE_CLIENTINFO_FLAG_BLOCKED      Client blocked in command.
 *     REDISMODULE_CLIENTINFO_FLAG_TRACKING     Client with keys tracking on.
 *     REDISMODULE_CLIENTINFO_FLAG_UNIXSOCKET   Client using unix domain socket.
 *     REDISMODULE_CLIENTINFO_FLAG_MULTI        Client in MULTI state.
 *
 * However passing NULL is a way to just check if the client exists in case
 * we are not interested in any additional information.
 *
 * This is the correct usage when we want the client info structure
 * returned:
 *
 *      RedisModuleClientInfo ci = REDISMODULE_CLIENTINFO_INITIALIZER;
1732
 *      int retval = RedisModule_GetClientInfoById(&ci,client_id);
A
antirez 已提交
1733 1734 1735 1736 1737 1738 1739 1740 1741 1742 1743
 *      if (retval == REDISMODULE_OK) {
 *          printf("Address: %s\n", ci.addr);
 *      }
 */
int RM_GetClientInfoById(void *ci, uint64_t id) {
    client *client = lookupClientByID(id);
    if (client == NULL) return REDISMODULE_ERR;
    if (ci == NULL) return REDISMODULE_OK;

    /* Fill the info structure if passed. */
    uint64_t structver = ((uint64_t*)ci)[0];
1744
    return modulePopulateClientInfoStructure(ci,client,structver);
A
antirez 已提交
1745 1746
}

1747 1748 1749 1750 1751 1752 1753 1754 1755
/* Publish a message to subscribers (see PUBLISH command). */
int RM_PublishMessage(RedisModuleCtx *ctx, RedisModuleString *channel, RedisModuleString *message) {
    UNUSED(ctx);
    int receivers = pubsubPublishMessage(channel, message);
    if (server.cluster_enabled)
        clusterPropagatePublish(channel, message);
    return receivers;
}

A
antirez 已提交
1756
/* Return the currently selected DB. */
1757
int RM_GetSelectedDb(RedisModuleCtx *ctx) {
A
antirez 已提交
1758 1759 1760
    return ctx->client->db->id;
}

1761

A
antirez 已提交
1762
/* Return the current context's flags. The flags provide information on the
1763
 * current request context (whether the client is a Lua script or in a MULTI),
A
antirez 已提交
1764 1765
 * and about the Redis instance in general, i.e replication and persistence.
 *
1766
 * The available flags are:
A
antirez 已提交
1767
 *
1768
 *  * REDISMODULE_CTX_FLAGS_LUA: The command is running in a Lua script
A
antirez 已提交
1769
 *
1770
 *  * REDISMODULE_CTX_FLAGS_MULTI: The command is running inside a transaction
A
antirez 已提交
1771
 *
1772 1773 1774
 *  * REDISMODULE_CTX_FLAGS_REPLICATED: The command was sent over the replication
 *    link by the MASTER
 *
1775
 *  * REDISMODULE_CTX_FLAGS_MASTER: The Redis instance is a master
A
antirez 已提交
1776
 *
1777
 *  * REDISMODULE_CTX_FLAGS_SLAVE: The Redis instance is a slave
A
antirez 已提交
1778
 *
1779
 *  * REDISMODULE_CTX_FLAGS_READONLY: The Redis instance is read-only
A
antirez 已提交
1780
 *
1781
 *  * REDISMODULE_CTX_FLAGS_CLUSTER: The Redis instance is in cluster mode
A
antirez 已提交
1782
 *
1783
 *  * REDISMODULE_CTX_FLAGS_AOF: The Redis instance has AOF enabled
A
antirez 已提交
1784
 *
1785
 *  * REDISMODULE_CTX_FLAGS_RDB: The instance has RDB enabled
A
antirez 已提交
1786
 *
1787
 *  * REDISMODULE_CTX_FLAGS_MAXMEMORY:  The instance has Maxmemory set
A
antirez 已提交
1788
 *
1789 1790
 *  * REDISMODULE_CTX_FLAGS_EVICT:  Maxmemory is set and has an eviction
 *    policy that may delete keys
1791 1792 1793
 *
 *  * REDISMODULE_CTX_FLAGS_OOM: Redis is out of memory according to the
 *    maxmemory setting.
A
antirez 已提交
1794 1795 1796
 *
 *  * REDISMODULE_CTX_FLAGS_OOM_WARNING: Less than 25% of memory remains before
 *                                       reaching the maxmemory level.
1797
 *
O
Oran Agra 已提交
1798 1799
 *  * REDISMODULE_CTX_FLAGS_LOADING: Server is loading RDB/AOF
 *
1800 1801 1802 1803 1804 1805 1806 1807 1808 1809 1810 1811 1812 1813
 *  * REDISMODULE_CTX_FLAGS_REPLICA_IS_STALE: No active link with the master.
 *
 *  * REDISMODULE_CTX_FLAGS_REPLICA_IS_CONNECTING: The replica is trying to
 *                                                 connect with the master.
 *
 *  * REDISMODULE_CTX_FLAGS_REPLICA_IS_TRANSFERRING: Master -> Replica RDB
 *                                                   transfer is in progress.
 *
 *  * REDISMODULE_CTX_FLAGS_REPLICA_IS_ONLINE: The replica has an active link
 *                                             with its master. This is the
 *                                             contrary of STALE state.
 *
 *  * REDISMODULE_CTX_FLAGS_ACTIVE_CHILD: There is currently some background
 *                                        process active (RDB, AUX or module).
1814
 */
1815
int RM_GetContextFlags(RedisModuleCtx *ctx) {
A
antirez 已提交
1816

1817 1818 1819
    int flags = 0;
    /* Client specific flags */
    if (ctx->client) {
A
antirez 已提交
1820
        if (ctx->client->flags & CLIENT_LUA)
1821
         flags |= REDISMODULE_CTX_FLAGS_LUA;
A
antirez 已提交
1822
        if (ctx->client->flags & CLIENT_MULTI)
1823
         flags |= REDISMODULE_CTX_FLAGS_MULTI;
1824 1825 1826
        /* Module command recieved from MASTER, is replicated. */
        if (ctx->client->flags & CLIENT_MASTER)
         flags |= REDISMODULE_CTX_FLAGS_REPLICATED;
1827 1828 1829 1830
    }

    if (server.cluster_enabled)
        flags |= REDISMODULE_CTX_FLAGS_CLUSTER;
A
antirez 已提交
1831

1832 1833 1834
    if (server.loading)
        flags |= REDISMODULE_CTX_FLAGS_LOADING;

1835 1836 1837
    /* Maxmemory and eviction policy */
    if (server.maxmemory > 0) {
        flags |= REDISMODULE_CTX_FLAGS_MAXMEMORY;
A
antirez 已提交
1838

1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849 1850 1851 1852 1853 1854 1855
        if (server.maxmemory_policy != MAXMEMORY_NO_EVICTION)
            flags |= REDISMODULE_CTX_FLAGS_EVICT;
    }

    /* Persistence flags */
    if (server.aof_state != AOF_OFF)
        flags |= REDISMODULE_CTX_FLAGS_AOF;
    if (server.saveparamslen > 0)
        flags |= REDISMODULE_CTX_FLAGS_RDB;

    /* Replication flags */
    if (server.masterhost == NULL) {
        flags |= REDISMODULE_CTX_FLAGS_MASTER;
    } else {
        flags |= REDISMODULE_CTX_FLAGS_SLAVE;
        if (server.repl_slave_ro)
            flags |= REDISMODULE_CTX_FLAGS_READONLY;
1856 1857 1858 1859 1860 1861 1862 1863 1864 1865 1866 1867 1868 1869

        /* Replica state flags. */
        if (server.repl_state == REPL_STATE_CONNECT ||
            server.repl_state == REPL_STATE_CONNECTING)
        {
            flags |= REDISMODULE_CTX_FLAGS_REPLICA_IS_CONNECTING;
        } else if (server.repl_state == REPL_STATE_TRANSFER) {
            flags |= REDISMODULE_CTX_FLAGS_REPLICA_IS_TRANSFERRING;
        } else if (server.repl_state == REPL_STATE_CONNECTED) {
            flags |= REDISMODULE_CTX_FLAGS_REPLICA_IS_ONLINE;
        }

        if (server.repl_state != REPL_STATE_CONNECTED)
            flags |= REDISMODULE_CTX_FLAGS_REPLICA_IS_STALE;
1870
    }
A
antirez 已提交
1871

1872
    /* OOM flag. */
A
antirez 已提交
1873
    float level;
1874 1875 1876
    int retval = getMaxmemoryState(NULL,NULL,NULL,&level);
    if (retval == C_ERR) flags |= REDISMODULE_CTX_FLAGS_OOM;
    if (level > 0.75) flags |= REDISMODULE_CTX_FLAGS_OOM_WARNING;
1877

1878 1879 1880
    /* Presence of children processes. */
    if (hasActiveChildProcess()) flags |= REDISMODULE_CTX_FLAGS_ACTIVE_CHILD;

1881 1882 1883
    return flags;
}

A
antirez 已提交
1884
/* Change the currently selected DB. Returns an error if the id
1885 1886 1887 1888 1889 1890 1891 1892 1893
 * is out of range.
 *
 * Note that the client will retain the currently selected DB even after
 * the Redis command implemented by the module calling this function
 * returns.
 *
 * If the module command wishes to change something in a different DB and
 * returns back to the original one, it should call RedisModule_GetSelectedDb()
 * before in order to restore the old DB number before returning. */
1894
int RM_SelectDb(RedisModuleCtx *ctx, int newid) {
A
antirez 已提交
1895 1896 1897 1898
    int retval = selectDb(ctx->client,newid);
    return (retval == C_OK) ? REDISMODULE_OK : REDISMODULE_ERR;
}

1899 1900
/* Initialize a RedisModuleKey struct */
static void moduleInitKey(RedisModuleKey *kp, RedisModuleCtx *ctx, robj *keyname, robj *value, int mode){
1901 1902 1903 1904 1905 1906 1907 1908 1909 1910
    kp->ctx = ctx;
    kp->db = ctx->client->db;
    kp->key = keyname;
    incrRefCount(keyname);
    kp->value = value;
    kp->iter = NULL;
    kp->mode = mode;
    zsetKeyReset(kp);
}

A
antirez 已提交
1911 1912 1913 1914
/* Return an handle representing a Redis key, so that it is possible
 * to call other APIs with the key handle as argument to perform
 * operations on the key.
 *
G
Guy Korland 已提交
1915
 * The return value is the handle representing the key, that must be
1916
 * closed with RM_CloseKey().
A
antirez 已提交
1917 1918 1919 1920 1921 1922
 *
 * If the key does not exist and WRITE mode is requested, the handle
 * is still returned, since it is possible to perform operations on
 * a yet not existing key (that will be created, for example, after
 * a list push operation). If the mode is just READ instead, and the
 * key does not exist, NULL is returned. However it is still safe to
1923
 * call RedisModule_CloseKey() and RedisModule_KeyType() on a NULL
A
antirez 已提交
1924
 * value. */
1925
void *RM_OpenKey(RedisModuleCtx *ctx, robj *keyname, int mode) {
A
antirez 已提交
1926 1927
    RedisModuleKey *kp;
    robj *value;
1928
    int flags = mode & REDISMODULE_OPEN_KEY_NOTOUCH? LOOKUP_NOTOUCH: 0;
A
antirez 已提交
1929 1930

    if (mode & REDISMODULE_WRITE) {
1931
        value = lookupKeyWriteWithFlags(ctx->client->db,keyname, flags);
A
antirez 已提交
1932
    } else {
1933
        value = lookupKeyReadWithFlags(ctx->client->db,keyname, flags);
A
antirez 已提交
1934 1935 1936 1937 1938 1939 1940
        if (value == NULL) {
            return NULL;
        }
    }

    /* Setup the key handle. */
    kp = zmalloc(sizeof(*kp));
1941
    moduleInitKey(kp, ctx, keyname, value, mode);
1942
    autoMemoryAdd(ctx,REDISMODULE_AM_KEY,kp);
A
antirez 已提交
1943 1944 1945
    return (void*)kp;
}

1946 1947
/* Destroy a RedisModuleKey struct (freeing is the responsibility of the caller). */
static void moduleCloseKey(RedisModuleKey *key) {
1948 1949 1950
    int signal = SHOULD_SIGNAL_MODIFIED_KEYS(key->ctx);
    if ((key->mode & REDISMODULE_WRITE) && signal)
        signalModifiedKey(key->db,key->key);
1951
    /* TODO: if (key->iter) RM_KeyIteratorStop(kp); */
A
antirez 已提交
1952
    RM_ZsetRangeStop(key);
A
antirez 已提交
1953
    decrRefCount(key->key);
1954 1955 1956 1957 1958
}

/* Close a key handle. */
void RM_CloseKey(RedisModuleKey *key) {
    if (key == NULL) return;
1959
    moduleCloseKey(key);
1960
    autoMemoryFreed(key->ctx,REDISMODULE_AM_KEY,key);
A
antirez 已提交
1961 1962 1963 1964 1965
    zfree(key);
}

/* Return the type of the key. If the key pointer is NULL then
 * REDISMODULE_KEYTYPE_EMPTY is returned. */
1966
int RM_KeyType(RedisModuleKey *key) {
A
antirez 已提交
1967 1968 1969 1970 1971 1972 1973 1974 1975
    if (key == NULL || key->value ==  NULL) return REDISMODULE_KEYTYPE_EMPTY;
    /* We map between defines so that we are free to change the internal
     * defines as desired. */
    switch(key->value->type) {
    case OBJ_STRING: return REDISMODULE_KEYTYPE_STRING;
    case OBJ_LIST: return REDISMODULE_KEYTYPE_LIST;
    case OBJ_SET: return REDISMODULE_KEYTYPE_SET;
    case OBJ_ZSET: return REDISMODULE_KEYTYPE_ZSET;
    case OBJ_HASH: return REDISMODULE_KEYTYPE_HASH;
1976
    case OBJ_MODULE: return REDISMODULE_KEYTYPE_MODULE;
1977
    case OBJ_STREAM: return REDISMODULE_KEYTYPE_STREAM;
A
antirez 已提交
1978 1979 1980 1981 1982 1983 1984 1985 1986
    default: return 0;
    }
}

/* Return the length of the value associated with the key.
 * For strings this is the length of the string. For all the other types
 * is the number of elements (just counting keys for hashes).
 *
 * If the key pointer is NULL or the key is empty, zero is returned. */
1987
size_t RM_ValueLength(RedisModuleKey *key) {
A
antirez 已提交
1988 1989 1990 1991 1992 1993 1994
    if (key == NULL || key->value == NULL) return 0;
    switch(key->value->type) {
    case OBJ_STRING: return stringObjectLen(key->value);
    case OBJ_LIST: return listTypeLength(key->value);
    case OBJ_SET: return setTypeSize(key->value);
    case OBJ_ZSET: return zsetLength(key->value);
    case OBJ_HASH: return hashTypeLength(key->value);
1995
    case OBJ_STREAM: return streamLength(key->value);
A
antirez 已提交
1996 1997 1998 1999 2000 2001 2002 2003
    default: return 0;
    }
}

/* If the key is open for writing, remove it, and setup the key to
 * accept new writes as an empty key (that will be created on demand).
 * On success REDISMODULE_OK is returned. If the key is not open for
 * writing REDISMODULE_ERR is returned. */
2004
int RM_DeleteKey(RedisModuleKey *key) {
A
antirez 已提交
2005 2006 2007 2008 2009 2010 2011 2012
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
    if (key->value) {
        dbDelete(key->db,key->key);
        key->value = NULL;
    }
    return REDISMODULE_OK;
}

Y
Yossi Gottlieb 已提交
2013
/* If the key is open for writing, unlink it (that is delete it in a
2014 2015 2016 2017 2018 2019 2020 2021 2022 2023 2024 2025 2026
 * non-blocking way, not reclaiming memory immediately) and setup the key to
 * accept new writes as an empty key (that will be created on demand).
 * On success REDISMODULE_OK is returned. If the key is not open for
 * writing REDISMODULE_ERR is returned. */
int RM_UnlinkKey(RedisModuleKey *key) {
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
    if (key->value) {
        dbAsyncDelete(key->db,key->key);
        key->value = NULL;
    }
    return REDISMODULE_OK;
}

A
antirez 已提交
2027 2028 2029 2030 2031 2032 2033 2034 2035 2036 2037 2038 2039 2040 2041 2042 2043 2044 2045 2046 2047 2048 2049 2050
/* Return the key expire value, as milliseconds of remaining TTL.
 * If no TTL is associated with the key or if the key is empty,
 * REDISMODULE_NO_EXPIRE is returned. */
mstime_t RM_GetExpire(RedisModuleKey *key) {
    mstime_t expire = getExpire(key->db,key->key);
    if (expire == -1 || key->value == NULL) return -1;
    expire -= mstime();
    return expire >= 0 ? expire : 0;
}

/* Set a new expire for the key. If the special expire
 * REDISMODULE_NO_EXPIRE is set, the expire is cancelled if there was
 * one (the same as the PERSIST command).
 *
 * Note that the expire must be provided as a positive integer representing
 * the number of milliseconds of TTL the key should have.
 *
 * The function returns REDISMODULE_OK on success or REDISMODULE_ERR if
 * the key was not open for writing or is an empty key. */
int RM_SetExpire(RedisModuleKey *key, mstime_t expire) {
    if (!(key->mode & REDISMODULE_WRITE) || key->value == NULL)
        return REDISMODULE_ERR;
    if (expire != REDISMODULE_NO_EXPIRE) {
        expire += mstime();
2051
        setExpire(key->ctx->client,key->db,key->key,expire);
A
antirez 已提交
2052 2053 2054 2055 2056 2057
    } else {
        removeExpire(key->db,key->key);
    }
    return REDISMODULE_OK;
}

2058 2059 2060 2061 2062 2063 2064 2065 2066 2067 2068 2069 2070 2071 2072 2073 2074 2075 2076 2077 2078 2079
/* Performs similar operation to FLUSHALL, and optionally start a new AOF file (if enabled)
 * If restart_aof is true, you must make sure the command that triggered this call is not
 * propagated to the AOF file.
 * When async is set to true, db contents will be freed by a background thread. */
void RM_ResetDataset(int restart_aof, int async) {
    if (restart_aof && server.aof_state != AOF_OFF) stopAppendOnly();
    flushAllDataAndResetRDB(async? EMPTYDB_ASYNC: EMPTYDB_NO_FLAGS);
    if (server.aof_enabled && restart_aof) restartAOFAfterSYNC();
}

/* Returns the number of keys in the current db. */
unsigned long long RM_DbSize(RedisModuleCtx *ctx) {
    return dictSize(ctx->client->db->dict);
}

/* Returns a name of a random key, or NULL if current db is empty. */
RedisModuleString *RM_RandomKey(RedisModuleCtx *ctx) {
    robj *key = dbRandomKey(ctx->client->db);
    autoMemoryAdd(ctx,REDISMODULE_AM_STRING,key);
    return key;
}

A
antirez 已提交
2080 2081 2082 2083 2084 2085 2086 2087
/* --------------------------------------------------------------------------
 * Key API for String type
 * -------------------------------------------------------------------------- */

/* If the key is open for writing, set the specified string 'str' as the
 * value of the key, deleting the old value if any.
 * On success REDISMODULE_OK is returned. If the key is not open for
 * writing or there is an active iterator, REDISMODULE_ERR is returned. */
2088
int RM_StringSet(RedisModuleKey *key, RedisModuleString *str) {
A
antirez 已提交
2089
    if (!(key->mode & REDISMODULE_WRITE) || key->iter) return REDISMODULE_ERR;
2090
    RM_DeleteKey(key);
A
antirez 已提交
2091
    setKey(key->db,key->key,str);
S
Sun He 已提交
2092
    key->value = str;
A
antirez 已提交
2093 2094 2095 2096 2097 2098 2099 2100 2101
    return REDISMODULE_OK;
}

/* Prepare the key associated string value for DMA access, and returns
 * a pointer and size (by reference), that the user can use to read or
 * modify the string in-place accessing it directly via pointer.
 *
 * The 'mode' is composed by bitwise OR-ing the following flags:
 *
2102 2103
 *     REDISMODULE_READ -- Read access
 *     REDISMODULE_WRITE -- Write access
A
antirez 已提交
2104 2105 2106 2107 2108 2109 2110 2111 2112 2113 2114 2115
 *
 * If the DMA is not requested for writing, the pointer returned should
 * only be accessed in a read-only fashion.
 *
 * On error (wrong type) NULL is returned.
 *
 * DMA access rules:
 *
 * 1. No other key writing function should be called since the moment
 * the pointer is obtained, for all the time we want to use DMA access
 * to read or modify the string.
 *
2116 2117
 * 2. Each time RM_StringTruncate() is called, to continue with the DMA
 * access, RM_StringDMA() should be called again to re-obtain
A
antirez 已提交
2118 2119 2120 2121
 * a new pointer and length.
 *
 * 3. If the returned pointer is not NULL, but the length is zero, no
 * byte can be touched (the string is empty, or the key itself is empty)
2122
 * so a RM_StringTruncate() call should be used if there is to enlarge
A
antirez 已提交
2123 2124
 * the string, and later call StringDMA() again to get the pointer.
 */
2125
char *RM_StringDMA(RedisModuleKey *key, size_t *len, int mode) {
A
antirez 已提交
2126 2127 2128 2129 2130 2131 2132 2133 2134 2135 2136 2137 2138 2139 2140 2141 2142 2143 2144 2145 2146 2147 2148 2149
    /* We need to return *some* pointer for empty keys, we just return
     * a string literal pointer, that is the advantage to be mapped into
     * a read only memory page, so the module will segfault if a write
     * attempt is performed. */
    char *emptystring = "<dma-empty-string>";
    if (key->value == NULL) {
        *len = 0;
        return emptystring;
    }

    if (key->value->type != OBJ_STRING) return NULL;

    /* For write access, and even for read access if the object is encoded,
     * we unshare the string (that has the side effect of decoding it). */
    if ((mode & REDISMODULE_WRITE) || key->value->encoding != OBJ_ENCODING_RAW)
        key->value = dbUnshareStringValue(key->db, key->key, key->value);

    *len = sdslen(key->value->ptr);
    return key->value->ptr;
}

/* If the string is open for writing and is of string type, resize it, padding
 * with zero bytes if the new length is greater than the old one.
 *
2150
 * After this call, RM_StringDMA() must be called again to continue
A
antirez 已提交
2151 2152 2153 2154 2155 2156 2157 2158
 * DMA access with the new pointer.
 *
 * The function returns REDISMODULE_OK on success, and REDISMODULE_ERR on
 * error, that is, the key is not open for writing, is not a string
 * or resizing for more than 512 MB is requested.
 *
 * If the key is empty, a string key is created with the new string value
 * unless the new length value requested is zero. */
2159
int RM_StringTruncate(RedisModuleKey *key, size_t newlen) {
A
antirez 已提交
2160 2161 2162 2163 2164 2165 2166 2167 2168
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
    if (key->value && key->value->type != OBJ_STRING) return REDISMODULE_ERR;
    if (newlen > 512*1024*1024) return REDISMODULE_ERR;

    /* Empty key and new len set to 0. Just return REDISMODULE_OK without
     * doing anything. */
    if (key->value == NULL && newlen == 0) return REDISMODULE_OK;

    if (key->value == NULL) {
2169 2170 2171 2172 2173 2174 2175 2176 2177 2178 2179 2180 2181 2182 2183 2184 2185
        /* Empty key: create it with the new size. */
        robj *o = createObject(OBJ_STRING,sdsnewlen(NULL, newlen));
        setKey(key->db,key->key,o);
        key->value = o;
        decrRefCount(o);
    } else {
        /* Unshare and resize. */
        key->value = dbUnshareStringValue(key->db, key->key, key->value);
        size_t curlen = sdslen(key->value->ptr);
        if (newlen > curlen) {
            key->value->ptr = sdsgrowzero(key->value->ptr,newlen);
        } else if (newlen < curlen) {
            sdsrange(key->value->ptr,0,newlen-1);
            /* If the string is too wasteful, reallocate it. */
            if (sdslen(key->value->ptr) < sdsavail(key->value->ptr))
                key->value->ptr = sdsRemoveFreeSpace(key->value->ptr);
        }
A
antirez 已提交
2186 2187 2188 2189 2190 2191 2192 2193
    }
    return REDISMODULE_OK;
}

/* --------------------------------------------------------------------------
 * Key API for List type
 * -------------------------------------------------------------------------- */

G
Guy Korland 已提交
2194
/* Push an element into a list, on head or tail depending on 'where' argument.
A
antirez 已提交
2195 2196 2197
 * If the key pointer is about an empty key opened for writing, the key
 * is created. On error (key opened for read-only operations or of the wrong
 * type) REDISMODULE_ERR is returned, otherwise REDISMODULE_OK is returned. */
2198
int RM_ListPush(RedisModuleKey *key, int where, RedisModuleString *ele) {
A
antirez 已提交
2199
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
A
antirez 已提交
2200
    if (key->value && key->value->type != OBJ_LIST) return REDISMODULE_ERR;
I
Itamar Haber 已提交
2201
    if (key->value == NULL) moduleCreateEmptyKey(key,REDISMODULE_KEYTYPE_LIST);
A
antirez 已提交
2202 2203 2204 2205 2206 2207
    listTypePush(key->value, ele,
        (where == REDISMODULE_LIST_HEAD) ? QUICKLIST_HEAD : QUICKLIST_TAIL);
    return REDISMODULE_OK;
}

/* Pop an element from the list, and returns it as a module string object
2208
 * that the user should be free with RM_FreeString() or by enabling
A
antirez 已提交
2209 2210 2211 2212 2213
 * automatic memory. 'where' specifies if the element should be popped from
 * head or tail. The command returns NULL if:
 * 1) The list is empty.
 * 2) The key was not open for writing.
 * 3) The key is not a list. */
2214
RedisModuleString *RM_ListPop(RedisModuleKey *key, int where) {
A
antirez 已提交
2215 2216 2217 2218 2219 2220 2221 2222
    if (!(key->mode & REDISMODULE_WRITE) ||
        key->value == NULL ||
        key->value->type != OBJ_LIST) return NULL;
    robj *ele = listTypePop(key->value,
        (where == REDISMODULE_LIST_HEAD) ? QUICKLIST_HEAD : QUICKLIST_TAIL);
    robj *decoded = getDecodedObject(ele);
    decrRefCount(ele);
    moduleDelKeyIfEmpty(key);
2223
    autoMemoryAdd(key->ctx,REDISMODULE_AM_STRING,decoded);
A
antirez 已提交
2224 2225 2226
    return decoded;
}

A
antirez 已提交
2227 2228 2229 2230
/* --------------------------------------------------------------------------
 * Key API for Sorted Set type
 * -------------------------------------------------------------------------- */

A
antirez 已提交
2231 2232 2233 2234 2235 2236 2237 2238 2239 2240 2241 2242 2243 2244 2245 2246 2247 2248 2249 2250 2251 2252 2253 2254 2255 2256 2257 2258 2259 2260
/* Conversion from/to public flags of the Modules API and our private flags,
 * so that we have everything decoupled. */
int RM_ZsetAddFlagsToCoreFlags(int flags) {
    int retflags = 0;
    if (flags & REDISMODULE_ZADD_XX) retflags |= ZADD_XX;
    if (flags & REDISMODULE_ZADD_NX) retflags |= ZADD_NX;
    return retflags;
}

/* See previous function comment. */
int RM_ZsetAddFlagsFromCoreFlags(int flags) {
    int retflags = 0;
    if (flags & ZADD_ADDED) retflags |= REDISMODULE_ZADD_ADDED;
    if (flags & ZADD_UPDATED) retflags |= REDISMODULE_ZADD_UPDATED;
    if (flags & ZADD_NOP) retflags |= REDISMODULE_ZADD_NOP;
    return retflags;
}

/* Add a new element into a sorted set, with the specified 'score'.
 * If the element already exists, the score is updated.
 *
 * A new sorted set is created at value if the key is an empty open key
 * setup for writing.
 *
 * Additional flags can be passed to the function via a pointer, the flags
 * are both used to receive input and to communicate state when the function
 * returns. 'flagsptr' can be NULL if no special flags are used.
 *
 * The input flags are:
 *
2261 2262
 *     REDISMODULE_ZADD_XX: Element must already exist. Do nothing otherwise.
 *     REDISMODULE_ZADD_NX: Element must not exist. Do nothing otherwise.
A
antirez 已提交
2263 2264 2265
 *
 * The output flags are:
 *
2266 2267 2268
 *     REDISMODULE_ZADD_ADDED: The new element was added to the sorted set.
 *     REDISMODULE_ZADD_UPDATED: The score of the element was updated.
 *     REDISMODULE_ZADD_NOP: No operation was performed because XX or NX flags.
A
antirez 已提交
2269 2270 2271 2272
 *
 * On success the function returns REDISMODULE_OK. On the following errors
 * REDISMODULE_ERR is returned:
 *
A
antirez 已提交
2273 2274 2275
 * * The key was not opened for writing.
 * * The key is of the wrong type.
 * * 'score' double value is not a number (NaN).
A
antirez 已提交
2276 2277 2278
 */
int RM_ZsetAdd(RedisModuleKey *key, double score, RedisModuleString *ele, int *flagsptr) {
    int flags = 0;
A
antirez 已提交
2279
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
A
antirez 已提交
2280
    if (key->value && key->value->type != OBJ_ZSET) return REDISMODULE_ERR;
I
Itamar Haber 已提交
2281
    if (key->value == NULL) moduleCreateEmptyKey(key,REDISMODULE_KEYTYPE_ZSET);
A
antirez 已提交
2282 2283 2284 2285 2286 2287 2288 2289 2290 2291 2292 2293 2294 2295 2296 2297 2298
    if (flagsptr) flags = RM_ZsetAddFlagsToCoreFlags(*flagsptr);
    if (zsetAdd(key->value,score,ele->ptr,&flags,NULL) == 0) {
        if (flagsptr) *flagsptr = 0;
        return REDISMODULE_ERR;
    }
    if (flagsptr) *flagsptr = RM_ZsetAddFlagsFromCoreFlags(flags);
    return REDISMODULE_OK;
}

/* This function works exactly like RM_ZsetAdd(), but instead of setting
 * a new score, the score of the existing element is incremented, or if the
 * element does not already exist, it is added assuming the old score was
 * zero.
 *
 * The input and output flags, and the return value, have the same exact
 * meaning, with the only difference that this function will return
 * REDISMODULE_ERR even when 'score' is a valid double number, but adding it
G
Guy Korland 已提交
2299
 * to the existing score results into a NaN (not a number) condition.
A
antirez 已提交
2300 2301 2302 2303 2304 2305 2306
 *
 * This function has an additional field 'newscore', if not NULL is filled
 * with the new score of the element after the increment, if no error
 * is returned. */
int RM_ZsetIncrby(RedisModuleKey *key, double score, RedisModuleString *ele, int *flagsptr, double *newscore) {
    int flags = 0;
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
A
antirez 已提交
2307
    if (key->value && key->value->type != OBJ_ZSET) return REDISMODULE_ERR;
I
Itamar Haber 已提交
2308
    if (key->value == NULL) moduleCreateEmptyKey(key,REDISMODULE_KEYTYPE_ZSET);
A
antirez 已提交
2309
    if (flagsptr) flags = RM_ZsetAddFlagsToCoreFlags(*flagsptr);
2310
    flags |= ZADD_INCR;
A
antirez 已提交
2311 2312 2313 2314 2315 2316 2317 2318 2319 2320
    if (zsetAdd(key->value,score,ele->ptr,&flags,newscore) == 0) {
        if (flagsptr) *flagsptr = 0;
        return REDISMODULE_ERR;
    }
    /* zsetAdd() may signal back that the resulting score is not a number. */
    if (flagsptr && (*flagsptr & ZADD_NAN)) {
        *flagsptr = 0;
        return REDISMODULE_ERR;
    }
    if (flagsptr) *flagsptr = RM_ZsetAddFlagsFromCoreFlags(flags);
A
antirez 已提交
2321 2322 2323
    return REDISMODULE_OK;
}

A
antirez 已提交
2324 2325 2326 2327
/* Remove the specified element from the sorted set.
 * The function returns REDISMODULE_OK on success, and REDISMODULE_ERR
 * on one of the following conditions:
 *
A
antirez 已提交
2328 2329
 * * The key was not opened for writing.
 * * The key is of the wrong type.
A
antirez 已提交
2330 2331 2332 2333 2334 2335 2336 2337 2338 2339 2340 2341 2342 2343
 *
 * The return value does NOT indicate the fact the element was really
 * removed (since it existed) or not, just if the function was executed
 * with success.
 *
 * In order to know if the element was removed, the additional argument
 * 'deleted' must be passed, that populates the integer by reference
 * setting it to 1 or 0 depending on the outcome of the operation.
 * The 'deleted' argument can be NULL if the caller is not interested
 * to know if the element was really removed.
 *
 * Empty keys will be handled correctly by doing nothing. */
int RM_ZsetRem(RedisModuleKey *key, RedisModuleString *ele, int *deleted) {
    if (!(key->mode & REDISMODULE_WRITE)) return REDISMODULE_ERR;
A
antirez 已提交
2344
    if (key->value && key->value->type != OBJ_ZSET) return REDISMODULE_ERR;
A
antirez 已提交
2345 2346 2347 2348 2349 2350 2351 2352
    if (key->value != NULL && zsetDel(key->value,ele->ptr)) {
        if (deleted) *deleted = 1;
    } else {
        if (deleted) *deleted = 0;
    }
    return REDISMODULE_OK;
}

A
antirez 已提交
2353 2354 2355 2356
/* On success retrieve the double score associated at the sorted set element
 * 'ele' and returns REDISMODULE_OK. Otherwise REDISMODULE_ERR is returned
 * to signal one of the following conditions:
 *
A
antirez 已提交
2357 2358 2359
 * * There is no such element 'ele' in the sorted set.
 * * The key is not a sorted set.
 * * The key is an open empty key.
A
antirez 已提交
2360 2361 2362
 */
int RM_ZsetScore(RedisModuleKey *key, RedisModuleString *ele, double *score) {
    if (key->value == NULL) return REDISMODULE_ERR;
A
antirez 已提交
2363
    if (key->value->type != OBJ_ZSET) return REDISMODULE_ERR;
A
antirez 已提交
2364 2365 2366 2367
    if (zsetScore(key->value,ele->ptr,score) == C_ERR) return REDISMODULE_ERR;
    return REDISMODULE_OK;
}

A
antirez 已提交
2368 2369 2370 2371
/* --------------------------------------------------------------------------
 * Key API for Sorted Set iterator
 * -------------------------------------------------------------------------- */

A
antirez 已提交
2372
void zsetKeyReset(RedisModuleKey *key) {
2373 2374 2375 2376 2377
    key->ztype = REDISMODULE_ZSET_RANGE_NONE;
    key->zcurrent = NULL;
    key->zer = 1;
}

A
antirez 已提交
2378 2379
/* Stop a sorted set iteration. */
void RM_ZsetRangeStop(RedisModuleKey *key) {
A
antirez 已提交
2380
    /* Free resources if needed. */
2381
    if (key->ztype == REDISMODULE_ZSET_RANGE_LEX)
A
antirez 已提交
2382
        zslFreeLexRange(&key->zlrs);
A
antirez 已提交
2383 2384 2385
    /* Setup sensible values so that misused iteration API calls when an
     * iterator is not active will result into something more sensible
     * than crashing. */
2386
    zsetKeyReset(key);
A
antirez 已提交
2387 2388 2389 2390 2391 2392 2393
}

/* Return the "End of range" flag value to signal the end of the iteration. */
int RM_ZsetRangeEndReached(RedisModuleKey *key) {
    return key->zer;
}

A
antirez 已提交
2394 2395 2396
/* Helper function for RM_ZsetFirstInScoreRange() and RM_ZsetLastInScoreRange().
 * Setup the sorted set iteration according to the specified score range
 * (see the functions calling it for more info). If 'first' is true the
A
antirez 已提交
2397 2398 2399
 * first element in the range is used as a starting point for the iterator
 * otherwise the last. Return REDISMODULE_OK on success otherwise
 * REDISMODULE_ERR. */
A
antirez 已提交
2400
int zsetInitScoreRange(RedisModuleKey *key, double min, double max, int minex, int maxex, int first) {
A
antirez 已提交
2401
    if (!key->value || key->value->type != OBJ_ZSET) return REDISMODULE_ERR;
A
antirez 已提交
2402 2403 2404

    RM_ZsetRangeStop(key);
    key->ztype = REDISMODULE_ZSET_RANGE_SCORE;
A
antirez 已提交
2405 2406
    key->zer = 0;

A
antirez 已提交
2407 2408 2409 2410 2411 2412 2413 2414 2415 2416 2417 2418 2419 2420 2421 2422
    /* Setup the range structure used by the sorted set core implementation
     * in order to seek at the specified element. */
    zrangespec *zrs = &key->zrs;
    zrs->min = min;
    zrs->max = max;
    zrs->minex = minex;
    zrs->maxex = maxex;

    if (key->value->encoding == OBJ_ENCODING_ZIPLIST) {
        key->zcurrent = first ? zzlFirstInRange(key->value->ptr,zrs) :
                                zzlLastInRange(key->value->ptr,zrs);
    } else if (key->value->encoding == OBJ_ENCODING_SKIPLIST) {
        zset *zs = key->value->ptr;
        zskiplist *zsl = zs->zsl;
        key->zcurrent = first ? zslFirstInRange(zsl,zrs) :
                                zslLastInRange(zsl,zrs);
A
antirez 已提交
2423
    } else {
A
antirez 已提交
2424
        serverPanic("Unsupported zset encoding");
A
antirez 已提交
2425
    }
A
antirez 已提交
2426 2427
    if (key->zcurrent == NULL) key->zer = 1;
    return REDISMODULE_OK;
A
antirez 已提交
2428 2429
}

A
antirez 已提交
2430 2431 2432 2433
/* Setup a sorted set iterator seeking the first element in the specified
 * range. Returns REDISMODULE_OK if the iterator was correctly initialized
 * otherwise REDISMODULE_ERR is returned in the following conditions:
 *
A
antirez 已提交
2434 2435 2436 2437 2438 2439 2440 2441 2442 2443 2444
 * 1. The value stored at key is not a sorted set or the key is empty.
 *
 * The range is specified according to the two double values 'min' and 'max'.
 * Both can be infinite using the following two macros:
 *
 * REDISMODULE_POSITIVE_INFINITE for positive infinite value
 * REDISMODULE_NEGATIVE_INFINITE for negative infinite value
 *
 * 'minex' and 'maxex' parameters, if true, respectively setup a range
 * where the min and max value are exclusive (not included) instead of
 * inclusive. */
A
antirez 已提交
2445 2446
int RM_ZsetFirstInScoreRange(RedisModuleKey *key, double min, double max, int minex, int maxex) {
    return zsetInitScoreRange(key,min,max,minex,maxex,1);
A
antirez 已提交
2447 2448
}

A
antirez 已提交
2449
/* Exactly like RedisModule_ZsetFirstInScoreRange() but the last element of
A
antirez 已提交
2450
 * the range is selected for the start of the iteration instead. */
A
antirez 已提交
2451 2452
int RM_ZsetLastInScoreRange(RedisModuleKey *key, double min, double max, int minex, int maxex) {
    return zsetInitScoreRange(key,min,max,minex,maxex,0);
A
antirez 已提交
2453 2454
}

A
antirez 已提交
2455 2456 2457 2458 2459 2460 2461 2462 2463 2464 2465 2466 2467 2468 2469 2470 2471 2472 2473 2474
/* Helper function for RM_ZsetFirstInLexRange() and RM_ZsetLastInLexRange().
 * Setup the sorted set iteration according to the specified lexicographical
 * range (see the functions calling it for more info). If 'first' is true the
 * first element in the range is used as a starting point for the iterator
 * otherwise the last. Return REDISMODULE_OK on success otherwise
 * REDISMODULE_ERR.
 *
 * Note that this function takes 'min' and 'max' in the same form of the
 * Redis ZRANGEBYLEX command. */
int zsetInitLexRange(RedisModuleKey *key, RedisModuleString *min, RedisModuleString *max, int first) {
    if (!key->value || key->value->type != OBJ_ZSET) return REDISMODULE_ERR;

    RM_ZsetRangeStop(key);
    key->zer = 0;

    /* Setup the range structure used by the sorted set core implementation
     * in order to seek at the specified element. */
    zlexrangespec *zlrs = &key->zlrs;
    if (zslParseLexRange(min, max, zlrs) == C_ERR) return REDISMODULE_ERR;

A
antirez 已提交
2475 2476 2477 2478
    /* Set the range type to lex only after successfully parsing the range,
     * otherwise we don't want the zlexrangespec to be freed. */
    key->ztype = REDISMODULE_ZSET_RANGE_LEX;

A
antirez 已提交
2479 2480 2481 2482 2483 2484 2485 2486 2487 2488 2489 2490
    if (key->value->encoding == OBJ_ENCODING_ZIPLIST) {
        key->zcurrent = first ? zzlFirstInLexRange(key->value->ptr,zlrs) :
                                zzlLastInLexRange(key->value->ptr,zlrs);
    } else if (key->value->encoding == OBJ_ENCODING_SKIPLIST) {
        zset *zs = key->value->ptr;
        zskiplist *zsl = zs->zsl;
        key->zcurrent = first ? zslFirstInLexRange(zsl,zlrs) :
                                zslLastInLexRange(zsl,zlrs);
    } else {
        serverPanic("Unsupported zset encoding");
    }
    if (key->zcurrent == NULL) key->zer = 1;
A
antirez 已提交
2491

A
antirez 已提交
2492 2493 2494 2495 2496 2497 2498 2499 2500 2501 2502 2503 2504 2505 2506 2507 2508 2509 2510 2511 2512 2513 2514 2515 2516
    return REDISMODULE_OK;
}

/* Setup a sorted set iterator seeking the first element in the specified
 * lexicographical range. Returns REDISMODULE_OK if the iterator was correctly
 * initialized otherwise REDISMODULE_ERR is returned in the
 * following conditions:
 *
 * 1. The value stored at key is not a sorted set or the key is empty.
 * 2. The lexicographical range 'min' and 'max' format is invalid.
 *
 * 'min' and 'max' should be provided as two RedisModuleString objects
 * in the same format as the parameters passed to the ZRANGEBYLEX command.
 * The function does not take ownership of the objects, so they can be released
 * ASAP after the iterator is setup. */
int RM_ZsetFirstInLexRange(RedisModuleKey *key, RedisModuleString *min, RedisModuleString *max) {
    return zsetInitLexRange(key,min,max,1);
}

/* Exactly like RedisModule_ZsetFirstInLexRange() but the last element of
 * the range is selected for the start of the iteration instead. */
int RM_ZsetLastInLexRange(RedisModuleKey *key, RedisModuleString *min, RedisModuleString *max) {
    return zsetInitLexRange(key,min,max,0);
}

A
antirez 已提交
2517 2518 2519 2520
/* Return the current sorted set element of an active sorted set iterator
 * or NULL if the range specified in the iterator does not include any
 * element. */
RedisModuleString *RM_ZsetRangeCurrentElement(RedisModuleKey *key, double *score) {
2521 2522
    RedisModuleString *str;

A
antirez 已提交
2523 2524 2525 2526 2527 2528 2529 2530 2531
    if (key->zcurrent == NULL) return NULL;
    if (key->value->encoding == OBJ_ENCODING_ZIPLIST) {
        unsigned char *eptr, *sptr;
        eptr = key->zcurrent;
        sds ele = ziplistGetObject(eptr);
        if (score) {
            sptr = ziplistNext(key->value->ptr,eptr);
            *score = zzlGetScore(sptr);
        }
2532
        str = createObject(OBJ_STRING,ele);
A
antirez 已提交
2533 2534 2535
    } else if (key->value->encoding == OBJ_ENCODING_SKIPLIST) {
        zskiplistNode *ln = key->zcurrent;
        if (score) *score = ln->score;
2536
        str = createStringObject(ln->ele,sdslen(ln->ele));
A
antirez 已提交
2537 2538 2539
    } else {
        serverPanic("Unsupported zset encoding");
    }
2540
    autoMemoryAdd(key->ctx,REDISMODULE_AM_STRING,str);
2541
    return str;
A
antirez 已提交
2542 2543 2544 2545 2546 2547
}

/* Go to the next element of the sorted set iterator. Returns 1 if there was
 * a next element, 0 if we are already at the latest element or the range
 * does not include any item at all. */
int RM_ZsetRangeNext(RedisModuleKey *key) {
A
antirez 已提交
2548
    if (!key->ztype || !key->zcurrent) return 0; /* No active iterator. */
A
antirez 已提交
2549

A
antirez 已提交
2550 2551 2552 2553 2554 2555 2556 2557 2558 2559
    if (key->value->encoding == OBJ_ENCODING_ZIPLIST) {
        unsigned char *zl = key->value->ptr;
        unsigned char *eptr = key->zcurrent;
        unsigned char *next;
        next = ziplistNext(zl,eptr); /* Skip element. */
        if (next) next = ziplistNext(zl,next); /* Skip score. */
        if (next == NULL) {
            key->zer = 1;
            return 0;
        } else {
A
antirez 已提交
2560
            /* Are we still within the range? */
A
antirez 已提交
2561
            if (key->ztype == REDISMODULE_ZSET_RANGE_SCORE) {
A
antirez 已提交
2562 2563 2564 2565 2566
                /* Fetch the next element score for the
                 * range check. */
                unsigned char *saved_next = next;
                next = ziplistNext(zl,next); /* Skip next element. */
                double score = zzlGetScore(next); /* Obtain the next score. */
A
antirez 已提交
2567
                if (!zslValueLteMax(score,&key->zrs)) {
A
antirez 已提交
2568 2569 2570 2571
                    key->zer = 1;
                    return 0;
                }
                next = saved_next;
2572
            } else if (key->ztype == REDISMODULE_ZSET_RANGE_LEX) {
A
antirez 已提交
2573 2574 2575 2576
                if (!zzlLexValueLteMax(next,&key->zlrs)) {
                    key->zer = 1;
                    return 0;
                }
A
antirez 已提交
2577
            }
A
antirez 已提交
2578
            key->zcurrent = next;
A
antirez 已提交
2579 2580 2581 2582 2583 2584 2585 2586
            return 1;
        }
    } else if (key->value->encoding == OBJ_ENCODING_SKIPLIST) {
        zskiplistNode *ln = key->zcurrent, *next = ln->level[0].forward;
        if (next == NULL) {
            key->zer = 1;
            return 0;
        } else {
A
antirez 已提交
2587
            /* Are we still within the range? */
A
antirez 已提交
2588
            if (key->ztype == REDISMODULE_ZSET_RANGE_SCORE &&
2589
                !zslValueLteMax(next->score,&key->zrs))
A
antirez 已提交
2590 2591 2592
            {
                key->zer = 1;
                return 0;
2593
            } else if (key->ztype == REDISMODULE_ZSET_RANGE_LEX) {
2594
                if (!zslLexValueLteMax(next->ele,&key->zlrs)) {
A
antirez 已提交
2595 2596 2597
                    key->zer = 1;
                    return 0;
                }
A
antirez 已提交
2598
            }
A
antirez 已提交
2599 2600 2601 2602 2603 2604 2605 2606
            key->zcurrent = next;
            return 1;
        }
    } else {
        serverPanic("Unsupported zset encoding");
    }
}

A
antirez 已提交
2607 2608 2609 2610
/* Go to the previous element of the sorted set iterator. Returns 1 if there was
 * a previous element, 0 if we are already at the first element or the range
 * does not include any item at all. */
int RM_ZsetRangePrev(RedisModuleKey *key) {
A
antirez 已提交
2611
    if (!key->ztype || !key->zcurrent) return 0; /* No active iterator. */
A
antirez 已提交
2612 2613 2614 2615 2616 2617 2618 2619 2620 2621 2622 2623

    if (key->value->encoding == OBJ_ENCODING_ZIPLIST) {
        unsigned char *zl = key->value->ptr;
        unsigned char *eptr = key->zcurrent;
        unsigned char *prev;
        prev = ziplistPrev(zl,eptr); /* Go back to previous score. */
        if (prev) prev = ziplistPrev(zl,prev); /* Back to previous ele. */
        if (prev == NULL) {
            key->zer = 1;
            return 0;
        } else {
            /* Are we still within the range? */
A
antirez 已提交
2624
            if (key->ztype == REDISMODULE_ZSET_RANGE_SCORE) {
A
antirez 已提交
2625 2626 2627
                /* Fetch the previous element score for the
                 * range check. */
                unsigned char *saved_prev = prev;
A
antirez 已提交
2628
                prev = ziplistNext(zl,prev); /* Skip element to get the score.*/
A
antirez 已提交
2629
                double score = zzlGetScore(prev); /* Obtain the prev score. */
A
antirez 已提交
2630
                if (!zslValueGteMin(score,&key->zrs)) {
A
antirez 已提交
2631 2632 2633 2634
                    key->zer = 1;
                    return 0;
                }
                prev = saved_prev;
2635
            } else if (key->ztype == REDISMODULE_ZSET_RANGE_LEX) {
A
antirez 已提交
2636 2637 2638 2639
                if (!zzlLexValueGteMin(prev,&key->zlrs)) {
                    key->zer = 1;
                    return 0;
                }
A
antirez 已提交
2640 2641 2642 2643 2644 2645 2646 2647 2648 2649 2650
            }
            key->zcurrent = prev;
            return 1;
        }
    } else if (key->value->encoding == OBJ_ENCODING_SKIPLIST) {
        zskiplistNode *ln = key->zcurrent, *prev = ln->backward;
        if (prev == NULL) {
            key->zer = 1;
            return 0;
        } else {
            /* Are we still within the range? */
A
antirez 已提交
2651
            if (key->ztype == REDISMODULE_ZSET_RANGE_SCORE &&
2652
                !zslValueGteMin(prev->score,&key->zrs))
A
antirez 已提交
2653 2654 2655
            {
                key->zer = 1;
                return 0;
2656
            } else if (key->ztype == REDISMODULE_ZSET_RANGE_LEX) {
A
antirez 已提交
2657 2658 2659 2660
                if (!zslLexValueGteMin(prev->ele,&key->zlrs)) {
                    key->zer = 1;
                    return 0;
                }
A
antirez 已提交
2661 2662 2663 2664 2665 2666 2667 2668 2669
            }
            key->zcurrent = prev;
            return 1;
        }
    } else {
        serverPanic("Unsupported zset encoding");
    }
}

A
antirez 已提交
2670 2671 2672 2673 2674 2675 2676 2677 2678 2679
/* --------------------------------------------------------------------------
 * Key API for Hash type
 * -------------------------------------------------------------------------- */

/* Set the field of the specified hash field to the specified value.
 * If the key is an empty key open for writing, it is created with an empty
 * hash value, in order to set the specified field.
 *
 * The function is variadic and the user must specify pairs of field
 * names and values, both as RedisModuleString pointers (unless the
2680 2681 2682
 * CFIELD option is set, see later). At the end of the field/value-ptr pairs, 
 * NULL must be specified as last argument to signal the end of the arguments 
 * in the variadic function.
A
antirez 已提交
2683 2684 2685
 *
 * Example to set the hash argv[1] to the value argv[2]:
 *
2686
 *      RedisModule_HashSet(key,REDISMODULE_HASH_NONE,argv[1],argv[2],NULL);
A
antirez 已提交
2687 2688
 *
 * The function can also be used in order to delete fields (if they exist)
2689
 * by setting them to the specified value of REDISMODULE_HASH_DELETE:
A
antirez 已提交
2690
 *
2691 2692
 *      RedisModule_HashSet(key,REDISMODULE_HASH_NONE,argv[1],
 *                          REDISMODULE_HASH_DELETE,NULL);
A
antirez 已提交
2693 2694
 *
 * The behavior of the command changes with the specified flags, that can be
2695
 * set to REDISMODULE_HASH_NONE if no special behavior is needed.
A
antirez 已提交
2696
 *
2697 2698 2699 2700 2701 2702 2703 2704
 *     REDISMODULE_HASH_NX: The operation is performed only if the field was not
 *                          already existing in the hash.
 *     REDISMODULE_HASH_XX: The operation is performed only if the field was
 *                          already existing, so that a new value could be
 *                          associated to an existing filed, but no new fields
 *                          are created.
 *     REDISMODULE_HASH_CFIELDS: The field names passed are null terminated C
 *                               strings instead of RedisModuleString objects.
A
antirez 已提交
2705 2706 2707 2708
 *
 * Unless NX is specified, the command overwrites the old field value with
 * the new one.
 *
2709
 * When using REDISMODULE_HASH_CFIELDS, field names are reported using
A
antirez 已提交
2710 2711 2712
 * normal C strings, so for example to delete the field "foo" the following
 * code can be used:
 *
2713 2714
 *      RedisModule_HashSet(key,REDISMODULE_HASH_CFIELDS,"foo",
 *                          REDISMODULE_HASH_DELETE,NULL);
A
antirez 已提交
2715 2716 2717 2718 2719 2720 2721 2722
 *
 * Return value:
 *
 * The number of fields updated (that may be less than the number of fields
 * specified because of the XX or NX options).
 *
 * In the following case the return value is always zero:
 *
A
antirez 已提交
2723 2724
 * * The key was not open for writing.
 * * The key was associated with a non Hash value.
A
antirez 已提交
2725 2726 2727 2728 2729
 */
int RM_HashSet(RedisModuleKey *key, int flags, ...) {
    va_list ap;
    if (!(key->mode & REDISMODULE_WRITE)) return 0;
    if (key->value && key->value->type != OBJ_HASH) return 0;
I
Itamar Haber 已提交
2730
    if (key->value == NULL) moduleCreateEmptyKey(key,REDISMODULE_KEYTYPE_HASH);
A
antirez 已提交
2731 2732 2733 2734 2735 2736

    int updated = 0;
    va_start(ap, flags);
    while(1) {
        RedisModuleString *field, *value;
        /* Get the field and value objects. */
2737
        if (flags & REDISMODULE_HASH_CFIELDS) {
A
antirez 已提交
2738 2739 2740 2741 2742 2743 2744 2745 2746 2747
            char *cfield = va_arg(ap,char*);
            if (cfield == NULL) break;
            field = createRawStringObject(cfield,strlen(cfield));
        } else {
            field = va_arg(ap,RedisModuleString*);
            if (field == NULL) break;
        }
        value = va_arg(ap,RedisModuleString*);

        /* Handle XX and NX */
2748
        if (flags & (REDISMODULE_HASH_XX|REDISMODULE_HASH_NX)) {
A
antirez 已提交
2749
            int exists = hashTypeExists(key->value, field->ptr);
2750 2751
            if (((flags & REDISMODULE_HASH_XX) && !exists) ||
                ((flags & REDISMODULE_HASH_NX) && exists))
A
antirez 已提交
2752
            {
2753
                if (flags & REDISMODULE_HASH_CFIELDS) decrRefCount(field);
A
antirez 已提交
2754 2755 2756 2757
                continue;
            }
        }

2758 2759
        /* Handle deletion if value is REDISMODULE_HASH_DELETE. */
        if (value == REDISMODULE_HASH_DELETE) {
A
antirez 已提交
2760
            updated += hashTypeDelete(key->value, field->ptr);
2761
            if (flags & REDISMODULE_HASH_CFIELDS) decrRefCount(field);
A
antirez 已提交
2762 2763 2764
            continue;
        }

2765
        int low_flags = HASH_SET_COPY;
A
antirez 已提交
2766 2767 2768
        /* If CFIELDS is active, we can pass the ownership of the
         * SDS object to the low level function that sets the field
         * to avoid a useless copy. */
2769
        if (flags & REDISMODULE_HASH_CFIELDS)
A
antirez 已提交
2770
            low_flags |= HASH_SET_TAKE_FIELD;
2771 2772 2773

        robj *argv[2] = {field,value};
        hashTypeTryConversion(key->value,argv,0,1);
A
antirez 已提交
2774
        updated += hashTypeSet(key->value, field->ptr, value->ptr, low_flags);
2775 2776 2777

        /* If CFIELDS is active, SDS string ownership is now of hashTypeSet(),
         * however we still have to release the 'field' object shell. */
2778
        if (flags & REDISMODULE_HASH_CFIELDS) {
2779
           field->ptr = NULL; /* Prevent the SDS string from being freed. */
2780 2781
           decrRefCount(field);
        }
A
antirez 已提交
2782 2783 2784 2785 2786 2787 2788 2789 2790 2791 2792 2793 2794 2795 2796
    }
    va_end(ap);
    moduleDelKeyIfEmpty(key);
    return updated;
}

/* Get fields from an hash value. This function is called using a variable
 * number of arguments, alternating a field name (as a StringRedisModule
 * pointer) with a pointer to a StringRedisModule pointer, that is set to the
 * value of the field if the field exist, or NULL if the field did not exist.
 * At the end of the field/value-ptr pairs, NULL must be specified as last
 * argument to signal the end of the arguments in the variadic function.
 *
 * This is an example usage:
 *
A
antirez 已提交
2797 2798
 *      RedisModuleString *first, *second;
 *      RedisModule_HashGet(mykey,REDISMODULE_HASH_NONE,argv[1],&first,
A
antirez 已提交
2799 2800 2801
 *                      argv[2],&second,NULL);
 *
 * As with RedisModule_HashSet() the behavior of the command can be specified
2802
 * passing flags different than REDISMODULE_HASH_NONE:
A
antirez 已提交
2803
 *
2804
 * REDISMODULE_HASH_CFIELD: field names as null terminated C strings.
A
antirez 已提交
2805
 *
2806
 * REDISMODULE_HASH_EXISTS: instead of setting the value of the field
A
antirez 已提交
2807
 * expecting a RedisModuleString pointer to pointer, the function just
D
Doug Nelson 已提交
2808
 * reports if the field exists or not and expects an integer pointer
A
antirez 已提交
2809 2810
 * as the second element of each pair.
 *
2811
 * Example of REDISMODULE_HASH_CFIELD:
A
antirez 已提交
2812
 *
A
antirez 已提交
2813 2814
 *      RedisModuleString *username, *hashedpass;
 *      RedisModule_HashGet(mykey,"username",&username,"hp",&hashedpass, NULL);
A
antirez 已提交
2815
 *
2816
 * Example of REDISMODULE_HASH_EXISTS:
A
antirez 已提交
2817
 *
A
antirez 已提交
2818 2819
 *      int exists;
 *      RedisModule_HashGet(mykey,argv[1],&exists,NULL);
A
antirez 已提交
2820 2821 2822
 *
 * The function returns REDISMODULE_OK on success and REDISMODULE_ERR if
 * the key is not an hash value.
A
antirez 已提交
2823 2824 2825 2826 2827
 *
 * Memory management:
 *
 * The returned RedisModuleString objects should be released with
 * RedisModule_FreeString(), or by enabling automatic memory management.
A
antirez 已提交
2828 2829
 */
int RM_HashGet(RedisModuleKey *key, int flags, ...) {
A
antirez 已提交
2830 2831 2832 2833 2834 2835 2836 2837
    va_list ap;
    if (key->value && key->value->type != OBJ_HASH) return REDISMODULE_ERR;

    va_start(ap, flags);
    while(1) {
        RedisModuleString *field, **valueptr;
        int *existsptr;
        /* Get the field object and the value pointer to pointer. */
2838
        if (flags & REDISMODULE_HASH_CFIELDS) {
A
antirez 已提交
2839 2840 2841 2842 2843 2844 2845 2846 2847
            char *cfield = va_arg(ap,char*);
            if (cfield == NULL) break;
            field = createRawStringObject(cfield,strlen(cfield));
        } else {
            field = va_arg(ap,RedisModuleString*);
            if (field == NULL) break;
        }

        /* Query the hash for existence or value object. */
2848
        if (flags & REDISMODULE_HASH_EXISTS) {
A
antirez 已提交
2849 2850 2851 2852 2853 2854 2855 2856 2857 2858 2859 2860 2861 2862 2863 2864 2865 2866 2867 2868 2869 2870
            existsptr = va_arg(ap,int*);
            if (key->value)
                *existsptr = hashTypeExists(key->value,field->ptr);
            else
                *existsptr = 0;
        } else {
            valueptr = va_arg(ap,RedisModuleString**);
            if (key->value) {
                *valueptr = hashTypeGetValueObject(key->value,field->ptr);
                if (*valueptr) {
                    robj *decoded = getDecodedObject(*valueptr);
                    decrRefCount(*valueptr);
                    *valueptr = decoded;
                }
                if (*valueptr)
                    autoMemoryAdd(key->ctx,REDISMODULE_AM_STRING,*valueptr);
            } else {
                *valueptr = NULL;
            }
        }

        /* Cleanup */
2871
        if (flags & REDISMODULE_HASH_CFIELDS) decrRefCount(field);
A
antirez 已提交
2872 2873
    }
    va_end(ap);
2874
    return REDISMODULE_OK;
A
antirez 已提交
2875 2876
}

A
antirez 已提交
2877 2878 2879 2880 2881 2882 2883 2884 2885 2886 2887 2888 2889 2890 2891 2892
/* --------------------------------------------------------------------------
 * Redis <-> Modules generic Call() API
 * -------------------------------------------------------------------------- */

/* Create a new RedisModuleCallReply object. The processing of the reply
 * is lazy, the object is just populated with the raw protocol and later
 * is processed as needed. Initially we just make sure to set the right
 * reply type, which is extremely cheap to do. */
RedisModuleCallReply *moduleCreateCallReplyFromProto(RedisModuleCtx *ctx, sds proto) {
    RedisModuleCallReply *reply = zmalloc(sizeof(*reply));
    reply->ctx = ctx;
    reply->proto = proto;
    reply->protolen = sdslen(proto);
    reply->flags = REDISMODULE_REPLYFLAG_TOPARSE; /* Lazy parsing. */
    switch(proto[0]) {
    case '$':
2893 2894 2895 2896
    case '+': reply->type = REDISMODULE_REPLY_STRING; break;
    case '-': reply->type = REDISMODULE_REPLY_ERROR; break;
    case ':': reply->type = REDISMODULE_REPLY_INTEGER; break;
    case '*': reply->type = REDISMODULE_REPLY_ARRAY; break;
2897
    default: reply->type = REDISMODULE_REPLY_UNKNOWN; break;
A
antirez 已提交
2898 2899 2900 2901 2902 2903 2904 2905 2906 2907 2908 2909 2910 2911 2912 2913 2914 2915 2916 2917 2918 2919 2920 2921 2922 2923 2924 2925 2926 2927 2928 2929 2930 2931 2932 2933 2934 2935 2936 2937 2938 2939 2940
    }
    if ((proto[0] == '*' || proto[0] == '$') && proto[1] == '-')
        reply->type = REDISMODULE_REPLY_NULL;
    return reply;
}

void moduleParseCallReply_Int(RedisModuleCallReply *reply);
void moduleParseCallReply_BulkString(RedisModuleCallReply *reply);
void moduleParseCallReply_SimpleString(RedisModuleCallReply *reply);
void moduleParseCallReply_Array(RedisModuleCallReply *reply);

/* Do nothing if REDISMODULE_REPLYFLAG_TOPARSE is false, otherwise
 * use the protcol of the reply in reply->proto in order to fill the
 * reply with parsed data according to the reply type. */
void moduleParseCallReply(RedisModuleCallReply *reply) {
    if (!(reply->flags & REDISMODULE_REPLYFLAG_TOPARSE)) return;
    reply->flags &= ~REDISMODULE_REPLYFLAG_TOPARSE;

    switch(reply->proto[0]) {
    case ':': moduleParseCallReply_Int(reply); break;
    case '$': moduleParseCallReply_BulkString(reply); break;
    case '-': /* handled by next item. */
    case '+': moduleParseCallReply_SimpleString(reply); break;
    case '*': moduleParseCallReply_Array(reply); break;
    }
}

void moduleParseCallReply_Int(RedisModuleCallReply *reply) {
    char *proto = reply->proto;
    char *p = strchr(proto+1,'\r');

    string2ll(proto+1,p-proto-1,&reply->val.ll);
    reply->protolen = p-proto+2;
    reply->type = REDISMODULE_REPLY_INTEGER;
}

void moduleParseCallReply_BulkString(RedisModuleCallReply *reply) {
    char *proto = reply->proto;
    char *p = strchr(proto+1,'\r');
    long long bulklen;

    string2ll(proto+1,p-proto-1,&bulklen);
    if (bulklen == -1) {
S
Sun He 已提交
2941
        reply->protolen = p-proto+2;
A
antirez 已提交
2942 2943 2944 2945 2946 2947 2948 2949 2950 2951 2952 2953 2954 2955 2956
        reply->type = REDISMODULE_REPLY_NULL;
    } else {
        reply->val.str = p+2;
        reply->len = bulklen;
        reply->protolen = p-proto+2+bulklen+2;
        reply->type = REDISMODULE_REPLY_STRING;
    }
}

void moduleParseCallReply_SimpleString(RedisModuleCallReply *reply) {
    char *proto = reply->proto;
    char *p = strchr(proto+1,'\r');

    reply->val.str = proto+1;
    reply->len = p-proto-1;
S
Sun He 已提交
2957
    reply->protolen = p-proto+2;
A
antirez 已提交
2958 2959 2960 2961 2962 2963 2964 2965 2966 2967 2968 2969 2970
    reply->type = proto[0] == '+' ? REDISMODULE_REPLY_STRING :
                                    REDISMODULE_REPLY_ERROR;
}

void moduleParseCallReply_Array(RedisModuleCallReply *reply) {
    char *proto = reply->proto;
    char *p = strchr(proto+1,'\r');
    long long arraylen, j;

    string2ll(proto+1,p-proto-1,&arraylen);
    p += 2;

    if (arraylen == -1) {
S
Sun He 已提交
2971
        reply->protolen = p-proto;
A
antirez 已提交
2972 2973 2974 2975 2976 2977 2978 2979 2980 2981 2982
        reply->type = REDISMODULE_REPLY_NULL;
        return;
    }

    reply->val.array = zmalloc(sizeof(RedisModuleCallReply)*arraylen);
    reply->len = arraylen;
    for (j = 0; j < arraylen; j++) {
        RedisModuleCallReply *ele = reply->val.array+j;
        ele->flags = REDISMODULE_REPLYFLAG_NESTED |
                     REDISMODULE_REPLYFLAG_TOPARSE;
        ele->proto = p;
2983
        ele->ctx = reply->ctx;
A
antirez 已提交
2984 2985 2986
        moduleParseCallReply(ele);
        p += ele->protolen;
    }
S
Sun He 已提交
2987
    reply->protolen = p-proto;
A
antirez 已提交
2988 2989 2990 2991 2992
    reply->type = REDISMODULE_REPLY_ARRAY;
}

/* Free a Call reply and all the nested replies it contains if it's an
 * array. */
2993
void RM_FreeCallReply_Rec(RedisModuleCallReply *reply, int freenested){
A
antirez 已提交
2994 2995 2996 2997 2998 2999 3000 3001 3002
    /* Don't free nested replies by default: the user must always free the
     * toplevel reply. However be gentle and don't crash if the module
     * misuses the API. */
    if (!freenested && reply->flags & REDISMODULE_REPLYFLAG_NESTED) return;

    if (!(reply->flags & REDISMODULE_REPLYFLAG_TOPARSE)) {
        if (reply->type == REDISMODULE_REPLY_ARRAY) {
            size_t j;
            for (j = 0; j < reply->len; j++)
3003
                RM_FreeCallReply_Rec(reply->val.array+j,1);
A
antirez 已提交
3004 3005 3006 3007 3008 3009 3010 3011 3012 3013 3014 3015 3016 3017 3018 3019 3020
            zfree(reply->val.array);
        }
    }

    /* For nested replies, we don't free reply->proto (which if not NULL
     * references the parent reply->proto buffer), nor the structure
     * itself which is allocated as an array of structures, and is freed
     * when the array value is released. */
    if (!(reply->flags & REDISMODULE_REPLYFLAG_NESTED)) {
        if (reply->proto) sdsfree(reply->proto);
        zfree(reply);
    }
}

/* Wrapper for the recursive free reply function. This is needed in order
 * to have the first level function to return on nested replies, but only
 * if called by the module API. */
3021
void RM_FreeCallReply(RedisModuleCallReply *reply) {
3022 3023

    RedisModuleCtx *ctx = reply->ctx;
3024
    RM_FreeCallReply_Rec(reply,0);
3025
    autoMemoryFreed(ctx,REDISMODULE_AM_REPLY,reply);
A
antirez 已提交
3026 3027 3028
}

/* Return the reply type. */
3029
int RM_CallReplyType(RedisModuleCallReply *reply) {
3030
    if (!reply) return REDISMODULE_REPLY_UNKNOWN;
A
antirez 已提交
3031 3032 3033 3034
    return reply->type;
}

/* Return the reply type length, where applicable. */
3035
size_t RM_CallReplyLength(RedisModuleCallReply *reply) {
A
antirez 已提交
3036 3037 3038 3039 3040 3041 3042 3043 3044 3045 3046 3047 3048
    moduleParseCallReply(reply);
    switch(reply->type) {
    case REDISMODULE_REPLY_STRING:
    case REDISMODULE_REPLY_ERROR:
    case REDISMODULE_REPLY_ARRAY:
        return reply->len;
    default:
        return 0;
    }
}

/* Return the 'idx'-th nested call reply element of an array reply, or NULL
 * if the reply type is wrong or the index is out of range. */
3049
RedisModuleCallReply *RM_CallReplyArrayElement(RedisModuleCallReply *reply, size_t idx) {
A
antirez 已提交
3050 3051 3052 3053 3054 3055 3056
    moduleParseCallReply(reply);
    if (reply->type != REDISMODULE_REPLY_ARRAY) return NULL;
    if (idx >= reply->len) return NULL;
    return reply->val.array+idx;
}

/* Return the long long of an integer reply. */
3057
long long RM_CallReplyInteger(RedisModuleCallReply *reply) {
A
antirez 已提交
3058 3059 3060 3061 3062 3063
    moduleParseCallReply(reply);
    if (reply->type != REDISMODULE_REPLY_INTEGER) return LLONG_MIN;
    return reply->val.ll;
}

/* Return the pointer and length of a string or error reply. */
3064
const char *RM_CallReplyStringPtr(RedisModuleCallReply *reply, size_t *len) {
A
antirez 已提交
3065 3066 3067 3068 3069 3070 3071 3072 3073
    moduleParseCallReply(reply);
    if (reply->type != REDISMODULE_REPLY_STRING &&
        reply->type != REDISMODULE_REPLY_ERROR) return NULL;
    if (len) *len = reply->len;
    return reply->val.str;
}

/* Return a new string object from a call reply of type string, error or
 * integer. Otherwise (wrong reply type) return NULL. */
3074
RedisModuleString *RM_CreateStringFromCallReply(RedisModuleCallReply *reply) {
A
antirez 已提交
3075 3076 3077 3078
    moduleParseCallReply(reply);
    switch(reply->type) {
    case REDISMODULE_REPLY_STRING:
    case REDISMODULE_REPLY_ERROR:
3079
        return RM_CreateString(reply->ctx,reply->val.str,reply->len);
A
antirez 已提交
3080 3081 3082
    case REDISMODULE_REPLY_INTEGER: {
        char buf[64];
        int len = ll2string(buf,sizeof(buf),reply->val.ll);
3083
        return RM_CreateString(reply->ctx,buf,len);
A
antirez 已提交
3084 3085 3086 3087 3088 3089 3090
        }
    default: return NULL;
    }
}

/* Returns an array of robj pointers, and populates *argc with the number
 * of items, by parsing the format specifier "fmt" as described for
3091
 * the RM_Call(), RM_Replicate() and other module APIs.
A
antirez 已提交
3092 3093 3094 3095
 *
 * The integer pointed by 'flags' is populated with flags according
 * to special modifiers in "fmt". For now only one exists:
 *
3096
 *     "!" -> REDISMODULE_ARGV_REPLICATE
3097 3098
 *     "A" -> REDISMODULE_ARGV_NO_AOF
 *     "R" -> REDISMODULE_ARGV_NO_REPLICAS
A
antirez 已提交
3099 3100 3101 3102 3103 3104 3105 3106 3107 3108 3109 3110 3111 3112 3113 3114 3115 3116 3117 3118 3119 3120 3121 3122 3123 3124 3125 3126 3127 3128 3129
 *
 * On error (format specifier error) NULL is returned and nothing is
 * allocated. On success the argument vector is returned. */
robj **moduleCreateArgvFromUserFormat(const char *cmdname, const char *fmt, int *argcp, int *flags, va_list ap) {
    int argc = 0, argv_size, j;
    robj **argv = NULL;

    /* As a first guess to avoid useless reallocations, size argv to
     * hold one argument for each char specifier in 'fmt'. */
    argv_size = strlen(fmt)+1; /* +1 because of the command name. */
    argv = zrealloc(argv,sizeof(robj*)*argv_size);

    /* Build the arguments vector based on the format specifier. */
    argv[0] = createStringObject(cmdname,strlen(cmdname));
    argc++;

    /* Create the client and dispatch the command. */
    const char *p = fmt;
    while(*p) {
        if (*p == 'c') {
            char *cstr = va_arg(ap,char*);
            argv[argc++] = createStringObject(cstr,strlen(cstr));
        } else if (*p == 's') {
            robj *obj = va_arg(ap,void*);
            argv[argc++] = obj;
            incrRefCount(obj);
        } else if (*p == 'b') {
            char *buf = va_arg(ap,char*);
            size_t len = va_arg(ap,size_t);
            argv[argc++] = createStringObject(buf,len);
        } else if (*p == 'l') {
3130
            long long ll = va_arg(ap,long long);
3131
            argv[argc++] = createObject(OBJ_STRING,sdsfromlonglong(ll));
A
antirez 已提交
3132
        } else if (*p == 'v') {
D
Dvir Volk 已提交
3133
             /* A vector of strings */
D
Dvir Volk 已提交
3134 3135
             robj **v = va_arg(ap, void*);
             size_t vlen = va_arg(ap, size_t);
3136 3137

             /* We need to grow argv to hold the vector's elements.
D
Dvir Volk 已提交
3138 3139
              * We resize by vector_len-1 elements, because we held
              * one element in argv for the vector already */
3140
             argv_size += vlen-1;
D
Dvir Volk 已提交
3141
             argv = zrealloc(argv,sizeof(robj*)*argv_size);
D
Dvir Volk 已提交
3142

3143
             size_t i = 0;
D
Dvir Volk 已提交
3144 3145 3146 3147
             for (i = 0; i < vlen; i++) {
                 incrRefCount(v[i]);
                 argv[argc++] = v[i];
             }
A
antirez 已提交
3148 3149
        } else if (*p == '!') {
            if (flags) (*flags) |= REDISMODULE_ARGV_REPLICATE;
3150 3151 3152 3153
        } else if (*p == 'A') {
            if (flags) (*flags) |= REDISMODULE_ARGV_NO_AOF;
        } else if (*p == 'R') {
            if (flags) (*flags) |= REDISMODULE_ARGV_NO_REPLICAS;
A
antirez 已提交
3154 3155 3156 3157 3158 3159 3160 3161 3162 3163 3164 3165 3166 3167 3168 3169 3170 3171 3172
        } else {
            goto fmterr;
        }
        p++;
    }
    *argcp = argc;
    return argv;

fmterr:
    for (j = 0; j < argc; j++)
        decrRefCount(argv[j]);
    zfree(argv);
    return NULL;
}

/* Exported API to call any Redis command from modules.
 * On success a RedisModuleCallReply object is returned, otherwise
 * NULL is returned and errno is set to the following values:
 *
3173 3174 3175
 * EBADF: wrong format specifier.
 * EINVAL: wrong command arity.
 * ENOENT: command does not exist.
3176 3177 3178 3179
 * EPERM:  operation in Cluster instance with key in non local slot.
 *
 * This API is documented here: https://redis.io/topics/modules-intro
 */
3180
RedisModuleCallReply *RM_Call(RedisModuleCtx *ctx, const char *cmdname, const char *fmt, ...) {
A
antirez 已提交
3181 3182 3183 3184 3185 3186 3187 3188 3189 3190
    struct redisCommand *cmd;
    client *c = NULL;
    robj **argv = NULL;
    int argc = 0, flags = 0;
    va_list ap;
    RedisModuleCallReply *reply = NULL;
    int replicate = 0; /* Replicate this command? */

    /* Create the client and dispatch the command. */
    va_start(ap, fmt);
3191
    c = createClient(NULL);
3192
    c->user = NULL; /* Root user. */
A
antirez 已提交
3193 3194 3195 3196 3197 3198
    argv = moduleCreateArgvFromUserFormat(cmdname,fmt,&argc,&flags,ap);
    replicate = flags & REDISMODULE_ARGV_REPLICATE;
    va_end(ap);

    /* Setup our fake client for command execution. */
    c->flags |= CLIENT_MODULE;
3199
    c->db = ctx->client->db;
A
antirez 已提交
3200 3201
    c->argv = argv;
    c->argc = argc;
3202 3203
    if (ctx->module) ctx->module->in_call++;

A
antirez 已提交
3204 3205
    /* We handle the above format error only when the client is setup so that
     * we can free it normally. */
O
Oran Agra 已提交
3206
    if (argv == NULL) {
3207
        errno = EBADF;
O
Oran Agra 已提交
3208 3209
        goto cleanup;
    }
A
antirez 已提交
3210

3211 3212 3213 3214 3215 3216 3217 3218
    /* Call command filters */
    moduleCallCommandFilters(c);

    /* Lookup command now, after filters had a chance to make modifications
     * if necessary.
     */
    cmd = lookupCommand(c->argv[0]->ptr);
    if (!cmd) {
3219
        errno = ENOENT;
3220 3221 3222 3223
        goto cleanup;
    }
    c->cmd = c->lastcmd = cmd;

A
antirez 已提交
3224 3225 3226 3227 3228 3229 3230 3231 3232 3233 3234 3235 3236 3237 3238 3239 3240 3241 3242 3243 3244 3245 3246 3247 3248 3249 3250 3251 3252
    /* Basic arity checks. */
    if ((cmd->arity > 0 && cmd->arity != argc) || (argc < -cmd->arity)) {
        errno = EINVAL;
        goto cleanup;
    }

    /* If this is a Redis Cluster node, we need to make sure the module is not
     * trying to access non-local keys, with the exception of commands
     * received from our master. */
    if (server.cluster_enabled && !(ctx->client->flags & CLIENT_MASTER)) {
        /* Duplicate relevant flags in the module client. */
        c->flags &= ~(CLIENT_READONLY|CLIENT_ASKING);
        c->flags |= ctx->client->flags & (CLIENT_READONLY|CLIENT_ASKING);
        if (getNodeByQuery(c,c->cmd,c->argv,c->argc,NULL,NULL) !=
                           server.cluster->myself)
        {
            errno = EPERM;
            goto cleanup;
        }
    }

    /* If we are using single commands replication, we need to wrap what
     * we propagate into a MULTI/EXEC block, so that it will be atomic like
     * a Lua script in the context of AOF and slaves. */
    if (replicate) moduleReplicateMultiIfNeeded(ctx);

    /* Run the command */
    int call_flags = CMD_CALL_SLOWLOG | CMD_CALL_STATS;
    if (replicate) {
3253 3254 3255 3256
        if (!(flags & REDISMODULE_ARGV_NO_AOF))
            call_flags |= CMD_CALL_PROPAGATE_AOF;
        if (!(flags & REDISMODULE_ARGV_NO_REPLICAS))
            call_flags |= CMD_CALL_PROPAGATE_REPL;
A
antirez 已提交
3257 3258 3259 3260 3261 3262 3263 3264 3265
    }
    call(c,call_flags);

    /* Convert the result of the Redis command into a suitable Lua type.
     * The first thing we need is to create a single string from the client
     * output buffers. */
    sds proto = sdsnewlen(c->buf,c->bufpos);
    c->bufpos = 0;
    while(listLength(c->reply)) {
3266
        clientReplyBlock *o = listNodeValue(listFirst(c->reply));
A
antirez 已提交
3267

3268
        proto = sdscatlen(proto,o->buf,o->used);
A
antirez 已提交
3269 3270 3271
        listDelNode(c->reply,listFirst(c->reply));
    }
    reply = moduleCreateCallReplyFromProto(ctx,proto);
3272
    autoMemoryAdd(ctx,REDISMODULE_AM_REPLY,reply);
A
antirez 已提交
3273 3274

cleanup:
3275
    if (ctx->module) ctx->module->in_call--;
A
antirez 已提交
3276 3277 3278 3279 3280 3281
    freeClient(c);
    return reply;
}

/* Return a pointer, and a length, to the protocol returned by the command
 * that returned the reply object. */
3282
const char *RM_CallReplyProto(RedisModuleCallReply *reply, size_t *len) {
A
antirez 已提交
3283 3284 3285 3286
    if (reply->proto) *len = sdslen(reply->proto);
    return reply->proto;
}

3287 3288 3289 3290 3291 3292 3293 3294 3295 3296 3297 3298 3299 3300 3301 3302 3303 3304 3305 3306 3307 3308
/* --------------------------------------------------------------------------
 * Modules data types
 *
 * When String DMA or using existing data structures is not enough, it is
 * possible to create new data types from scratch and export them to
 * Redis. The module must provide a set of callbacks for handling the
 * new values exported (for example in order to provide RDB saving/loading,
 * AOF rewrite, and so forth). In this section we define this API.
 * -------------------------------------------------------------------------- */

/* Turn a 9 chars name in the specified charset and a 10 bit encver into
 * a single 64 bit unsigned integer that represents this exact module name
 * and version. This final number is called a "type ID" and is used when
 * writing module exported values to RDB files, in order to re-associate the
 * value to the right module to load them during RDB loading.
 *
 * If the string is not of the right length or the charset is wrong, or
 * if encver is outside the unsigned 10 bit integer range, 0 is returned,
 * otherwise the function returns the right type ID.
 *
 * The resulting 64 bit integer is composed as follows:
 *
3309
 *     (high order bits) 6|6|6|6|6|6|6|6|6|10 (low order bits)
3310 3311 3312 3313 3314 3315 3316 3317 3318 3319 3320 3321 3322 3323 3324 3325 3326 3327 3328 3329 3330 3331 3332 3333 3334 3335 3336 3337 3338 3339 3340 3341 3342 3343 3344 3345 3346 3347 3348 3349 3350 3351 3352 3353 3354 3355 3356 3357 3358 3359 3360 3361 3362 3363 3364 3365 3366 3367 3368 3369 3370 3371 3372 3373 3374 3375 3376 3377 3378 3379 3380
 *
 * The first 6 bits value is the first character, name[0], while the last
 * 6 bits value, immediately before the 10 bits integer, is name[8].
 * The last 10 bits are the encoding version.
 *
 * Note that a name and encver combo of "AAAAAAAAA" and 0, will produce
 * zero as return value, that is the same we use to signal errors, thus
 * this combination is invalid, and also useless since type names should
 * try to be vary to avoid collisions. */

const char *ModuleTypeNameCharSet =
             "ABCDEFGHIJKLMNOPQRSTUVWXYZ"
             "abcdefghijklmnopqrstuvwxyz"
             "0123456789-_";

uint64_t moduleTypeEncodeId(const char *name, int encver) {
    /* We use 64 symbols so that we can map each character into 6 bits
     * of the final output. */
    const char *cset = ModuleTypeNameCharSet;
    if (strlen(name) != 9) return 0;
    if (encver < 0 || encver > 1023) return 0;

    uint64_t id = 0;
    for (int j = 0; j < 9; j++) {
        char *p = strchr(cset,name[j]);
        if (!p) return 0;
        unsigned long pos = p-cset;
        id = (id << 6) | pos;
    }
    id = (id << 10) | encver;
    return id;
}

/* Search, in the list of exported data types of all the modules registered,
 * a type with the same name as the one given. Returns the moduleType
 * structure pointer if such a module is found, or NULL otherwise. */
moduleType *moduleTypeLookupModuleByName(const char *name) {
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;

    while ((de = dictNext(di)) != NULL) {
        struct RedisModule *module = dictGetVal(de);
        listIter li;
        listNode *ln;

        listRewind(module->types,&li);
        while((ln = listNext(&li))) {
            moduleType *mt = ln->value;
            if (memcmp(name,mt->name,sizeof(mt->name)) == 0) {
                dictReleaseIterator(di);
                return mt;
            }
        }
    }
    dictReleaseIterator(di);
    return NULL;
}

/* Lookup a module by ID, with caching. This function is used during RDB
 * loading. Modules exporting data types should never be able to unload, so
 * our cache does not need to expire. */
#define MODULE_LOOKUP_CACHE_SIZE 3

moduleType *moduleTypeLookupModuleByID(uint64_t id) {
    static struct {
        uint64_t id;
        moduleType *mt;
    } cache[MODULE_LOOKUP_CACHE_SIZE];

    /* Search in cache to start. */
    int j;
3381
    for (j = 0; j < MODULE_LOOKUP_CACHE_SIZE && cache[j].mt != NULL; j++)
3382 3383 3384 3385 3386 3387 3388
        if (cache[j].id == id) return cache[j].mt;

    /* Slow module by module lookup. */
    moduleType *mt = NULL;
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;

3389
    while ((de = dictNext(di)) != NULL && mt == NULL) {
3390 3391 3392 3393 3394 3395
        struct RedisModule *module = dictGetVal(de);
        listIter li;
        listNode *ln;

        listRewind(module->types,&li);
        while((ln = listNext(&li))) {
3396
            moduleType *this_mt = ln->value;
3397 3398
            /* Compare only the 54 bit module identifier and not the
             * encoding version. */
3399 3400 3401 3402
            if (this_mt->id >> 10 == id >> 10) {
                mt = this_mt;
                break;
            }
3403 3404 3405 3406 3407 3408 3409 3410 3411 3412 3413 3414 3415
        }
    }
    dictReleaseIterator(di);

    /* Add to cache if possible. */
    if (mt && j < MODULE_LOOKUP_CACHE_SIZE) {
        cache[j].id = id;
        cache[j].mt = mt;
    }
    return mt;
}

/* Turn an (unresolved) module ID into a type name, to show the user an
3416 3417 3418
 * error when RDB files contain module data we can't load.
 * The buffer pointed by 'name' must be 10 bytes at least. The function will
 * fill it with a null terminated module name. */
3419 3420 3421
void moduleTypeNameByID(char *name, uint64_t moduleid) {
    const char *cset = ModuleTypeNameCharSet;

3422
    name[9] = '\0';
3423 3424 3425 3426 3427 3428 3429 3430 3431 3432
    char *p = name+8;
    moduleid >>= 10;
    for (int j = 0; j < 9; j++) {
        *p-- = cset[moduleid & 63];
        moduleid >>= 6;
    }
}

/* Register a new data type exported by the module. The parameters are the
 * following. Please for in depth documentation check the modules API
3433
 * documentation, especially the TYPES.md file.
3434 3435 3436 3437 3438 3439 3440 3441 3442 3443 3444 3445 3446 3447 3448 3449 3450 3451
 *
 * * **name**: A 9 characters data type name that MUST be unique in the Redis
 *   Modules ecosystem. Be creative... and there will be no collisions. Use
 *   the charset A-Z a-z 9-0, plus the two "-_" characters. A good
 *   idea is to use, for example `<typename>-<vendor>`. For example
 *   "tree-AntZ" may mean "Tree data structure by @antirez". To use both
 *   lower case and upper case letters helps in order to prevent collisions.
 * * **encver**: Encoding version, which is, the version of the serialization
 *   that a module used in order to persist data. As long as the "name"
 *   matches, the RDB loading will be dispatched to the type callbacks
 *   whatever 'encver' is used, however the module can understand if
 *   the encoding it must load are of an older version of the module.
 *   For example the module "tree-AntZ" initially used encver=0. Later
 *   after an upgrade, it started to serialize data in a different format
 *   and to register the type with encver=1. However this module may
 *   still load old data produced by an older version if the rdb_load
 *   callback is able to check the encver value and act accordingly.
 *   The encver must be a positive value between 0 and 1023.
3452 3453 3454 3455 3456 3457 3458 3459 3460 3461 3462 3463 3464 3465 3466 3467
 * * **typemethods_ptr** is a pointer to a RedisModuleTypeMethods structure
 *   that should be populated with the methods callbacks and structure
 *   version, like in the following example:
 *
 *      RedisModuleTypeMethods tm = {
 *          .version = REDISMODULE_TYPE_METHOD_VERSION,
 *          .rdb_load = myType_RDBLoadCallBack,
 *          .rdb_save = myType_RDBSaveCallBack,
 *          .aof_rewrite = myType_AOFRewriteCallBack,
 *          .free = myType_FreeCallBack,
 *
 *          // Optional fields
 *          .digest = myType_DigestCallBack,
 *          .mem_usage = myType_MemUsageCallBack,
 *      }
 *
3468 3469 3470 3471 3472 3473
 * * **rdb_load**: A callback function pointer that loads data from RDB files.
 * * **rdb_save**: A callback function pointer that saves data to RDB files.
 * * **aof_rewrite**: A callback function pointer that rewrites data as commands.
 * * **digest**: A callback function pointer that is used for `DEBUG DIGEST`.
 * * **free**: A callback function pointer that can free a type value.
 *
3474 3475 3476
 * The **digest* and **mem_usage** methods should currently be omitted since
 * they are not yet implemented inside the Redis modules core.
 *
3477 3478 3479 3480 3481 3482 3483 3484 3485 3486 3487 3488 3489 3490 3491 3492 3493 3494
 * Note: the module name "AAAAAAAAA" is reserved and produces an error, it
 * happens to be pretty lame as well.
 *
 * If there is already a module registering a type with the same name,
 * and if the module name or encver is invalid, NULL is returned.
 * Otherwise the new type is registered into Redis, and a reference of
 * type RedisModuleType is returned: the caller of the function should store
 * this reference into a gobal variable to make future use of it in the
 * modules type API, since a single module may register multiple types.
 * Example code fragment:
 *
 *      static RedisModuleType *BalancedTreeType;
 *
 *      int RedisModule_OnLoad(RedisModuleCtx *ctx) {
 *          // some code here ...
 *          BalancedTreeType = RM_CreateDataType(...);
 *      }
 */
3495
moduleType *RM_CreateDataType(RedisModuleCtx *ctx, const char *name, int encver, void *typemethods_ptr) {
3496 3497 3498 3499
    uint64_t id = moduleTypeEncodeId(name,encver);
    if (id == 0) return NULL;
    if (moduleTypeLookupModuleByName(name) != NULL) return NULL;

3500 3501 3502 3503 3504 3505 3506 3507 3508
    long typemethods_version = ((long*)typemethods_ptr)[0];
    if (typemethods_version == 0) return NULL;

    struct typemethods {
        uint64_t version;
        moduleTypeLoadFunc rdb_load;
        moduleTypeSaveFunc rdb_save;
        moduleTypeRewriteFunc aof_rewrite;
        moduleTypeMemUsageFunc mem_usage;
3509
        moduleTypeDigestFunc digest;
3510
        moduleTypeFreeFunc free;
3511 3512 3513 3514 3515
        struct {
            moduleTypeAuxLoadFunc aux_load;
            moduleTypeAuxSaveFunc aux_save;
            int aux_save_triggers;
        } v2;
3516 3517 3518
    } *tms = (struct typemethods*) typemethods_ptr;

    moduleType *mt = zcalloc(sizeof(*mt));
3519 3520
    mt->id = id;
    mt->module = ctx->module;
3521 3522 3523 3524 3525 3526
    mt->rdb_load = tms->rdb_load;
    mt->rdb_save = tms->rdb_save;
    mt->aof_rewrite = tms->aof_rewrite;
    mt->mem_usage = tms->mem_usage;
    mt->digest = tms->digest;
    mt->free = tms->free;
3527 3528 3529 3530 3531
    if (tms->version >= 2) {
        mt->aux_load = tms->v2.aux_load;
        mt->aux_save = tms->v2.aux_save;
        mt->aux_save_triggers = tms->v2.aux_save_triggers;
    }
3532 3533 3534 3535 3536 3537 3538 3539 3540 3541 3542 3543 3544 3545 3546 3547 3548 3549 3550 3551
    memcpy(mt->name,name,sizeof(mt->name));
    listAddNodeTail(ctx->module->types,mt);
    return mt;
}

/* If the key is open for writing, set the specified module type object
 * as the value of the key, deleting the old value if any.
 * On success REDISMODULE_OK is returned. If the key is not open for
 * writing or there is an active iterator, REDISMODULE_ERR is returned. */
int RM_ModuleTypeSetValue(RedisModuleKey *key, moduleType *mt, void *value) {
    if (!(key->mode & REDISMODULE_WRITE) || key->iter) return REDISMODULE_ERR;
    RM_DeleteKey(key);
    robj *o = createModuleObject(mt,value);
    setKey(key->db,key->key,o);
    decrRefCount(o);
    key->value = o;
    return REDISMODULE_OK;
}

/* Assuming RedisModule_KeyType() returned REDISMODULE_KEYTYPE_MODULE on
G
Guy Korland 已提交
3552
 * the key, returns the module type pointer of the value stored at key.
3553 3554 3555 3556 3557 3558 3559 3560 3561 3562 3563 3564 3565 3566 3567 3568 3569 3570 3571 3572 3573 3574 3575 3576 3577 3578 3579 3580 3581
 *
 * If the key is NULL, is not associated with a module type, or is empty,
 * then NULL is returned instead. */
moduleType *RM_ModuleTypeGetType(RedisModuleKey *key) {
    if (key == NULL ||
        key->value == NULL ||
        RM_KeyType(key) != REDISMODULE_KEYTYPE_MODULE) return NULL;
    moduleValue *mv = key->value->ptr;
    return mv->type;
}

/* Assuming RedisModule_KeyType() returned REDISMODULE_KEYTYPE_MODULE on
 * the key, returns the module type low-level value stored at key, as
 * it was set by the user via RedisModule_ModuleTypeSet().
 *
 * If the key is NULL, is not associated with a module type, or is empty,
 * then NULL is returned instead. */
void *RM_ModuleTypeGetValue(RedisModuleKey *key) {
    if (key == NULL ||
        key->value == NULL ||
        RM_KeyType(key) != REDISMODULE_KEYTYPE_MODULE) return NULL;
    moduleValue *mv = key->value->ptr;
    return mv->value;
}

/* --------------------------------------------------------------------------
 * RDB loading and saving functions
 * -------------------------------------------------------------------------- */

3582 3583 3584
/* Called when there is a load error in the context of a module. On some
 * modules this cannot be recovered, but if the module declared capability
 * to handle errors, we'll raise a flag rather than exiting. */
3585
void moduleRDBLoadError(RedisModuleIO *io) {
3586
    if (io->type->module->options & REDISMODULE_OPTIONS_HANDLE_IO_ERRORS) {
3587 3588 3589
        io->error = 1;
        return;
    }
3590 3591 3592 3593 3594 3595 3596 3597 3598 3599
    serverLog(LL_WARNING,
        "Error loading data from RDB (short read or EOF). "
        "Read performed by module '%s' about type '%s' "
        "after reading '%llu' bytes of a value.",
        io->type->module->name,
        io->type->name,
        (unsigned long long)io->bytes);
    exit(1);
}

3600 3601 3602 3603 3604 3605
/* Returns 0 if there's at least one registered data type that did not declare
 * REDISMODULE_OPTIONS_HANDLE_IO_ERRORS, in which case diskless loading should
 * be avoided since it could cause data loss. */
int moduleAllDatatypesHandleErrors() {
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;
3606

3607 3608 3609 3610 3611 3612 3613 3614 3615 3616 3617
    while ((de = dictNext(di)) != NULL) {
        struct RedisModule *module = dictGetVal(de);
        if (listLength(module->types) &&
            !(module->options & REDISMODULE_OPTIONS_HANDLE_IO_ERRORS))
        {
            dictReleaseIterator(di);
            return 0;
        }
    }
    dictReleaseIterator(di);
    return 1;
3618 3619 3620
}

/* Returns true if any previous IO API failed.
3621 3622
 * for Load* APIs the REDISMODULE_OPTIONS_HANDLE_IO_ERRORS flag must be set with
 * RediModule_SetModuleOptions first. */
3623 3624 3625 3626
int RM_IsIOError(RedisModuleIO *io) {
    return io->error;
}

3627 3628 3629 3630 3631
/* Save an unsigned 64 bit value into the RDB file. This function should only
 * be called in the context of the rdb_save method of modules implementing new
 * data types. */
void RM_SaveUnsigned(RedisModuleIO *io, uint64_t value) {
    if (io->error) return;
3632
    /* Save opcode. */
3633
    int retval = rdbSaveLen(io->rio, RDB_MODULE_OPCODE_UINT);
3634 3635 3636 3637 3638 3639 3640 3641 3642 3643
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    /* Save value. */
    retval = rdbSaveLen(io->rio, value);
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    return;

saveerr:
    io->error = 1;
3644 3645 3646 3647 3648 3649
}

/* Load an unsigned 64 bit value from the RDB file. This function should only
 * be called in the context of the rdb_load method of modules implementing
 * new data types. */
uint64_t RM_LoadUnsigned(RedisModuleIO *io) {
3650
    if (io->error) return 0;
3651 3652 3653 3654
    if (io->ver == 2) {
        uint64_t opcode = rdbLoadLen(io->rio,NULL);
        if (opcode != RDB_MODULE_OPCODE_UINT) goto loaderr;
    }
3655 3656
    uint64_t value;
    int retval = rdbLoadLenByRef(io->rio, NULL, &value);
3657
    if (retval == -1) goto loaderr;
3658
    return value;
3659 3660 3661

loaderr:
    moduleRDBLoadError(io);
3662
    return 0;
3663 3664 3665 3666 3667 3668 3669 3670 3671 3672 3673 3674 3675 3676 3677 3678 3679 3680 3681 3682 3683 3684 3685 3686
}

/* Like RedisModule_SaveUnsigned() but for signed 64 bit values. */
void RM_SaveSigned(RedisModuleIO *io, int64_t value) {
    union {uint64_t u; int64_t i;} conv;
    conv.i = value;
    RM_SaveUnsigned(io,conv.u);
}

/* Like RedisModule_LoadUnsigned() but for signed 64 bit values. */
int64_t RM_LoadSigned(RedisModuleIO *io) {
    union {uint64_t u; int64_t i;} conv;
    conv.u = RM_LoadUnsigned(io);
    return conv.i;
}

/* In the context of the rdb_save method of a module type, saves a
 * string into the RDB file taking as input a RedisModuleString.
 *
 * The string can be later loaded with RedisModule_LoadString() or
 * other Load family functions expecting a serialized string inside
 * the RDB file. */
void RM_SaveString(RedisModuleIO *io, RedisModuleString *s) {
    if (io->error) return;
3687
    /* Save opcode. */
3688
    ssize_t retval = rdbSaveLen(io->rio, RDB_MODULE_OPCODE_STRING);
3689 3690 3691 3692 3693 3694 3695 3696 3697 3698
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    /* Save value. */
    retval = rdbSaveStringObject(io->rio, s);
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    return;

saveerr:
    io->error = 1;
3699 3700 3701 3702 3703 3704
}

/* Like RedisModule_SaveString() but takes a raw C pointer and length
 * as input. */
void RM_SaveStringBuffer(RedisModuleIO *io, const char *str, size_t len) {
    if (io->error) return;
3705
    /* Save opcode. */
3706
    ssize_t retval = rdbSaveLen(io->rio, RDB_MODULE_OPCODE_STRING);
3707 3708 3709 3710 3711 3712 3713 3714 3715 3716
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    /* Save value. */
    retval = rdbSaveRawString(io->rio, (unsigned char*)str,len);
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    return;

saveerr:
    io->error = 1;
3717 3718 3719 3720
}

/* Implements RM_LoadString() and RM_LoadStringBuffer() */
void *moduleLoadString(RedisModuleIO *io, int plain, size_t *lenptr) {
3721
    if (io->error) return NULL;
3722 3723 3724 3725
    if (io->ver == 2) {
        uint64_t opcode = rdbLoadLen(io->rio,NULL);
        if (opcode != RDB_MODULE_OPCODE_STRING) goto loaderr;
    }
3726 3727
    void *s = rdbGenericLoadStringObject(io->rio,
              plain ? RDB_LOAD_PLAIN : RDB_LOAD_NONE, lenptr);
3728
    if (s == NULL) goto loaderr;
3729
    return s;
3730 3731 3732

loaderr:
    moduleRDBLoadError(io);
3733
    return NULL;
3734 3735 3736 3737 3738 3739 3740 3741 3742 3743 3744 3745 3746 3747 3748 3749 3750 3751 3752 3753
}

/* In the context of the rdb_load method of a module data type, loads a string
 * from the RDB file, that was previously saved with RedisModule_SaveString()
 * functions family.
 *
 * The returned string is a newly allocated RedisModuleString object, and
 * the user should at some point free it with a call to RedisModule_FreeString().
 *
 * If the data structure does not store strings as RedisModuleString objects,
 * the similar function RedisModule_LoadStringBuffer() could be used instead. */
RedisModuleString *RM_LoadString(RedisModuleIO *io) {
    return moduleLoadString(io,0,NULL);
}

/* Like RedisModule_LoadString() but returns an heap allocated string that
 * was allocated with RedisModule_Alloc(), and can be resized or freed with
 * RedisModule_Realloc() or RedisModule_Free().
 *
 * The size of the string is stored at '*lenptr' if not NULL.
D
Doug Nelson 已提交
3754
 * The returned string is not automatically NULL terminated, it is loaded
3755 3756 3757 3758 3759 3760 3761 3762 3763 3764
 * exactly as it was stored inisde the RDB file. */
char *RM_LoadStringBuffer(RedisModuleIO *io, size_t *lenptr) {
    return moduleLoadString(io,1,lenptr);
}

/* In the context of the rdb_save method of a module data type, saves a double
 * value to the RDB file. The double can be a valid number, a NaN or infinity.
 * It is possible to load back the value with RedisModule_LoadDouble(). */
void RM_SaveDouble(RedisModuleIO *io, double value) {
    if (io->error) return;
3765
    /* Save opcode. */
3766
    int retval = rdbSaveLen(io->rio, RDB_MODULE_OPCODE_DOUBLE);
3767 3768 3769 3770 3771 3772 3773 3774 3775 3776
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    /* Save value. */
    retval = rdbSaveBinaryDoubleValue(io->rio, value);
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    return;

saveerr:
    io->error = 1;
3777 3778 3779 3780 3781
}

/* In the context of the rdb_save method of a module data type, loads back the
 * double value saved by RedisModule_SaveDouble(). */
double RM_LoadDouble(RedisModuleIO *io) {
3782
    if (io->error) return 0;
3783 3784 3785 3786
    if (io->ver == 2) {
        uint64_t opcode = rdbLoadLen(io->rio,NULL);
        if (opcode != RDB_MODULE_OPCODE_DOUBLE) goto loaderr;
    }
3787 3788
    double value;
    int retval = rdbLoadBinaryDoubleValue(io->rio, &value);
3789
    if (retval == -1) goto loaderr;
3790
    return value;
3791 3792 3793

loaderr:
    moduleRDBLoadError(io);
3794
    return 0;
3795 3796
}

3797
/* In the context of the rdb_save method of a module data type, saves a float
3798 3799 3800 3801
 * value to the RDB file. The float can be a valid number, a NaN or infinity.
 * It is possible to load back the value with RedisModule_LoadFloat(). */
void RM_SaveFloat(RedisModuleIO *io, float value) {
    if (io->error) return;
3802
    /* Save opcode. */
3803
    int retval = rdbSaveLen(io->rio, RDB_MODULE_OPCODE_FLOAT);
3804 3805 3806 3807 3808 3809 3810 3811 3812 3813
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    /* Save value. */
    retval = rdbSaveBinaryFloatValue(io->rio, value);
    if (retval == -1) goto saveerr;
    io->bytes += retval;
    return;

saveerr:
    io->error = 1;
3814 3815 3816 3817 3818
}

/* In the context of the rdb_save method of a module data type, loads back the
 * float value saved by RedisModule_SaveFloat(). */
float RM_LoadFloat(RedisModuleIO *io) {
3819
    if (io->error) return 0;
3820 3821 3822 3823
    if (io->ver == 2) {
        uint64_t opcode = rdbLoadLen(io->rio,NULL);
        if (opcode != RDB_MODULE_OPCODE_FLOAT) goto loaderr;
    }
3824 3825
    float value;
    int retval = rdbLoadBinaryFloatValue(io->rio, &value);
3826
    if (retval == -1) goto loaderr;
3827
    return value;
3828 3829 3830

loaderr:
    moduleRDBLoadError(io);
3831
    return 0;
3832 3833
}

3834 3835 3836 3837 3838 3839 3840 3841 3842 3843 3844 3845 3846 3847 3848 3849 3850 3851 3852 3853 3854 3855 3856 3857 3858
/* In the context of the rdb_save method of a module data type, saves a long double
 * value to the RDB file. The double can be a valid number, a NaN or infinity.
 * It is possible to load back the value with RedisModule_LoadLongDouble(). */
void RM_SaveLongDouble(RedisModuleIO *io, long double value) {
    if (io->error) return;
    char buf[MAX_LONG_DOUBLE_CHARS];
    /* Long double has different number of bits in different platforms, so we
     * save it as a string type. */
    size_t len = ld2string(buf,sizeof(buf),value,LD_STR_HEX);
    RM_SaveStringBuffer(io,buf,len+1); /* len+1 for '\0' */
}

/* In the context of the rdb_save method of a module data type, loads back the
 * long double value saved by RedisModule_SaveLongDouble(). */
long double RM_LoadLongDouble(RedisModuleIO *io) {
    if (io->error) return 0;
    long double value;
    size_t len;
    char* str = RM_LoadStringBuffer(io,&len);
    if (!str) return 0;
    string2ld(str,len,&value);
    RM_Free(str);
    return value;
}

3859 3860 3861 3862 3863 3864 3865 3866 3867 3868 3869 3870 3871 3872 3873 3874 3875 3876 3877 3878 3879 3880 3881 3882 3883 3884 3885 3886
/* Iterate over modules, and trigger rdb aux saving for the ones modules types
 * who asked for it. */
ssize_t rdbSaveModulesAux(rio *rdb, int when) {
    size_t total_written = 0;
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;

    while ((de = dictNext(di)) != NULL) {
        struct RedisModule *module = dictGetVal(de);
        listIter li;
        listNode *ln;

        listRewind(module->types,&li);
        while((ln = listNext(&li))) {
            moduleType *mt = ln->value;
            if (!mt->aux_save || !(mt->aux_save_triggers & when))
                continue;
            ssize_t ret = rdbSaveSingleModuleAux(rdb, when, mt);
            if (ret==-1) {
                dictReleaseIterator(di);
                return -1;
            }
            total_written += ret;
        }
    }

    dictReleaseIterator(di);
    return total_written;
3887 3888
}

A
antirez 已提交
3889 3890 3891 3892 3893 3894 3895 3896 3897 3898 3899 3900 3901 3902 3903
/* --------------------------------------------------------------------------
 * Key digest API (DEBUG DIGEST interface for modules types)
 * -------------------------------------------------------------------------- */

/* Add a new element to the digest. This function can be called multiple times
 * one element after the other, for all the elements that constitute a given
 * data structure. The function call must be followed by the call to
 * `RedisModule_DigestEndSequence` eventually, when all the elements that are
 * always in a given order are added. See the Redis Modules data types
 * documentation for more info. However this is a quick example that uses Redis
 * data types as an example.
 *
 * To add a sequence of unordered elements (for example in the case of a Redis
 * Set), the pattern to use is:
 *
3904 3905 3906 3907
 *     foreach element {
 *         AddElement(element);
 *         EndSequence();
 *     }
A
antirez 已提交
3908 3909 3910 3911 3912 3913
 *
 * Because Sets are not ordered, so every element added has a position that
 * does not depend from the other. However if instead our elements are
 * ordered in pairs, like field-value pairs of an Hash, then one should
 * use:
 *
3914 3915 3916 3917 3918
 *     foreach key,value {
 *         AddElement(key);
 *         AddElement(value);
 *         EndSquence();
 *     }
A
antirez 已提交
3919 3920 3921 3922 3923 3924
 *
 * Because the key and value will be always in the above order, while instead
 * the single key-value pairs, can appear in any position into a Redis hash.
 *
 * A list of ordered elements would be implemented with:
 *
3925 3926 3927 3928
 *     foreach element {
 *         AddElement(element);
 *     }
 *     EndSequence();
A
antirez 已提交
3929 3930 3931 3932 3933 3934 3935 3936 3937 3938 3939 3940 3941 3942
 *
 */
void RM_DigestAddStringBuffer(RedisModuleDigest *md, unsigned char *ele, size_t len) {
    mixDigest(md->o,ele,len);
}

/* Like `RedisModule_DigestAddStringBuffer()` but takes a long long as input
 * that gets converted into a string before adding it to the digest. */
void RM_DigestAddLongLong(RedisModuleDigest *md, long long ll) {
    char buf[LONG_STR_SIZE];
    size_t len = ll2string(buf,sizeof(buf),ll);
    mixDigest(md->o,buf,len);
}

G
Guy Korland 已提交
3943
/* See the documentation for `RedisModule_DigestAddElement()`. */
A
antirez 已提交
3944 3945 3946 3947 3948
void RM_DigestEndSequence(RedisModuleDigest *md) {
    xorDigest(md->x,md->o,sizeof(md->o));
    memset(md->o,0,sizeof(md->o));
}

3949 3950 3951 3952 3953 3954 3955 3956 3957 3958 3959 3960 3961 3962
/* Decode a serialized representation of a module data type 'mt' from string
 * 'str' and return a newly allocated value, or NULL if decoding failed.
 *
 * This call basically reuses the 'rdb_load' callback which module data types
 * implement in order to allow a module to arbitrarily serialize/de-serialize
 * keys, similar to how the Redis 'DUMP' and 'RESTORE' commands are implemented.
 *
 * Modules should generally use the REDISMODULE_OPTIONS_HANDLE_IO_ERRORS flag and
 * make sure the de-serialization code properly checks and handles IO errors
 * (freeing allocated buffers and returning a NULL).
 *
 * If this is NOT done, Redis will handle corrupted (or just truncated) serialized
 * data by producing an error message and terminating the process.
 */
3963

3964 3965 3966
void *RM_LoadDataTypeFromString(const RedisModuleString *str, const moduleType *mt) {
    rio payload;
    RedisModuleIO io;
3967
    void *ret;
3968

3969 3970 3971 3972 3973 3974 3975
    rioInitWithBuffer(&payload, str->ptr);
    moduleInitIOContext(io,(moduleType *)mt,&payload,NULL);

    /* All RM_Save*() calls always write a version 2 compatible format, so we
     * need to make sure we read the same.
     */
    io.ver = 2;
3976 3977 3978 3979 3980 3981
    ret = mt->rdb_load(&io,0);
    if (io.ctx) {
        moduleFreeContext(io.ctx);
        zfree(io.ctx);
    }
    return ret;
3982 3983 3984 3985 3986 3987 3988 3989 3990 3991 3992 3993 3994 3995 3996 3997 3998
}

/* Encode a module data type 'mt' value 'data' into serialized form, and return it
 * as a newly allocated RedisModuleString.
 *
 * This call basically reuses the 'rdb_save' callback which module data types
 * implement in order to allow a module to arbitrarily serialize/de-serialize
 * keys, similar to how the Redis 'DUMP' and 'RESTORE' commands are implemented.
 */

RedisModuleString *RM_SaveDataTypeToString(RedisModuleCtx *ctx, void *data, const moduleType *mt) {
    rio payload;
    RedisModuleIO io;

    rioInitWithBuffer(&payload,sdsempty());
    moduleInitIOContext(io,(moduleType *)mt,&payload,NULL);
    mt->rdb_save(&io,data);
3999 4000 4001 4002
    if (io.ctx) {
        moduleFreeContext(io.ctx);
        zfree(io.ctx);
    }
4003 4004 4005 4006
    if (io.error) {
        return NULL;
    } else {
        robj *str = createObject(OBJ_STRING,payload.io.buffer.ptr);
4007
        if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_STRING,str);
4008 4009 4010 4011
        return str;
    }
}

4012 4013 4014 4015 4016 4017 4018 4019 4020 4021 4022 4023 4024 4025 4026 4027 4028 4029 4030 4031 4032 4033 4034 4035 4036 4037 4038 4039 4040 4041 4042 4043 4044 4045 4046 4047 4048 4049 4050 4051 4052 4053 4054 4055 4056 4057 4058 4059 4060 4061 4062 4063 4064 4065 4066
/* --------------------------------------------------------------------------
 * AOF API for modules data types
 * -------------------------------------------------------------------------- */

/* Emits a command into the AOF during the AOF rewriting process. This function
 * is only called in the context of the aof_rewrite method of data types exported
 * by a module. The command works exactly like RedisModule_Call() in the way
 * the parameters are passed, but it does not return anything as the error
 * handling is performed by Redis itself. */
void RM_EmitAOF(RedisModuleIO *io, const char *cmdname, const char *fmt, ...) {
    if (io->error) return;
    struct redisCommand *cmd;
    robj **argv = NULL;
    int argc = 0, flags = 0, j;
    va_list ap;

    cmd = lookupCommandByCString((char*)cmdname);
    if (!cmd) {
        serverLog(LL_WARNING,
            "Fatal: AOF method for module data type '%s' tried to "
            "emit unknown command '%s'",
            io->type->name, cmdname);
        io->error = 1;
        errno = EINVAL;
        return;
    }

    /* Emit the arguments into the AOF in Redis protocol format. */
    va_start(ap, fmt);
    argv = moduleCreateArgvFromUserFormat(cmdname,fmt,&argc,&flags,ap);
    va_end(ap);
    if (argv == NULL) {
        serverLog(LL_WARNING,
            "Fatal: AOF method for module data type '%s' tried to "
            "call RedisModule_EmitAOF() with wrong format specifiers '%s'",
            io->type->name, fmt);
        io->error = 1;
        errno = EINVAL;
        return;
    }

    /* Bulk count. */
    if (!io->error && rioWriteBulkCount(io->rio,'*',argc) == 0)
        io->error = 1;

    /* Arguments. */
    for (j = 0; j < argc; j++) {
        if (!io->error && rioWriteBulkObject(io->rio,argv[j]) == 0)
            io->error = 1;
        decrRefCount(argv[j]);
    }
    zfree(argv);
    return;
}

4067 4068 4069 4070 4071 4072 4073
/* --------------------------------------------------------------------------
 * IO context handling
 * -------------------------------------------------------------------------- */

RedisModuleCtx *RM_GetContextFromIO(RedisModuleIO *io) {
    if (io->ctx) return io->ctx; /* Can't have more than one... */
    RedisModuleCtx ctxtemplate = REDISMODULE_CTX_INIT;
4074
    io->ctx = zmalloc(sizeof(RedisModuleCtx));
4075 4076 4077 4078 4079 4080
    *(io->ctx) = ctxtemplate;
    io->ctx->module = io->type->module;
    io->ctx->client = NULL;
    return io->ctx;
}

4081 4082 4083 4084 4085 4086 4087 4088
/* Returns a RedisModuleString with the name of the key currently saving or
 * loading, when an IO data type callback is called.  There is no guarantee
 * that the key name is always available, so this may return NULL.
 */
const RedisModuleString *RM_GetKeyNameFromIO(RedisModuleIO *io) {
    return io->key;
}

4089 4090 4091 4092 4093
/* Returns a RedisModuleString with the name of the key from RedisModuleKey */
const RedisModuleString *RM_GetKeyNameFromModuleKey(RedisModuleKey *key) {
    return key ? key->key : NULL;
}

4094 4095 4096 4097
/* --------------------------------------------------------------------------
 * Logging
 * -------------------------------------------------------------------------- */

4098 4099
/* This is the low level function implementing both:
 *
4100 4101
 *      RM_Log()
 *      RM_LogIOError()
4102 4103 4104 4105 4106 4107 4108 4109 4110 4111 4112 4113 4114
 *
 */
void RM_LogRaw(RedisModule *module, const char *levelstr, const char *fmt, va_list ap) {
    char msg[LOG_MAX_LEN];
    size_t name_len;
    int level;

    if (!strcasecmp(levelstr,"debug")) level = LL_DEBUG;
    else if (!strcasecmp(levelstr,"verbose")) level = LL_VERBOSE;
    else if (!strcasecmp(levelstr,"notice")) level = LL_NOTICE;
    else if (!strcasecmp(levelstr,"warning")) level = LL_WARNING;
    else level = LL_VERBOSE; /* Default. */

G
Guy Benoish 已提交
4115 4116
    if (level < server.verbosity) return;

4117
    name_len = snprintf(msg, sizeof(msg),"<%s> ", module? module->name: "module");
4118 4119 4120 4121
    vsnprintf(msg + name_len, sizeof(msg) - name_len, fmt, ap);
    serverLogRaw(level,msg);
}

4122
/* Produces a log message to the standard Redis log, the format accepts
A
antirez 已提交
4123 4124 4125 4126 4127 4128 4129 4130 4131 4132
 * printf-alike specifiers, while level is a string describing the log
 * level to use when emitting the log, and must be one of the following:
 *
 * * "debug"
 * * "verbose"
 * * "notice"
 * * "warning"
 *
 * If the specified log level is invalid, verbose is used by default.
 * There is a fixed limit to the length of the log line this function is able
S
shenlongxing 已提交
4133
 * to emit, this limit is not specified but is guaranteed to be more than
A
antirez 已提交
4134
 * a few lines of text.
4135 4136 4137 4138
 *
 * The ctx argument may be NULL if cannot be provided in the context of the
 * caller for instance threads or callbacks, in which case a generic "module"
 * will be used instead of the module name.
A
antirez 已提交
4139 4140
 */
void RM_Log(RedisModuleCtx *ctx, const char *levelstr, const char *fmt, ...) {
4141
    va_list ap;
4142
    va_start(ap, fmt);
4143
    RM_LogRaw(ctx? ctx->module: NULL,levelstr,fmt,ap);
4144
    va_end(ap);
4145
}
4146

4147 4148 4149 4150 4151 4152 4153 4154 4155 4156
/* Log errors from RDB / AOF serialization callbacks.
 *
 * This function should be used when a callback is returning a critical
 * error to the caller since cannot load or save the data for some
 * critical reason. */
void RM_LogIOError(RedisModuleIO *io, const char *levelstr, const char *fmt, ...) {
    va_list ap;
    va_start(ap, fmt);
    RM_LogRaw(io->type->module,levelstr,fmt,ap);
    va_end(ap);
4157 4158
}

4159 4160 4161 4162 4163 4164 4165 4166 4167
/* Redis-like assert function.
 *
 * A failed assertion will shut down the server and produce logging information
 * that looks identical to information generated by Redis itself.
 */
void RM__Assert(const char *estr, const char *file, int line) {
    _serverAssert(estr, file, line);
}

O
Oran Agra 已提交
4168 4169 4170 4171 4172 4173 4174 4175
/* Allows adding event to the latency monitor to be observed by the LATENCY
 * command. The call is skipped if the latency is smaller than the configured
 * latency-monitor-threshold. */
void RM_LatencyAddSample(const char *event, mstime_t latency) {
    if (latency >= server.latency_monitor_threshold)
        latencyAddSample(event, latency);
}

4176 4177 4178 4179
/* --------------------------------------------------------------------------
 * Blocking clients from modules
 * -------------------------------------------------------------------------- */

4180 4181 4182 4183 4184 4185 4186 4187 4188 4189 4190
/* Readable handler for the awake pipe. We do nothing here, the awake bytes
 * will be actually read in a more appropriate place in the
 * moduleHandleBlockedClients() function that is where clients are actually
 * served. */
void moduleBlockedClientPipeReadable(aeEventLoop *el, int fd, void *privdata, int mask) {
    UNUSED(el);
    UNUSED(fd);
    UNUSED(mask);
    UNUSED(privdata);
}

4191 4192 4193 4194 4195 4196 4197 4198 4199 4200 4201 4202 4203 4204
/* This is called from blocked.c in order to unblock a client: may be called
 * for multiple reasons while the client is in the middle of being blocked
 * because the client is terminated, but is also called for cleanup when a
 * client is unblocked in a clean way after replaying.
 *
 * What we do here is just to set the client to NULL in the redis module
 * blocked client handle. This way if the client is terminated while there
 * is a pending threaded operation involving the blocked client, we'll know
 * that the client no longer exists and no reply callback should be called.
 *
 * The structure RedisModuleBlockedClient will be always deallocated when
 * running the list of clients blocked by a module that need to be unblocked. */
void unblockClientFromModule(client *c) {
    RedisModuleBlockedClient *bc = c->bpop.module_blocked_handle;
4205

4206 4207
    /* Call the disconnection callback if any. Note that
     * bc->disconnect_callback is set to NULL if the client gets disconnected
4208 4209
     * by the module itself or because of a timeout, so the callback will NOT
     * get called if this is not an actual disconnection event. */
4210 4211 4212 4213 4214 4215 4216 4217 4218
    if (bc->disconnect_callback) {
        RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
        ctx.blocked_privdata = bc->privdata;
        ctx.module = bc->module;
        ctx.client = bc->client;
        bc->disconnect_callback(&ctx,bc);
        moduleFreeContext(&ctx);
    }

4219
    bc->client = NULL;
4220 4221 4222 4223 4224
    /* Reset the client for a new query since, for blocking commands implemented
     * into modules, we do not it immediately after the command returns (and
     * the client blocks) in order to be still able to access the argument
     * vector from callbacks. */
    resetClient(c);
4225 4226
}

4227 4228 4229
/* Block a client in the context of a module: this function implements both
 * RM_BlockClient() and RM_BlockClientOnKeys() depending on the fact the
 * keys are passed or not.
4230
 *
4231 4232 4233 4234
 * When not blocking for keys, the keys, numkeys, and privdata parameters are
 * not needed. The privdata in that case must be NULL, since later is
 * RM_UnblockClient() that will provide some private data that the reply
 * callback will receive.
4235
 *
4236 4237 4238 4239 4240
 * Instead when blocking for keys, normally RM_UnblockClient() will not be
 * called (because the client will unblock when the key is modified), so
 * 'privdata' should be provided in that case, so that once the client is
 * unlocked and the reply callback is called, it will receive its associated
 * private data.
4241
 *
4242 4243 4244
 * Even when blocking on keys, RM_UnblockClient() can be called however, but
 * in that case the privdata argument is disregarded, because we pass the
 * reply callback the privdata that is set here while blocking.
4245
 */
4246
RedisModuleBlockedClient *moduleBlockClient(RedisModuleCtx *ctx, RedisModuleCmdFunc reply_callback, RedisModuleCmdFunc timeout_callback, void (*free_privdata)(RedisModuleCtx*,void*), long long timeout_ms, RedisModuleString **keys, int numkeys, void *privdata) {
4247
    client *c = ctx->client;
4248
    int islua = c->flags & CLIENT_LUA;
4249
    int ismulti = c->flags & CLIENT_MULTI;
4250

4251 4252
    c->bpop.module_blocked_handle = zmalloc(sizeof(RedisModuleBlockedClient));
    RedisModuleBlockedClient *bc = c->bpop.module_blocked_handle;
4253
    ctx->module->blocked_clients++;
4254

4255
    /* We need to handle the invalid operation of calling modules blocking
4256 4257
     * commands from Lua or MULTI. We actually create an already aborted
     * (client set to NULL) blocked client handle, and actually reply with
4258
     * an error. */
4259
    mstime_t timeout = timeout_ms ? (mstime()+timeout_ms) : 0;
4260
    bc->client = (islua || ismulti) ? NULL : c;
4261 4262 4263
    bc->module = ctx->module;
    bc->reply_callback = reply_callback;
    bc->timeout_callback = timeout_callback;
4264
    bc->disconnect_callback = NULL; /* Set by RM_SetDisconnectCallback() */
4265
    bc->free_privdata = free_privdata;
4266
    bc->privdata = privdata;
4267
    bc->reply_client = createClient(NULL);
4268
    bc->reply_client->flags |= CLIENT_MODULE;
4269
    bc->dbid = c->db->id;
4270
    bc->blocked_on_keys = keys != NULL;
4271
    bc->unblocked = 0;
4272
    c->bpop.timeout = timeout;
4273

4274
    if (islua || ismulti) {
4275
        c->bpop.module_blocked_handle = NULL;
4276 4277 4278
        addReplyError(c, islua ?
            "Blocking module command called from Lua script" :
            "Blocking module command called from transaction");
4279
    } else {
4280 4281 4282 4283 4284
        if (keys) {
            blockForKeys(c,BLOCKED_MODULE,keys,numkeys,timeout,NULL,NULL);
        } else {
            blockClient(c,BLOCKED_MODULE);
        }
4285
    }
4286
    return bc;
4287 4288
}

4289 4290
/* This function is called from module.c in order to check if a module
 * blocked for BLOCKED_MODULE and subtype 'on keys' (bc->blocked_on_keys true)
4291 4292 4293 4294 4295 4296
 * can really be unblocked, since the module was able to serve the client.
 * If the callback returns REDISMODULE_OK, then the client can be unblocked,
 * otherwise the client remains blocked and we'll retry again when one of
 * the keys it blocked for becomes "ready" again. */
int moduleTryServeClientBlockedOnKey(client *c, robj *key) {
    int served = 0;
4297
    RedisModuleBlockedClient *bc = c->bpop.module_blocked_handle;
4298 4299 4300 4301
    /* Protect against re-processing: don't serve clients that are already
     * in the unblocking list for any reason (including RM_UnblockClient()
     * explicit call). */
    if (bc->unblocked) return REDISMODULE_ERR;
4302
    RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
4303 4304 4305
    ctx.flags |= REDISMODULE_CTX_BLOCKED_REPLY;
    ctx.blocked_ready_key = key;
    ctx.blocked_privdata = bc->privdata;
4306 4307
    ctx.module = bc->module;
    ctx.client = bc->client;
4308 4309 4310
    ctx.blocked_client = bc;
    if (bc->reply_callback(&ctx,(void**)c->argv,c->argc) == REDISMODULE_OK)
        served = 1;
4311
    moduleFreeContext(&ctx);
4312
    return served;
4313 4314
}

4315 4316 4317 4318 4319 4320 4321 4322 4323 4324 4325 4326 4327 4328 4329 4330 4331
/* Block a client in the context of a blocking command, returning an handle
 * which will be used, later, in order to unblock the client with a call to
 * RedisModule_UnblockClient(). The arguments specify callback functions
 * and a timeout after which the client is unblocked.
 *
 * The callbacks are called in the following contexts:
 *
 *     reply_callback:  called after a successful RedisModule_UnblockClient()
 *                      call in order to reply to the client and unblock it.
 *
 *     reply_timeout:   called when the timeout is reached in order to send an
 *                      error to the client.
 *
 *     free_privdata:   called in order to free the private data that is passed
 *                      by RedisModule_UnblockClient() call.
 */
RedisModuleBlockedClient *RM_BlockClient(RedisModuleCtx *ctx, RedisModuleCmdFunc reply_callback, RedisModuleCmdFunc timeout_callback, void (*free_privdata)(RedisModuleCtx*,void*), long long timeout_ms) {
4332
    return moduleBlockClient(ctx,reply_callback,timeout_callback,free_privdata,timeout_ms, NULL,0,NULL);
4333 4334 4335 4336 4337 4338 4339 4340 4341 4342 4343 4344 4345 4346 4347 4348 4349 4350 4351 4352 4353 4354 4355 4356 4357
}

/* This call is similar to RedisModule_BlockClient(), however in this case we
 * don't just block the client, but also ask Redis to unblock it automatically
 * once certain keys become "ready", that is, contain more data.
 *
 * Basically this is similar to what a typical Redis command usually does,
 * like BLPOP or ZPOPMAX: the client blocks if it cannot be served ASAP,
 * and later when the key receives new data (a list push for instance), the
 * client is unblocked and served.
 *
 * However in the case of this module API, when the client is unblocked?
 *
 * 1. If you block ok a key of a type that has blocking operations associated,
 *    like a list, a sorted set, a stream, and so forth, the client may be
 *    unblocked once the relevant key is targeted by an operation that normally
 *    unblocks the native blocking operations for that type. So if we block
 *    on a list key, an RPUSH command may unblock our client and so forth.
 * 2. If you are implementing your native data type, or if you want to add new
 *    unblocking conditions in addition to "1", you can call the modules API
 *    RedisModule_SignalKeyAsReady().
 *
 * Anyway we can't be sure if the client should be unblocked just because the
 * key is signaled as ready: for instance a successive operation may change the
 * key, or a client in queue before this one can be served, modifying the key
4358 4359 4360 4361 4362 4363 4364 4365 4366 4367
 * as well and making it empty again. So when a client is blocked with
 * RedisModule_BlockClientOnKeys() the reply callback is not called after
 * RM_UnblockCLient() is called, but every time a key is signaled as ready:
 * if the reply callback can serve the client, it returns REDISMODULE_OK
 * and the client is unblocked, otherwise it will return REDISMODULE_ERR
 * and we'll try again later.
 *
 * The reply callback can access the key that was signaled as ready by
 * calling the API RedisModule_GetBlockedClientReadyKey(), that returns
 * just the string name of the key as a RedisModuleString object.
4368 4369 4370 4371 4372 4373
 *
 * Thanks to this system we can setup complex blocking scenarios, like
 * unblocking a client only if a list contains at least 5 items or other
 * more fancy logics.
 *
 * Note that another difference with RedisModule_BlockClient(), is that here
4374 4375 4376 4377 4378 4379 4380 4381 4382 4383 4384
 * we pass the private data directly when blocking the client: it will
 * be accessible later in the reply callback. Normally when blocking with
 * RedisModule_BlockClient() the private data to reply to the client is
 * passed when calling RedisModule_UnblockClient() but here the unblocking
 * is performed by Redis itself, so we need to have some private data before
 * hand. The private data is used to store any information about the specific
 * unblocking operation that you are implementing. Such information will be
 * freed using the free_privdata callback provided by the user.
 *
 * However the reply callback will be able to access the argument vector of
 * the command, so the private data is often not needed. */
4385 4386
RedisModuleBlockedClient *RM_BlockClientOnKeys(RedisModuleCtx *ctx, RedisModuleCmdFunc reply_callback, RedisModuleCmdFunc timeout_callback, void (*free_privdata)(RedisModuleCtx*,void*), long long timeout_ms, RedisModuleString **keys, int numkeys, void *privdata) {
    return moduleBlockClient(ctx,reply_callback,timeout_callback,free_privdata,timeout_ms, keys,numkeys,privdata);
4387 4388
}

A
antirez 已提交
4389 4390
/* This function is used in order to potentially unblock a client blocked
 * on keys with RedisModule_BlockClientOnKeys(). When this function is called,
4391 4392
 * all the clients blocked for this key will get their reply callback called,
 * and if the callback returns REDISMODULE_OK the client will be unblocked. */
A
antirez 已提交
4393 4394 4395 4396
void RM_SignalKeyAsReady(RedisModuleCtx *ctx, RedisModuleString *key) {
    signalKeyAsReady(ctx->client->db, key);
}

4397 4398 4399 4400
/* Implements RM_UnblockClient() and moduleUnblockClient(). */
int moduleUnblockClientByHandle(RedisModuleBlockedClient *bc, void *privdata) {
    pthread_mutex_lock(&moduleUnblockedClientsMutex);
    if (!bc->blocked_on_keys) bc->privdata = privdata;
4401
    bc->unblocked = 1;
4402 4403 4404 4405 4406 4407 4408 4409 4410 4411 4412 4413 4414 4415 4416
    listAddNodeTail(moduleUnblockedClients,bc);
    if (write(server.module_blocked_pipe[1],"A",1) != 1) {
        /* Ignore the error, this is best-effort. */
    }
    pthread_mutex_unlock(&moduleUnblockedClientsMutex);
    return REDISMODULE_OK;
}

/* This API is used by the Redis core to unblock a client that was blocked
 * by a module. */
void moduleUnblockClient(client *c) {
    RedisModuleBlockedClient *bc = c->bpop.module_blocked_handle;
    moduleUnblockClientByHandle(bc,NULL);
}

4417 4418 4419 4420 4421 4422 4423
/* Return true if the client 'c' was blocked by a module using
 * RM_BlockClientOnKeys(). */
int moduleClientIsBlockedOnKeys(client *c) {
    RedisModuleBlockedClient *bc = c->bpop.module_blocked_handle;
    return bc->blocked_on_keys;
}

4424 4425 4426 4427 4428 4429 4430 4431 4432 4433
/* Unblock a client blocked by `RedisModule_BlockedClient`. This will trigger
 * the reply callbacks to be called in order to reply to the client.
 * The 'privdata' argument will be accessible by the reply callback, so
 * the caller of this function can pass any value that is needed in order to
 * actually reply to the client.
 *
 * A common usage for 'privdata' is a thread that computes something that
 * needs to be passed to the client, included but not limited some slow
 * to compute reply or some reply obtained via networking.
 *
4434
 * Note 1: this function can be called from threads spawned by the module.
4435
 *
4436
 * Note 2: when we unblock a client that is blocked for keys using
4437 4438
 * the API RedisModule_BlockClientOnKeys(), the privdata argument here is
 * not used, and the reply callback is called with the privdata pointer that
4439 4440 4441 4442 4443
 * was passed when blocking the client.
 *
 * Unblocking a client that was blocked for keys using this API will still
 * require the client to get some reply, so the function will use the
 * "timeout" handler in order to do so. */
4444
int RM_UnblockClient(RedisModuleBlockedClient *bc, void *privdata) {
4445 4446 4447 4448 4449 4450
    if (bc->blocked_on_keys) {
        /* In theory the user should always pass the timeout handler as an
         * argument, but better to be safe than sorry. */
        if (bc->timeout_callback == NULL) return REDISMODULE_ERR;
        if (bc->unblocked) return REDISMODULE_OK;
        if (bc->client) moduleBlockedClientTimedOut(bc->client);
4451
    }
4452
    moduleUnblockClientByHandle(bc,privdata);
4453 4454 4455
    return REDISMODULE_OK;
}

A
antirez 已提交
4456
/* Abort a blocked client blocking operation: the client will be unblocked
4457
 * without firing any callback. */
A
antirez 已提交
4458 4459
int RM_AbortBlock(RedisModuleBlockedClient *bc) {
    bc->reply_callback = NULL;
4460
    bc->disconnect_callback = NULL;
A
antirez 已提交
4461 4462 4463
    return RM_UnblockClient(bc,NULL);
}

4464 4465 4466 4467 4468 4469 4470 4471 4472 4473 4474 4475 4476 4477 4478 4479 4480 4481 4482 4483
/* Set a callback that will be called if a blocked client disconnects
 * before the module has a chance to call RedisModule_UnblockClient()
 *
 * Usually what you want to do there, is to cleanup your module state
 * so that you can call RedisModule_UnblockClient() safely, otherwise
 * the client will remain blocked forever if the timeout is large.
 *
 * Notes:
 *
 * 1. It is not safe to call Reply* family functions here, it is also
 *    useless since the client is gone.
 *
 * 2. This callback is not called if the client disconnects because of
 *    a timeout. In such a case, the client is unblocked automatically
 *    and the timeout callback is called.
 */
void RM_SetDisconnectCallback(RedisModuleBlockedClient *bc, RedisModuleDisconnectFunc callback) {
    bc->disconnect_callback = callback;
}

4484 4485 4486 4487 4488 4489 4490 4491 4492 4493 4494 4495 4496
/* This function will check the moduleUnblockedClients queue in order to
 * call the reply callback and really unblock the client.
 *
 * Clients end into this list because of calls to RM_UnblockClient(),
 * however it is possible that while the module was doing work for the
 * blocked client, it was terminated by Redis (for timeout or other reasons).
 * When this happens the RedisModuleBlockedClient structure in the queue
 * will have the 'client' field set to NULL. */
void moduleHandleBlockedClients(void) {
    listNode *ln;
    RedisModuleBlockedClient *bc;

    pthread_mutex_lock(&moduleUnblockedClientsMutex);
4497 4498 4499 4500
    /* Here we unblock all the pending clients blocked in modules operations
     * so we can read every pending "awake byte" in the pipe. */
    char buf[1];
    while (read(server.module_blocked_pipe[0],buf,1) == 1);
4501 4502 4503 4504
    while (listLength(moduleUnblockedClients)) {
        ln = listFirst(moduleUnblockedClients);
        bc = ln->value;
        client *c = bc->client;
4505 4506 4507 4508 4509
        listDelNode(moduleUnblockedClients,ln);
        pthread_mutex_unlock(&moduleUnblockedClientsMutex);

        /* Release the lock during the loop, as long as we don't
         * touch the shared list. */
4510

4511
        /* Call the reply callback if the client is valid and we have
4512 4513 4514 4515 4516
         * any callback. However the callback is not called if the client
         * was blocked on keys (RM_BlockClientOnKeys()), because we already
         * called such callback in moduleTryServeClientBlockedOnKey() when
         * the key was signaled as ready. */
        if (c && !bc->blocked_on_keys && bc->reply_callback) {
4517 4518 4519
            RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
            ctx.flags |= REDISMODULE_CTX_BLOCKED_REPLY;
            ctx.blocked_privdata = bc->privdata;
4520
            ctx.blocked_ready_key = NULL;
4521 4522
            ctx.module = bc->module;
            ctx.client = bc->client;
4523
            ctx.blocked_client = bc;
4524 4525 4526
            bc->reply_callback(&ctx,(void**)c->argv,c->argc);
            moduleFreeContext(&ctx);
        }
4527 4528

        /* Free privdata if any. */
4529 4530 4531 4532 4533 4534 4535 4536 4537 4538
        if (bc->privdata && bc->free_privdata) {
            RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
            if (c == NULL)
                ctx.flags |= REDISMODULE_CTX_BLOCKED_DISCONNECTED;
            ctx.blocked_privdata = bc->privdata;
            ctx.module = bc->module;
            ctx.client = bc->client;
            bc->free_privdata(&ctx,bc->privdata);
            moduleFreeContext(&ctx);
        }
4539 4540 4541 4542 4543

        /* It is possible that this blocked client object accumulated
         * replies to send to the client in a thread safe context.
         * We need to glue such replies to the client output buffer and
         * free the temporary client we just used for the replies. */
4544
        if (c) AddReplyFromClient(c, bc->reply_client);
4545 4546
        freeClient(bc->reply_client);

4547
        if (c != NULL) {
4548 4549 4550 4551
            /* Before unblocking the client, set the disconnect callback
             * to NULL, because if we reached this point, the client was
             * properly unblocked by the module. */
            bc->disconnect_callback = NULL;
4552 4553 4554 4555 4556 4557 4558 4559 4560 4561 4562 4563
            unblockClient(c);
            /* Put the client in the list of clients that need to write
             * if there are pending replies here. This is needed since
             * during a non blocking command the client may receive output. */
            if (clientHasPendingReplies(c) &&
                !(c->flags & CLIENT_PENDING_WRITE))
            {
                c->flags |= CLIENT_PENDING_WRITE;
                listAddNodeHead(server.clients_pending_write,c);
            }
        }

4564 4565 4566
        /* Free 'bc' only after unblocking the client, since it is
         * referenced in the client blocking context, and must be valid
         * when calling unblockClient(). */
4567
        bc->module->blocked_clients--;
4568
        zfree(bc);
4569 4570 4571

        /* Lock again before to iterate the loop. */
        pthread_mutex_lock(&moduleUnblockedClientsMutex);
4572 4573 4574 4575 4576 4577 4578 4579 4580 4581 4582 4583 4584 4585
    }
    pthread_mutex_unlock(&moduleUnblockedClientsMutex);
}

/* Called when our client timed out. After this function unblockClient()
 * is called, and it will invalidate the blocked client. So this function
 * does not need to do any cleanup. Eventually the module will call the
 * API to unblock the client and the memory will be released. */
void moduleBlockedClientTimedOut(client *c) {
    RedisModuleBlockedClient *bc = c->bpop.module_blocked_handle;
    RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
    ctx.flags |= REDISMODULE_CTX_BLOCKED_TIMEOUT;
    ctx.module = bc->module;
    ctx.client = bc->client;
4586
    ctx.blocked_client = bc;
4587 4588
    bc->timeout_callback(&ctx,(void**)c->argv,c->argc);
    moduleFreeContext(&ctx);
4589
    /* For timeout events, we do not want to call the disconnect callback,
G
Guy Korland 已提交
4590
     * because the blocked client will be automatically disconnected in
4591 4592
     * this case, and the user can still hook using the timeout callback. */
    bc->disconnect_callback = NULL;
4593 4594 4595 4596 4597 4598 4599 4600 4601 4602 4603 4604 4605 4606
}

/* Return non-zero if a module command was called in order to fill the
 * reply for a blocked client. */
int RM_IsBlockedReplyRequest(RedisModuleCtx *ctx) {
    return (ctx->flags & REDISMODULE_CTX_BLOCKED_REPLY) != 0;
}

/* Return non-zero if a module command was called in order to fill the
 * reply for a blocked client that timed out. */
int RM_IsBlockedTimeoutRequest(RedisModuleCtx *ctx) {
    return (ctx->flags & REDISMODULE_CTX_BLOCKED_TIMEOUT) != 0;
}

G
Guy Korland 已提交
4607
/* Get the private data set by RedisModule_UnblockClient() */
4608 4609 4610 4611
void *RM_GetBlockedClientPrivateData(RedisModuleCtx *ctx) {
    return ctx->blocked_privdata;
}

4612 4613 4614 4615 4616 4617
/* Get the key that is ready when the reply callback is called in the context
 * of a client blocked by RedisModule_BlockClientOnKeys(). */
RedisModuleString *RM_GetBlockedClientReadyKey(RedisModuleCtx *ctx) {
    return ctx->blocked_ready_key;
}

4618 4619 4620 4621 4622 4623 4624 4625
/* Get the blocked client associated with a given context.
 * This is useful in the reply and timeout callbacks of blocked clients,
 * before sometimes the module has the blocked client handle references
 * around, and wants to cleanup it. */
RedisModuleBlockedClient *RM_GetBlockedClientHandle(RedisModuleCtx *ctx) {
    return ctx->blocked_client;
}

4626 4627 4628 4629 4630 4631 4632
/* Return true if when the free callback of a blocked client is called,
 * the reason for the client to be unblocked is that it disconnected
 * while it was blocked. */
int RM_BlockedClientDisconnected(RedisModuleCtx *ctx) {
    return (ctx->flags & REDISMODULE_CTX_BLOCKED_DISCONNECTED) != 0;
}

4633 4634 4635 4636
/* --------------------------------------------------------------------------
 * Thread Safe Contexts
 * -------------------------------------------------------------------------- */

4637 4638 4639 4640 4641 4642 4643 4644 4645
/* Return a context which can be used inside threads to make Redis context
 * calls with certain modules APIs. If 'bc' is not NULL then the module will
 * be bound to a blocked client, and it will be possible to use the
 * `RedisModule_Reply*` family of functions to accumulate a reply for when the
 * client will be unblocked. Otherwise the thread safe context will be
 * detached by a specific client.
 *
 * To call non-reply APIs, the thread safe context must be prepared with:
 *
4646 4647 4648
 *     RedisModule_ThreadSafeCallStart(ctx);
 *     ... make your call here ...
 *     RedisModule_ThreadSafeCallStop(ctx);
4649 4650 4651 4652
 *
 * This is not needed when using `RedisModule_Reply*` functions, assuming
 * that a blocked client was used when the context was created, otherwise
 * no RedisModule_Reply* call should be made at all.
4653 4654 4655
 *
 * TODO: thread safe contexts do not inherit the blocked client
 * selected database. */
4656 4657 4658 4659 4660 4661
RedisModuleCtx *RM_GetThreadSafeContext(RedisModuleBlockedClient *bc) {
    RedisModuleCtx *ctx = zmalloc(sizeof(*ctx));
    RedisModuleCtx empty = REDISMODULE_CTX_INIT;
    memcpy(ctx,&empty,sizeof(empty));
    if (bc) {
        ctx->blocked_client = bc;
4662
        ctx->module = bc->module;
4663 4664
    }
    ctx->flags |= REDISMODULE_CTX_THREAD_SAFE;
4665 4666 4667 4668
    /* Even when the context is associated with a blocked client, we can't
     * access it safely from another thread, so we create a fake client here
     * in order to keep things like the currently selected database and similar
     * things. */
4669
    ctx->client = createClient(NULL);
4670 4671
    if (bc) {
        selectDb(ctx->client,bc->dbid);
4672
        if (bc->client) ctx->client->id = bc->client->id;
4673
    }
4674 4675 4676 4677 4678 4679 4680 4681 4682 4683 4684 4685 4686
    return ctx;
}

/* Release a thread safe context. */
void RM_FreeThreadSafeContext(RedisModuleCtx *ctx) {
    moduleFreeContext(ctx);
    zfree(ctx);
}

/* Acquire the server lock before executing a thread safe API call.
 * This is not needed for `RedisModule_Reply*` calls when there is
 * a blocked client connected to the thread safe context. */
void RM_ThreadSafeContextLock(RedisModuleCtx *ctx) {
4687
    UNUSED(ctx);
4688
    moduleAcquireGIL();
4689 4690 4691 4692
}

/* Release the server lock after a thread safe API call was executed. */
void RM_ThreadSafeContextUnlock(RedisModuleCtx *ctx) {
4693
    UNUSED(ctx);
4694 4695 4696 4697 4698 4699 4700 4701
    moduleReleaseGIL();
}

void moduleAcquireGIL(void) {
    pthread_mutex_lock(&moduleGIL);
}

void moduleReleaseGIL(void) {
4702 4703 4704
    pthread_mutex_unlock(&moduleGIL);
}

4705 4706 4707 4708 4709

/* --------------------------------------------------------------------------
 * Module Keyspace Notifications API
 * -------------------------------------------------------------------------- */

4710
/* Subscribe to keyspace notifications. This is a low-level version of the
G
Guy Korland 已提交
4711
 * keyspace-notifications API. A module can register callbacks to be notified
4712 4713
 * when keyspce events occur.
 *
4714
 * Notification events are filtered by their type (string events, set events,
G
Guy Korland 已提交
4715
 * etc), and the subscriber callback receives only events that match a specific
4716 4717
 * mask of event types.
 *
D
Dvir Volk 已提交
4718 4719 4720
 * When subscribing to notifications with RedisModule_SubscribeToKeyspaceEvents 
 * the module must provide an event type-mask, denoting the events the subscriber
 * is interested in. This can be an ORed mask of any of the following flags:
4721
 *
D
Dvir Volk 已提交
4722 4723 4724 4725 4726 4727 4728 4729
 *  - REDISMODULE_NOTIFY_GENERIC: Generic commands like DEL, EXPIRE, RENAME
 *  - REDISMODULE_NOTIFY_STRING: String events
 *  - REDISMODULE_NOTIFY_LIST: List events
 *  - REDISMODULE_NOTIFY_SET: Set events
 *  - REDISMODULE_NOTIFY_HASH: Hash events
 *  - REDISMODULE_NOTIFY_ZSET: Sorted Set events
 *  - REDISMODULE_NOTIFY_EXPIRED: Expiration events
 *  - REDISMODULE_NOTIFY_EVICTED: Eviction events
4730
 *  - REDISMODULE_NOTIFY_STREAM: Stream events
D
Dvir Volk 已提交
4731
 *  - REDISMODULE_NOTIFY_ALL: All events
4732
 *
4733
 * We do not distinguish between key events and keyspace events, and it is up
4734 4735
 * to the module to filter the actions taken based on the key.
 *
4736
 * The subscriber signature is:
4737 4738 4739
 *
 *   int (*RedisModuleNotificationFunc) (RedisModuleCtx *ctx, int type,
 *                                       const char *event,
4740
 *                                       RedisModuleString *key);
4741
 *
4742 4743
 * `type` is the event type bit, that must match the mask given at registration
 * time. The event string is the actual command being executed, and key is the
4744 4745
 * relevant Redis key.
 *
D
Dvir Volk 已提交
4746
 * Notification callback gets executed with a redis context that can not be
4747
 * used to send anything to the client, and has the db number where the event
J
Jack Drogon 已提交
4748
 * occurred as its selected db number.
4749
 *
G
Guy Korland 已提交
4750
 * Notice that it is not necessary to enable notifications in redis.conf for
4751 4752
 * module notifications to work.
 *
4753
 * Warning: the notification callbacks are performed in a synchronous manner,
4754
 * so notification callbacks must to be fast, or they would slow Redis down.
4755
 * If you need to take long actions, use threads to offload them.
4756 4757
 *
 * See https://redis.io/topics/notifications for more information.
4758 4759 4760 4761 4762 4763 4764 4765 4766 4767 4768 4769
 */
int RM_SubscribeToKeyspaceEvents(RedisModuleCtx *ctx, int types, RedisModuleNotificationFunc callback) {
    RedisModuleKeyspaceSubscriber *sub = zmalloc(sizeof(*sub));
    sub->module = ctx->module;
    sub->event_mask = types;
    sub->notify_callback = callback;
    sub->active = 0;

    listAddNodeTail(moduleKeyspaceSubscribers, sub);
    return REDISMODULE_OK;
}

4770 4771 4772 4773 4774 4775 4776 4777 4778 4779 4780 4781 4782 4783
/* Get the configured bitmap of notify-keyspace-events (Could be used
 * for additional filtering in RedisModuleNotificationFunc) */
int RM_GetNotifyKeyspaceEvents() {
    return server.notify_keyspace_events;
}

/* Expose notifyKeyspaceEvent to modules */
int RM_NotifyKeyspaceEvent(RedisModuleCtx *ctx, int type, const char *event, RedisModuleString *key) {
    if (!ctx || !ctx->client)
        return REDISMODULE_ERR;
    notifyKeyspaceEvent(type, (char *)event, key, ctx->client->db->id);
    return REDISMODULE_OK;
}

4784
/* Dispatcher for keyspace notifications to module subscriber functions.
4785 4786 4787
 * This gets called  only if at least one module requested to be notified on
 * keyspace notifications */
void moduleNotifyKeyspaceEvent(int type, const char *event, robj *key, int dbid) {
4788 4789
    /* Don't do anything if there aren't any subscribers */
    if (listLength(moduleKeyspaceSubscribers) == 0) return;
4790

4791 4792 4793 4794 4795 4796 4797 4798 4799 4800 4801 4802 4803 4804
    listIter li;
    listNode *ln;
    listRewind(moduleKeyspaceSubscribers,&li);

    /* Remove irrelevant flags from the type mask */
    type &= ~(NOTIFY_KEYEVENT | NOTIFY_KEYSPACE);

    while((ln = listNext(&li))) {
        RedisModuleKeyspaceSubscriber *sub = ln->value;
        /* Only notify subscribers on events matching they registration,
         * and avoid subscribers triggering themselves */
        if ((sub->event_mask & type) && sub->active == 0) {
            RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
            ctx.module = sub->module;
4805
            ctx.client = moduleFreeContextReusedClient;
4806 4807
            selectDb(ctx.client, dbid);

G
Guy Korland 已提交
4808
            /* mark the handler as active to avoid reentrant loops.
4809 4810 4811 4812 4813 4814 4815 4816 4817 4818
             * If the subscriber performs an action triggering itself,
             * it will not be notified about it. */
            sub->active = 1;
            sub->notify_callback(&ctx, type, event, key);
            sub->active = 0;
            moduleFreeContext(&ctx);
        }
    }
}

J
Jack Drogon 已提交
4819
/* Unsubscribe any notification subscribers this module has upon unloading */
4820 4821 4822 4823 4824 4825 4826 4827 4828 4829 4830 4831 4832
void moduleUnsubscribeNotifications(RedisModule *module) {
    listIter li;
    listNode *ln;
    listRewind(moduleKeyspaceSubscribers,&li);
    while((ln = listNext(&li))) {
        RedisModuleKeyspaceSubscriber *sub = ln->value;
        if (sub->module == module) {
            listDelNode(moduleKeyspaceSubscribers, ln);
            zfree(sub);
        }
    }
}

4833 4834 4835 4836
/* --------------------------------------------------------------------------
 * Modules Cluster API
 * -------------------------------------------------------------------------- */

4837
/* The Cluster message callback function pointer type. */
4838
typedef void (*RedisModuleClusterMessageReceiver)(RedisModuleCtx *ctx, const char *sender_id, uint8_t type, const unsigned char *payload, uint32_t len);
4839 4840 4841 4842

/* This structure identifies a registered caller: it must match a given module
 * ID, for a given message type. The callback function is just the function
 * that was registered as receiver. */
4843
typedef struct moduleClusterReceiver {
4844 4845
    uint64_t module_id;
    RedisModuleClusterMessageReceiver callback;
4846
    struct RedisModule *module;
4847
    struct moduleClusterReceiver *next;
4848
} moduleClusterReceiver;
4849

4850 4851 4852 4853 4854 4855 4856
typedef struct moduleClusterNodeInfo {
    int flags;
    char ip[NET_IP_STR_LEN];
    int port;
    char master_id[40]; /* Only if flags & REDISMODULE_NODE_MASTER is true. */
} mdouleClusterNodeInfo;

4857 4858
/* We have an array of message types: each bucket is a linked list of
 * configured receivers. */
4859
static moduleClusterReceiver *clusterReceivers[UINT8_MAX];
4860

4861
/* Dispatch the message to the right module receiver. */
4862
void moduleCallClusterReceivers(const char *sender_id, uint64_t module_id, uint8_t type, const unsigned char *payload, uint32_t len) {
4863 4864 4865 4866 4867
    moduleClusterReceiver *r = clusterReceivers[type];
    while(r) {
        if (r->module_id == module_id) {
            RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
            ctx.module = r->module;
4868
            ctx.client = moduleFreeContextReusedClient;
4869
            selectDb(ctx.client, 0);
4870 4871 4872 4873 4874 4875 4876 4877 4878 4879 4880 4881 4882 4883
            r->callback(&ctx,sender_id,type,payload,len);
            moduleFreeContext(&ctx);
            return;
        }
        r = r->next;
    }
}

/* Register a callback receiver for cluster messages of type 'type'. If there
 * was already a registered callback, this will replace the callback function
 * with the one provided, otherwise if the callback is set to NULL and there
 * is already a callback for this function, the callback is unregistered
 * (so this API call is also used in order to delete the receiver). */
void RM_RegisterClusterMessageReceiver(RedisModuleCtx *ctx, uint8_t type, RedisModuleClusterMessageReceiver callback) {
4884 4885
    if (!server.cluster_enabled) return;

4886 4887 4888 4889 4890 4891 4892 4893 4894 4895 4896 4897 4898 4899 4900 4901 4902 4903 4904 4905 4906 4907 4908 4909 4910 4911 4912 4913 4914 4915 4916 4917 4918 4919 4920 4921 4922 4923 4924 4925 4926 4927
    uint64_t module_id = moduleTypeEncodeId(ctx->module->name,0);
    moduleClusterReceiver *r = clusterReceivers[type], *prev = NULL;
    while(r) {
        if (r->module_id == module_id) {
            /* Found! Set or delete. */
            if (callback) {
                r->callback = callback;
            } else {
                /* Delete the receiver entry if the user is setting
                 * it to NULL. Just unlink the receiver node from the
                 * linked list. */
                if (prev)
                    prev->next = r->next;
                else
                    clusterReceivers[type]->next = r->next;
                zfree(r);
            }
            return;
        }
        prev = r;
        r = r->next;
    }

    /* Not found, let's add it. */
    if (callback) {
        r = zmalloc(sizeof(*r));
        r->module_id = module_id;
        r->module = ctx->module;
        r->callback = callback;
        r->next = clusterReceivers[type];
        clusterReceivers[type] = r;
    }
}

/* Send a message to all the nodes in the cluster if `target` is NULL, otherwise
 * at the specified target, which is a REDISMODULE_NODE_ID_LEN bytes node ID, as
 * returned by the receiver callback or by the nodes iteration functions.
 *
 * The function returns REDISMODULE_OK if the message was successfully sent,
 * otherwise if the node is not connected or such node ID does not map to any
 * known cluster node, REDISMODULE_ERR is returned. */
int RM_SendClusterMessage(RedisModuleCtx *ctx, char *target_id, uint8_t type, unsigned char *msg, uint32_t len) {
4928
    if (!server.cluster_enabled) return REDISMODULE_ERR;
4929 4930 4931 4932 4933
    uint64_t module_id = moduleTypeEncodeId(ctx->module->name,0);
    if (clusterSendModuleMessageToTarget(target_id,module_id,type,msg,len) == C_OK)
        return REDISMODULE_OK;
    else
        return REDISMODULE_ERR;
4934 4935
}

4936 4937 4938 4939 4940 4941 4942 4943 4944 4945 4946 4947 4948 4949 4950 4951 4952 4953 4954 4955 4956 4957 4958 4959 4960 4961 4962 4963 4964 4965 4966 4967 4968 4969 4970 4971 4972 4973 4974 4975 4976 4977 4978 4979 4980 4981 4982 4983 4984 4985 4986 4987
/* Return an array of string pointers, each string pointer points to a cluster
 * node ID of exactly REDISMODULE_NODE_ID_SIZE bytes (without any null term).
 * The number of returned node IDs is stored into `*numnodes`.
 * However if this function is called by a module not running an a Redis
 * instance with Redis Cluster enabled, NULL is returned instead.
 *
 * The IDs returned can be used with RedisModule_GetClusterNodeInfo() in order
 * to get more information about single nodes.
 *
 * The array returned by this function must be freed using the function
 * RedisModule_FreeClusterNodesList().
 *
 * Example:
 *
 *     size_t count, j;
 *     char **ids = RedisModule_GetClusterNodesList(ctx,&count);
 *     for (j = 0; j < count; j++) {
 *         RedisModule_Log("notice","Node %.*s",
 *             REDISMODULE_NODE_ID_LEN,ids[j]);
 *     }
 *     RedisModule_FreeClusterNodesList(ids);
 */
char **RM_GetClusterNodesList(RedisModuleCtx *ctx, size_t *numnodes) {
    UNUSED(ctx);

    if (!server.cluster_enabled) return NULL;
    size_t count = dictSize(server.cluster->nodes);
    char **ids = zmalloc((count+1)*REDISMODULE_NODE_ID_LEN);
    dictIterator *di = dictGetIterator(server.cluster->nodes);
    dictEntry *de;
    int j = 0;
    while((de = dictNext(di)) != NULL) {
        clusterNode *node = dictGetVal(de);
        if (node->flags & (CLUSTER_NODE_NOADDR|CLUSTER_NODE_HANDSHAKE)) continue;
        ids[j] = zmalloc(REDISMODULE_NODE_ID_LEN);
        memcpy(ids[j],node->name,REDISMODULE_NODE_ID_LEN);
        j++;
    }
    *numnodes = j;
    ids[j] = NULL; /* Null term so that FreeClusterNodesList does not need
                    * to also get the count argument. */
    dictReleaseIterator(di);
    return ids;
}

/* Free the node list obtained with RedisModule_GetClusterNodesList. */
void RM_FreeClusterNodesList(char **ids) {
    if (ids == NULL) return;
    for (int j = 0; ids[j]; j++) zfree(ids[j]);
    zfree(ids);
}

4988 4989 4990 4991 4992 4993 4994
/* Return this node ID (REDISMODULE_CLUSTER_ID_LEN bytes) or NULL if the cluster
 * is disabled. */
const char *RM_GetMyClusterID(void) {
    if (!server.cluster_enabled) return NULL;
    return server.cluster->myself->name;
}

4995 4996 4997 4998 4999 5000 5001 5002 5003
/* Return the number of nodes in the cluster, regardless of their state
 * (handshake, noaddress, ...) so that the number of active nodes may actually
 * be smaller, but not greater than this number. If the instance is not in
 * cluster mode, zero is returned. */
size_t RM_GetClusterSize(void) {
    if (!server.cluster_enabled) return 0;
    return dictSize(server.cluster->nodes);
}

5004 5005 5006 5007 5008 5009 5010 5011 5012 5013 5014 5015 5016 5017
/* Populate the specified info for the node having as ID the specified 'id',
 * then returns REDISMODULE_OK. Otherwise if the node ID does not exist from
 * the POV of this local node, REDISMODULE_ERR is returned.
 *
 * The arguments ip, master_id, port and flags can be NULL in case we don't
 * need to populate back certain info. If an ip and master_id (only populated
 * if the instance is a slave) are specified, they point to buffers holding
 * at least REDISMODULE_NODE_ID_LEN bytes. The strings written back as ip
 * and master_id are not null terminated.
 *
 * The list of flags reported is the following:
 *
 * * REDISMODULE_NODE_MYSELF        This node
 * * REDISMODULE_NODE_MASTER        The node is a master
G
Guy Korland 已提交
5018
 * * REDISMODULE_NODE_SLAVE         The node is a replica
5019 5020 5021 5022 5023 5024 5025
 * * REDISMODULE_NODE_PFAIL         We see the node as failing
 * * REDISMODULE_NODE_FAIL          The cluster agrees the node is failing
 * * REDISMODULE_NODE_NOFAILOVER    The slave is configured to never failover
 */

clusterNode *clusterLookupNode(const char *name); /* We need access to internals */

5026 5027 5028
int RM_GetClusterNodeInfo(RedisModuleCtx *ctx, const char *id, char *ip, char *master_id, int *port, int *flags) {
    UNUSED(ctx);

5029 5030 5031 5032 5033 5034 5035 5036 5037 5038 5039 5040 5041 5042 5043 5044 5045 5046 5047 5048 5049 5050 5051 5052 5053 5054 5055 5056 5057 5058 5059
    clusterNode *node = clusterLookupNode(id);
    if (node->flags & (CLUSTER_NODE_NOADDR|CLUSTER_NODE_HANDSHAKE))
        return REDISMODULE_ERR;

    if (ip) memcpy(ip,node->name,REDISMODULE_NODE_ID_LEN);

    if (master_id) {
        /* If the information is not available, the function will set the
         * field to zero bytes, so that when the field can't be populated the
         * function kinda remains predictable. */
        if (node->flags & CLUSTER_NODE_MASTER && node->slaveof)
            memcpy(master_id,node->slaveof->name,REDISMODULE_NODE_ID_LEN);
        else
            memset(master_id,0,REDISMODULE_NODE_ID_LEN);
    }
    if (port) *port = node->port;

    /* As usually we have to remap flags for modules, in order to ensure
     * we can provide binary compatibility. */
    if (flags) {
        *flags = 0;
        if (node->flags & CLUSTER_NODE_MYSELF) *flags |= REDISMODULE_NODE_MYSELF;
        if (node->flags & CLUSTER_NODE_MASTER) *flags |= REDISMODULE_NODE_MASTER;
        if (node->flags & CLUSTER_NODE_SLAVE) *flags |= REDISMODULE_NODE_SLAVE;
        if (node->flags & CLUSTER_NODE_PFAIL) *flags |= REDISMODULE_NODE_PFAIL;
        if (node->flags & CLUSTER_NODE_FAIL) *flags |= REDISMODULE_NODE_FAIL;
        if (node->flags & CLUSTER_NODE_NOFAILOVER) *flags |= REDISMODULE_NODE_NOFAILOVER;
    }
    return REDISMODULE_OK;
}

5060 5061 5062 5063 5064 5065 5066 5067 5068 5069 5070 5071 5072 5073 5074 5075 5076 5077 5078
/* Set Redis Cluster flags in order to change the normal behavior of
 * Redis Cluster, especially with the goal of disabling certain functions.
 * This is useful for modules that use the Cluster API in order to create
 * a different distributed system, but still want to use the Redis Cluster
 * message bus. Flags that can be set:
 *
 *  CLUSTER_MODULE_FLAG_NO_FAILOVER
 *  CLUSTER_MODULE_FLAG_NO_REDIRECTION
 *
 * With the following effects:
 *
 *  NO_FAILOVER: prevent Redis Cluster slaves to failover a failing master.
 *               Also disables the replica migration feature.
 *
 *  NO_REDIRECTION: Every node will accept any key, without trying to perform
 *                  partitioning according to the user Redis Cluster algorithm.
 *                  Slots informations will still be propagated across the
 *                  cluster, but without effects. */
void RM_SetClusterFlags(RedisModuleCtx *ctx, uint64_t flags) {
5079
    UNUSED(ctx);
5080 5081 5082 5083 5084 5085
    if (flags & REDISMODULE_CLUSTER_FLAG_NO_FAILOVER)
        server.cluster_module_flags |= CLUSTER_MODULE_FLAG_NO_FAILOVER;
    if (flags & REDISMODULE_CLUSTER_FLAG_NO_REDIRECTION)
        server.cluster_module_flags |= CLUSTER_MODULE_FLAG_NO_REDIRECTION;
}

5086 5087 5088 5089 5090 5091 5092 5093 5094 5095 5096 5097 5098 5099 5100 5101 5102 5103 5104 5105 5106 5107
/* --------------------------------------------------------------------------
 * Modules Timers API
 *
 * Module timers are an high precision "green timers" abstraction where
 * every module can register even millions of timers without problems, even if
 * the actual event loop will just have a single timer that is used to awake the
 * module timers subsystem in order to process the next event.
 *
 * All the timers are stored into a radix tree, ordered by expire time, when
 * the main Redis event loop timer callback is called, we try to process all
 * the timers already expired one after the other. Then we re-enter the event
 * loop registering a timer that will expire when the next to process module
 * timer will expire.
 *
 * Every time the list of active timers drops to zero, we unregister the
 * main event loop timer, so that there is no overhead when such feature is
 * not used.
 * -------------------------------------------------------------------------- */

static rax *Timers;     /* The radix tree of all the timers sorted by expire. */
long long aeTimer = -1; /* Main event loop (ae.c) timer identifier. */

5108
typedef void (*RedisModuleTimerProc)(RedisModuleCtx *ctx, void *data);
5109 5110 5111 5112 5113 5114

/* The timer descriptor, stored as value in the radix tree. */
typedef struct RedisModuleTimer {
    RedisModule *module;                /* Module reference. */
    RedisModuleTimerProc callback;      /* The callback to invoke on expire. */
    void *data;                         /* Private data for the callback. */
H
Hamid Alaei 已提交
5115
    int dbid;                           /* Database number selected by the original client. */
5116 5117
} RedisModuleTimer;

5118 5119 5120 5121 5122 5123 5124 5125 5126 5127 5128 5129 5130 5131 5132 5133 5134 5135 5136 5137 5138 5139 5140
/* This is the timer handler that is called by the main event loop. We schedule
 * this timer to be called when the nearest of our module timers will expire. */
int moduleTimerHandler(struct aeEventLoop *eventLoop, long long id, void *clientData) {
    UNUSED(eventLoop);
    UNUSED(id);
    UNUSED(clientData);

    /* To start let's try to fire all the timers already expired. */
    raxIterator ri;
    raxStart(&ri,Timers);
    uint64_t now = ustime();
    long long next_period = 0;
    while(1) {
        raxSeek(&ri,"^",NULL,0);
        if (!raxNext(&ri)) break;
        uint64_t expiretime;
        memcpy(&expiretime,ri.key,sizeof(expiretime));
        expiretime = ntohu64(expiretime);
        if (now >= expiretime) {
            RedisModuleTimer *timer = ri.data;
            RedisModuleCtx ctx = REDISMODULE_CTX_INIT;

            ctx.module = timer->module;
5141
            ctx.client = moduleFreeContextReusedClient;
H
Hamid Alaei 已提交
5142
            selectDb(ctx.client, timer->dbid);
5143 5144
            timer->callback(&ctx,timer->data);
            moduleFreeContext(&ctx);
5145
            raxRemove(Timers,(unsigned char*)ri.key,ri.key_len,NULL);
5146 5147
            zfree(timer);
        } else {
5148
            next_period = (expiretime-now)/1000; /* Scale to milliseconds. */
5149 5150 5151 5152 5153 5154
            break;
        }
    }
    raxStop(&ri);

    /* Reschedule the next timer or cancel it. */
5155
    if (next_period <= 0) next_period = 1;
5156 5157 5158
    return (raxSize(Timers) > 0) ? next_period : AE_NOMORE;
}

5159 5160 5161 5162 5163 5164 5165 5166
/* Create a new timer that will fire after `period` milliseconds, and will call
 * the specified function using `data` as argument. The returned timer ID can be
 * used to get information from the timer or to stop it before it fires. */
RedisModuleTimerID RM_CreateTimer(RedisModuleCtx *ctx, mstime_t period, RedisModuleTimerProc callback, void *data) {
    RedisModuleTimer *timer = zmalloc(sizeof(*timer));
    timer->module = ctx->module;
    timer->callback = callback;
    timer->data = data;
5167
    timer->dbid = ctx->client ? ctx->client->db->id : 0;
5168 5169 5170 5171 5172
    uint64_t expiretime = ustime()+period*1000;
    uint64_t key;

    while(1) {
        key = htonu64(expiretime);
5173 5174
        if (raxFind(Timers, (unsigned char*)&key,sizeof(key)) == raxNotFound) {
            raxInsert(Timers,(unsigned char*)&key,sizeof(key),timer,NULL);
5175 5176
            break;
        } else {
5177
            expiretime++;
5178
        }
5179 5180 5181 5182 5183
    }

    /* We need to install the main event loop timer if it's not already
     * installed, or we may need to refresh its period if we just installed
     * a timer that will expire sooner than any other else. */
5184 5185 5186 5187 5188 5189 5190 5191 5192 5193 5194 5195 5196 5197 5198 5199 5200 5201 5202
    if (aeTimer != -1) {
        raxIterator ri;
        raxStart(&ri,Timers);
        raxSeek(&ri,"^",NULL,0);
        raxNext(&ri);
        if (memcmp(ri.key,&key,sizeof(key)) == 0) {
            /* This is the first key, we need to re-install the timer according
             * to the just added event. */
            aeDeleteTimeEvent(server.el,aeTimer);
            aeTimer = -1;
        }
        raxStop(&ri);
    }

    /* If we have no main timer (the old one was invalidated, or this is the
     * first module timer we have), install one. */
    if (aeTimer == -1)
        aeTimer = aeCreateTimeEvent(server.el,period,moduleTimerHandler,NULL,NULL);

5203 5204 5205 5206
    return key;
}

/* Stop a timer, returns REDISMODULE_OK if the timer was found, belonged to the
G
Guy Korland 已提交
5207
 * calling module, and was stopped, otherwise REDISMODULE_ERR is returned.
5208 5209 5210 5211 5212 5213 5214 5215 5216 5217 5218 5219 5220 5221 5222 5223
 * If not NULL, the data pointer is set to the value of the data argument when
 * the timer was created. */
int RM_StopTimer(RedisModuleCtx *ctx, RedisModuleTimerID id, void **data) {
    RedisModuleTimer *timer = raxFind(Timers,(unsigned char*)&id,sizeof(id));
    if (timer == raxNotFound || timer->module != ctx->module)
        return REDISMODULE_ERR;
    if (data) *data = timer->data;
    raxRemove(Timers,(unsigned char*)&id,sizeof(id),NULL);
    zfree(timer);
    return REDISMODULE_OK;
}

/* Obtain information about a timer: its remaining time before firing
 * (in milliseconds), and the private data pointer associated with the timer.
 * If the timer specified does not exist or belongs to a different module
 * no information is returned and the function returns REDISMODULE_ERR, otherwise
G
Guy Korland 已提交
5224
 * REDISMODULE_OK is returned. The arguments remaining or data can be NULL if
5225 5226 5227 5228 5229 5230 5231 5232
 * the caller does not need certain information. */
int RM_GetTimerInfo(RedisModuleCtx *ctx, RedisModuleTimerID id, uint64_t *remaining, void **data) {
    RedisModuleTimer *timer = raxFind(Timers,(unsigned char*)&id,sizeof(id));
    if (timer == raxNotFound || timer->module != ctx->module)
        return REDISMODULE_ERR;
    if (remaining) {
        int64_t rem = ntohu64(id)-ustime();
        if (rem < 0) rem = 0;
5233
        *remaining = rem/1000; /* Scale to milliseconds. */
5234 5235 5236 5237 5238
    }
    if (data) *data = timer->data;
    return REDISMODULE_OK;
}

5239 5240 5241 5242 5243 5244 5245 5246
/* --------------------------------------------------------------------------
 * Modules Dictionary API
 *
 * Implements a sorted dictionary (actually backed by a radix tree) with
 * the usual get / set / del / num-items API, together with an iterator
 * capable of going back and forth.
 * -------------------------------------------------------------------------- */

5247 5248 5249 5250 5251 5252 5253 5254 5255 5256 5257 5258 5259
/* Create a new dictionary. The 'ctx' pointer can be the current module context
 * or NULL, depending on what you want. Please follow the following rules:
 *
 * 1. Use a NULL context if you plan to retain a reference to this dictionary
 *    that will survive the time of the module callback where you created it.
 * 2. Use a NULL context if no context is available at the time you are creating
 *    the dictionary (of course...).
 * 3. However use the current callback context as 'ctx' argument if the
 *    dictionary time to live is just limited to the callback scope. In this
 *    case, if enabled, you can enjoy the automatic memory management that will
 *    reclaim the dictionary memory, as well as the strings returned by the
 *    Next / Prev dictionary iterator calls.
 */
5260 5261 5262
RedisModuleDict *RM_CreateDict(RedisModuleCtx *ctx) {
    struct RedisModuleDict *d = zmalloc(sizeof(*d));
    d->rax = raxNew();
5263
    if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_DICT,d);
5264 5265 5266
    return d;
}

5267 5268 5269 5270 5271
/* Free a dictionary created with RM_CreateDict(). You need to pass the
 * context pointer 'ctx' only if the dictionary was created using the
 * context instead of passing NULL. */
void RM_FreeDict(RedisModuleCtx *ctx, RedisModuleDict *d) {
    if (ctx != NULL) autoMemoryFreed(ctx,REDISMODULE_AM_DICT,d);
5272 5273 5274 5275 5276 5277 5278 5279 5280 5281 5282 5283 5284
    raxFree(d->rax);
    zfree(d);
}

/* Return the size of the dictionary (number of keys). */
uint64_t RM_DictSize(RedisModuleDict *d) {
    return raxSize(d->rax);
}

/* Store the specified key into the dictionary, setting its value to the
 * pointer 'ptr'. If the key was added with success, since it did not
 * already exist, REDISMODULE_OK is returned. Otherwise if the key already
 * exists the function returns REDISMODULE_ERR. */
5285
int RM_DictSetC(RedisModuleDict *d, void *key, size_t keylen, void *ptr) {
5286 5287 5288 5289
    int retval = raxTryInsert(d->rax,key,keylen,ptr,NULL);
    return (retval == 1) ? REDISMODULE_OK : REDISMODULE_ERR;
}

5290
/* Like RedisModule_DictSetC() but will replace the key with the new
5291
 * value if the key already exists. */
5292
int RM_DictReplaceC(RedisModuleDict *d, void *key, size_t keylen, void *ptr) {
5293 5294 5295 5296
    int retval = raxInsert(d->rax,key,keylen,ptr,NULL);
    return (retval == 1) ? REDISMODULE_OK : REDISMODULE_ERR;
}

5297 5298 5299
/* Like RedisModule_DictSetC() but takes the key as a RedisModuleString. */
int RM_DictSet(RedisModuleDict *d, RedisModuleString *key, void *ptr) {
    return RM_DictSetC(d,key->ptr,sdslen(key->ptr),ptr);
5300 5301
}

5302 5303 5304
/* Like RedisModule_DictReplaceC() but takes the key as a RedisModuleString. */
int RM_DictReplace(RedisModuleDict *d, RedisModuleString *key, void *ptr) {
    return RM_DictReplaceC(d,key->ptr,sdslen(key->ptr),ptr);
5305 5306 5307 5308 5309 5310 5311
}

/* Return the value stored at the specified key. The function returns NULL
 * both in the case the key does not exist, or if you actually stored
 * NULL at key. So, optionally, if the 'nokey' pointer is not NULL, it will
 * be set by reference to 1 if the key does not exist, or to 0 if the key
 * exists. */
5312
void *RM_DictGetC(RedisModuleDict *d, void *key, size_t keylen, int *nokey) {
5313 5314
    void *res = raxFind(d->rax,key,keylen);
    if (nokey) *nokey = (res == raxNotFound);
H
Hamid Alaei 已提交
5315
    return (res == raxNotFound) ? NULL : res;
5316 5317
}

5318 5319 5320
/* Like RedisModule_DictGetC() but takes the key as a RedisModuleString. */
void *RM_DictGet(RedisModuleDict *d, RedisModuleString *key, int *nokey) {
    return RM_DictGetC(d,key->ptr,sdslen(key->ptr),nokey);
5321 5322
}

5323 5324 5325 5326 5327 5328 5329
/* Remove the specified key from the dictionary, returning REDISMODULE_OK if
 * the key was found and delted, or REDISMODULE_ERR if instead there was
 * no such key in the dictionary. When the operation is successful, if
 * 'oldval' is not NULL, then '*oldval' is set to the value stored at the
 * key before it was deleted. Using this feature it is possible to get
 * a pointer to the value (for instance in order to release it), without
 * having to call RedisModule_DictGet() before deleting the key. */
5330
int RM_DictDelC(RedisModuleDict *d, void *key, size_t keylen, void *oldval) {
5331 5332 5333 5334
    int retval = raxRemove(d->rax,key,keylen,oldval);
    return retval ? REDISMODULE_OK : REDISMODULE_ERR;
}

5335 5336 5337
/* Like RedisModule_DictDelC() but gets the key as a RedisModuleString. */
int RM_DictDel(RedisModuleDict *d, RedisModuleString *key, void *oldval) {
    return RM_DictDelC(d,key->ptr,sdslen(key->ptr),oldval);
5338 5339
}

5340 5341 5342 5343 5344 5345 5346 5347 5348 5349 5350 5351 5352 5353 5354 5355 5356 5357 5358 5359
/* Return an interator, setup in order to start iterating from the specified
 * key by applying the operator 'op', which is just a string specifying the
 * comparison operator to use in order to seek the first element. The
 * operators avalable are:
 *
 * "^"   -- Seek the first (lexicographically smaller) key.
 * "$"   -- Seek the last  (lexicographically biffer) key.
 * ">"   -- Seek the first element greter than the specified key.
 * ">="  -- Seek the first element greater or equal than the specified key.
 * "<"   -- Seek the first element smaller than the specified key.
 * "<="  -- Seek the first element smaller or equal than the specified key.
 * "=="  -- Seek the first element matching exactly the specified key.
 *
 * Note that for "^" and "$" the passed key is not used, and the user may
 * just pass NULL with a length of 0.
 *
 * If the element to start the iteration cannot be seeked based on the
 * key and operator passed, RedisModule_DictNext() / Prev() will just return
 * REDISMODULE_ERR at the first call, otherwise they'll produce elements.
 */
5360
RedisModuleDictIter *RM_DictIteratorStartC(RedisModuleDict *d, const char *op, void *key, size_t keylen) {
5361 5362 5363 5364 5365 5366 5367
    RedisModuleDictIter *di = zmalloc(sizeof(*di));
    di->dict = d;
    raxStart(&di->ri,d->rax);
    raxSeek(&di->ri,op,key,keylen);
    return di;
}

5368
/* Exactly like RedisModule_DictIteratorStartC, but the key is passed as a
5369
 * RedisModuleString. */
5370 5371
RedisModuleDictIter *RM_DictIteratorStart(RedisModuleDict *d, const char *op, RedisModuleString *key) {
    return RM_DictIteratorStartC(d,op,key->ptr,sdslen(key->ptr));
5372 5373
}

5374 5375 5376 5377 5378 5379 5380 5381 5382 5383 5384 5385 5386 5387
/* Release the iterator created with RedisModule_DictIteratorStart(). This call
 * is mandatory otherwise a memory leak is introduced in the module. */
void RM_DictIteratorStop(RedisModuleDictIter *di) {
    raxStop(&di->ri);
    zfree(di);
}

/* After its creation with RedisModule_DictIteratorStart(), it is possible to
 * change the currently selected element of the iterator by using this
 * API call. The result based on the operator and key is exactly like
 * the function RedisModule_DictIteratorStart(), however in this case the
 * return value is just REDISMODULE_OK in case the seeked element was found,
 * or REDISMODULE_ERR in case it was not possible to seek the specified
 * element. It is possible to reseek an iterator as many times as you want. */
5388
int RM_DictIteratorReseekC(RedisModuleDictIter *di, const char *op, void *key, size_t keylen) {
5389 5390
    return raxSeek(&di->ri,op,key,keylen);
}
5391

5392
/* Like RedisModule_DictIteratorReseekC() but takes the key as as a
5393
 * RedisModuleString. */
5394 5395
int RM_DictIteratorReseek(RedisModuleDictIter *di, const char *op, RedisModuleString *key) {
    return RM_DictIteratorReseekC(di,op,key->ptr,sdslen(key->ptr));
5396 5397
}

5398 5399 5400 5401 5402 5403 5404 5405 5406 5407 5408 5409 5410 5411 5412 5413 5414 5415 5416 5417 5418 5419 5420 5421 5422 5423 5424 5425 5426 5427 5428 5429 5430 5431 5432 5433 5434 5435 5436 5437 5438 5439
/* Return the current item of the dictionary iterator 'di' and steps to the
 * next element. If the iterator already yield the last element and there
 * are no other elements to return, NULL is returned, otherwise a pointer
 * to a string representing the key is provided, and the '*keylen' length
 * is set by reference (if keylen is not NULL). The '*dataptr', if not NULL
 * is set to the value of the pointer stored at the returned key as auxiliary
 * data (as set by the RedisModule_DictSet API).
 *
 * Usage example:
 *
 *      ... create the iterator here ...
 *      char *key;
 *      void *data;
 *      while((key = RedisModule_DictNextC(iter,&keylen,&data)) != NULL) {
 *          printf("%.*s %p\n", (int)keylen, key, data);
 *      }
 *
 * The returned pointer is of type void because sometimes it makes sense
 * to cast it to a char* sometimes to an unsigned char* depending on the
 * fact it contains or not binary data, so this API ends being more
 * comfortable to use.
 *
 * The validity of the returned pointer is until the next call to the
 * next/prev iterator step. Also the pointer is no longer valid once the
 * iterator is released. */
void *RM_DictNextC(RedisModuleDictIter *di, size_t *keylen, void **dataptr) {
    if (!raxNext(&di->ri)) return NULL;
    if (keylen) *keylen = di->ri.key_len;
    if (dataptr) *dataptr = di->ri.data;
    return di->ri.key;
}

/* This function is exactly like RedisModule_DictNext() but after returning
 * the currently selected element in the iterator, it selects the previous
 * element (laxicographically smaller) instead of the next one. */
void *RM_DictPrevC(RedisModuleDictIter *di, size_t *keylen, void **dataptr) {
    if (!raxPrev(&di->ri)) return NULL;
    if (keylen) *keylen = di->ri.key_len;
    if (dataptr) *dataptr = di->ri.data;
    return di->ri.key;
}

5440 5441 5442 5443 5444 5445 5446 5447 5448 5449 5450 5451 5452 5453 5454 5455 5456 5457 5458 5459 5460 5461 5462
/* Like RedisModuleNextC(), but instead of returning an internally allocated
 * buffer and key length, it returns directly a module string object allocated
 * in the specified context 'ctx' (that may be NULL exactly like for the main
 * API RedisModule_CreateString).
 *
 * The returned string object should be deallocated after use, either manually
 * or by using a context that has automatic memory management active. */
RedisModuleString *RM_DictNext(RedisModuleCtx *ctx, RedisModuleDictIter *di, void **dataptr) {
    size_t keylen;
    void *key = RM_DictNextC(di,&keylen,dataptr);
    if (key == NULL) return NULL;
    return RM_CreateString(ctx,key,keylen);
}

/* Like RedisModule_DictNext() but after returning the currently selected
 * element in the iterator, it selects the previous element (laxicographically
 * smaller) instead of the next one. */
RedisModuleString *RM_DictPrev(RedisModuleCtx *ctx, RedisModuleDictIter *di, void **dataptr) {
    size_t keylen;
    void *key = RM_DictPrevC(di,&keylen,dataptr);
    if (key == NULL) return NULL;
    return RM_CreateString(ctx,key,keylen);
}
5463

5464 5465 5466 5467 5468 5469 5470 5471 5472 5473 5474 5475 5476 5477 5478 5479 5480 5481
/* Compare the element currently pointed by the iterator to the specified
 * element given by key/keylen, according to the operator 'op' (the set of
 * valid operators are the same valid for RedisModule_DictIteratorStart).
 * If the comparision is successful the command returns REDISMODULE_OK
 * otherwise REDISMODULE_ERR is returned.
 *
 * This is useful when we want to just emit a lexicographical range, so
 * in the loop, as we iterate elements, we can also check if we are still
 * on range.
 *
 * The function returne REDISMODULE_ERR if the iterator reached the
 * end of elements condition as well. */
int RM_DictCompareC(RedisModuleDictIter *di, const char *op, void *key, size_t keylen) {
    if (raxEOF(&di->ri)) return REDISMODULE_ERR;
    int res = raxCompare(&di->ri,op,key,keylen);
    return res ? REDISMODULE_OK : REDISMODULE_ERR;
}

5482 5483 5484 5485 5486 5487 5488 5489
/* Like RedisModule_DictCompareC but gets the key to compare with the current
 * iterator key as a RedisModuleString. */
int RM_DictCompare(RedisModuleDictIter *di, const char *op, RedisModuleString *key) {
    if (raxEOF(&di->ri)) return REDISMODULE_ERR;
    int res = raxCompare(&di->ri,op,key->ptr,sdslen(key->ptr));
    return res ? REDISMODULE_OK : REDISMODULE_ERR;
}

5490 5491 5492 5493 5494 5495 5496



/* --------------------------------------------------------------------------
 * Modules Info fields
 * -------------------------------------------------------------------------- */

5497 5498
int RM_InfoEndDictField(RedisModuleInfoCtx *ctx);

5499 5500
/* Used to start a new section, before adding any fields. the section name will
 * be prefixed by "<modulename>_" and must only include A-Z,a-z,0-9.
5501
 * NULL or empty string indicates the default section (only <modulename>) is used.
5502
 * When return value is REDISMODULE_ERR, the section should and will be skipped. */
5503
int RM_InfoAddSection(RedisModuleInfoCtx *ctx, char *name) {
5504 5505
    sds full_name = sdsdup(ctx->module->name);
    if (name != NULL && strlen(name) > 0)
5506
        full_name = sdscatfmt(full_name, "_%s", name);
5507

5508 5509 5510 5511
    /* Implicitly end dicts, instead of returning an error which is likely un checked. */
    if (ctx->in_dict_field)
        RM_InfoEndDictField(ctx);

5512 5513 5514 5515 5516 5517 5518 5519 5520 5521 5522 5523 5524
    /* proceed only if:
     * 1) no section was requested (emit all)
     * 2) the module name was requested (emit all)
     * 3) this specific section was requested. */
    if (ctx->requested_section) {
        if (strcasecmp(ctx->requested_section, full_name) &&
            strcasecmp(ctx->requested_section, ctx->module->name)) {
            sdsfree(full_name);
            ctx->in_section = 0;
            return REDISMODULE_ERR;
        }
    }
    if (ctx->sections++) ctx->info = sdscat(ctx->info,"\r\n");
5525
    ctx->info = sdscatfmt(ctx->info, "# %S\r\n", full_name);
5526 5527 5528 5529 5530
    ctx->in_section = 1;
    sdsfree(full_name);
    return REDISMODULE_OK;
}

5531 5532 5533 5534 5535 5536 5537 5538 5539
/* Starts a dict field, similar to the ones in INFO KEYSPACE. Use normal
 * RedisModule_InfoAddField* functions to add the items to this field, and
 * terminate with RedisModule_InfoEndDictField. */
int RM_InfoBeginDictField(RedisModuleInfoCtx *ctx, char *name) {
    if (!ctx->in_section)
        return REDISMODULE_ERR;
    /* Implicitly end dicts, instead of returning an error which is likely un checked. */
    if (ctx->in_dict_field)
        RM_InfoEndDictField(ctx);
5540
    ctx->info = sdscatfmt(ctx->info,
5541 5542 5543 5544 5545 5546 5547 5548 5549 5550 5551 5552 5553 5554
        "%s_%s:",
        ctx->module->name,
        name);
    ctx->in_dict_field = 1;
    return REDISMODULE_OK;
}

/* Ends a dict field, see RedisModule_InfoBeginDictField */
int RM_InfoEndDictField(RedisModuleInfoCtx *ctx) {
    if (!ctx->in_dict_field)
        return REDISMODULE_ERR;
    /* trim the last ',' if found. */
    if (ctx->info[sdslen(ctx->info)-1]==',')
        sdsIncrLen(ctx->info, -1);
5555
    ctx->info = sdscat(ctx->info, "\r\n");
5556 5557 5558 5559
    ctx->in_dict_field = 0;
    return REDISMODULE_OK;
}

5560 5561 5562
/* Used by RedisModuleInfoFunc to add info fields.
 * Each field will be automatically prefixed by "<modulename>_".
 * Field names or values must not include \r\n of ":" */
5563
int RM_InfoAddFieldString(RedisModuleInfoCtx *ctx, char *field, RedisModuleString *value) {
5564 5565
    if (!ctx->in_section)
        return REDISMODULE_ERR;
5566
    if (ctx->in_dict_field) {
5567 5568
        ctx->info = sdscatfmt(ctx->info,
            "%s=%S,",
5569 5570 5571 5572
            field,
            (sds)value->ptr);
        return REDISMODULE_OK;
    }
5573 5574
    ctx->info = sdscatfmt(ctx->info,
        "%s_%s:%S\r\n",
5575 5576 5577 5578 5579 5580
        ctx->module->name,
        field,
        (sds)value->ptr);
    return REDISMODULE_OK;
}

5581
int RM_InfoAddFieldCString(RedisModuleInfoCtx *ctx, char *field, char *value) {
5582 5583
    if (!ctx->in_section)
        return REDISMODULE_ERR;
5584
    if (ctx->in_dict_field) {
5585
        ctx->info = sdscatfmt(ctx->info,
5586 5587 5588 5589 5590
            "%s=%s,",
            field,
            value);
        return REDISMODULE_OK;
    }
5591
    ctx->info = sdscatfmt(ctx->info,
5592 5593 5594 5595 5596 5597 5598
        "%s_%s:%s\r\n",
        ctx->module->name,
        field,
        value);
    return REDISMODULE_OK;
}

5599
int RM_InfoAddFieldDouble(RedisModuleInfoCtx *ctx, char *field, double value) {
5600 5601
    if (!ctx->in_section)
        return REDISMODULE_ERR;
5602 5603 5604 5605 5606 5607 5608
    if (ctx->in_dict_field) {
        ctx->info = sdscatprintf(ctx->info,
            "%s=%.17g,",
            field,
            value);
        return REDISMODULE_OK;
    }
5609 5610 5611 5612 5613 5614 5615 5616
    ctx->info = sdscatprintf(ctx->info,
        "%s_%s:%.17g\r\n",
        ctx->module->name,
        field,
        value);
    return REDISMODULE_OK;
}

5617
int RM_InfoAddFieldLongLong(RedisModuleInfoCtx *ctx, char *field, long long value) {
5618 5619
    if (!ctx->in_section)
        return REDISMODULE_ERR;
5620
    if (ctx->in_dict_field) {
5621 5622
        ctx->info = sdscatfmt(ctx->info,
            "%s=%I,",
5623 5624 5625 5626
            field,
            value);
        return REDISMODULE_OK;
    }
5627 5628
    ctx->info = sdscatfmt(ctx->info,
        "%s_%s:%I\r\n",
5629 5630 5631 5632 5633 5634
        ctx->module->name,
        field,
        value);
    return REDISMODULE_OK;
}

5635
int RM_InfoAddFieldULongLong(RedisModuleInfoCtx *ctx, char *field, unsigned long long value) {
5636 5637
    if (!ctx->in_section)
        return REDISMODULE_ERR;
5638
    if (ctx->in_dict_field) {
5639 5640
        ctx->info = sdscatfmt(ctx->info,
            "%s=%U,",
5641 5642 5643 5644
            field,
            value);
        return REDISMODULE_OK;
    }
5645 5646
    ctx->info = sdscatfmt(ctx->info,
        "%s_%s:%U\r\n",
5647 5648 5649 5650 5651 5652 5653 5654 5655 5656 5657
        ctx->module->name,
        field,
        value);
    return REDISMODULE_OK;
}

int RM_RegisterInfoFunc(RedisModuleCtx *ctx, RedisModuleInfoFunc cb) {
    ctx->module->info_cb = cb;
    return REDISMODULE_OK;
}

5658
sds modulesCollectInfo(sds info, const char *section, int for_crash_report, int sections) {
5659 5660 5661 5662 5663 5664 5665 5666 5667
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;

    while ((de = dictNext(di)) != NULL) {
        struct RedisModule *module = dictGetVal(de);
        if (!module->info_cb)
            continue;
        RedisModuleInfoCtx info_ctx = {module, section, info, sections, 0};
        module->info_cb(&info_ctx, for_crash_report);
5668 5669 5670
        /* Implicitly end dicts (no way to handle errors, and we must add the newline). */
        if (info_ctx.in_dict_field)
            RM_InfoEndDictField(&info_ctx);
5671 5672 5673 5674 5675 5676 5677
        info = info_ctx.info;
        sections = info_ctx.sections;
    }
    dictReleaseIterator(di);
    return info;
}

5678 5679 5680 5681 5682 5683 5684 5685 5686 5687 5688 5689 5690 5691 5692 5693 5694 5695 5696 5697 5698
/* Get information about the server similar to the one that returns from the
 * INFO command. This function takes an optional 'section' argument that may
 * be NULL. The return value holds the output and can be used with
 * RedisModule_ServerInfoGetField and alike to get the individual fields.
 * When done, it needs to be freed with RedisModule_FreeServerInfo or with the
 * automatic memory management mechanism if enabled. */
RedisModuleServerInfoData *RM_GetServerInfo(RedisModuleCtx *ctx, const char *section) {
    struct RedisModuleServerInfoData *d = zmalloc(sizeof(*d));
    d->rax = raxNew();
    if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_INFO,d);
    sds info = genRedisInfoString(section);
    int totlines, i;
    sds *lines = sdssplitlen(info, sdslen(info), "\r\n", 2, &totlines);
    for(i=0; i<totlines; i++) {
        sds line = lines[i];
        if (line[0]=='#') continue;
        char *sep = strchr(line, ':');
        if (!sep) continue;
        unsigned char *key = (unsigned char*)line;
        size_t keylen = (intptr_t)sep-(intptr_t)line;
        sds val = sdsnewlen(sep+1,sdslen(line)-((intptr_t)sep-(intptr_t)line)-1);
O
Oran Agra 已提交
5699 5700
        if (!raxTryInsert(d->rax,key,keylen,val,NULL))
            sdsfree(val);
5701 5702 5703 5704 5705 5706 5707 5708 5709 5710 5711 5712 5713 5714 5715 5716 5717 5718 5719 5720 5721 5722 5723 5724 5725 5726 5727 5728 5729 5730 5731 5732 5733 5734 5735 5736
    }
    sdsfree(info);
    sdsfreesplitres(lines,totlines);
    return d;
}

/* Free data created with RM_GetServerInfo(). You need to pass the
 * context pointer 'ctx' only if the dictionary was created using the
 * context instead of passing NULL. */
void RM_FreeServerInfo(RedisModuleCtx *ctx, RedisModuleServerInfoData *data) {
    if (ctx != NULL) autoMemoryFreed(ctx,REDISMODULE_AM_INFO,data);
    raxIterator ri;
    raxStart(&ri,data->rax);
    while(1) {
        raxSeek(&ri,"^",NULL,0);
        if (!raxNext(&ri)) break;
        raxRemove(data->rax,(unsigned char*)ri.key,ri.key_len,NULL);
        sdsfree(ri.data);
    }
    raxStop(&ri);
    raxFree(data->rax);
    zfree(data);
}

/* Get the value of a field from data collected with RM_GetServerInfo(). You
 * need to pass the context pointer 'ctx' only if you want to use auto memory
 * mechanism to release the returned string. Return value will be NULL if the
 * field was not found. */
RedisModuleString *RM_ServerInfoGetField(RedisModuleCtx *ctx, RedisModuleServerInfoData *data, const char* field) {
    sds val = raxFind(data->rax, (unsigned char *)field, strlen(field));
    if (val == raxNotFound) return NULL;
    RedisModuleString *o = createStringObject(val,sdslen(val));
    if (ctx != NULL) autoMemoryAdd(ctx,REDISMODULE_AM_STRING,o);
    return o;
}

O
Oran Agra 已提交
5737 5738 5739 5740 5741 5742 5743
/* Similar to RM_ServerInfoGetField, but returns a char* which should not be freed but the caller. */
const char *RM_ServerInfoGetFieldC(RedisModuleServerInfoData *data, const char* field) {
    sds val = raxFind(data->rax, (unsigned char *)field, strlen(field));
    if (val == raxNotFound) return NULL;
    return val;
}

5744
/* Get the value of a field from data collected with RM_GetServerInfo(). If the
O
Oran Agra 已提交
5745 5746 5747
 * field is not found, or is not numerical or out of range, return value will be
 * 0, and the optional out_err argument will be set to REDISMODULE_ERR. */
long long RM_ServerInfoGetFieldSigned(RedisModuleServerInfoData *data, const char* field, int *out_err) {
5748 5749 5750 5751 5752 5753 5754 5755 5756 5757 5758 5759 5760 5761
    long long ll;
    sds val = raxFind(data->rax, (unsigned char *)field, strlen(field));
    if (val == raxNotFound) {
        if (out_err) *out_err = REDISMODULE_ERR;
        return 0;
    }
    if (!string2ll(val,sdslen(val),&ll)) {
        if (out_err) *out_err = REDISMODULE_ERR;
        return 0;
    }
    if (out_err) *out_err = REDISMODULE_OK;
    return ll;
}

O
Oran Agra 已提交
5762 5763 5764 5765 5766 5767 5768 5769 5770 5771 5772 5773 5774 5775 5776 5777 5778 5779
/* Get the value of a field from data collected with RM_GetServerInfo(). If the
 * field is not found, or is not numerical or out of range, return value will be
 * 0, and the optional out_err argument will be set to REDISMODULE_ERR. */
unsigned long long RM_ServerInfoGetFieldUnsigned(RedisModuleServerInfoData *data, const char* field, int *out_err) {
    unsigned long long ll;
    sds val = raxFind(data->rax, (unsigned char *)field, strlen(field));
    if (val == raxNotFound) {
        if (out_err) *out_err = REDISMODULE_ERR;
        return 0;
    }
    if (!string2ull(val,&ll)) {
        if (out_err) *out_err = REDISMODULE_ERR;
        return 0;
    }
    if (out_err) *out_err = REDISMODULE_OK;
    return ll;
}

5780 5781 5782
/* Get the value of a field from data collected with RM_GetServerInfo(). If the
 * field is not found, or is not a double, return value will be 0, and the
 * optional out_err argument will be set to REDISMODULE_ERR. */
O
Oran Agra 已提交
5783
double RM_ServerInfoGetFieldDouble(RedisModuleServerInfoData *data, const char* field, int *out_err) {
5784 5785 5786 5787 5788 5789 5790 5791 5792 5793 5794 5795 5796 5797
    double dbl;
    sds val = raxFind(data->rax, (unsigned char *)field, strlen(field));
    if (val == raxNotFound) {
        if (out_err) *out_err = REDISMODULE_ERR;
        return 0;
    }
    if (!string2d(val,sdslen(val),&dbl)) {
        if (out_err) *out_err = REDISMODULE_ERR;
        return 0;
    }
    if (out_err) *out_err = REDISMODULE_OK;
    return dbl;
}

5798 5799 5800 5801 5802 5803 5804 5805 5806 5807 5808 5809 5810 5811 5812 5813 5814 5815 5816
/* --------------------------------------------------------------------------
 * Modules utility APIs
 * -------------------------------------------------------------------------- */

/* Return random bytes using SHA1 in counter mode with a /dev/urandom
 * initialized seed. This function is fast so can be used to generate
 * many bytes without any effect on the operating system entropy pool.
 * Currently this function is not thread safe. */
void RM_GetRandomBytes(unsigned char *dst, size_t len) {
    getRandomBytes(dst,len);
}

/* Like RedisModule_GetRandomBytes() but instead of setting the string to
 * random bytes the string is set to random characters in the in the
 * hex charset [0-9a-f]. */
void RM_GetRandomHexChars(char *dst, size_t len) {
    getRandomHexChars(dst,len);
}

5817 5818 5819 5820 5821 5822 5823 5824 5825 5826 5827 5828 5829 5830 5831 5832 5833 5834 5835 5836 5837 5838 5839 5840 5841 5842 5843 5844 5845 5846 5847 5848 5849 5850 5851 5852 5853 5854 5855 5856 5857 5858 5859 5860 5861 5862 5863 5864 5865 5866 5867 5868 5869 5870 5871 5872 5873 5874 5875 5876 5877 5878 5879 5880 5881 5882 5883 5884 5885 5886 5887
/* --------------------------------------------------------------------------
 * Modules API exporting / importing
 * -------------------------------------------------------------------------- */

/* This function is called by a module in order to export some API with a
 * given name. Other modules will be able to use this API by calling the
 * symmetrical function RM_GetSharedAPI() and casting the return value to
 * the right function pointer.
 *
 * The function will return REDISMODULE_OK if the name is not already taken,
 * otherwise REDISMODULE_ERR will be returned and no operation will be
 * performed.
 *
 * IMPORTANT: the apiname argument should be a string literal with static
 * lifetime. The API relies on the fact that it will always be valid in
 * the future. */
int RM_ExportSharedAPI(RedisModuleCtx *ctx, const char *apiname, void *func) {
    RedisModuleSharedAPI *sapi = zmalloc(sizeof(*sapi));
    sapi->module = ctx->module;
    sapi->func = func;
    if (dictAdd(server.sharedapi, (char*)apiname, sapi) != DICT_OK) {
        zfree(sapi);
        return REDISMODULE_ERR;
    }
    return REDISMODULE_OK;
}

/* Request an exported API pointer. The return value is just a void pointer
 * that the caller of this function will be required to cast to the right
 * function pointer, so this is a private contract between modules.
 *
 * If the requested API is not available then NULL is returned. Because
 * modules can be loaded at different times with different order, this
 * function calls should be put inside some module generic API registering
 * step, that is called every time a module attempts to execute a
 * command that requires external APIs: if some API cannot be resolved, the
 * command should return an error.
 *
 * Here is an exmaple:
 *
 *     int ... myCommandImplementation() {
 *        if (getExternalAPIs() == 0) {
 *             reply with an error here if we cannot have the APIs
 *        }
 *        // Use the API:
 *        myFunctionPointer(foo);
 *     }
 *
 * And the function registerAPI() is:
 *
 *     int getExternalAPIs(void) {
 *         static int api_loaded = 0;
 *         if (api_loaded != 0) return 1; // APIs already resolved.
 *
 *         myFunctionPointer = RedisModule_GetOtherModuleAPI("...");
 *         if (myFunctionPointer == NULL) return 0;
 *
 *         return 1;
 *     }
 */
void *RM_GetSharedAPI(RedisModuleCtx *ctx, const char *apiname) {
    dictEntry *de = dictFind(server.sharedapi, apiname);
    if (de == NULL) return NULL;
    RedisModuleSharedAPI *sapi = dictGetVal(de);
    if (listSearchKey(sapi->module->usedby,ctx->module) == NULL) {
        listAddNodeTail(sapi->module->usedby,ctx->module);
        listAddNodeTail(ctx->module->using,sapi->module);
    }
    return sapi->func;
}

5888 5889 5890 5891 5892 5893 5894 5895 5896 5897 5898 5899 5900 5901 5902 5903 5904 5905 5906 5907 5908 5909 5910
/* Remove all the APIs registered by the specified module. Usually you
 * want this when the module is going to be unloaded. This function
 * assumes that's caller responsibility to make sure the APIs are not
 * used by other modules.
 *
 * The number of unregistered APIs is returned. */
int moduleUnregisterSharedAPI(RedisModule *module) {
    int count = 0;
    dictIterator *di = dictGetSafeIterator(server.sharedapi);
    dictEntry *de;
    while ((de = dictNext(di)) != NULL) {
        const char *apiname = dictGetKey(de);
        RedisModuleSharedAPI *sapi = dictGetVal(de);
        if (sapi->module == module) {
            dictDelete(server.sharedapi,apiname);
            zfree(sapi);
            count++;
        }
    }
    dictReleaseIterator(di);
    return count;
}

5911 5912 5913 5914 5915 5916 5917 5918 5919 5920 5921 5922 5923 5924 5925 5926 5927 5928 5929 5930 5931
/* Remove the specified module as an user of APIs of ever other module.
 * This is usually called when a module is unloaded.
 *
 * Returns the number of modules this module was using APIs from. */
int moduleUnregisterUsedAPI(RedisModule *module) {
    listIter li;
    listNode *ln;
    int count = 0;

    listRewind(module->using,&li);
    while((ln = listNext(&li))) {
        RedisModule *used = ln->value;
        listNode *ln = listSearchKey(used->usedby,module);
        if (ln) {
            listDelNode(module->using,ln);
            count++;
        }
    }
    return count;
}

5932 5933 5934 5935 5936 5937 5938 5939 5940 5941 5942 5943 5944 5945 5946 5947 5948 5949 5950 5951 5952 5953
/* Unregister all filters registered by a module.
 * This is called when a module is being unloaded.
 * 
 * Returns the number of filters unregistered. */
int moduleUnregisterFilters(RedisModule *module) {
    listIter li;
    listNode *ln;
    int count = 0;

    listRewind(module->filters,&li);
    while((ln = listNext(&li))) {
        RedisModuleCommandFilter *filter = ln->value;
        listNode *ln = listSearchKey(moduleCommandFilters,filter);
        if (ln) {
            listDelNode(moduleCommandFilters,ln);
            count++;
        }
        zfree(filter);
    }
    return count;
}

5954 5955 5956 5957
/* --------------------------------------------------------------------------
 * Module Command Filter API
 * -------------------------------------------------------------------------- */

5958 5959 5960 5961 5962 5963 5964 5965 5966 5967 5968 5969 5970 5971 5972 5973 5974 5975 5976 5977 5978 5979 5980 5981 5982 5983 5984 5985 5986 5987 5988 5989 5990 5991 5992 5993
/* Register a new command filter function.
 *
 * Command filtering makes it possible for modules to extend Redis by plugging
 * into the execution flow of all commands.
 *
 * A registered filter gets called before Redis executes *any* command.  This
 * includes both core Redis commands and commands registered by any module.  The
 * filter applies in all execution paths including:
 *
 * 1. Invocation by a client.
 * 2. Invocation through `RedisModule_Call()` by any module.
 * 3. Invocation through Lua 'redis.call()`.
 * 4. Replication of a command from a master.
 *
 * The filter executes in a special filter context, which is different and more
 * limited than a RedisModuleCtx.  Because the filter affects any command, it
 * must be implemented in a very efficient way to reduce the performance impact
 * on Redis.  All Redis Module API calls that require a valid context (such as
 * `RedisModule_Call()`, `RedisModule_OpenKey()`, etc.) are not supported in a
 * filter context.
 *
 * The `RedisModuleCommandFilterCtx` can be used to inspect or modify the
 * executed command and its arguments.  As the filter executes before Redis
 * begins processing the command, any change will affect the way the command is
 * processed.  For example, a module can override Redis commands this way:
 *
 * 1. Register a `MODULE.SET` command which implements an extended version of
 *    the Redis `SET` command.
 * 2. Register a command filter which detects invocation of `SET` on a specific
 *    pattern of keys.  Once detected, the filter will replace the first
 *    argument from `SET` to `MODULE.SET`.
 * 3. When filter execution is complete, Redis considers the new command name
 *    and therefore executes the module's own command.
 *
 * Note that in the above use case, if `MODULE.SET` itself uses
 * `RedisModule_Call()` the filter will be applied on that call as well.  If
5994 5995 5996 5997 5998 5999 6000 6001 6002 6003 6004
 * that is not desired, the `REDISMODULE_CMDFILTER_NOSELF` flag can be set when
 * registering the filter.
 *
 * The `REDISMODULE_CMDFILTER_NOSELF` flag prevents execution flows that
 * originate from the module's own `RM_Call()` from reaching the filter.  This
 * flag is effective for all execution flows, including nested ones, as long as
 * the execution begins from the module's command context or a thread-safe
 * context that is associated with a blocking command.
 *
 * Detached thread-safe contexts are *not* associated with the module and cannot
 * be protected by this flag.
6005 6006 6007
 *
 * If multiple filters are registered (by the same or different modules), they
 * are executed in the order of registration.
6008 6009
 */

6010
RedisModuleCommandFilter *RM_RegisterCommandFilter(RedisModuleCtx *ctx, RedisModuleCommandFilterFunc callback, int flags) {
6011 6012 6013
    RedisModuleCommandFilter *filter = zmalloc(sizeof(*filter));
    filter->module = ctx->module;
    filter->callback = callback;
6014
    filter->flags = flags;
6015 6016

    listAddNodeTail(moduleCommandFilters, filter);
6017 6018 6019 6020 6021 6022 6023 6024 6025 6026 6027 6028 6029 6030 6031
    listAddNodeTail(ctx->module->filters, filter);
    return filter;
}

/* Unregister a command filter.
 */
int RM_UnregisterCommandFilter(RedisModuleCtx *ctx, RedisModuleCommandFilter *filter) {
    listNode *ln;

    /* A module can only remove its own filters */
    if (filter->module != ctx->module) return REDISMODULE_ERR;

    ln = listSearchKey(moduleCommandFilters,filter);
    if (!ln) return REDISMODULE_ERR;
    listDelNode(moduleCommandFilters,ln);
6032

6033
    ln = listSearchKey(ctx->module->filters,filter);
6034 6035
    if (!ln) return REDISMODULE_ERR;    /* Shouldn't happen */
    listDelNode(ctx->module->filters,ln);
6036

6037 6038
    zfree(filter);

6039 6040 6041 6042 6043 6044 6045 6046 6047 6048
    return REDISMODULE_OK;
}

void moduleCallCommandFilters(client *c) {
    if (listLength(moduleCommandFilters) == 0) return;

    listIter li;
    listNode *ln;
    listRewind(moduleCommandFilters,&li);

6049
    RedisModuleCommandFilterCtx filter = {
6050 6051 6052 6053 6054
        .argv = c->argv,
        .argc = c->argc
    };

    while((ln = listNext(&li))) {
6055
        RedisModuleCommandFilter *f = ln->value;
6056

6057 6058 6059 6060 6061 6062
        /* Skip filter if REDISMODULE_CMDFILTER_NOSELF is set and module is
         * currently processing a command.
         */
        if ((f->flags & REDISMODULE_CMDFILTER_NOSELF) && f->module->in_call) continue;

        /* Call filter */
6063
        f->callback(&filter);
6064 6065
    }

6066 6067
    c->argv = filter.argv;
    c->argc = filter.argc;
6068 6069
}

6070 6071 6072
/* Return the number of arguments a filtered command has.  The number of
 * arguments include the command itself.
 */
6073
int RM_CommandFilterArgsCount(RedisModuleCommandFilterCtx *fctx)
6074
{
6075
    return fctx->argc;
6076 6077 6078 6079 6080
}

/* Return the specified command argument.  The first argument (position 0) is
 * the command itself, and the rest are user-provided args.
 */
6081
const RedisModuleString *RM_CommandFilterArgGet(RedisModuleCommandFilterCtx *fctx, int pos)
6082
{
6083 6084
    if (pos < 0 || pos >= fctx->argc) return NULL;
    return fctx->argv[pos];
6085 6086 6087 6088 6089 6090 6091 6092
}

/* Modify the filtered command by inserting a new argument at the specified
 * position.  The specified RedisModuleString argument may be used by Redis
 * after the filter context is destroyed, so it must not be auto-memory
 * allocated, freed or used elsewhere.
 */

6093
int RM_CommandFilterArgInsert(RedisModuleCommandFilterCtx *fctx, int pos, RedisModuleString *arg)
6094 6095 6096
{
    int i;

6097
    if (pos < 0 || pos > fctx->argc) return REDISMODULE_ERR;
6098

6099 6100 6101
    fctx->argv = zrealloc(fctx->argv, (fctx->argc+1)*sizeof(RedisModuleString *));
    for (i = fctx->argc; i > pos; i--) {
        fctx->argv[i] = fctx->argv[i-1];
6102
    }
6103 6104
    fctx->argv[pos] = arg;
    fctx->argc++;
6105 6106 6107 6108 6109 6110 6111 6112 6113 6114

    return REDISMODULE_OK;
}

/* Modify the filtered command by replacing an existing argument with a new one.
 * The specified RedisModuleString argument may be used by Redis after the
 * filter context is destroyed, so it must not be auto-memory allocated, freed
 * or used elsewhere.
 */

6115
int RM_CommandFilterArgReplace(RedisModuleCommandFilterCtx *fctx, int pos, RedisModuleString *arg)
6116
{
6117
    if (pos < 0 || pos >= fctx->argc) return REDISMODULE_ERR;
6118

6119 6120
    decrRefCount(fctx->argv[pos]);
    fctx->argv[pos] = arg;
6121 6122 6123 6124 6125 6126 6127

    return REDISMODULE_OK;
}

/* Modify the filtered command by deleting an argument at the specified
 * position.
 */
6128
int RM_CommandFilterArgDelete(RedisModuleCommandFilterCtx *fctx, int pos)
6129 6130
{
    int i;
6131
    if (pos < 0 || pos >= fctx->argc) return REDISMODULE_ERR;
6132

6133 6134 6135
    decrRefCount(fctx->argv[pos]);
    for (i = pos; i < fctx->argc-1; i++) {
        fctx->argv[i] = fctx->argv[i+1];
6136
    }
6137
    fctx->argc--;
6138

6139 6140 6141
    return REDISMODULE_OK;
}

A
antirez 已提交
6142 6143 6144 6145 6146
/* For a given pointer allocated via RedisModule_Alloc() or
 * RedisModule_Realloc(), return the amount of memory allocated for it.
 * Note that this may be different (larger) than the memory we allocated
 * with the allocation calls, since sometimes the underlying allocator
 * will allocate more memory.
6147 6148 6149 6150 6151
 */
size_t RM_MallocSize(void* ptr){
    return zmalloc_size(ptr);
}

A
antirez 已提交
6152 6153 6154 6155 6156 6157 6158
/* Return the a number between 0 to 1 indicating the amount of memory
 * currently used, relative to the Redis "maxmemory" configuration.
 *
 * 0 - No memory limit configured.
 * Between 0 and 1 - The percentage of the memory used normalized in 0-1 range.
 * Exactly 1 - Memory limit reached.
 * Greater 1 - More memory used than the configured limit.
6159
 */
6160
float RM_GetUsedMemoryRatio(){
6161 6162
    float level;
    getMaxmemoryState(NULL, NULL, NULL, &level);
6163
    return level;
6164 6165
}

6166 6167 6168
/* --------------------------------------------------------------------------
 * Scanning keyspace and hashes
 * -------------------------------------------------------------------------- */
6169

6170
typedef void (*RedisModuleScanCB)(RedisModuleCtx *ctx, RedisModuleString *keyname, RedisModuleKey *key, void *privdata);
6171 6172 6173 6174 6175 6176
typedef struct {
    RedisModuleCtx *ctx;
    void* user_data;
    RedisModuleScanCB fn;
} ScanCBData;

6177
typedef struct RedisModuleScanCursor{
6178
    int cursor;
6179 6180
    int done;
}RedisModuleScanCursor;
6181

6182
static void moduleScanCallback(void *privdata, const dictEntry *de) {
6183 6184 6185 6186 6187 6188 6189
    ScanCBData *data = privdata;
    sds key = dictGetKey(de);
    robj* val = dictGetVal(de);
    RedisModuleString *keyname = createObject(OBJ_STRING,sdsdup(key));

    /* Setup the key handle. */
    RedisModuleKey kp = {0};
6190
    moduleInitKey(&kp, data->ctx, keyname, val, REDISMODULE_READ);
6191

6192
    data->fn(data->ctx, keyname, &kp, data->user_data);
6193

6194
    moduleCloseKey(&kp);
6195 6196 6197
    decrRefCount(keyname);
}

6198 6199 6200
/* Create a new cursor to be used with RedisModule_Scan */
RedisModuleScanCursor *RM_ScanCursorCreate() {
    RedisModuleScanCursor* cursor = zmalloc(sizeof(*cursor));
6201
    cursor->cursor = 0;
6202
    cursor->done = 0;
6203 6204 6205
    return cursor;
}

6206 6207
/* Restart an existing cursor. The keys will be rescanned. */
void RM_ScanCursorRestart(RedisModuleScanCursor *cursor) {
6208
    cursor->cursor = 0;
6209
    cursor->done = 0;
6210 6211
}

6212 6213
/* Destroy the cursor struct. */
void RM_ScanCursorDestroy(RedisModuleScanCursor *cursor) {
6214 6215 6216
    zfree(cursor);
}

6217 6218 6219 6220 6221 6222 6223 6224 6225 6226 6227
/* Scan api that allows a module to scan all the keys and value in the selected db.
 *
 * Callback for scan implementation.
 * void scan_callback(RedisModuleCtx *ctx, RedisModuleString *keyname, RedisModuleKey *key, void *privdata);
 * - ctx - the redis module context provided to for the scan.
 * - keyname - owned by the caller and need to be retained if used after this function.
 * - key - holds info on the key and value, it is provided as best effort, in some cases it might
 *   be NULL, in which case the user should (can) use RedisModule_OpenKey (and CloseKey too).
 *   when it is provided, it is owned by the caller and will be free when the callback returns.
 * - privdata - the user data provided to RedisModule_Scan.
 *
6228
 * The way it should be used:
6229
 *      RedisModuleCursor *c = RedisModule_ScanCursorCreate();
6230
 *      while(RedisModule_Scan(ctx, c, callback, privateData));
6231
 *      RedisModule_ScanCursorDestroy(c);
6232
 *
6233 6234 6235 6236
 * It is also possible to use this API from another thread while the lock is acquired durring 
 * the actuall call to RM_Scan:
 *      RedisModuleCursor *c = RedisModule_ScanCursorCreate();
 *      RedisModule_ThreadSafeContextLock(ctx);
6237
 *      while(RedisModule_Scan(ctx, c, callback, privateData)){
6238
 *          RedisModule_ThreadSafeContextUnlock(ctx);
6239
 *          // do some background job
6240
 *          RedisModule_ThreadSafeContextLock(ctx);
6241
 *      }
6242
 *      RedisModule_ScanCursorDestroy(c);
6243
 *
6244 6245 6246 6247 6248 6249
 *  The function will return 1 if there are more elements to scan and 0 otherwise,
 *  possibly setting errno if the call failed.
 *  It is also possible to restart and existing cursor using RM_CursorRestart. */
int RM_Scan(RedisModuleCtx *ctx, RedisModuleScanCursor *cursor, RedisModuleScanCB fn, void *privdata) {
    if (cursor->done) {
        errno = ENOENT;
6250 6251 6252 6253
        return 0;
    }
    int ret = 1;
    ScanCBData data = { ctx, privdata, fn };
6254 6255 6256
    cursor->cursor = dictScan(ctx->client->db->dict, cursor->cursor, moduleScanCallback, NULL, &data);
    if (cursor->cursor == 0) {
        cursor->done = 1;
6257 6258
        ret = 0;
    }
6259 6260 6261 6262 6263 6264 6265 6266 6267 6268 6269 6270 6271 6272 6273 6274 6275 6276 6277 6278 6279 6280 6281 6282 6283 6284 6285 6286 6287 6288 6289 6290 6291 6292 6293 6294 6295 6296 6297 6298 6299 6300 6301 6302 6303 6304 6305 6306 6307 6308 6309 6310 6311 6312 6313 6314 6315 6316 6317 6318 6319 6320 6321 6322 6323 6324 6325 6326 6327 6328 6329 6330 6331 6332 6333 6334 6335 6336 6337 6338 6339 6340 6341 6342 6343 6344 6345 6346 6347 6348 6349 6350 6351 6352 6353 6354 6355 6356 6357 6358 6359 6360 6361 6362 6363 6364 6365 6366 6367 6368 6369 6370 6371 6372 6373 6374 6375 6376 6377 6378 6379 6380 6381 6382 6383 6384 6385 6386 6387 6388 6389 6390 6391 6392 6393 6394
    errno = 0;
    return ret;
}

typedef void (*RedisModuleScanKeyCB)(RedisModuleKey *key, RedisModuleString *field, RedisModuleString *value, void *privdata);
typedef struct {
    RedisModuleKey *key;
    void* user_data;
    RedisModuleScanKeyCB fn;
} ScanKeyCBData;

static void moduleScanKeyCallback(void *privdata, const dictEntry *de) {
    ScanKeyCBData *data = privdata;
    sds key = dictGetKey(de);
    robj *o = data->key->value;
    robj *field = createStringObject(key, sdslen(key));
    robj *value = NULL;
    if (o->type == OBJ_SET) {
        value = NULL;
    } else if (o->type == OBJ_HASH) {
        sds val = dictGetVal(de);
        value = createStringObject(val, sdslen(val));
    } else if (o->type == OBJ_ZSET) {
        double *val = (double*)dictGetVal(de);
        value = createStringObjectFromLongDouble(*val, 0);
    }

    data->fn(data->key, field, value, data->user_data);
    decrRefCount(field);
    if (value) decrRefCount(value);
}

/* Scan api that allows a module to scan the elements in a hash, set or sorted set key
 *
 * Callback for scan implementation.
 * void scan_callback(RedisModuleKey *key, RedisModuleString* field, RedisModuleString* value, void *privdata);
 * - key - the redis key context provided to for the scan.
 * - field - field name, owned by the caller and need to be retained if used
 *   after this function.
 * - value - value string or NULL for set type, owned by the caller and need to
 *   be retained if used after this function.
 * - privdata - the user data provided to RedisModule_ScanKey.
 *
 * The way it should be used:
 *      RedisModuleCursor *c = RedisModule_ScanCursorCreate();
 *      RedisModuleKey *key = RedisModule_OpenKey(...)
 *      while(RedisModule_ScanKey(key, c, callback, privateData));
 *      RedisModule_CloseKey(key);
 *      RedisModule_ScanCursorDestroy(c);
 *
 * It is also possible to use this API from another thread while the lock is acquired durring
 * the actuall call to RM_Scan, and re-opening the key each time:
 *      RedisModuleCursor *c = RedisModule_ScanCursorCreate();
 *      RedisModule_ThreadSafeContextLock(ctx);
 *      RedisModuleKey *key = RedisModule_OpenKey(...)
 *      while(RedisModule_ScanKey(ctx, c, callback, privateData)){
 *          RedisModule_CloseKey(key);
 *          RedisModule_ThreadSafeContextUnlock(ctx);
 *          // do some background job
 *          RedisModule_ThreadSafeContextLock(ctx);
 *          RedisModuleKey *key = RedisModule_OpenKey(...)
 *      }
 *      RedisModule_CloseKey(key);
 *      RedisModule_ScanCursorDestroy(c);
 *
 *  The function will return 1 if there are more elements to scan and 0 otherwise,
 *  possibly setting errno if the call failed.
 *  It is also possible to restart and existing cursor using RM_CursorRestart. */
int RM_ScanKey(RedisModuleKey *key, RedisModuleScanCursor *cursor, RedisModuleScanKeyCB fn, void *privdata) {
    if (key == NULL || key->value == NULL) {
        errno = EINVAL;
        return 0;
    }
    dict *ht = NULL;
    robj *o = key->value;
    if (o->type == OBJ_SET) {
        if (o->encoding == OBJ_ENCODING_HT)
            ht = o->ptr;
    } else if (o->type == OBJ_HASH) {
        if (o->encoding == OBJ_ENCODING_HT)
            ht = o->ptr;
    } else if (o->type == OBJ_ZSET) {
        if (o->encoding == OBJ_ENCODING_SKIPLIST)
            ht = ((zset *)o->ptr)->dict;
    } else {
        errno = EINVAL;
        return 0;
    }
    if (cursor->done) {
        errno = ENOENT;
        return 0;
    }
    int ret = 1;
    if (ht) {
        ScanKeyCBData data = { key, privdata, fn };
        cursor->cursor = dictScan(ht, cursor->cursor, moduleScanKeyCallback, NULL, &data);
        if (cursor->cursor == 0) {
            cursor->done = 1;
            ret = 0;
        }
    } else if (o->type == OBJ_SET && o->encoding == OBJ_ENCODING_INTSET) {
        int pos = 0;
        int64_t ll;
        while(intsetGet(o->ptr,pos++,&ll)) {
            robj *field = createStringObjectFromLongLong(ll);
            fn(key, field, NULL, privdata);
            decrRefCount(field);
        }
        cursor->cursor = 1;
        cursor->done = 1;
        ret = 0;
    } else if (o->type == OBJ_HASH || o->type == OBJ_ZSET) {
        unsigned char *p = ziplistIndex(o->ptr,0);
        unsigned char *vstr;
        unsigned int vlen;
        long long vll;
        while(p) {
            ziplistGet(p,&vstr,&vlen,&vll);
            robj *field = (vstr != NULL) ?
                createStringObject((char*)vstr,vlen) :
                createStringObjectFromLongLong(vll);
            p = ziplistNext(o->ptr,p);
            ziplistGet(p,&vstr,&vlen,&vll);
            robj *value = (vstr != NULL) ?
                createStringObject((char*)vstr,vlen) :
                createStringObjectFromLongLong(vll);
            fn(key, field, value, privdata);
            p = ziplistNext(o->ptr,p);
            decrRefCount(field);
            decrRefCount(value);
        }
        cursor->cursor = 1;
        cursor->done = 1;
        ret = 0;
    }
    errno = 0;
6395 6396 6397 6398
    return ret;
}


O
Oran Agra 已提交
6399 6400 6401 6402 6403 6404 6405 6406 6407 6408 6409 6410 6411 6412 6413
/* --------------------------------------------------------------------------
 * Module fork API
 * -------------------------------------------------------------------------- */

/* Create a background child process with the current frozen snaphost of the
 * main process where you can do some processing in the background without
 * affecting / freezing the traffic and no need for threads and GIL locking.
 * Note that Redis allows for only one concurrent fork.
 * When the child wants to exit, it should call RedisModule_ExitFromChild.
 * If the parent wants to kill the child it should call RedisModule_KillForkChild
 * The done handler callback will be executed on the parent process when the
 * child existed (but not when killed)
 * Return: -1 on failure, on success the parent process will get a positive PID
 * of the child, and the child process will get 0.
 */
6414
int RM_Fork(RedisModuleForkDoneHandler cb, void *user_data) {
O
Oran Agra 已提交
6415
    pid_t childpid;
6416
    if (hasActiveChildProcess()) {
O
Oran Agra 已提交
6417 6418 6419 6420 6421 6422 6423 6424 6425 6426 6427 6428 6429 6430 6431 6432 6433 6434 6435 6436 6437 6438 6439
        return -1;
    }

    openChildInfoPipe();
    if ((childpid = redisFork()) == 0) {
        /* Child */
        redisSetProcTitle("redis-module-fork");
    } else if (childpid == -1) {
        closeChildInfoPipe();
        serverLog(LL_WARNING,"Can't fork for module: %s", strerror(errno));
    } else {
        /* Parent */
        server.module_child_pid = childpid;
        moduleForkInfo.done_handler = cb;
        moduleForkInfo.done_handler_user_data = user_data;
        serverLog(LL_NOTICE, "Module fork started pid: %d ", childpid);
    }
    return childpid;
}

/* Call from the child process when you want to terminate it.
 * retcode will be provided to the done handler executed on the parent process.
 */
6440
int RM_ExitFromChild(int retcode) {
O
Oran Agra 已提交
6441 6442 6443 6444 6445
    sendChildCOWInfo(CHILD_INFO_TYPE_MODULE, "Module fork");
    exitFromChild(retcode);
    return REDISMODULE_OK;
}

6446 6447 6448
/* Kill the active module forked child, if there is one active and the
 * pid matches, and returns C_OK. Otherwise if there is no active module
 * child or the pid does not match, return C_ERR without doing anything. */
6449
int TerminateModuleForkChild(int child_pid, int wait) {
6450 6451 6452 6453
    /* Module child should be active and pid should match. */
    if (server.module_child_pid == -1 ||
        server.module_child_pid != child_pid) return C_ERR;

O
Oran Agra 已提交
6454 6455 6456
    int statloc;
    serverLog(LL_NOTICE,"Killing running module fork child: %ld",
        (long) server.module_child_pid);
6457
    if (kill(server.module_child_pid,SIGUSR1) != -1 && wait) {
6458 6459
        while(wait4(server.module_child_pid,&statloc,0,NULL) !=
              server.module_child_pid);
O
Oran Agra 已提交
6460 6461 6462 6463 6464 6465 6466
    }
    /* Reset the buffer accumulating changes while the child saves. */
    server.module_child_pid = -1;
    moduleForkInfo.done_handler = NULL;
    moduleForkInfo.done_handler_user_data = NULL;
    closeChildInfoPipe();
    updateDictResizePolicy();
6467
    return C_OK;
6468 6469 6470 6471
}

/* Can be used to kill the forked child process from the parent process.
 * child_pid whould be the return value of RedisModule_Fork. */
6472
int RM_KillForkChild(int child_pid) {
6473
    /* Kill module child, wait for child exit. */
6474 6475 6476 6477
    if (TerminateModuleForkChild(child_pid,1) == C_OK)
        return REDISMODULE_OK;
    else
        return REDISMODULE_ERR;
O
Oran Agra 已提交
6478 6479
}

6480
void ModuleForkDoneHandler(int exitcode, int bysignal) {
O
Oran Agra 已提交
6481 6482 6483 6484 6485 6486 6487 6488 6489 6490 6491 6492
    serverLog(LL_NOTICE,
        "Module fork exited pid: %d, retcode: %d, bysignal: %d",
        server.module_child_pid, exitcode, bysignal);
    if (moduleForkInfo.done_handler) {
        moduleForkInfo.done_handler(exitcode, bysignal,
            moduleForkInfo.done_handler_user_data);
    }
    server.module_child_pid = -1;
    moduleForkInfo.done_handler = NULL;
    moduleForkInfo.done_handler_user_data = NULL;
}

6493 6494 6495 6496 6497 6498 6499 6500 6501 6502 6503 6504 6505 6506
/* --------------------------------------------------------------------------
 * Server hooks implementation
 * -------------------------------------------------------------------------- */

/* Register to be notified, via a callback, when the specified server event
 * happens. The callback is called with the event as argument, and an additional
 * argument which is a void pointer and should be cased to a specific type
 * that is event-specific (but many events will just use NULL since they do not
 * have additional information to pass to the callback).
 *
 * If the callback is NULL and there was a previous subscription, the module
 * will be unsubscribed. If there was a previous subscription and the callback
 * is not null, the old callback will be replaced with the new one.
 *
A
antirez 已提交
6507 6508 6509 6510 6511 6512 6513 6514 6515 6516 6517 6518
 * The callback must be of this type:
 *
 *  int (*RedisModuleEventCallback)(RedisModuleCtx *ctx,
 *                                  RedisModuleEvent eid,
 *                                  uint64_t subevent,
 *                                  void *data);
 *
 * The 'ctx' is a normal Redis module context that the callback can use in
 * order to call other modules APIs. The 'eid' is the event itself, this
 * is only useful in the case the module subscribed to multiple events: using
 * the 'id' field of this structure it is possible to check if the event
 * is one of the events we registered with this callback. The 'subevent' field
6519 6520
 * depends on the event that fired.
 *
6521 6522 6523
 * Finally the 'data' pointer may be populated, only for certain events, with
 * more relevant data.
 *
6524 6525 6526 6527 6528 6529 6530 6531 6532 6533 6534
 * Here is a list of events you can use as 'eid' and related sub events:
 *
 *      RedisModuleEvent_ReplicationRoleChanged
 *
 *          This event is called when the instance switches from master
 *          to replica or the other way around, however the event is
 *          also called when the replica remains a replica but starts to
 *          replicate with a different master.
 *
 *          The following sub events are available:
 *
6535 6536
 *              REDISMODULE_SUBEVENT_REPLROLECHANGED_NOW_MASTER
 *              REDISMODULE_SUBEVENT_REPLROLECHANGED_NOW_REPLICA
6537 6538 6539 6540 6541 6542 6543 6544 6545
 *
 *          The 'data' field can be casted by the callback to a
 *          RedisModuleReplicationInfo structure with the following fields:
 *
 *              int master; // true if master, false if replica
 *              char *masterhost; // master instance hostname for NOW_REPLICA
 *              int masterport; // master instance port for NOW_REPLICA
 *              char *replid1; // Main replication ID
 *              char *replid2; // Secondary replication ID
6546
 *              uint64_t repl1_offset; // Main replication offset
6547 6548 6549 6550 6551 6552 6553
 *              uint64_t repl2_offset; // Offset of replid2 validity
 *
 *      RedisModuleEvent_Persistence
 *
 *          This event is called when RDB saving or AOF rewriting starts
 *          and ends. The following sub events are available:
 *
6554 6555 6556 6557 6558
 *              REDISMODULE_SUBEVENT_PERSISTENCE_RDB_START
 *              REDISMODULE_SUBEVENT_PERSISTENCE_AOF_START
 *              REDISMODULE_SUBEVENT_PERSISTENCE_SYNC_RDB_START
 *              REDISMODULE_SUBEVENT_PERSISTENCE_ENDED
 *              REDISMODULE_SUBEVENT_PERSISTENCE_FAILED
6559 6560 6561 6562
 *
 *          The above events are triggered not just when the user calls the
 *          relevant commands like BGSAVE, but also when a saving operation
 *          or AOF rewriting occurs because of internal server triggers.
6563 6564 6565 6566 6567 6568 6569
 *          The SYNC_RDB_START sub events are happening in the forground due to
 *          SAVE command, FLUSHALL, or server shutdown, and the other RDB and
 *          AOF sub events are executed in a background fork child, so any
 *          action the module takes can only affect the generated AOF or RDB,
 *          but will not be reflected in the parent process and affect connected
 *          clients and commands. Also note that the AOF_START sub event may end
 *          up saving RDB content in case of an AOF with rdb-preamble.
6570 6571 6572 6573 6574 6575 6576
 *
 *      RedisModuleEvent_FlushDB
 *
 *          The FLUSHALL, FLUSHDB or an internal flush (for instance
 *          because of replication, after the replica synchronization)
 *          happened. The following sub events are available:
 *
6577 6578
 *              REDISMODULE_SUBEVENT_FLUSHDB_START
 *              REDISMODULE_SUBEVENT_FLUSHDB_END
6579 6580 6581 6582
 *
 *          The data pointer can be casted to a RedisModuleFlushInfo
 *          structure with the following fields:
 *
6583
 *              int32_t async;  // True if the flush is done in a thread.
6584 6585 6586 6587
 *                                 See for instance FLUSHALL ASYNC.
 *                                 In this case the END callback is invoked
 *                                 immediately after the database is put
 *                                 in the free list of the thread.
6588
 *              int32_t dbnum;  // Flushed database number, -1 for all the DBs
6589 6590 6591 6592 6593 6594
 *                                 in the case of the FLUSHALL operation.
 *
 *          The start event is called *before* the operation is initated, thus
 *          allowing the callback to call DBSIZE or other operation on the
 *          yet-to-free keyspace.
 *
6595 6596 6597 6598 6599 6600 6601
 *      RedisModuleEvent_Loading
 *
 *          Called on loading operations: at startup when the server is
 *          started, but also after a first synchronization when the
 *          replica is loading the RDB file from the master.
 *          The following sub events are available:
 *
6602 6603 6604 6605 6606 6607 6608 6609 6610
 *              REDISMODULE_SUBEVENT_LOADING_RDB_START
 *              REDISMODULE_SUBEVENT_LOADING_AOF_START
 *              REDISMODULE_SUBEVENT_LOADING_REPL_START
 *              REDISMODULE_SUBEVENT_LOADING_ENDED
 *              REDISMODULE_SUBEVENT_LOADING_FAILED
 *
 *          Note that AOF loading may start with an RDB data in case of
 *          rdb-preamble, in which case you'll only recieve an AOF_START event.
 *
6611 6612 6613 6614 6615 6616 6617 6618
 *
 *      RedisModuleEvent_ClientChange
 *
 *          Called when a client connects or disconnects.
 *          The data pointer can be casted to a RedisModuleClientInfo
 *          structure, documented in RedisModule_GetClientInfoById().
 *          The following sub events are available:
 *
6619 6620
 *              REDISMODULE_SUBEVENT_CLIENT_CHANGE_CONNECTED
 *              REDISMODULE_SUBEVENT_CLIENT_CHANGE_DISCONNECTED
6621 6622 6623 6624 6625
 *
 *      RedisModuleEvent_Shutdown
 *
 *          The server is shutting down. No subevents are available.
 *
6626
 *  RedisModuleEvent_ReplicaChange
6627 6628 6629 6630 6631 6632
 *
 *          This event is called when the instance (that can be both a
 *          master or a replica) get a new online replica, or lose a
 *          replica since it gets disconnected.
 *          The following sub events are availble:
 *
6633 6634
 *              REDISMODULE_SUBEVENT_REPLICA_CHANGE_ONLINE
 *              REDISMODULE_SUBEVENT_REPLICA_CHANGE_OFFLINE
6635 6636 6637 6638 6639
 *
 *          No additional information is available so far: future versions
 *          of Redis will have an API in order to enumerate the replicas
 *          connected and their state.
 *
6640 6641
 *  RedisModuleEvent_CronLoop
 *
6642 6643 6644 6645 6646 6647
 *          This event is called every time Redis calls the serverCron()
 *          function in order to do certain bookkeeping. Modules that are
 *          required to do operations from time to time may use this callback.
 *          Normally Redis calls this function 10 times per second, but
 *          this changes depending on the "hz" configuration.
 *          No sub events are available.
A
antirez 已提交
6648
 *
6649 6650 6651 6652 6653
 *          The data pointer can be casted to a RedisModuleCronLoop
 *          structure with the following fields:
 *
 *              int32_t hz;  // Approximate number of events per second.
 *
6654 6655 6656 6657 6658 6659 6660 6661
 *  RedisModuleEvent_MasterLinkChange
 *
 *          This is called for replicas in order to notify when the
 *          replication link becomes functional (up) with our master,
 *          or when it goes down. Note that the link is not considered
 *          up when we just connected to the master, but only if the
 *          replication is happening correctly.
 *          The following sub events are available:
A
antirez 已提交
6662
 *
6663 6664 6665 6666 6667 6668 6669 6670 6671 6672 6673 6674 6675 6676 6677 6678 6679 6680 6681 6682 6683 6684 6685 6686 6687 6688 6689 6690 6691 6692 6693 6694
 *              REDISMODULE_SUBEVENT_MASTER_LINK_UP
 *              REDISMODULE_SUBEVENT_MASTER_LINK_DOWN
 *
 *  RedisModuleEvent_ModuleChange
 *
 *          This event is called when a new module is loaded or one is unloaded.
 *          The following sub events are availble:
 *
 *              REDISMODULE_SUBEVENT_MODULE_LOADED
 *              REDISMODULE_SUBEVENT_MODULE_UNLOADED
 *
 *          The data pointer can be casted to a RedisModuleModuleChange
 *          structure with the following fields:
 *
 *              const char* module_name;  // Name of module loaded or unloaded.
 *              int32_t module_version;  // Module version.
 *
 *  RedisModuleEvent_LoadingProgress
 *
 *          This event is called repeatedly called while an RDB or AOF file
 *          is being loaded.
 *          The following sub events are availble:
 *
 *              REDISMODULE_SUBEVENT_LOADING_PROGRESS_RDB
 *              REDISMODULE_SUBEVENT_LOADING_PROGRESS_AOF
 *
 *          The data pointer can be casted to a RedisModuleLoadingProgress
 *          structure with the following fields:
 *
 *              int32_t hz;  // Approximate number of events per second.
 *              int32_t progress;  // Approximate progress between 0 and 1024,
 *                                    or -1 if unknown.
A
antirez 已提交
6695
 *
6696 6697 6698
 * The function returns REDISMODULE_OK if the module was successfully subscrived
 * for the specified event. If the API is called from a wrong context then
 * REDISMODULE_ERR is returned. */
6699
int RM_SubscribeToServerEvent(RedisModuleCtx *ctx, RedisModuleEvent event, RedisModuleEventCallback callback) {
6700 6701 6702 6703 6704 6705 6706 6707 6708 6709 6710 6711 6712 6713 6714 6715 6716
    RedisModuleEventListener *el;

    /* Protect in case of calls from contexts without a module reference. */
    if (ctx->module == NULL) return REDISMODULE_ERR;

    /* Search an event matching this module and event ID. */
    listIter li;
    listNode *ln;
    listRewind(RedisModule_EventListeners,&li);
    while((ln = listNext(&li))) {
        el = ln->value;
        if (el->module == ctx->module && el->event.id == event.id)
            break; /* Matching event found. */
    }

    /* Modify or remove the event listener if we already had one. */
    if (ln) {
6717
        if (callback == NULL) {
6718
            listDelNode(RedisModule_EventListeners,ln);
6719 6720
            zfree(el);
        } else {
6721
            el->callback = callback; /* Update the callback with the new one. */
6722
        }
6723 6724 6725 6726 6727 6728 6729 6730 6731 6732 6733 6734
        return REDISMODULE_OK;
    }

    /* No event found, we need to add a new one. */
    el = zmalloc(sizeof(*el));
    el->module = ctx->module;
    el->event = event;
    el->callback = callback;
    listAddNodeTail(RedisModule_EventListeners,el);
    return REDISMODULE_OK;
}

A
antirez 已提交
6735 6736 6737 6738 6739 6740 6741
/* This is called by the Redis internals every time we want to fire an
 * event that can be interceppted by some module. The pointer 'data' is useful
 * in order to populate the event-specific structure when needed, in order
 * to return the structure with more information to the callback.
 *
 * 'eid' and 'subid' are just the main event ID and the sub event associated
 * with the event, depending on what exactly happened. */
6742
void moduleFireServerEvent(uint64_t eid, int subid, void *data) {
6743 6744 6745 6746 6747
    /* Fast path to return ASAP if there is nothing to do, avoiding to
     * setup the iterator and so forth: we want this call to be extremely
     * cheap if there are no registered modules. */
    if (listLength(RedisModule_EventListeners) == 0) return;

A
antirez 已提交
6748 6749 6750 6751 6752
    listIter li;
    listNode *ln;
    listRewind(RedisModule_EventListeners,&li);
    while((ln = listNext(&li))) {
        RedisModuleEventListener *el = ln->value;
6753
        if (el->event.id == eid) {
A
antirez 已提交
6754 6755
            RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
            ctx.module = el->module;
6756 6757 6758 6759 6760 6761 6762 6763

            if (ModulesInHooks == 0) {
                ctx.client = moduleFreeContextReusedClient;
            } else {
                ctx.client = createClient(NULL);
                ctx.client->flags |= CLIENT_MODULE;
                ctx.client->user = NULL; /* Root user. */
            }
A
antirez 已提交
6764 6765

            void *moduledata = NULL;
6766
            RedisModuleClientInfoV1 civ1;
6767 6768
            RedisModuleReplicationInfoV1 riv1;
            RedisModuleModuleChangeV1 mcv1;
6769 6770 6771 6772 6773
            /* Start at DB zero by default when calling the handler. It's
             * up to the specific event setup to change it when it makes
             * sense. For instance for FLUSHDB events we select the correct
             * DB automatically. */
            selectDb(ctx.client, 0);
A
antirez 已提交
6774 6775

            /* Event specific context and data pointer setup. */
6776
            if (eid == REDISMODULE_EVENT_CLIENT_CHANGE) {
A
antirez 已提交
6777 6778
                modulePopulateClientInfoStructure(&civ1,data,
                                                  el->event.dataver);
6779
                moduledata = &civ1;
6780 6781 6782
            } else if (eid == REDISMODULE_EVENT_REPLICATION_ROLE_CHANGED) {
                modulePopulateReplicationInfoStructure(&riv1,el->event.dataver);
                moduledata = &riv1;
A
antirez 已提交
6783 6784
            } else if (eid == REDISMODULE_EVENT_FLUSHDB) {
                moduledata = data;
6785 6786 6787
                RedisModuleFlushInfoV1 *fi = data;
                if (fi->dbnum != -1)
                    selectDb(ctx.client, fi->dbnum);
6788 6789 6790 6791 6792 6793 6794 6795 6796 6797 6798 6799
            } else if (eid == REDISMODULE_EVENT_MODULE_CHANGE) {
                RedisModule *m = data;
                if (m == el->module)
                    continue;
                mcv1.version = REDISMODULE_MODULE_CHANGE_VERSION;
                mcv1.module_name = m->name;
                mcv1.module_version = m->ver;
                moduledata = &mcv1;
            } else if (eid == REDISMODULE_EVENT_LOADING_PROGRESS) {
                moduledata = data;
            } else if (eid == REDISMODULE_EVENT_CRON_LOOP) {
                moduledata = data;
A
antirez 已提交
6800
            }
6801 6802 6803

            ModulesInHooks++;
            el->module->in_hook++;
A
antirez 已提交
6804
            el->callback(&ctx,el->event,subid,moduledata);
6805 6806 6807 6808
            el->module->in_hook--;
            ModulesInHooks--;

            if (ModulesInHooks != 0) freeClient(ctx.client);
A
antirez 已提交
6809 6810 6811 6812 6813
            moduleFreeContext(&ctx);
        }
    }
}

6814 6815 6816 6817 6818 6819 6820 6821 6822 6823 6824 6825 6826 6827 6828 6829 6830
/* Remove all the listeners for this module: this is used before unloading
 * a module. */
void moduleUnsubscribeAllServerEvents(RedisModule *module) {
    RedisModuleEventListener *el;
    listIter li;
    listNode *ln;
    listRewind(RedisModule_EventListeners,&li);

    while((ln = listNext(&li))) {
        el = ln->value;
        if (el->module == module) {
            listDelNode(RedisModule_EventListeners,ln);
            zfree(el);
        }
    }
}

6831 6832 6833 6834 6835 6836 6837 6838 6839 6840 6841 6842 6843 6844 6845 6846 6847 6848 6849 6850 6851
void processModuleLoadingProgressEvent(int is_aof) {
    long long now = ustime();
    static long long next_event = 0;
    if (now >= next_event) {
        /* Fire the loading progress modules end event. */
        int progress = -1;
        if (server.loading_total_bytes)
            progress = (server.loading_total_bytes<<10) / server.loading_total_bytes;
        RedisModuleFlushInfoV1 fi = {REDISMODULE_LOADING_PROGRESS_VERSION,
                                     server.hz,
                                     progress};
        moduleFireServerEvent(REDISMODULE_EVENT_LOADING_PROGRESS,
                              is_aof?
                                REDISMODULE_SUBEVENT_LOADING_PROGRESS_AOF:
                                REDISMODULE_SUBEVENT_LOADING_PROGRESS_RDB,
                              &fi);
        /* decide when the next event should fire. */
        next_event = now + 1000000 / server.hz;
    }
}

A
antirez 已提交
6852 6853 6854 6855 6856 6857 6858
/* --------------------------------------------------------------------------
 * Modules API internals
 * -------------------------------------------------------------------------- */

/* server.moduleapi dictionary type. Only uses plain C strings since
 * this gets queries from modules. */

6859
uint64_t dictCStringKeyHash(const void *key) {
A
antirez 已提交
6860 6861 6862 6863
    return dictGenHashFunction((unsigned char*)key, strlen((char*)key));
}

int dictCStringKeyCompare(void *privdata, const void *key1, const void *key2) {
6864
    UNUSED(privdata);
A
antirez 已提交
6865 6866 6867 6868 6869 6870 6871 6872 6873 6874 6875 6876 6877 6878 6879 6880 6881
    return strcmp(key1,key2) == 0;
}

dictType moduleAPIDictType = {
    dictCStringKeyHash,        /* hash function */
    NULL,                      /* key dup */
    NULL,                      /* val dup */
    dictCStringKeyCompare,     /* key compare */
    NULL,                      /* key destructor */
    NULL                       /* val destructor */
};

int moduleRegisterApi(const char *funcname, void *funcptr) {
    return dictAdd(server.moduleapi, (char*)funcname, funcptr);
}

#define REGISTER_API(name) \
6882
    moduleRegisterApi("RedisModule_" #name, (void *)(unsigned long)RM_ ## name)
A
antirez 已提交
6883 6884

/* Global initialization at Redis startup. */
6885 6886
void moduleRegisterCoreAPI(void);

A
antirez 已提交
6887
void moduleInitModulesSystem(void) {
6888
    moduleUnblockedClients = listCreate();
A
antirez 已提交
6889 6890
    server.loadmodule_queue = listCreate();
    modules = dictCreate(&modulesDictType,NULL);
6891

6892
    /* Set up the keyspace notification susbscriber list and static client */
6893
    moduleKeyspaceSubscribers = listCreate();
6894
    moduleFreeContextReusedClient = createClient(NULL);
6895
    moduleFreeContextReusedClient->flags |= CLIENT_MODULE;
6896
    moduleFreeContextReusedClient->user = NULL; /* root user. */
6897

6898 6899 6900
    /* Set up filter list */
    moduleCommandFilters = listCreate();

A
antirez 已提交
6901
    moduleRegisterCoreAPI();
6902 6903 6904 6905 6906 6907 6908 6909 6910 6911
    if (pipe(server.module_blocked_pipe) == -1) {
        serverLog(LL_WARNING,
            "Can't create the pipe for module blocking commands: %s",
            strerror(errno));
        exit(1);
    }
    /* Make the pipe non blocking. This is just a best effort aware mechanism
     * and we do not want to block not in the read nor in the write half. */
    anetNonBlock(NULL,server.module_blocked_pipe[0]);
    anetNonBlock(NULL,server.module_blocked_pipe[1]);
6912

6913 6914 6915
    /* Create the timers radix tree. */
    Timers = raxNew();

6916 6917 6918
    /* Setup the event listeners data structures. */
    RedisModule_EventListeners = listCreate();

6919 6920 6921
    /* Our thread-safe contexts GIL must start with already locked:
     * it is just unlocked when it's safe. */
    pthread_mutex_lock(&moduleGIL);
A
antirez 已提交
6922 6923 6924 6925 6926 6927 6928 6929
}

/* Load all the modules in the server.loadmodule_queue list, which is
 * populated by `loadmodule` directives in the configuration file.
 * We can't load modules directly when processing the configuration file
 * because the server must be fully initialized before loading modules.
 *
 * The function aborts the server on errors, since to start with missing
J
Jack Drogon 已提交
6930
 * modules is not considered sane: clients may rely on the existence of
A
antirez 已提交
6931 6932 6933 6934 6935 6936 6937 6938
 * given commands, loading AOF also may need some modules to exist, and
 * if this instance is a slave, it must understand commands from master. */
void moduleLoadFromQueue(void) {
    listIter li;
    listNode *ln;

    listRewind(server.loadmodule_queue,&li);
    while((ln = listNext(&li))) {
6939 6940 6941 6942
        struct moduleLoadQueueEntry *loadmod = ln->value;
        if (moduleLoad(loadmod->path,(void **)loadmod->argv,loadmod->argc)
            == C_ERR)
        {
A
antirez 已提交
6943 6944
            serverLog(LL_WARNING,
                "Can't load module from %s: server aborting",
6945
                loadmod->path);
A
antirez 已提交
6946 6947 6948 6949 6950 6951
            exit(1);
        }
    }
}

void moduleFreeModuleStructure(struct RedisModule *module) {
6952
    listRelease(module->types);
6953
    listRelease(module->filters);
6954 6955
    listRelease(module->usedby);
    listRelease(module->using);
A
antirez 已提交
6956 6957 6958 6959
    sdsfree(module->name);
    zfree(module);
}

6960 6961 6962 6963 6964 6965 6966 6967 6968 6969 6970 6971 6972 6973 6974 6975 6976 6977 6978 6979 6980 6981
void moduleUnregisterCommands(struct RedisModule *module) {
    /* Unregister all the commands registered by this module. */
    dictIterator *di = dictGetSafeIterator(server.commands);
    dictEntry *de;
    while ((de = dictNext(di)) != NULL) {
        struct redisCommand *cmd = dictGetVal(de);
        if (cmd->proc == RedisModuleCommandDispatcher) {
            RedisModuleCommandProxy *cp =
                (void*)(unsigned long)cmd->getkeys_proc;
            sds cmdname = cp->rediscmd->name;
            if (cp->module == module) {
                dictDelete(server.commands,cmdname);
                dictDelete(server.orig_commands,cmdname);
                sdsfree(cmdname);
                zfree(cp->rediscmd);
                zfree(cp);
            }
        }
    }
    dictReleaseIterator(di);
}

A
antirez 已提交
6982 6983
/* Load a module and initialize it. On success C_OK is returned, otherwise
 * C_ERR is returned. */
6984 6985
int moduleLoad(const char *path, void **module_argv, int module_argc) {
    int (*onload)(void *, void **, int);
A
antirez 已提交
6986 6987
    void *handle;
    RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
A
antirez 已提交
6988

6989 6990 6991
    struct stat st;
    if (stat(path, &st) == 0)
    {   // this check is best effort
6992
        if (!(st.st_mode & (S_IXUSR  | S_IXGRP | S_IXOTH))) {
6993 6994 6995 6996
            serverLog(LL_WARNING, "Module %s failed to load: It does not have execute permissions.", path);
            return C_ERR;
        }
    }
A
antirez 已提交
6997

6998
    handle = dlopen(path,RTLD_NOW|RTLD_LOCAL);
Y
Yossi Gottlieb 已提交
6999 7000 7001 7002
    if (handle == NULL) {
        serverLog(LL_WARNING, "Module %s failed to load: %s", path, dlerror());
        return C_ERR;
    }
7003
    onload = (int (*)(void *, void **, int))(unsigned long) dlsym(handle,"RedisModule_OnLoad");
A
antirez 已提交
7004
    if (onload == NULL) {
C
charsyam 已提交
7005
        dlclose(handle);
A
antirez 已提交
7006 7007 7008 7009 7010
        serverLog(LL_WARNING,
            "Module %s does not export RedisModule_OnLoad() "
            "symbol. Module not loaded.",path);
        return C_ERR;
    }
7011
    if (onload((void*)&ctx,module_argv,module_argc) == REDISMODULE_ERR) {
7012 7013
        if (ctx.module) {
            moduleUnregisterCommands(ctx.module);
7014
            moduleUnregisterSharedAPI(ctx.module);
7015
            moduleUnregisterUsedAPI(ctx.module);
7016 7017
            moduleFreeModuleStructure(ctx.module);
        }
A
antirez 已提交
7018 7019 7020 7021 7022 7023 7024 7025
        dlclose(handle);
        serverLog(LL_WARNING,
            "Module %s initialization failed. Module not loaded",path);
        return C_ERR;
    }

    /* Redis module loaded! Register it. */
    dictAdd(modules,ctx.module->name,ctx.module);
7026
    ctx.module->blocked_clients = 0;
A
antirez 已提交
7027 7028
    ctx.module->handle = handle;
    serverLog(LL_NOTICE,"Module '%s' loaded from %s",ctx.module->name,path);
7029 7030 7031 7032 7033
    /* Fire the loaded modules event. */
    moduleFireServerEvent(REDISMODULE_EVENT_MODULE_CHANGE,
                          REDISMODULE_SUBEVENT_MODULE_LOADED,
                          ctx.module);

A
antirez 已提交
7034
    moduleFreeContext(&ctx);
A
antirez 已提交
7035 7036 7037
    return C_OK;
}

7038

A
antirez 已提交
7039 7040 7041 7042
/* Unload the module registered with the specified name. On success
 * C_OK is returned, otherwise C_ERR is returned and errno is set
 * to the following values depending on the type of error:
 *
7043 7044
 * * ENONET: No such module having the specified name.
 * * EBUSY: The module exports a new data type and can only be reloaded. */
A
antirez 已提交
7045 7046
int moduleUnload(sds name) {
    struct RedisModule *module = dictFetchValue(modules,name);
7047

7048 7049
    if (module == NULL) {
        errno = ENOENT;
7050
        return REDISMODULE_ERR;
7051
    } else if (listLength(module->types)) {
7052
        errno = EBUSY;
A
antirez 已提交
7053
        return REDISMODULE_ERR;
7054 7055 7056
    } else if (listLength(module->usedby)) {
        errno = EPERM;
        return REDISMODULE_ERR;
7057 7058 7059
    } else if (module->blocked_clients) {
        errno = EAGAIN;
        return REDISMODULE_ERR;
A
antirez 已提交
7060
    }
7061

J
Jim Brunner 已提交
7062 7063 7064 7065 7066 7067 7068 7069 7070 7071 7072 7073 7074 7075 7076
    /* Give module a chance to clean up. */
    int (*onunload)(void *);
    onunload = (int (*)(void *))(unsigned long) dlsym(module->handle, "RedisModule_OnUnload");
    if (onunload) {
        RedisModuleCtx ctx = REDISMODULE_CTX_INIT;
        ctx.module = module;
        ctx.client = moduleFreeContextReusedClient;
        int unload_status = onunload((void*)&ctx);
        moduleFreeContext(&ctx);

        if (unload_status == REDISMODULE_ERR) {
            serverLog(LL_WARNING, "Module %s OnUnload failed.  Unload canceled.", name);
            errno = ECANCELED;
            return REDISMODULE_ERR;
        }
A
antirez 已提交
7077 7078
    }

7079
    moduleUnregisterCommands(module);
7080
    moduleUnregisterSharedAPI(module);
7081
    moduleUnregisterUsedAPI(module);
7082
    moduleUnregisterFilters(module);
A
antirez 已提交
7083

G
Guy Korland 已提交
7084
    /* Remove any notification subscribers this module might have */
7085
    moduleUnsubscribeNotifications(module);
7086
    moduleUnsubscribeAllServerEvents(module);
A
antirez 已提交
7087 7088 7089 7090 7091 7092 7093 7094 7095

    /* Unload the dynamic library. */
    if (dlclose(module->handle) == -1) {
        char *error = dlerror();
        if (error == NULL) error = "Unknown error";
        serverLog(LL_WARNING,"Error when trying to close the %s module: %s",
            module->name, error);
    }

7096 7097 7098 7099 7100
    /* Fire the unloaded modules event. */
    moduleFireServerEvent(REDISMODULE_EVENT_MODULE_CHANGE,
                          REDISMODULE_SUBEVENT_MODULE_UNLOADED,
                          module);

A
antirez 已提交
7101 7102
    /* Remove from list of modules. */
    serverLog(LL_NOTICE,"Module %s unloaded",module->name);
O
oranagra 已提交
7103 7104
    dictDelete(modules,module->name);
    module->name = NULL; /* The name was already freed by dictDelete(). */
7105
    moduleFreeModuleStructure(module);
A
antirez 已提交
7106 7107 7108 7109

    return REDISMODULE_OK;
}

7110 7111 7112 7113 7114 7115 7116 7117 7118 7119 7120 7121 7122 7123 7124 7125 7126 7127 7128
/* Helper function for the MODULE and HELLO command: send the list of the
 * loaded modules to the client. */
void addReplyLoadedModules(client *c) {
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;

    addReplyArrayLen(c,dictSize(modules));
    while ((de = dictNext(di)) != NULL) {
        sds name = dictGetKey(de);
        struct RedisModule *module = dictGetVal(de);
        addReplyMapLen(c,2);
        addReplyBulkCString(c,"name");
        addReplyBulkCBuffer(c,name,sdslen(name));
        addReplyBulkCString(c,"ver");
        addReplyLongLong(c,module->ver);
    }
    dictReleaseIterator(di);
}

A
antirez 已提交
7129 7130 7131 7132 7133 7134 7135 7136 7137 7138 7139 7140 7141 7142 7143 7144 7145 7146 7147 7148 7149 7150 7151 7152 7153 7154 7155
/* Helper for genModulesInfoString(): given a list of modules, return
 * am SDS string in the form "[modulename|modulename2|...]" */
sds genModulesInfoStringRenderModulesList(list *l) {
    listIter li;
    listNode *ln;
    listRewind(l,&li);
    sds output = sdsnew("[");
    while((ln = listNext(&li))) {
        RedisModule *module = ln->value;
        output = sdscat(output,module->name);
    }
    output = sdstrim(output,"|");
    output = sdscat(output,"]");
    return output;
}

/* Helper for genModulesInfoString(): render module options as an SDS string. */
sds genModulesInfoStringRenderModuleOptions(struct RedisModule *module) {
    sds output = sdsnew("[");
    if (module->options & REDISMODULE_OPTIONS_HANDLE_IO_ERRORS)
        output = sdscat(output,"handle-io-errors|");
    output = sdstrim(output,"|");
    output = sdscat(output,"]");
    return output;
}


7156 7157
/* Helper function for the INFO command: adds loaded modules as to info's
 * output.
A
antirez 已提交
7158
 *
7159 7160 7161 7162 7163 7164 7165 7166 7167 7168
 * After the call, the passed sds info string is no longer valid and all the
 * references must be substituted with the new pointer returned by the call. */
sds genModulesInfoString(sds info) {
    dictIterator *di = dictGetIterator(modules);
    dictEntry *de;

    while ((de = dictNext(di)) != NULL) {
        sds name = dictGetKey(de);
        struct RedisModule *module = dictGetVal(de);

A
antirez 已提交
7169 7170 7171
        sds usedby = genModulesInfoStringRenderModulesList(module->usedby);
        sds using = genModulesInfoStringRenderModulesList(module->using);
        sds options = genModulesInfoStringRenderModuleOptions(module);
7172 7173 7174
        info = sdscatfmt(info,
            "module:name=%S,ver=%i,api=%i,filters=%i,"
            "usedby=%S,using=%S,options=%S\r\n",
A
antirez 已提交
7175 7176 7177 7178 7179
                name, module->ver, module->apiver,
                (int)listLength(module->filters), usedby, using, options);
        sdsfree(usedby);
        sdsfree(using);
        sdsfree(options);
7180 7181 7182 7183 7184
    }
    dictReleaseIterator(di);
    return info;
}

A
antirez 已提交
7185 7186
/* Redis MODULE command.
 *
7187
 * MODULE LOAD <path> [args...] */
A
antirez 已提交
7188 7189
void moduleCommand(client *c) {
    char *subcmd = c->argv[1]->ptr;
7190 7191
    if (c->argc == 2 && !strcasecmp(subcmd,"help")) {
        const char *help[] = {
I
Itamar Haber 已提交
7192 7193 7194
"LIST -- Return a list of loaded modules.",
"LOAD <path> [arg ...] -- Load a module library from <path>.",
"UNLOAD <name> -- Unload a module.",
7195 7196 7197 7198
NULL
        };
        addReplyHelp(c, help);
    } else
7199
    if (!strcasecmp(subcmd,"load") && c->argc >= 3) {
7200
        robj **argv = NULL;
7201 7202 7203 7204
        int argc = 0;

        if (c->argc > 3) {
            argc = c->argc - 3;
7205
            argv = &c->argv[3];
7206 7207 7208
        }

        if (moduleLoad(c->argv[2]->ptr,(void **)argv,argc) == C_OK)
A
antirez 已提交
7209 7210 7211 7212 7213 7214 7215 7216
            addReply(c,shared.ok);
        else
            addReplyError(c,
                "Error loading the extension. Please check the server logs.");
    } else if (!strcasecmp(subcmd,"unload") && c->argc == 3) {
        if (moduleUnload(c->argv[2]->ptr) == C_OK)
            addReply(c,shared.ok);
        else {
7217
            char *errmsg;
A
antirez 已提交
7218
            switch(errno) {
7219 7220 7221 7222
            case ENOENT:
                errmsg = "no such module with that name";
                break;
            case EBUSY:
7223 7224 7225 7226 7227 7228
                errmsg = "the module exports one or more module-side data "
                         "types, can't unload";
                break;
            case EPERM:
                errmsg = "the module exports APIs used by other modules. "
                         "Please unload them first and try again";
7229
                break;
7230 7231 7232 7233
            case EAGAIN:
                errmsg = "the module has blocked clients. "
                         "Please wait them unblocked and try again";
                break;
7234 7235 7236
            default:
                errmsg = "operation not possible.";
                break;
A
antirez 已提交
7237 7238 7239 7240
            }
            addReplyErrorFormat(c,"Error unloading module: %s",errmsg);
        }
    } else if (!strcasecmp(subcmd,"list") && c->argc == 2) {
7241
        addReplyLoadedModules(c);
A
antirez 已提交
7242
    } else {
7243
        addReplySubcommandSyntaxError(c);
7244
        return;
A
antirez 已提交
7245 7246
    }
}
7247

7248 7249 7250 7251 7252
/* Return the number of registered modules. */
size_t moduleCount(void) {
    return dictSize(modules);
}

7253 7254 7255 7256
/* Set the key last access time for LRU based eviction. not relevent if the
 * servers's maxmemory policy is LFU based. Value is idle time in milliseconds.
 * returns REDISMODULE_OK if the LRU was updated, REDISMODULE_ERR otherwise. */
int RM_SetLRU(RedisModuleKey *key, mstime_t lru_idle) {
7257 7258
    if (!key->value)
        return REDISMODULE_ERR;
7259
    if (objectSetLRUOrLFU(key->value, -1, lru_idle, lru_idle>=0 ? LRU_CLOCK() : 0, 1))
7260 7261 7262 7263
        return REDISMODULE_OK;
    return REDISMODULE_ERR;
}

7264 7265 7266 7267 7268 7269
/* Gets the key last access time.
 * Value is idletime in milliseconds or -1 if the server's eviction policy is
 * LFU based.
 * returns REDISMODULE_OK if when key is valid. */
int RM_GetLRU(RedisModuleKey *key, mstime_t *lru_idle) {
    *lru_idle = -1;
7270 7271
    if (!key->value)
        return REDISMODULE_ERR;
7272 7273 7274 7275 7276 7277 7278 7279 7280 7281 7282 7283
    if (server.maxmemory_policy & MAXMEMORY_FLAG_LFU)
        return REDISMODULE_OK;
    *lru_idle = estimateObjectIdleTime(key->value);
    return REDISMODULE_OK;
}

/* Set the key access frequency. only relevant if the server's maxmemory policy
 * is LFU based.
 * The frequency is a logarithmic counter that provides an indication of
 * the access frequencyonly (must be <= 255).
 * returns REDISMODULE_OK if the LFU was updated, REDISMODULE_ERR otherwise. */
int RM_SetLFU(RedisModuleKey *key, long long lfu_freq) {
7284 7285
    if (!key->value)
        return REDISMODULE_ERR;
7286
    if (objectSetLRUOrLFU(key->value, lfu_freq, -1, 0, 1))
7287 7288 7289 7290
        return REDISMODULE_OK;
    return REDISMODULE_ERR;
}

7291 7292 7293 7294 7295
/* Gets the key access frequency or -1 if the server's eviction policy is not
 * LFU based.
 * returns REDISMODULE_OK if when key is valid. */
int RM_GetLFU(RedisModuleKey *key, long long *lfu_freq) {
    *lfu_freq = -1;
7296 7297
    if (!key->value)
        return REDISMODULE_ERR;
7298
    if (server.maxmemory_policy & MAXMEMORY_FLAG_LFU)
7299 7300 7301 7302
        *lfu_freq = LFUDecrAndReturn(key->value);
    return REDISMODULE_OK;
}

Y
Yossi Gottlieb 已提交
7303 7304 7305 7306 7307 7308 7309 7310
/* Replace the value assigned to a module type.
 *
 * The key must be open for writing, have an existing value, and have a moduleType
 * that matches the one specified by the caller.
 *
 * Unlike RM_ModuleTypeSetValue() which will free the old value, this function
 * simply swaps the old value with the new value.
 *
7311 7312 7313 7314 7315 7316 7317 7318
 * The function returns REDISMODULE_OK on success, REDISMODULE_ERR on errors
 * such as:
 *
 * 1. Key is not opened for writing.
 * 2. Key is not a module data type key.
 * 3. Key is a module datatype other than 'mt'.
 *
 * If old_value is non-NULL, the old value is returned by reference.
Y
Yossi Gottlieb 已提交
7319
 */
7320
int RM_ModuleTypeReplaceValue(RedisModuleKey *key, moduleType *mt, void *new_value, void **old_value) {
Y
Yossi Gottlieb 已提交
7321
    if (!(key->mode & REDISMODULE_WRITE) || key->iter)
7322
        return REDISMODULE_ERR;
Y
Yossi Gottlieb 已提交
7323
    if (!key->value || key->value->type != OBJ_MODULE)
7324
        return REDISMODULE_ERR;
Y
Yossi Gottlieb 已提交
7325 7326 7327

    moduleValue *mv = key->value->ptr;
    if (mv->type != mt)
7328
        return REDISMODULE_ERR;
Y
Yossi Gottlieb 已提交
7329

7330 7331
    if (old_value)
        *old_value = mv->value;
Y
Yossi Gottlieb 已提交
7332
    mv->value = new_value;
7333 7334

    return REDISMODULE_OK;
Y
Yossi Gottlieb 已提交
7335 7336
}

7337 7338 7339 7340
/* Register all the APIs we export. Keep this function at the end of the
 * file so that's easy to seek it to add new entries. */
void moduleRegisterCoreAPI(void) {
    server.moduleapi = dictCreate(&moduleAPIDictType,NULL);
7341
    server.sharedapi = dictCreate(&moduleAPIDictType,NULL);
7342 7343 7344 7345 7346 7347 7348
    REGISTER_API(Alloc);
    REGISTER_API(Calloc);
    REGISTER_API(Realloc);
    REGISTER_API(Free);
    REGISTER_API(Strdup);
    REGISTER_API(CreateCommand);
    REGISTER_API(SetModuleAttribs);
7349
    REGISTER_API(IsModuleNameBusy);
7350 7351 7352 7353 7354
    REGISTER_API(WrongArity);
    REGISTER_API(ReplyWithLongLong);
    REGISTER_API(ReplyWithError);
    REGISTER_API(ReplyWithSimpleString);
    REGISTER_API(ReplyWithArray);
7355 7356
    REGISTER_API(ReplyWithNullArray);
    REGISTER_API(ReplyWithEmptyArray);
7357 7358
    REGISTER_API(ReplySetArrayLength);
    REGISTER_API(ReplyWithString);
7359 7360
    REGISTER_API(ReplyWithEmptyString);
    REGISTER_API(ReplyWithVerbatimString);
7361
    REGISTER_API(ReplyWithStringBuffer);
7362
    REGISTER_API(ReplyWithCString);
7363 7364 7365
    REGISTER_API(ReplyWithNull);
    REGISTER_API(ReplyWithCallReply);
    REGISTER_API(ReplyWithDouble);
A
artix 已提交
7366
    REGISTER_API(ReplyWithLongDouble);
7367 7368 7369 7370 7371 7372 7373 7374 7375 7376
    REGISTER_API(GetSelectedDb);
    REGISTER_API(SelectDb);
    REGISTER_API(OpenKey);
    REGISTER_API(CloseKey);
    REGISTER_API(KeyType);
    REGISTER_API(ValueLength);
    REGISTER_API(ListPush);
    REGISTER_API(ListPop);
    REGISTER_API(StringToLongLong);
    REGISTER_API(StringToDouble);
A
artix 已提交
7377
    REGISTER_API(StringToLongDouble);
7378 7379 7380 7381 7382 7383 7384 7385 7386 7387 7388
    REGISTER_API(Call);
    REGISTER_API(CallReplyProto);
    REGISTER_API(FreeCallReply);
    REGISTER_API(CallReplyInteger);
    REGISTER_API(CallReplyType);
    REGISTER_API(CallReplyLength);
    REGISTER_API(CallReplyArrayElement);
    REGISTER_API(CallReplyStringPtr);
    REGISTER_API(CreateStringFromCallReply);
    REGISTER_API(CreateString);
    REGISTER_API(CreateStringFromLongLong);
A
artix 已提交
7389
    REGISTER_API(CreateStringFromLongDouble);
7390
    REGISTER_API(CreateStringFromString);
D
Dvir Volk 已提交
7391
    REGISTER_API(CreateStringPrintf);
7392 7393 7394 7395 7396 7397
    REGISTER_API(FreeString);
    REGISTER_API(StringPtrLen);
    REGISTER_API(AutoMemory);
    REGISTER_API(Replicate);
    REGISTER_API(ReplicateVerbatim);
    REGISTER_API(DeleteKey);
7398
    REGISTER_API(UnlinkKey);
7399 7400 7401 7402 7403
    REGISTER_API(StringSet);
    REGISTER_API(StringDMA);
    REGISTER_API(StringTruncate);
    REGISTER_API(SetExpire);
    REGISTER_API(GetExpire);
7404 7405 7406
    REGISTER_API(ResetDataset);
    REGISTER_API(DbSize);
    REGISTER_API(RandomKey);
7407 7408 7409 7410 7411 7412 7413 7414 7415 7416 7417 7418 7419 7420 7421 7422 7423 7424
    REGISTER_API(ZsetAdd);
    REGISTER_API(ZsetIncrby);
    REGISTER_API(ZsetScore);
    REGISTER_API(ZsetRem);
    REGISTER_API(ZsetRangeStop);
    REGISTER_API(ZsetFirstInScoreRange);
    REGISTER_API(ZsetLastInScoreRange);
    REGISTER_API(ZsetFirstInLexRange);
    REGISTER_API(ZsetLastInLexRange);
    REGISTER_API(ZsetRangeCurrentElement);
    REGISTER_API(ZsetRangeNext);
    REGISTER_API(ZsetRangePrev);
    REGISTER_API(ZsetRangeEndReached);
    REGISTER_API(HashSet);
    REGISTER_API(HashGet);
    REGISTER_API(IsKeysPositionRequest);
    REGISTER_API(KeyAtPos);
    REGISTER_API(GetClientId);
7425
    REGISTER_API(GetContextFlags);
7426 7427 7428
    REGISTER_API(PoolAlloc);
    REGISTER_API(CreateDataType);
    REGISTER_API(ModuleTypeSetValue);
Y
Yossi Gottlieb 已提交
7429
    REGISTER_API(ModuleTypeReplaceValue);
7430 7431
    REGISTER_API(ModuleTypeGetType);
    REGISTER_API(ModuleTypeGetValue);
7432
    REGISTER_API(IsIOError);
7433
    REGISTER_API(SetModuleOptions);
7434
    REGISTER_API(SignalModifiedKey);
7435 7436 7437 7438 7439 7440 7441 7442 7443 7444
    REGISTER_API(SaveUnsigned);
    REGISTER_API(LoadUnsigned);
    REGISTER_API(SaveSigned);
    REGISTER_API(LoadSigned);
    REGISTER_API(SaveString);
    REGISTER_API(SaveStringBuffer);
    REGISTER_API(LoadString);
    REGISTER_API(LoadStringBuffer);
    REGISTER_API(SaveDouble);
    REGISTER_API(LoadDouble);
7445 7446
    REGISTER_API(SaveFloat);
    REGISTER_API(LoadFloat);
7447 7448
    REGISTER_API(SaveLongDouble);
    REGISTER_API(LoadLongDouble);
7449 7450
    REGISTER_API(SaveDataTypeToString);
    REGISTER_API(LoadDataTypeFromString);
7451 7452
    REGISTER_API(EmitAOF);
    REGISTER_API(Log);
7453
    REGISTER_API(LogIOError);
7454
    REGISTER_API(_Assert);
O
Oran Agra 已提交
7455
    REGISTER_API(LatencyAddSample);
7456 7457 7458
    REGISTER_API(StringAppendBuffer);
    REGISTER_API(RetainString);
    REGISTER_API(StringCompare);
7459
    REGISTER_API(GetContextFromIO);
7460
    REGISTER_API(GetKeyNameFromIO);
7461
    REGISTER_API(GetKeyNameFromModuleKey);
7462 7463 7464 7465 7466
    REGISTER_API(BlockClient);
    REGISTER_API(UnblockClient);
    REGISTER_API(IsBlockedReplyRequest);
    REGISTER_API(IsBlockedTimeoutRequest);
    REGISTER_API(GetBlockedClientPrivateData);
A
antirez 已提交
7467
    REGISTER_API(AbortBlock);
A
antirez 已提交
7468
    REGISTER_API(Milliseconds);
7469 7470 7471 7472
    REGISTER_API(GetThreadSafeContext);
    REGISTER_API(FreeThreadSafeContext);
    REGISTER_API(ThreadSafeContextLock);
    REGISTER_API(ThreadSafeContextUnlock);
A
antirez 已提交
7473 7474 7475
    REGISTER_API(DigestAddStringBuffer);
    REGISTER_API(DigestAddLongLong);
    REGISTER_API(DigestEndSequence);
7476 7477
    REGISTER_API(NotifyKeyspaceEvent);
    REGISTER_API(GetNotifyKeyspaceEvents);
7478
    REGISTER_API(SubscribeToKeyspaceEvents);
7479 7480
    REGISTER_API(RegisterClusterMessageReceiver);
    REGISTER_API(SendClusterMessage);
7481 7482 7483
    REGISTER_API(GetClusterNodeInfo);
    REGISTER_API(GetClusterNodesList);
    REGISTER_API(FreeClusterNodesList);
7484 7485 7486
    REGISTER_API(CreateTimer);
    REGISTER_API(StopTimer);
    REGISTER_API(GetTimerInfo);
7487
    REGISTER_API(GetMyClusterID);
7488
    REGISTER_API(GetClusterSize);
7489 7490
    REGISTER_API(GetRandomBytes);
    REGISTER_API(GetRandomHexChars);
7491
    REGISTER_API(BlockedClientDisconnected);
7492
    REGISTER_API(SetDisconnectCallback);
7493
    REGISTER_API(GetBlockedClientHandle);
7494
    REGISTER_API(SetClusterFlags);
7495 7496 7497 7498 7499 7500 7501 7502 7503 7504 7505 7506 7507 7508 7509 7510 7511 7512 7513 7514
    REGISTER_API(CreateDict);
    REGISTER_API(FreeDict);
    REGISTER_API(DictSize);
    REGISTER_API(DictSetC);
    REGISTER_API(DictReplaceC);
    REGISTER_API(DictSet);
    REGISTER_API(DictReplace);
    REGISTER_API(DictGetC);
    REGISTER_API(DictGet);
    REGISTER_API(DictDelC);
    REGISTER_API(DictDel);
    REGISTER_API(DictIteratorStartC);
    REGISTER_API(DictIteratorStart);
    REGISTER_API(DictIteratorStop);
    REGISTER_API(DictIteratorReseekC);
    REGISTER_API(DictIteratorReseek);
    REGISTER_API(DictNextC);
    REGISTER_API(DictPrevC);
    REGISTER_API(DictNext);
    REGISTER_API(DictPrev);
7515 7516
    REGISTER_API(DictCompareC);
    REGISTER_API(DictCompare);
7517 7518
    REGISTER_API(ExportSharedAPI);
    REGISTER_API(GetSharedAPI);
7519
    REGISTER_API(RegisterCommandFilter);
7520
    REGISTER_API(UnregisterCommandFilter);
7521 7522 7523 7524 7525
    REGISTER_API(CommandFilterArgsCount);
    REGISTER_API(CommandFilterArgGet);
    REGISTER_API(CommandFilterArgInsert);
    REGISTER_API(CommandFilterArgReplace);
    REGISTER_API(CommandFilterArgDelete);
O
Oran Agra 已提交
7526 7527 7528
    REGISTER_API(Fork);
    REGISTER_API(ExitFromChild);
    REGISTER_API(KillForkChild);
7529
    REGISTER_API(RegisterInfoFunc);
7530 7531 7532 7533 7534 7535 7536 7537
    REGISTER_API(InfoAddSection);
    REGISTER_API(InfoBeginDictField);
    REGISTER_API(InfoEndDictField);
    REGISTER_API(InfoAddFieldString);
    REGISTER_API(InfoAddFieldCString);
    REGISTER_API(InfoAddFieldDouble);
    REGISTER_API(InfoAddFieldLongLong);
    REGISTER_API(InfoAddFieldULongLong);
7538 7539 7540
    REGISTER_API(GetServerInfo);
    REGISTER_API(FreeServerInfo);
    REGISTER_API(ServerInfoGetField);
O
Oran Agra 已提交
7541
    REGISTER_API(ServerInfoGetFieldC);
O
Oran Agra 已提交
7542 7543
    REGISTER_API(ServerInfoGetFieldSigned);
    REGISTER_API(ServerInfoGetFieldUnsigned);
7544
    REGISTER_API(ServerInfoGetFieldDouble);
A
antirez 已提交
7545
    REGISTER_API(GetClientInfoById);
7546
    REGISTER_API(PublishMessage);
7547
    REGISTER_API(SubscribeToServerEvent);
7548 7549 7550 7551
    REGISTER_API(SetLRU);
    REGISTER_API(GetLRU);
    REGISTER_API(SetLFU);
    REGISTER_API(GetLFU);
A
antirez 已提交
7552 7553
    REGISTER_API(BlockClientOnKeys);
    REGISTER_API(SignalKeyAsReady);
7554
    REGISTER_API(GetBlockedClientReadyKey);
7555
    REGISTER_API(GetUsedMemoryRatio);
7556
    REGISTER_API(MallocSize);
7557 7558 7559 7560 7561
    REGISTER_API(ScanCursorCreate);
    REGISTER_API(ScanCursorDestroy);
    REGISTER_API(ScanCursorRestart);
    REGISTER_API(Scan);
    REGISTER_API(ScanKey);
7562
}