You've already forked node-redis
mirror of
https://github.com/redis/node-redis.git
synced 2025-08-06 02:15:48 +03:00
fix merge
This commit is contained in:
@@ -1,18 +1,15 @@
|
|||||||
import * as LinkedList from 'yallist';
|
import * as LinkedList from 'yallist';
|
||||||
import { AbortError } from '../errors';
|
import { AbortError } from '../errors';
|
||||||
import { RedisCommandArguments, RedisCommandRawReply } from '../commands';
|
import { RedisCommandArguments, RedisCommandRawReply } from '../commands';
|
||||||
|
|
||||||
// We need to use 'require', because it's not possible with Typescript to import
|
// We need to use 'require', because it's not possible with Typescript to import
|
||||||
// classes that are exported as 'module.exports = class`, without esModuleInterop
|
// classes that are exported as 'module.exports = class`, without esModuleInterop
|
||||||
// set to true.
|
// set to true.
|
||||||
const RedisParser = require('redis-parser');
|
const RedisParser = require('redis-parser');
|
||||||
|
|
||||||
export interface QueueCommandOptions {
|
export interface QueueCommandOptions {
|
||||||
asap?: boolean;
|
asap?: boolean;
|
||||||
chainId?: symbol;
|
chainId?: symbol;
|
||||||
signal?: AbortSignal;
|
signal?: AbortSignal;
|
||||||
}
|
}
|
||||||
|
|
||||||
interface CommandWaitingToBeSent extends CommandWaitingForReply {
|
interface CommandWaitingToBeSent extends CommandWaitingForReply {
|
||||||
args: RedisCommandArguments;
|
args: RedisCommandArguments;
|
||||||
chainId?: symbol;
|
chainId?: symbol;
|
||||||
@@ -21,27 +18,44 @@ interface CommandWaitingToBeSent extends CommandWaitingForReply {
|
|||||||
listener(): void;
|
listener(): void;
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
interface CommandWaitingForReply {
|
interface CommandWaitingForReply {
|
||||||
resolve(reply?: unknown): void;
|
resolve(reply?: unknown): void;
|
||||||
reject(err: Error): void;
|
reject(err: Error): void;
|
||||||
channelsCounter?: number;
|
channelsCounter?: number;
|
||||||
bufferMode?: boolean;
|
bufferMode?: boolean;
|
||||||
}
|
}
|
||||||
|
|
||||||
export enum PubSubSubscribeCommands {
|
export enum PubSubSubscribeCommands {
|
||||||
SUBSCRIBE = 'SUBSCRIBE',
|
SUBSCRIBE = 'SUBSCRIBE',
|
||||||
PSUBSCRIBE = 'PSUBSCRIBE'
|
PSUBSCRIBE = 'PSUBSCRIBE'
|
||||||
}
|
}
|
||||||
|
|
||||||
export enum PubSubUnsubscribeCommands {
|
export enum PubSubUnsubscribeCommands {
|
||||||
UNSUBSCRIBE = 'UNSUBSCRIBE',
|
UNSUBSCRIBE = 'UNSUBSCRIBE',
|
||||||
PUNSUBSCRIBE = 'PUNSUBSCRIBE'
|
PUNSUBSCRIBE = 'PUNSUBSCRIBE'
|
||||||
}
|
}
|
||||||
|
|
||||||
export type PubSubListener = (message: string, channel: string) => unknown;
|
type PubSubArgumentTypes = Buffer | string;
|
||||||
|
|
||||||
export type PubSubListenersMap = Map<string, Set<PubSubListener>>;
|
export type PubSubListener<
|
||||||
|
BUFFER_MODE extends boolean = false,
|
||||||
|
T = BUFFER_MODE extends true ? Buffer : string
|
||||||
|
> = (message: T, channel: T) => unknown;
|
||||||
|
|
||||||
|
interface PubSubListeners {
|
||||||
|
buffers: Set<PubSubListener<true>>;
|
||||||
|
strings: Set<PubSubListener<false>>;
|
||||||
|
}
|
||||||
|
|
||||||
|
type PubSubListenersMap = Map<string, PubSubListeners>;
|
||||||
|
|
||||||
|
interface PubSubState {
|
||||||
|
subscribing: number;
|
||||||
|
subscribed: number;
|
||||||
|
unsubscribing: number;
|
||||||
|
listeners: {
|
||||||
|
channels: PubSubListenersMap;
|
||||||
|
patterns: PubSubListenersMap;
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
export default class RedisCommandsQueue {
|
export default class RedisCommandsQueue {
|
||||||
static #flushQueue<T extends CommandWaitingForReply>(queue: LinkedList<T>, err: Error): void {
|
static #flushQueue<T extends CommandWaitingForReply>(queue: LinkedList<T>, err: Error): void {
|
||||||
@@ -50,49 +64,60 @@ export default class RedisCommandsQueue {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
static #emitPubSubMessage(listeners: Set<PubSubListener>, message: string, channel: string): void {
|
static #emitPubSubMessage(listenersMap: PubSubListenersMap, message: Buffer, channel: Buffer, pattern?: Buffer): void {
|
||||||
for (const listener of listeners) {
|
const keyString = (pattern || channel).toString(),
|
||||||
|
listeners = listenersMap.get(keyString)!;
|
||||||
|
for (const listener of listeners.buffers) {
|
||||||
listener(message, channel);
|
listener(message, channel);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
if (!listeners.strings.size) return;
|
||||||
|
|
||||||
|
const messageString = message.toString(),
|
||||||
|
channelString = pattern ? channel.toString() : keyString;
|
||||||
|
for (const listener of listeners.strings) {
|
||||||
|
listener(messageString, channelString);
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
readonly #maxLength: number | null | undefined;
|
readonly #maxLength: number | null | undefined;
|
||||||
|
|
||||||
readonly #waitingToBeSent = new LinkedList<CommandWaitingToBeSent>();
|
readonly #waitingToBeSent = new LinkedList<CommandWaitingToBeSent>();
|
||||||
|
|
||||||
readonly #waitingForReply = new LinkedList<CommandWaitingForReply>();
|
readonly #waitingForReply = new LinkedList<CommandWaitingForReply>();
|
||||||
|
|
||||||
readonly #pubSubState = {
|
#pubSubState: PubSubState | undefined;
|
||||||
subscribing: 0,
|
|
||||||
subscribed: 0,
|
|
||||||
unsubscribing: 0
|
|
||||||
};
|
|
||||||
|
|
||||||
readonly #pubSubListeners = {
|
static readonly #PUB_SUB_MESSAGES = {
|
||||||
channels: <PubSubListenersMap>new Map(),
|
message: Buffer.from('message'),
|
||||||
patterns: <PubSubListenersMap>new Map()
|
pMessage: Buffer.from('pmessage'),
|
||||||
|
subscribe: Buffer.from('subscribe'),
|
||||||
|
pSubscribe: Buffer.from('psubscribe'),
|
||||||
|
unsubscribe: Buffer.from('unsunscribe'),
|
||||||
|
pUnsubscribe: Buffer.from('punsubscribe')
|
||||||
};
|
};
|
||||||
|
|
||||||
readonly #parser = new RedisParser({
|
readonly #parser = new RedisParser({
|
||||||
returnReply: (reply: unknown) => {
|
returnReply: (reply: unknown) => {
|
||||||
if ((this.#pubSubState.subscribing || this.#pubSubState.subscribed) && Array.isArray(reply)) {
|
if (this.#pubSubState && Array.isArray(reply)) {
|
||||||
switch (reply[0]) {
|
if (RedisCommandsQueue.#PUB_SUB_MESSAGES.message.equals(reply[0])) {
|
||||||
case 'message':
|
|
||||||
return RedisCommandsQueue.#emitPubSubMessage(
|
return RedisCommandsQueue.#emitPubSubMessage(
|
||||||
this.#pubSubListeners.channels.get(reply[1])!,
|
this.#pubSubState.listeners.channels,
|
||||||
reply[2],
|
reply[2],
|
||||||
reply[1]
|
reply[1]
|
||||||
);
|
);
|
||||||
|
} else if (RedisCommandsQueue.#PUB_SUB_MESSAGES.pMessage.equals(reply[0])) {
|
||||||
case 'pmessage':
|
|
||||||
return RedisCommandsQueue.#emitPubSubMessage(
|
return RedisCommandsQueue.#emitPubSubMessage(
|
||||||
this.#pubSubListeners.patterns.get(reply[1])!,
|
this.#pubSubState.listeners.patterns,
|
||||||
reply[3],
|
reply[3],
|
||||||
reply[2]
|
reply[2],
|
||||||
|
reply[1]
|
||||||
);
|
);
|
||||||
|
} else if (
|
||||||
case 'subscribe':
|
RedisCommandsQueue.#PUB_SUB_MESSAGES.subscribe.equals(reply[0]) ||
|
||||||
case 'psubscribe':
|
RedisCommandsQueue.#PUB_SUB_MESSAGES.pSubscribe.equals(reply[0]) ||
|
||||||
|
RedisCommandsQueue.#PUB_SUB_MESSAGES.unsubscribe.equals(reply[0]) ||
|
||||||
|
RedisCommandsQueue.#PUB_SUB_MESSAGES.pUnsubscribe.equals(reply[0])
|
||||||
|
) {
|
||||||
if (--this.#waitingForReply.head!.value.channelsCounter! === 0) {
|
if (--this.#waitingForReply.head!.value.channelsCounter! === 0) {
|
||||||
this.#shiftWaitingForReply().resolve();
|
this.#shiftWaitingForReply().resolve();
|
||||||
}
|
}
|
||||||
@@ -104,29 +129,26 @@ export default class RedisCommandsQueue {
|
|||||||
},
|
},
|
||||||
returnError: (err: Error) => this.#shiftWaitingForReply().reject(err)
|
returnError: (err: Error) => this.#shiftWaitingForReply().reject(err)
|
||||||
});
|
});
|
||||||
|
|
||||||
#chainInExecution: symbol | undefined;
|
#chainInExecution: symbol | undefined;
|
||||||
|
|
||||||
constructor(maxLength: number | null | undefined) {
|
constructor(maxLength: number | null | undefined) {
|
||||||
this.#maxLength = maxLength;
|
this.#maxLength = maxLength;
|
||||||
}
|
}
|
||||||
|
|
||||||
addCommand<T = RedisCommandRawReply>(args: RedisCommandArguments, options?: QueueCommandOptions, bufferMode?: boolean): Promise<T> {
|
addCommand<T = RedisCommandRawReply>(args: RedisCommandArguments, options?: QueueCommandOptions, bufferMode?: boolean): Promise<T> {
|
||||||
if (this.#pubSubState.subscribing || this.#pubSubState.subscribed) {
|
if (this.#pubSubState) {
|
||||||
return Promise.reject(new Error('Cannot send commands in PubSub mode'));
|
return Promise.reject(new Error('Cannot send commands in PubSub mode'));
|
||||||
} else if (this.#maxLength && this.#waitingToBeSent.length + this.#waitingForReply.length >= this.#maxLength) {
|
} else if (this.#maxLength && this.#waitingToBeSent.length + this.#waitingForReply.length >= this.#maxLength) {
|
||||||
return Promise.reject(new Error('The queue is full'));
|
return Promise.reject(new Error('The queue is full'));
|
||||||
} else if (options?.signal?.aborted) {
|
} else if (options?.signal?.aborted) {
|
||||||
return Promise.reject(new AbortError());
|
return Promise.reject(new AbortError());
|
||||||
}
|
}
|
||||||
|
|
||||||
return new Promise((resolve, reject) => {
|
return new Promise((resolve, reject) => {
|
||||||
const node = new LinkedList.Node<CommandWaitingToBeSent>({
|
const node = new LinkedList.Node<CommandWaitingToBeSent>({
|
||||||
args,
|
args,
|
||||||
chainId: options?.chainId,
|
chainId: options?.chainId,
|
||||||
bufferMode,
|
bufferMode,
|
||||||
resolve,
|
resolve,
|
||||||
reject,
|
reject
|
||||||
});
|
});
|
||||||
|
|
||||||
if (options?.signal) {
|
if (options?.signal) {
|
||||||
@@ -134,7 +156,6 @@ export default class RedisCommandsQueue {
|
|||||||
this.#waitingToBeSent.removeNode(node);
|
this.#waitingToBeSent.removeNode(node);
|
||||||
node.value.reject(new AbortError());
|
node.value.reject(new AbortError());
|
||||||
};
|
};
|
||||||
|
|
||||||
node.value.abort = {
|
node.value.abort = {
|
||||||
signal: options.signal,
|
signal: options.signal,
|
||||||
listener
|
listener
|
||||||
@@ -144,7 +165,6 @@ export default class RedisCommandsQueue {
|
|||||||
once: true
|
once: true
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
if (options?.asap) {
|
if (options?.asap) {
|
||||||
this.#waitingToBeSent.unshiftNode(node);
|
this.#waitingToBeSent.unshiftNode(node);
|
||||||
} else {
|
} else {
|
||||||
@@ -153,28 +173,63 @@ export default class RedisCommandsQueue {
|
|||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
subscribe(command: PubSubSubscribeCommands, channels: string | Array<string>, listener: PubSubListener): Promise<void> {
|
#initiatePubSubState(): PubSubState {
|
||||||
const channelsToSubscribe: Array<string> = [],
|
return this.#pubSubState ??= {
|
||||||
listeners = command === PubSubSubscribeCommands.SUBSCRIBE ? this.#pubSubListeners.channels : this.#pubSubListeners.patterns;
|
subscribed: 0,
|
||||||
for (const channel of (Array.isArray(channels) ? channels : [channels])) {
|
subscribing: 0,
|
||||||
if (listeners.has(channel)) {
|
unsubscribing: 0,
|
||||||
listeners.get(channel)!.add(listener);
|
listeners: {
|
||||||
continue;
|
channels: new Map(),
|
||||||
|
patterns: new Map()
|
||||||
|
}
|
||||||
|
};
|
||||||
}
|
}
|
||||||
|
|
||||||
listeners.set(channel, new Set([listener]));
|
subscribe<T extends boolean>(
|
||||||
|
command: PubSubSubscribeCommands,
|
||||||
|
channels: PubSubArgumentTypes | Array<PubSubArgumentTypes>,
|
||||||
|
listener: PubSubListener<T>,
|
||||||
|
bufferMode?: T
|
||||||
|
): Promise<void> {
|
||||||
|
const pubSubState = this.#initiatePubSubState(),
|
||||||
|
channelsToSubscribe: Array<PubSubArgumentTypes> = [],
|
||||||
|
listenersMap = command === PubSubSubscribeCommands.SUBSCRIBE ? pubSubState.listeners.channels : pubSubState.listeners.patterns;
|
||||||
|
for (const channel of (Array.isArray(channels) ? channels : [channels])) {
|
||||||
|
const channelString = typeof channel === 'string' ? channel : channel.toString();
|
||||||
|
let listeners = listenersMap.get(channelString);
|
||||||
|
if (!listeners) {
|
||||||
|
listeners = {
|
||||||
|
buffers: new Set(),
|
||||||
|
strings: new Set()
|
||||||
|
};
|
||||||
|
listenersMap.set(channelString, listeners);
|
||||||
channelsToSubscribe.push(channel);
|
channelsToSubscribe.push(channel);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
// https://github.com/microsoft/TypeScript/issues/23132
|
||||||
|
(bufferMode ? listeners.buffers : listeners.strings).add(listener as any);
|
||||||
|
}
|
||||||
|
|
||||||
if (!channelsToSubscribe.length) {
|
if (!channelsToSubscribe.length) {
|
||||||
return Promise.resolve();
|
return Promise.resolve();
|
||||||
}
|
}
|
||||||
|
|
||||||
return this.#pushPubSubCommand(command, channelsToSubscribe);
|
return this.#pushPubSubCommand(command, channelsToSubscribe);
|
||||||
}
|
}
|
||||||
|
|
||||||
unsubscribe(command: PubSubUnsubscribeCommands, channels?: string | Array<string>, listener?: PubSubListener): Promise<void> {
|
unsubscribe<T extends boolean>(
|
||||||
const listeners = command === PubSubUnsubscribeCommands.UNSUBSCRIBE ? this.#pubSubListeners.channels : this.#pubSubListeners.patterns;
|
command: PubSubUnsubscribeCommands,
|
||||||
|
channels?: string | Array<string>,
|
||||||
|
listener?: PubSubListener<T>,
|
||||||
|
bufferMode?: T
|
||||||
|
): Promise<void> {
|
||||||
|
if (!this.#pubSubState) {
|
||||||
|
return Promise.resolve();
|
||||||
|
}
|
||||||
|
|
||||||
|
const listeners = command === PubSubUnsubscribeCommands.UNSUBSCRIBE ?
|
||||||
|
this.#pubSubState.listeners.channels :
|
||||||
|
this.#pubSubState.listeners.patterns;
|
||||||
|
|
||||||
if (!channels) {
|
if (!channels) {
|
||||||
const size = listeners.size;
|
const size = listeners.size;
|
||||||
listeners.clear();
|
listeners.clear();
|
||||||
@@ -183,13 +238,16 @@ export default class RedisCommandsQueue {
|
|||||||
|
|
||||||
const channelsToUnsubscribe = [];
|
const channelsToUnsubscribe = [];
|
||||||
for (const channel of (Array.isArray(channels) ? channels : [channels])) {
|
for (const channel of (Array.isArray(channels) ? channels : [channels])) {
|
||||||
const set = listeners.get(channel);
|
const sets = listeners.get(channel);
|
||||||
if (!set) continue;
|
if (!sets) continue;
|
||||||
|
|
||||||
let shouldUnsubscribe = !listener;
|
let shouldUnsubscribe;
|
||||||
if (listener) {
|
if (listener) {
|
||||||
set.delete(listener);
|
// https://github.com/microsoft/TypeScript/issues/23132
|
||||||
shouldUnsubscribe = set.size === 0;
|
(bufferMode ? sets.buffers : sets.strings).delete(listener as any);
|
||||||
|
shouldUnsubscribe = !sets.buffers.size && !sets.strings.size;
|
||||||
|
} else {
|
||||||
|
shouldUnsubscribe = true;
|
||||||
}
|
}
|
||||||
|
|
||||||
if (shouldUnsubscribe) {
|
if (shouldUnsubscribe) {
|
||||||
@@ -197,19 +255,18 @@ export default class RedisCommandsQueue {
|
|||||||
listeners.delete(channel);
|
listeners.delete(channel);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
if (!channelsToUnsubscribe.length) {
|
if (!channelsToUnsubscribe.length) {
|
||||||
return Promise.resolve();
|
return Promise.resolve();
|
||||||
}
|
}
|
||||||
|
|
||||||
return this.#pushPubSubCommand(command, channelsToUnsubscribe);
|
return this.#pushPubSubCommand(command, channelsToUnsubscribe);
|
||||||
}
|
}
|
||||||
|
|
||||||
#pushPubSubCommand(command: PubSubSubscribeCommands | PubSubUnsubscribeCommands, channels: number | Array<string>): Promise<void> {
|
#pushPubSubCommand(command: PubSubSubscribeCommands | PubSubUnsubscribeCommands, channels: number | Array<PubSubArgumentTypes>): Promise<void> {
|
||||||
return new Promise((resolve, reject) => {
|
return new Promise((resolve, reject) => {
|
||||||
const isSubscribe = command === PubSubSubscribeCommands.SUBSCRIBE || command === PubSubSubscribeCommands.PSUBSCRIBE,
|
const pubSubState = this.#initiatePubSubState(),
|
||||||
|
isSubscribe = command === PubSubSubscribeCommands.SUBSCRIBE || command === PubSubSubscribeCommands.PSUBSCRIBE,
|
||||||
inProgressKey = isSubscribe ? 'subscribing' : 'unsubscribing',
|
inProgressKey = isSubscribe ? 'subscribing' : 'unsubscribing',
|
||||||
commandArgs: Array<string> = [command];
|
commandArgs: Array<PubSubArgumentTypes> = [command];
|
||||||
|
|
||||||
let channelsCounter: number;
|
let channelsCounter: number;
|
||||||
if (typeof channels === 'number') { // unsubscribe only
|
if (typeof channels === 'number') { // unsubscribe only
|
||||||
@@ -219,18 +276,26 @@ export default class RedisCommandsQueue {
|
|||||||
channelsCounter = channels.length;
|
channelsCounter = channels.length;
|
||||||
}
|
}
|
||||||
|
|
||||||
this.#pubSubState[inProgressKey] += channelsCounter;
|
pubSubState[inProgressKey] += channelsCounter;
|
||||||
|
|
||||||
this.#waitingToBeSent.push({
|
this.#waitingToBeSent.push({
|
||||||
args: commandArgs,
|
args: commandArgs,
|
||||||
channelsCounter,
|
channelsCounter,
|
||||||
|
bufferMode: true,
|
||||||
resolve: () => {
|
resolve: () => {
|
||||||
this.#pubSubState[inProgressKey] -= channelsCounter;
|
pubSubState[inProgressKey] -= channelsCounter;
|
||||||
this.#pubSubState.subscribed += channelsCounter * (isSubscribe ? 1 : -1);
|
if (isSubscribe) {
|
||||||
|
pubSubState.subscribed += channelsCounter;
|
||||||
|
} else {
|
||||||
|
pubSubState.subscribed -= channelsCounter;
|
||||||
|
if (!pubSubState.subscribed && !pubSubState.subscribing && !pubSubState.subscribed) {
|
||||||
|
this.#pubSubState = undefined;
|
||||||
|
}
|
||||||
|
}
|
||||||
resolve();
|
resolve();
|
||||||
},
|
},
|
||||||
reject: () => {
|
reject: () => {
|
||||||
this.#pubSubState[inProgressKey] -= channelsCounter;
|
pubSubState[inProgressKey] -= channelsCounter * (isSubscribe ? 1 : -1);
|
||||||
reject();
|
reject();
|
||||||
}
|
}
|
||||||
});
|
});
|
||||||
@@ -238,22 +303,19 @@ export default class RedisCommandsQueue {
|
|||||||
}
|
}
|
||||||
|
|
||||||
resubscribe(): Promise<any> | undefined {
|
resubscribe(): Promise<any> | undefined {
|
||||||
if (!this.#pubSubState.subscribed && !this.#pubSubState.subscribing) {
|
if (!this.#pubSubState) {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
this.#pubSubState.subscribed = this.#pubSubState.subscribing = 0;
|
|
||||||
|
|
||||||
// TODO: acl error on one channel/pattern will reject the whole command
|
// TODO: acl error on one channel/pattern will reject the whole command
|
||||||
return Promise.all([
|
return Promise.all([
|
||||||
this.#pushPubSubCommand(PubSubSubscribeCommands.SUBSCRIBE, [...this.#pubSubListeners.channels.keys()]),
|
this.#pushPubSubCommand(PubSubSubscribeCommands.SUBSCRIBE, [...this.#pubSubState.listeners.channels.keys()]),
|
||||||
this.#pushPubSubCommand(PubSubSubscribeCommands.PSUBSCRIBE, [...this.#pubSubListeners.patterns.keys()])
|
this.#pushPubSubCommand(PubSubSubscribeCommands.PSUBSCRIBE, [...this.#pubSubState.listeners.patterns.keys()])
|
||||||
]);
|
]);
|
||||||
}
|
}
|
||||||
|
|
||||||
getCommandToSend(): RedisCommandArguments | undefined {
|
getCommandToSend(): RedisCommandArguments | undefined {
|
||||||
const toSend = this.#waitingToBeSent.shift();
|
const toSend = this.#waitingToBeSent.shift();
|
||||||
|
|
||||||
if (toSend) {
|
if (toSend) {
|
||||||
this.#waitingForReply.push({
|
this.#waitingForReply.push({
|
||||||
resolve: toSend.resolve,
|
resolve: toSend.resolve,
|
||||||
@@ -262,14 +324,15 @@ export default class RedisCommandsQueue {
|
|||||||
bufferMode: toSend.bufferMode
|
bufferMode: toSend.bufferMode
|
||||||
});
|
});
|
||||||
}
|
}
|
||||||
|
|
||||||
this.#chainInExecution = toSend?.chainId;
|
this.#chainInExecution = toSend?.chainId;
|
||||||
|
|
||||||
return toSend?.args;
|
return toSend?.args;
|
||||||
}
|
}
|
||||||
|
|
||||||
parseResponse(data: Buffer): void {
|
parseResponse(data: Buffer): void {
|
||||||
this.#parser.setReturnBuffers(!!this.#waitingForReply.head?.value.bufferMode);
|
this.#parser.setReturnBuffers(
|
||||||
|
!!this.#waitingForReply.head?.value.bufferMode ||
|
||||||
|
!!this.#pubSubState?.subscribed
|
||||||
|
);
|
||||||
this.#parser.execute(data);
|
this.#parser.execute(data);
|
||||||
}
|
}
|
||||||
|
|
||||||
@@ -277,24 +340,18 @@ export default class RedisCommandsQueue {
|
|||||||
if (!this.#waitingForReply.length) {
|
if (!this.#waitingForReply.length) {
|
||||||
throw new Error('Got an unexpected reply from Redis');
|
throw new Error('Got an unexpected reply from Redis');
|
||||||
}
|
}
|
||||||
|
|
||||||
return this.#waitingForReply.shift()!;
|
return this.#waitingForReply.shift()!;
|
||||||
}
|
}
|
||||||
|
|
||||||
flushWaitingForReply(err: Error): void {
|
flushWaitingForReply(err: Error): void {
|
||||||
RedisCommandsQueue.#flushQueue(this.#waitingForReply, err);
|
RedisCommandsQueue.#flushQueue(this.#waitingForReply, err);
|
||||||
|
|
||||||
if (!this.#chainInExecution) {
|
if (!this.#chainInExecution) {
|
||||||
return;
|
return;
|
||||||
}
|
}
|
||||||
|
|
||||||
while (this.#waitingToBeSent.head?.value.chainId === this.#chainInExecution) {
|
while (this.#waitingToBeSent.head?.value.chainId === this.#chainInExecution) {
|
||||||
this.#waitingToBeSent.shift();
|
this.#waitingToBeSent.shift();
|
||||||
}
|
}
|
||||||
|
|
||||||
this.#chainInExecution = undefined;
|
this.#chainInExecution = undefined;
|
||||||
}
|
}
|
||||||
|
|
||||||
flushAll(err: Error): void {
|
flushAll(err: Error): void {
|
||||||
RedisCommandsQueue.#flushQueue(this.#waitingForReply, err);
|
RedisCommandsQueue.#flushQueue(this.#waitingForReply, err);
|
||||||
RedisCommandsQueue.#flushQueue(this.#waitingToBeSent, err);
|
RedisCommandsQueue.#flushQueue(this.#waitingToBeSent, err);
|
||||||
|
@@ -561,63 +561,66 @@ describe('Client', () => {
|
|||||||
}, GLOBAL.SERVERS.OPEN);
|
}, GLOBAL.SERVERS.OPEN);
|
||||||
|
|
||||||
testUtils.testWithClient('PubSub', async publisher => {
|
testUtils.testWithClient('PubSub', async publisher => {
|
||||||
|
function assertStringListener(message: string, channel: string) {
|
||||||
|
assert.ok(typeof message === 'string');
|
||||||
|
assert.ok(typeof channel === 'string');
|
||||||
|
}
|
||||||
|
|
||||||
|
function assertBufferListener(message: Buffer, channel: Buffer) {
|
||||||
|
assert.ok(Buffer.isBuffer(message));
|
||||||
|
assert.ok(Buffer.isBuffer(channel));
|
||||||
|
}
|
||||||
|
|
||||||
const subscriber = publisher.duplicate();
|
const subscriber = publisher.duplicate();
|
||||||
|
|
||||||
await subscriber.connect();
|
await subscriber.connect();
|
||||||
|
|
||||||
try {
|
try {
|
||||||
const channelListener1 = spy(),
|
const channelListener1 = spy(assertBufferListener),
|
||||||
channelListener2 = spy(),
|
channelListener2 = spy(assertStringListener),
|
||||||
patternListener = spy();
|
patternListener = spy(assertStringListener);
|
||||||
|
|
||||||
await Promise.all([
|
await Promise.all([
|
||||||
subscriber.subscribe('channel', channelListener1),
|
subscriber.subscribe('channel', channelListener1, true),
|
||||||
subscriber.subscribe('channel', channelListener2),
|
subscriber.subscribe('channel', channelListener2),
|
||||||
subscriber.pSubscribe('channel*', patternListener)
|
subscriber.pSubscribe('channel*', patternListener)
|
||||||
]);
|
]);
|
||||||
|
|
||||||
await Promise.all([
|
await Promise.all([
|
||||||
waitTillBeenCalled(channelListener1),
|
waitTillBeenCalled(channelListener1),
|
||||||
waitTillBeenCalled(channelListener2),
|
waitTillBeenCalled(channelListener2),
|
||||||
waitTillBeenCalled(patternListener),
|
waitTillBeenCalled(patternListener),
|
||||||
publisher.publish('channel', 'message')
|
publisher.publish(Buffer.from('channel'), Buffer.from('message'))
|
||||||
]);
|
]);
|
||||||
|
|
||||||
assert.ok(channelListener1.calledOnceWithExactly('message', 'channel'));
|
assert.ok(channelListener1.calledOnceWithExactly(Buffer.from('message'), Buffer.from('channel')));
|
||||||
assert.ok(channelListener2.calledOnceWithExactly('message', 'channel'));
|
assert.ok(channelListener2.calledOnceWithExactly('message', 'channel'));
|
||||||
assert.ok(patternListener.calledOnceWithExactly('message', 'channel'));
|
assert.ok(patternListener.calledOnceWithExactly('message', 'channel'));
|
||||||
|
|
||||||
await subscriber.unsubscribe('channel', channelListener1);
|
await subscriber.unsubscribe('channel', channelListener1, true);
|
||||||
await Promise.all([
|
await Promise.all([
|
||||||
waitTillBeenCalled(channelListener2),
|
waitTillBeenCalled(channelListener2),
|
||||||
waitTillBeenCalled(patternListener),
|
waitTillBeenCalled(patternListener),
|
||||||
publisher.publish('channel', 'message')
|
publisher.publish('channel', 'message')
|
||||||
]);
|
]);
|
||||||
|
|
||||||
assert.ok(channelListener1.calledOnce);
|
assert.ok(channelListener1.calledOnce);
|
||||||
assert.ok(channelListener2.calledTwice);
|
assert.ok(channelListener2.calledTwice);
|
||||||
assert.ok(channelListener2.secondCall.calledWithExactly('message', 'channel'));
|
assert.ok(channelListener2.secondCall.calledWithExactly('message', 'channel'));
|
||||||
assert.ok(patternListener.calledTwice);
|
assert.ok(patternListener.calledTwice);
|
||||||
assert.ok(patternListener.secondCall.calledWithExactly('message', 'channel'));
|
assert.ok(patternListener.secondCall.calledWithExactly('message', 'channel'));
|
||||||
|
|
||||||
await subscriber.unsubscribe('channel');
|
await subscriber.unsubscribe('channel');
|
||||||
await Promise.all([
|
await Promise.all([
|
||||||
waitTillBeenCalled(patternListener),
|
waitTillBeenCalled(patternListener),
|
||||||
publisher.publish('channel', 'message')
|
publisher.publish('channel', 'message')
|
||||||
]);
|
]);
|
||||||
|
|
||||||
assert.ok(channelListener1.calledOnce);
|
assert.ok(channelListener1.calledOnce);
|
||||||
assert.ok(channelListener2.calledTwice);
|
assert.ok(channelListener2.calledTwice);
|
||||||
assert.ok(patternListener.calledThrice);
|
assert.ok(patternListener.calledThrice);
|
||||||
assert.ok(patternListener.thirdCall.calledWithExactly('message', 'channel'));
|
assert.ok(patternListener.thirdCall.calledWithExactly('message', 'channel'));
|
||||||
|
|
||||||
await subscriber.pUnsubscribe();
|
await subscriber.pUnsubscribe();
|
||||||
await publisher.publish('channel', 'message');
|
await publisher.publish('channel', 'message');
|
||||||
|
|
||||||
assert.ok(channelListener1.calledOnce);
|
assert.ok(channelListener1.calledOnce);
|
||||||
assert.ok(channelListener2.calledTwice);
|
assert.ok(channelListener2.calledTwice);
|
||||||
assert.ok(patternListener.calledThrice);
|
assert.ok(patternListener.calledThrice);
|
||||||
|
|
||||||
// should be able to send commands when unsubsribed from all channels (see #1652)
|
// should be able to send commands when unsubsribed from all channels (see #1652)
|
||||||
await assert.doesNotReject(subscriber.ping());
|
await assert.doesNotReject(subscriber.ping());
|
||||||
} finally {
|
} finally {
|
||||||
|
@@ -1,25 +1,35 @@
|
|||||||
import { strict as assert } from 'assert';
|
import { strict as assert } from 'assert';
|
||||||
import testUtils, { GLOBAL } from '../test-utils';
|
import testUtils, { GLOBAL } from '../test-utils';
|
||||||
import { transformArguments } from './LINDEX';
|
import { transformArguments } from './LINDEX';
|
||||||
|
|
||||||
describe('LINDEX', () => {
|
describe('LINDEX', () => {
|
||||||
it('transformArguments', () => {
|
it('transformArguments', () => {
|
||||||
assert.deepEqual(
|
assert.deepEqual(
|
||||||
transformArguments('key', 'element'),
|
transformArguments('key', 0),
|
||||||
['LINDEX', 'key', 'element']
|
['LINDEX', 'key', '0']
|
||||||
);
|
);
|
||||||
});
|
});
|
||||||
|
|
||||||
testUtils.testWithClient('client.lIndex', async client => {
|
describe('client.lIndex', () => {
|
||||||
|
testUtils.testWithClient('null', async client => {
|
||||||
assert.equal(
|
assert.equal(
|
||||||
await client.lIndex('key', 'element'),
|
await client.lIndex('key', 0),
|
||||||
null
|
null
|
||||||
);
|
);
|
||||||
}, GLOBAL.SERVERS.OPEN);
|
}, GLOBAL.SERVERS.OPEN);
|
||||||
|
|
||||||
|
testUtils.testWithClient('with value', async client => {
|
||||||
|
const [, lIndexReply] = await Promise.all([
|
||||||
|
client.lPush('key', 'element'),
|
||||||
|
client.lIndex('key', 0)
|
||||||
|
]);
|
||||||
|
|
||||||
|
assert.equal(lIndexReply, 'element');
|
||||||
|
}, GLOBAL.SERVERS.OPEN);
|
||||||
|
});
|
||||||
|
|
||||||
testUtils.testWithCluster('cluster.lIndex', async cluster => {
|
testUtils.testWithCluster('cluster.lIndex', async cluster => {
|
||||||
assert.equal(
|
assert.equal(
|
||||||
await cluster.lIndex('key', 'element'),
|
await cluster.lIndex('key', 0),
|
||||||
null
|
null
|
||||||
);
|
);
|
||||||
}, GLOBAL.CLUSTERS.OPEN);
|
}, GLOBAL.CLUSTERS.OPEN);
|
||||||
|
@@ -1,9 +1,8 @@
|
|||||||
export const FIRST_KEY_INDEX = 1;
|
|
||||||
|
|
||||||
export const IS_READ_ONLY = true;
|
export const IS_READ_ONLY = true;
|
||||||
|
|
||||||
export function transformArguments(key: string, element: string): Array<string> {
|
export function transformArguments(key: string, index: number): Array<string> {
|
||||||
return ['LINDEX', key, element];
|
return ['LINDEX', key, index.toString()];
|
||||||
}
|
}
|
||||||
|
|
||||||
export declare function transformReply(): string | null;
|
export declare function transformReply(): string | null;
|
@@ -1,4 +1,6 @@
|
|||||||
export function transformArguments(channel: string, message: string): Array<string> {
|
import { RedisCommandArguments } from '.';
|
||||||
|
|
||||||
|
export function transformArguments(channel: string | Buffer, message: string | Buffer): RedisCommandArguments {
|
||||||
return ['PUBLISH', channel, message];
|
return ['PUBLISH', channel, message];
|
||||||
}
|
}
|
||||||
|
|
||||||
|
Reference in New Issue
Block a user