说起Redis,大家可能都知道他是一个key-value数据库,可以作为数据库、缓存、消息队列等,但是他的常用数据类型与相关的操作大家了解么?这里我为大家总结盘点一下。
本文使用环境为:redis-2.8.9,使用Redis的windows客户端程序RedisDesktopManager进行演示。
一、字符串类型
字符串类型是大家最常用的一种redis数据类型。他对应操作如下:
1.set key value [ex 秒数] [px 毫秒数] [nx/xx] : 保存key-value
ex、px指的是key的有效期。
nx:表示当key不存在时,创建key并保存value
xx:表示当key存在时,保存value
localhost:0>set hello world
OK
localhost:0>set hello world ex 100
OK
localhost:0>set hello world px 1000
OK
这里主要看看 nx与xx的效果
localhost:0>set hello worldnx nx
NULL
localhost:0>set hello worldxx xx
OK
因为hello这个key已经存在,所以带上参数nx后,返回了NULL,没有操作成功。
带上xx这个参数后,现在hello这个key的value已经被替换成了worldxx
2.get key : 取出key对应的value
localhost:0>get hello
worldxx
3.mset k1 v1 k2 v2 : 一次保存多个key-value
localhost:0>mset hello1 world1 hello2 world2 hello3 world3
OK
4.mget k1 v1 k2 v2 : 取出多个key对应的value
localhost:0>mget hello1 hello2 hello3
world1
world2
world3
5.setrange key offset value:把字符串的offset位置字符改成value
localhost:0>setrange hello 2 g
7
localhost:0>get hello
wogldxx
hello的value原来为worldxx,命令把worldxx的2这个位置的字符变成了g,并返回了字符串的长度,下标是从0开始的
当offset大于字符串的长度时,会发生什么呢?
localhost:0>setrange hello 10 g
11
localhost:0>get hello
wogldxx
结果是返回的字符串长度变成了11,但是get出来的value没有发生变化了,分析结构应该是超出了字符串长度,用了空字符去补齐了位置,所以长度变成了11
6.append key value:把value追加到原来的value上去
localhost:0>append hello1 world
11
localhost:0>get hello1
world1world
把world追加到了原来的world1后面,并返回了字符串的长度
7.getrange key start stop:获取字符串start至stop之间的内容
localhost:0>getrange hello1 2 7
rld1wo
8.getset key newvalue:返回key的旧value,把新值newvalue存进去
localhost:0>getset hello wolrd
wogldxx
localhost:0>get hello
wolrd
9.incr key:value自增
localhost:0>incr hello
ERR value is not an integer or out of range
当 value不是数字时,返回这个错误
localhost:0>incr count
1
localhost:0>get count
1
当key不存在时,创建这个key并存入1
10.incrby key int:value增加整数int
localhost:0>incrby count 4
5
11.incrbyfloat key float:value增加浮点数float
localhost:0>incrbyfloat count 0.5
5.5
12.decr key : value自减1
localhost:0>set num 6
OK
localhost:0>decr num
5
13.decrby key int:value减少整数int
localhost:0>decrby num 3
2
14.getbit key offset : 把值value二进制表示后,取出offset对应位置上值
localhost:0>set bithello world
OK
localhost:0>getbit bithello 2
1
写了段java代码,把world转化成了二进制表示:
private static String Str2Bit(String str){
String result = "";
if (str != null && !result.equals(str)){
char[] chars = str.toCharArray();
for (char c : chars){
result += Integer.toBinaryString(c);
}
}
return result;
}
@Test
public void testStringToBit(){
System.out.println(testDes3.Str2Bit("world"));
}
取出world的二进制表示为1110111110111111100101101100110010,取出位置是2(下标从0开始)的字节为1。
15.setbit key offset value : 把值value二进制表示后,取出offset对应位置上值,把value存进去
localhost:0>setbit bithello 2 0
1
localhost:0>get bithello
World
取出来位置为2的字节1,把0存放进去,所以二进制变成了1100111110111111100101101100110010,转化成字符串变成了World,大家可以自行验证一下,这里不做这个验证了。
16.strlen key:取指定key的value字符串长度
localhost:0>set zwn helloWorld!
OK
localhost:0>strlen zwn
11
二、Hash类型
在Redis中,hash是一个String类型的field和value的映射表,特别合适用来存储对象。