Press n or j to go to the next uncovered block, b, p or k for the previous block.
| 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 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 | 1x 1x 1x 1x 4x 4x 4x 4x | import { Logger } from "../../../logger";
import { IRequest } from "../../../server/request";
import { Database } from "../../data/database";
import { DatabaseValue } from "../../data/database-value";
import { RedisToken } from "../../protocol/redis-token";
import { IRespCommand } from "../resp-command";
/**
* Available since 1.0.0.
*
* MOVE key db
*
* Move key from the currently selected database (see {@link resp/command/db/select-command.SelectCommand | SELECT}) to the specified destination
* database. When key already exists in the destination database, or it does not exist in the
* source database, it does nothing. It is possible to use MOVE as a locking primitive because
* of this.
*
* **NOTE: The primary developer of unit-redis-ness is not smart enough to know what is a**
* **"locking primitive," so don't rely on this being a usable scenario**
*
* **Return value**<br>
* Integer reply, specifically:
*
* 1 if key was moved.
* 0 if key was not moved.
*/
export class MoveCommand extends IRespCommand {
public maxParams = 2
public minParams = 2
public name = "move"
private logger: Logger = new Logger(module.id);
public execSync(request: IRequest, db: Database): RedisToken {
this.logger.debug(
`${request.getCommand()}.execute(%s)`,
...request.getParams()
);
let response = 0;
const currentDb: number = request.getSession().getCurrentDb(),
key: string = request.getParam(0),
newDbIndex: string = request.getParam(1);
this.logger.debug(`Target DB is ${newDbIndex}`);
const targetDb = Number(newDbIndex);
if (isNaN(targetDb) || targetDb < 0 || targetDb > 15) {
this.logger.debug("Target DB is invalid");
return RedisToken.error("ERR index out of range");
} else if (targetDb === currentDb) {
return RedisToken.error("ERR source and destination objects are the same");
}
const dbValue: DatabaseValue = db.get(key);
if (!dbValue) {
this.logger.debug(`key ${key} does not exist in the current database ${request.getSession().getCurrentDb()}
`);
return RedisToken.integer(response);
}
const newDb: Database = request.getServerContext().getDatabase(targetDb),
targetExists: boolean = newDb.exists(key);
if (targetExists) {
this.logger.debug(`Key ${key} already exists in db ${targetDb}. Nothing doing`);
return RedisToken.integer(0);
}
newDb.put(
key,
dbValue
);
db.remove(key);
response = 1;
this.logger.debug(`${request.getCommand()}.execute: moved ${key} to ${targetDb}`);
return RedisToken.integer(response);
}
}
|