Redis list的应用场景非常多,也是Redis最重要的数据结构之一,比如twitter的关注列表,粉丝列表,评论列表等都可以用Redis的list结构来实现。这里使用lpush和ltrim简单实现始终取最新评论的前5条。
package site.zy9.redisApp.test;
import java.util.List;
import org.springframework.context.ApplicationContext;
import org.springframework.context.support.ClassPathXmlApplicationContext;
import redis.clients.jedis.Jedis;
import redis.clients.jedis.JedisPool;
public class RedisTestFive {
public static void main(String[] args) {
// TODO Auto-generated method stub
// TODO Auto-generated method stub
//不要用junit测试多线程,好坑
ApplicationContext applicationContext = new ClassPathXmlApplicationContext("classpath:spring/applicationContext-*.xml");
//创建10条评论并依次插入列表,始终只取前5条评论显示
for(int i=1;i<11;i++){
//使用JedisPool获取jedis对象,因为JedisPool是线程安全的
JedisPool jedisPool = (JedisPool) applicationContext.getBean("jedisPool");
Jedis resource = jedisPool.getResource();
//将评论放入列表
resource.lpush("comments", "第"+i+"条评论");
//取前五条评论,ltrim会删除其它评论只保留前五条,根据应用场景自行选择
List<String> comments = resource.lrange("comments", 0L, 4L);
for (String comment : comments) {
System.out.print(comment+" ");
}
System.out.println();
resource.close();
}
}
}
输出
第1条评论
第2条评论 第1条评论
第3条评论 第2条评论 第1条评论
第4条评论 第3条评论 第2条评论 第1条评论
第5条评论 第4条评论 第3条评论 第2条评论 第1条评论
第6条评论 第5条评论 第4条评论 第3条评论 第2条评论
第7条评论 第6条评论 第5条评论 第4条评论 第3条评论
第8条评论 第7条评论 第6条评论 第5条评论 第4条评论
第9条评论 第8条评论 第7条评论 第6条评论 第5条评论
第10条评论 第9条评论 第8条评论 第7条评论 第6条评论