如何重新设置缓存集并在nodejs中正确使用?

时间:2019-05-01 06:33:52

标签: node.js node-redis nodejs-server

我尝试使用mongodb进行节点js crud操作,并且还存储在redis缓存中。第一次尝试运行get方法从db获取数据,第二次运行get方法从cache获取数据。但是试图删除表中的数据。再次运行get方法,它不显示数据。它显示空数据。但是将其存储在redis缓存中的数据如何解决此问题

cache.js

// var asyncRedis = require("async-redis")

// var myCache = asyncRedis.createClient()
var redis = require('redis');

const client = redis.createClient()

client.on('connect', function () {
    console.log('Redis client connected');
});

client.on('error', function (err) {
    console.log('Something went wrong ' + err);
});



var value;
var todayEnd = new Date().setHours(23, 59, 59, 999);







function  Get_Value()
{
    client.get('products', function(err,results) {
        value = JSON.parse(results);

    })
    return value
}

function Set_Value(products)
{
    client.set('products', JSON.stringify(products))
    client.expireat('products', parseInt(todayEnd/1000));


}

exports.get_value = Get_Value;

exports.set_value = Set_Value;

routes.py

data = cache.get_value()
      console.log(data)
      if (data) {
        console.log("GET")
        res.send(data)
      }
      else {
        console.log("SET")
        const r = await db.collection('Ecommerce').find().toArray();
        res.send(r)
        data = cache.set_value(r)
      }

1 个答案:

答案 0 :(得分:0)

哈里

您的Get_Value对我来说有点奇怪。 Redis get将异步执行。因此,当您将return value语句放在回调之外时,它将立即返回,value仍未定义。

解决此问题的最简单方法是调用Get_Value,并在redis GET返回时继续执行回调。

function  Get_Value(callback) {
    client.get('products', function(err,results) {
        let value = JSON.parse(results);
>>      callback(value);
    });
}

您将这样使用它:

Get_Value(function(value) {
    console.log("products: " + value);
}

另一种选择是使用Node Redis的Promise API(请参见此处的文档:https://github.com/NodeRedis/node_redis

有帮助吗?