19

我正在使用 nowjs 和 node_redis。我正在尝试创建一些非常简单的东西。但到目前为止,本教程让我空白,因为他们只做 console.log()。

//REDIS
var redis = require("redis"),
    client = redis.createClient();

client.on("error", function (err) {
    console.log("Error "+ err);
});

client.set("card", "apple");

everyone.now.signalShowRedisCard = function() {
    nowjs.getGroup(this.now.room).now.receiveShowRedisCard(client.get("card").toString());
}

在我的客户端:

now.receiveShowRedisCard = function(card_id) {
    alert("redis card: "+card_id);
}

警报只给出“真”——我期待得到键“卡”的值,即“苹果”。

有任何想法吗?

4

4 回答 4

17

您正在尝试以同步方式使用异步库。这是正确的方法:

//REDIS
var redis = require("redis"),
    client = redis.createClient();

client.on("error", function (err) {
    console.log("Error "+ err);
});

client.set("card", "apple", function(err) {
    if (err) throw err;
});

everyone.now.signalShowRedisCard = function() {
    var self = this;
    client.get("card", function (err, res) {
        nowjs.getGroup(self.now.room).now.receiveShowRedisCard(res);
    });
}
于 2011-08-03T10:17:42.000 回答
6

一种选择是使用 Bluebird 将 Redis 回调转换为 Promise。然后您可以将其与.then()or一起使用async/await

import redis from 'redis'
import bluebird from 'bluebird'

bluebird.promisifyAll(redis)
const client = redis.createClient()

await client.set("myKey", "my value")
const value = await client.getAsync("myKey")

请注意,您的方法应该已Async附加到它们。

于 2019-02-23T18:49:45.403 回答
4

使用异步 Redis

npm i async-redis --save

const asyncRedis = require("async-redis");    
const client = asyncRedis.createClient(); 

await client.set("string key", "string val");
const value = await client.get("string key");

console.log(value);

await client.flushall("string key");
于 2018-12-31T14:23:23.967 回答
1

您还可以使用 node_redis 库提供的函数
const getAsync = promisify(client.get).bind(client);
并使用它从 redis 获取值,如下所示
const value = await getAsync(key)

于 2022-01-24T10:18:28.373 回答