定义了dto类
@Data
public class UserDTO {
private Long id;
private String nickName;
private String icon;
}
报错原因是因为下面这一句,它的作用是将dto类作为映射为map,然后将map存到redis
但是redis的value只接受string类型的数据,map转换不会改变原来id的Long类型,因此下面语句错误的将Long类型数据存到了redis中
Map<String, Object> userMap = BeanUtil.beanToMap(userDTO)
String tokenKey = LOGIN_USER_KEY + token;
stringRedisTemplate.opsForHash().putAll(tokenKey,userMap);
因此要么我们手动的将对象里面的类型全部转为string类型,要么仍然使用BeanUtils,通过编写一个转换的配置选项,改写如下:
Map<String, Object> userMap = BeanUtil.beanToMap(userDTO, new HashMap<>(),
CopyOptions.create()
.setIgnoreNullValue(true)
.setFieldValueEditor((fieldName, fieldValue) -> fieldValue.toString()));
String tokenKey = LOGIN_USER_KEY + token;
stringRedisTemplate.opsForHash().putAll(tokenKey,userMap);
主要的一句是 setFieldValueEditor((fieldName, fieldValue) -> fieldValue.toString()));他会将字段值全部转为stirng类型。问题便解决了