mybatis源码日志分析

mybatis日志分析

初始化:org.apache.ibatis.logging.LogFactory

mybatis内置日志工厂提供日志功能,提供很多日志的实现类,用来记录日志,取决于初始化的时候按顺序load到的class。默认是用Slf4j(第一个)

1
2
3
4
5
6
7
8
static {
tryImplementation(LogFactory::useSlf4jLogging);
tryImplementation(LogFactory::useCommonsLogging);
tryImplementation(LogFactory::useLog4J2Logging);
tryImplementation(LogFactory::useLog4JLogging);
tryImplementation(LogFactory::useJdkLogging);
tryImplementation(LogFactory::useNoLogging);
}

没有则继续找:

1
2
3
4
5
6
7
8
9
private static void tryImplementation(Runnable runnable) {
if (logConstructor == null) {
try {
runnable.run();
} catch (Throwable var2) {
}
}

}

Mybatis 中 SQL 语句的日志级别被设为DEBUG(JDK 日志设为 FINE)

默认情况下,mybatis+spring5不会打印输出mybatis日志,这是因为集成后spring5默认的日志是spring-jcl 最终选择的是jul,而jul默认日志级别为info,所以也不会打印Mybatis执行的日志。并且sql执行日志是debug级别。

可以加入log4j2的包,不用做任何更改就可以打印日志。

如果加入log4j包,并且配置mybatis选择使用该日志就可以。如:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
    @Bean
public SqlSessionFactoryBean sqlSessionFactoryBean(DataSource dataSource) {
SqlSessionFactoryBean factoryBean = new SqlSessionFactoryBean();
//配置log
org.apache.ibatis.session.Configuration configuration = new org.apache.ibatis.session.Configuration();
configuration.setLogImpl(Log4jImpl.class);
factoryBean.setConfiguration(configuration);
factoryBean.setDataSource(dataSource);
return factoryBean;
}
或者,在实例初始化前执行,推荐前面一种
@PostConstruct
public void init(){
//org.apache.ibatis.logging.LogFactory.useSlf4jLogging();
org.apache.ibatis.logging.LogFactory.useLog4JLogging();
//org.apache.ibatis.logging.LogFactory.useJdkLogging();
//org.apache.ibatis.logging.LogFactory.useCommonsLogging();
//org.apache.ibatis.logging.LogFactory.useStdOutLogging();
}

如果加入log4j2就会打印,spring5使用了log4j默认是用log4j2。注意修改日志配置的级别。

这都是使用java配置方式,xml不做讨论。

此外,也可以扩展通过默认的方式打印日志信息。

自定义扩展类:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
public class MyLog implements org.apache.ibatis.logging.Log {
private Logger logger;

public MyLog(String clazz) {
this.logger = Logger.getLogger(clazz);
}

@Override
public boolean isDebugEnabled() {
return true;
}

@Override
public boolean isTraceEnabled() {
return false;
}

@Override
public void error(String s, Throwable throwable) {

}

@Override
public void error(String s) {

}

@Override
public void debug(String s) {
logger.info(s);
}

@Override
public void trace(String s) {

}

@Override
public void warn(String s) {

}
}

使用:

1
2
3
4
5
6
7
8
9
10
11
12
13
@Bean
public SqlSessionFactoryBean sqlSessionFactoryBean(DataSource dataSource) {

SqlSessionFactoryBean factoryBean = new SqlSessionFactoryBean();
//配置log
LogFactory.useCustomLogging(MyLog.class);
//或
org.apache.ibatis.session.Configuration configuration = new org.apache.ibatis.session.Configuration();
configuration.setLogImpl(MyLog.class);
factoryBean.setConfiguration(configuration);
factoryBean.setDataSource(dataSource);
return factoryBean;
}