数据库的几个字段使用到Json类型,持久层用的是Mybatis,由于没办法实现自动转换,因此需要自己写几个handler。
因为json类型的字段用到的地方比较多,也不想一个一个的去写handler,所以在代码里使用对象的话就用Map,数组就使用List。
实体
data class Entity(
@UDJdbcType(typeHandler = JsonListMapHandler::class)
val list: List<Map<String, Any>>? = null,
@UDJdbcType(typeHandler = JsonMapHandler::class)
val obj: HashMap<String, Any>? = null,
)
@UDJdbcType
是我们自己实现的动态生成sql的注解。
对应两个字段,我们写了两个HandlerJsonListMapHandler
、JsonMapHandler
。
@MappedTypes(List::class)
@MappedJdbcTypes(JdbcType.VARCHAR)
class JsonListMapHandler : BaseTypeHandler<List<Map<*, *>>>() {
\\ 此处省略
}
@MappedTypes(HashMap::class)
@MappedJdbcTypes(JdbcType.VARCHAR)
class JsonMapHandler: BaseTypeHandler<HashMap<*, *>>() {
\\ 此处省略
}
一开始list
这个字段,我们使用的也是HashMap
,数据库写操作是正常的,但调用接口读取数据时就一直报以下错误,就是Gson转换不成功。原因是遇到HashMap
时会跑到JsonMapHandler
里进行转换。因为类型不对,所以转换失败。把第一个字段属性List<HashMap<*, *>>
改成List<Map<*, *>>
,JsonListMapHandler
里也使用Map
,问题解决。
com.google.gson.JsonSyntaxException: java.lang.IllegalStateException: Expected BEGIN_OBJECT but was BEGIN_ARRAY at line 1 column 2
网友评论