数据表定义
create table timed_task (
id bigint unsigned auto_increment comment 'PK' primary key,
task_status tinyint(1) default 0 not null comment '任务状态:1启用,2禁用',
mq_switch tinyint(1) default 0 not null comment '是否发送消息至MQ:1发送,0不发送',
isactive tinyint(1) default 1 not null comment '逻辑删除',
inserttime datetime default CURRENT_TIMESTAMP not null comment '插入时间',
insertby varchar(100) null comment '创建人',
updatetime datetime default CURRENT_TIMESTAMP not null on update CURRENT_TIMESTAMP comment '更新时间',
updateby varchar(100) null comment '更新人'
) comment '定时任务配置表' collate = utf8mb4_unicode_ci;
其中有三个tinyint
字段。
Java接口定义为:
List<Map> selectListBySelective(Map<String, Object> map);
mybatis mapper文件定义:
<select id="selectListBySelective" parameterType="Map" resultType="Map">
select
tt.id,
ifnull(tt.task_status, 0) as taskStatus,
tt.mq_switch as mqSwitch,
tt.inserttime,
tt.insertby,
date_format(tt.updatetime,'%Y-%m-%d %H:%i:%s') as updatetime,
tt.updateby,
ifnull(tt.isactive, 0)
from timed_task tt
where tt.isactive = 1
order by tt.updatetime desc
select>
可见,对于三个不同的tinyint
字段的处理方式不一样。
对于Spring Boot + mybatis 原因,在配置文件application.properties
里面新增一条配置信息:logging.level.com.aaa.mapper=debug
即可实现打印输出SQL语句到日志控制台。
SQL语句如下:
select tt.id,
ifnull(tt.task_status, 0) as taskStatus,
tt.mq_switch as mqSwitch,
tt.inserttime,
tt.insertby,
date_format(tt.updatetime, '%Y-%m-%d %H:%i:%s') as updatetime,
tt.updateby,
ifnull(tt.isactive, 0)
from ppdai_feiyu.timed_task tt
where tt.isactive = 1
order by tt.updatetime desc
拿到SQL语句去DataGrip执行,没有问题:
id | taskStatus | mqSwitch | inserttime | insertby | updatetime | updateby | ifnull(tt.isactive, 0) |
---|---|---|---|---|---|---|---|
3 | 1 | 1 | 2020-08-26 10:49:52 | awesome | 2020-08-26 10:49:52 | awesome | 1 |
但是postman调用接口得到的返回数据是:
{
"list": [
{
"id": 3,
"ifnull(tt": {
"isactive, 0)": 1
},
"inserttime": "1598410192000",
"mqSwitch": true,
"taskStatus": 1,
"updateby": "awesome",
"insertby": "awesome",
"updatetime": "2020-08-26 10:49:52",
}
]
}
inserttime字段是datetime类型,取值变成timestamp,除非如date_format(tt.updatetime, '%Y-%m-%d %H:%i:%s') as updatetime
一样处理一下。
在返回值为Map类型(即resultType="Map"
)时,数据表里的tinyint(1)
类型的数据(即[1, 0]
),被mybatis会自动把转换成boolean类型数据(即[true/false]
),参考Mybatis中tinyint(1)数据自动转化为boolean处理。
解决方案:
ifnull(column, 0)
处理该字段tinyInt1isBit=false
(默认为true)在笔者的问题场景下,只推荐第一种解决方案。即通过ifnull处理。因此,可以看到taskStatus
如期返回1,而mqSwitch
还是返回true。
isactive
字段,也采用ifnull(tt.isactive, 0)加以处理
,但是没有后面的as
表达式部分。接口返回居然是:
"ifnull(tt": {
"isactive, 0)": 1
},
本文使用的mybatis为mybatis-spring-boot-starter,版本:
<dependency>
<groupId>org.mybatis.spring.bootgroupId>
<artifactId>mybatis-spring-boot-starterartifactId>
<version>2.0.1version>
dependency>
对应的mybatis版本:
<dependency>
<groupId>org.mybatisgroupId>
<artifactId>mybatisartifactId>
<version>3.5.1version>
dependency>
Mybatis中tinyint(1)数据自动转化为boolean处理