mybatis 取json串 转map
时间: 2023-08-03 07:05:49 浏览: 487
如果你的 MyBatis 版本是 3.4 或以上,可以使用 MyBatis 提供的 TypeHandler 进行 JSON 字符串到 Map 的转换。
首先,你需要引入相关依赖:
```xml
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-databind</artifactId>
<version>2.12.3</version>
</dependency>
```
然后,创建一个类实现 MyBatis 的 `TypeHandler` 接口,例如:
```java
import com.fasterxml.jackson.core.JsonProcessingException;
import com.fasterxml.jackson.databind.ObjectMapper;
import org.apache.ibatis.type.BaseTypeHandler;
import org.apache.ibatis.type.JdbcType;
import org.apache.ibatis.type.MappedTypes;
import org.apache.ibatis.type.TypeHandler;
import java.sql.CallableStatement;
import java.sql.PreparedStatement;
import java.sql.ResultSet;
import java.sql.SQLException;
import java.util.Map;
@MappedTypes(Map.class)
public class JsonMapTypeHandler extends BaseTypeHandler<Map<String, Object>> {
private static final ObjectMapper mapper = new ObjectMapper();
@Override
public void setNonNullParameter(PreparedStatement ps, int i, Map<String, Object> parameter, JdbcType jdbcType) throws SQLException {
try {
String json = mapper.writeValueAsString(parameter);
ps.setString(i, json);
} catch (JsonProcessingException e) {
throw new SQLException(e);
}
}
@Override
public Map<String, Object> getNullableResult(ResultSet rs, String columnName) throws SQLException {
String json = rs.getString(columnName);
if (json == null) {
return null;
}
return fromJson(json);
}
@Override
public Map<String, Object> getNullableResult(ResultSet rs, int columnIndex) throws SQLException {
String json = rs.getString(columnIndex);
if (json == null) {
return null;
}
return fromJson(json);
}
@Override
public Map<String, Object> getNullableResult(CallableStatement cs, int columnIndex) throws SQLException {
String json = cs.getString(columnIndex);
if (json == null) {
return null;
}
return fromJson(json);
}
private Map<String, Object> fromJson(String json) throws SQLException {
try {
return mapper.readValue(json, Map.class);
} catch (JsonProcessingException e) {
throw new SQLException(e);
}
}
}
```
最后,在你的 Mapper XML 文件中,将该 TypeHandler 配置到对应的字段上即可,例如:
```xml
<resultMap id="userMap" type="java.util.Map">
<result column="json_data" property="jsonData" typeHandler="com.example.JsonMapTypeHandler"/>
</resultMap>
<select id="getUser" resultMap="userMap">
select * from users where id = #{id}
</select>
```
这样,你就可以通过 MyBatis 查询出来的 JSON 字符串,自动转换为 Map 对象了。
阅读全文