A Guide to Rolling File Appenders

1. Overview

While log files often convey useful information, they naturally grow bigger over time, and if allowed to grow indefinitely, their size could become a problem.

Logging libraries address this problem using rolling file appenders, which automatically “roll” or archive the current log file and resume logging in a new file when certain predefined conditions occur, thereby preventing unwanted downtime.

In this article, we will explore how to configure rolling file appenders in some of the most widely used logging libraries — Log4j, Log4j2, and Slf4j.

We’ll show how to roll log files based on size, date/time, and a combination of size and date/time. We will also demonstrate how to configure each library to automatically compress and later delete the old log files, saving us from writing tedious housekeeping code.

2. Our Sample Application

Let’s start with an example application that logs some messages. This code is based on Log4j but it can be easily modified to work with Log4j2 or Slf4j:

1
2
3
4
5
6
7
8
9
10
11
12
13
import org.apache.log4j.Logger;
 
public class Log4jRollingExample {
 
     private static Logger logger = Logger.getLogger(Log4jRollingExample. class );
 
     public static void main(String[] args) throws InterruptedException {
         for ( int i = 0 ; i < 2000 ; i++) {
             logger.info( "This is the " + i + " time I say 'Hello World'." );
             Thread.sleep( 100 );
         }
     }
}

The application is quite naive — it writes some messages in a loop, with a short delay between iterations. With 2,000 loops to run and a pause of 100 ms in each loop, the application should take a little more than three minutes to complete.

We’ll use this sample to demonstrate several features of different kinds of rolling file appenders.

3. Rolling File Appenders in Log4j

3.1. Maven Dependencies

First of all, to use Log4j in your application, add this dependency to your project’spom.xml file:

1
2
3
4
5
< dependency >
     < groupId >log4j</ groupId >
     < artifactId >log4j</ artifactId >
     < version >1.2.17</ version >
</ dependency >

To use the additional appenders provided by apache-log-extras that we’ll use in the next examples, add the following dependency, being sure to use the same version that we declared for Log4j in order to ensure full compatibility:

1
2
3
4
5
< dependency >
     < groupId >log4j</ groupId >
     < artifactId >apache-log4j-extras</ artifactId >
     < version >1.2.17</ version >
</ dependency >

You can find the latest release of Log4j and Apache Log4j Extras on Maven Central.

3.2. Rolling Based on File Size

In Log4j, as in the other logging libraries, file rolling is delegated to the appender. Let’s look at the configuration for a rolling file appender in Log4j that rolls based on file size:

1
2
3
4
5
6
7
8
< appender name = "roll-by-size" class = "org.apache.log4j.RollingFileAppender" >
     < param name = "file" value = "target/log4j/roll-by-size/app.log" />
     < param name = "MaxFileSize" value = "5KB" />
     < param name = "MaxBackupIndex" value = "2" />
         < layout class = "org.apache.log4j.PatternLayout" >
             < param name = "ConversionPattern" value = "%d{yyyy-MM-dd HH:mm:ss} %-5p %m%n" />
         </ layout >
</ appender >

Here, we configured Log4j to roll the log file when its size reaches 5KB, using theMaxFileSize parameter. We also instructed Log4j to keep a maximum of two rolled log files using the MaxBackupIndex parameter.

When we ran our sample application, we obtained the following files:

1
2
3
27/11/2016  10:28    138 app.log
27/11/2016  10:28  5.281 app.log.1
27/11/2016  10:28  5.281 app.log.2

What happened? Log4j started writing to the app.log file. When the file size exceeded the 5KB limit, Log4j moved app.log to app.log.1, created a brand new, empty app.log, and continued writing new log messages to app.log.

Then after the new app.log exceeded the 5KB limit, this rolling process was repeated. This time, app.log.1 was moved to app.log.2, making room for another new, empty app.log.

The rolling process was repeated several times during the run, but since we configured our appender to keep at most two rolled files, there is not any file called app.log.3.

So, we have solved one of the original problems because we are now able to set up a limit on the size of the produced log files.

On the other hand, when we checked the first line of app.log.2, it contained the message related to the 700th iteration, meaning all previous log messages had been lost:

1
2016-11-27 10:28:34 INFO  This is the 700 time I say 'Hello World'.

Let’s see if we can come up with a setup better suited to a production environment, where losing log messages cannot be considered the best approach.

To do that we are going to use other more powerful, flexible and configurable Log4j appenders that are shipped in a dedicated package called apache-log4j-extras.

The appenders contained in this artifact offer lots of options to fine tune the log rolling, and they introduce the distinct concepts of triggering policy and rolling policy. The triggering policy describes when a roll should occur, while the rolling policy describes how the rolling should be carried out. These two concepts are key to rolling log files and are used more or less explicitly by other libraries too, as we will soon see.

3.3. Rolling with Automatic Compression

Let’s go back to the Log4j example and improve our setup by adding the automatic compression of the rolled files to save space:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
< appender name = "roll-by-size" class = "org.apache.log4j.rolling.RollingFileAppender" >
     < rollingPolicy class = "org.apache.log4j.rolling.FixedWindowRollingPolicy" >
         < param name = "ActiveFileName" value = "target/log4j/roll-by-size/app.log" />
         < param name = "FileNamePattern" value = "target/log4j/roll-by-size/app.%i.log.gz" />
     < param name = "MinIndex" value = "7" />
     < param name = "MaxIndex" value = "17" />
     </ rollingPolicy >
     < triggeringPolicy class = "org.apache.log4j.rolling.SizeBasedTriggeringPolicy" >
         < param name = "MaxFileSize" value = "5120" />
     </ triggeringPolicy >
     < layout class = "org.apache.log4j.PatternLayout" >
         < param name = "ConversionPattern" value = "%d{yyyy-MM-dd HH:mm:ss} %-5p %m%n" />
     </ layout >
</ appender >

With the triggering policy element, we stated that the roll should occur when the log exceeds the size of 5,120 bytes.

Within the rolling policy tagthe ActiveFileName parameter states the path of the main log files containing the latest messages and the FileNamePatternparameter specifies a template describing which should be the path of the rolled files. Let’s note that this is indeed a pattern because the special placeholder %iwill be replaced with the index of the rolled file.

Let’s also note that FileNamePattern ends with a “.gz” extension. Whenever we use an extension associated with a supported compressed format, we will have the old rolled files compressed without any extra effort from our side.

Now when we run the application, we obtain a different set of log files:

1
2
3
4
5
03/12/2016 19:24 88 app.1.log.gz
...
03/12/2016 19:26 88 app.2.log.gz
03/12/2016 19:26 88 app.3.log.gz
03/12/2016 19:27 70 app.current.log

The file app.current.log is where the last logs occurred. Previous logs have been rolled and compressed when their size reached the set limit.

3.4. Rolling Based on Date and Time

In other scenarios, you may want to configure Log4j to roll the files based on the date and time of the log messages instead of the size of the file. In a web application, for instance, you may want to have all the log messages issued in one day in the same log file.

To do that, you can use the TimeBasedRollingPolicy. With this policy, it is mandatory to specify a template for the path of the log file that contains a time-related placeholder. Each time a log message is issued, the appender verifies what the resulting log path would be, and if it differs from the last used path, then a roll will occur. Here’s a quick example that configures such an appender:

1
2
3
4
5
6
7
8
9
< appender name = "roll-by-time"
     class = "org.apache.log4j.rolling.RollingFileAppender" >
     < rollingPolicy class = "org.apache.log4j.rolling.TimeBasedRollingPolicy" >
         < param name = "FileNamePattern" value = "target/log4j/roll-by-time/app.%d{HH-mm}.log.gz" />
     </ rollingPolicy >
     < layout class = "org.apache.log4j.PatternLayout" >
         < param name = "ConversionPattern" value = "%d{yyyy-MM-dd HH:mm:ss} %-5p - %m%n" />
     </ layout >
</ appender >

3.5. Rolling Based on Size and Time

Combining the SizeBasedTriggeringPolicy and the TimeBasedRollingPolicy, you can obtain an appender that rolls based on date/time, and when the size of the file reaches the set limit, it rolls based on size too:

1
2
3
4
5
6
7
8
9
10
11
12
13
< appender name = "roll-by-time-and-size" class = "org.apache.log4j.rolling.RollingFileAppender" >
     < rollingPolicy class = "org.apache.log4j.rolling.TimeBasedRollingPolicy" >
         < param name = "ActiveFileName" value = "log4j/roll-by-time-and-size/app.log" />
         < param name = "FileNamePattern" value = "log4j/roll-by-time-and-size/app.%d{HH-mm}.%i.log.gz" />
     </ rollingPolicy >
     < triggeringPolicy
         class = "org.apache.log4j.rolling.SizeBasedTriggeringPolicy" >
         < param name = "MaxFileSize" value = "100" />
     </ triggeringPolicy >
     < layout class = "org.apache.log4j.PatternLayout" >
         < param name = "ConversionPattern" value = "%d{yyyy-MM-dd HH:mm:ss} %-5p - %m%n" />
     </ layout >
</ appender >

When we ran our application with this setup, we obtained the following log files:

1
2
3
4
5
03/12/2016 19:25 234 app.19-25.1481393432120.log.gz
03/12/2016 19:25 234 app.19-25.1481393438939.log.gz
03/12/2016 19:26 244 app.19-26.1481393441940.log.gz
03/12/2016 19:26 240 app.19-26.1481393449152.log.gz
03/12/2016 19:26 3.528 app.19-26.1481393470902.log

The file app.19-26.1481393470902.log is where current logging takes place. As you can see, all the logs in the interval between 19:25 and 19:26 are stored in multiple compressed log files with names starting with “app.19-25″. The “%i”placeholder is replaced by an ever increasing number.

4. Rolling File Appenders in Log4j2

4.1. Maven Dependencies

To use Log4j2 as our preferred logging library, we need to update our project’s POM with the following dependency:

1
2
3
4
5
< dependency >
     < groupId >org.apache.logging.log4j</ groupId >
     < artifactId >log4j-core</ artifactId >
     < version >2.7</ version >
</ dependency >

As usual, you can find the latest version on Maven Central.

4.2. Rolling Based on File Size

Let’s change our example application to use the Log4j2 logging libraries and let’s explore now how we can set up file rolling based on the size of the log file in thelog4j2.xml configuration file:

1
2
3
4
5
6
7
8
9
10
11
12
13
< RollingFile
   name = "roll-by-size"
   fileName = "target/log4j2/roll-by-size/app.log"
   filePattern = "target/log4j2/roll-by-size/app.%i.log.gz"
   ignoreExceptions = "false" >
     < PatternLayout >
         < Pattern >%d{yyyy-MM-dd HH:mm:ss} %p %m%n</ Pattern >
     </ PatternLayout >
     < Policies >
         < OnStartupTriggeringPolicy />
         < SizeBasedTriggeringPolicy size = "5 KB" />
     </ Policies >
</ RollingFile >

In the Policies tag, we specified all the triggering policies we want to apply.OnStartupTriggeringPolicy triggers a roll every time the application starts, which could be useful for stand-alone applications. We then specified a SizeBasedTriggeringPolicy stating that a roll should occur whenever the log file reaches 5KB.

4.3. Rolling Based on Date and Time

Using the policies offered by Log4j2, let’s set up an appender to roll and compress the log file based on time:

1
2
3
4
5
6
7
8
9
< RollingFile name = "roll-by-time"
   fileName = "target/log4j2/roll-by-time/app.log"
   filePattern = "target/log4j2/roll-by-time/app.%d{MM-dd-yyyy-HH-mm}.log.gz"
   ignoreExceptions = "false" >
     < PatternLayout >
         < Pattern >%d{yyyy-MM-dd HH:mm:ss} %p %m%n</ Pattern >
     </ PatternLayout >
     < TimeBasedTriggeringPolicy />
</ RollingFile >

Here the key is the use of TimeBasedTriggeringPolicy that allows us to use time-related placeholders in the template of the rolled file names. Note that since we needed only a single triggering policy, we do not have to use the Policies tag as we did in the previous example.

4.4. Rolling Based on Size and Time

As previously described, a more compelling scenario is to roll and compress log files based on both time and size. Here is an example of how we can set up Log4j2 for this task:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
< RollingFile name = "roll-by-time-and-size"
   fileName = "target/log4j2/roll-by-time-and-size/app.log"
   filePattern = "target/log4j2/roll-by-time-and-size/app.%d{MM-dd-yyyy-HH-mm}.%i.log.gz"
   ignoreExceptions = "false" >
     < PatternLayout >
         < Pattern >%d{yyyy-MM-dd HH:mm:ss} %p %m%n</ Pattern >
     </ PatternLayout >
     < Policies >
         < OnStartupTriggeringPolicy />
         < SizeBasedTriggeringPolicy size = "5 KB" />
         < TimeBasedTriggeringPolicy />
     </ Policies >
     < DefaultRolloverStrategy >
         < Delete basePath = "${baseDir}" maxDepth = "2" >
             < IfFileName glob = "target/log4j2/roll-by-time-and-size/app.*.log.gz" />
             < IfLastModified age = "20d" />
         </ Delete >
     </ DefaultRolloverStrategy >
</ RollingFile >

With this configuration, we stated that a roll should occur based on time and size. The appender is able to understand what time interval we’re referring to because of the pattern used for the file name, “app.%d{MM-dd-yyyy-HH-mm}.%i.log.gz”, which implicitly sets a roll to occur every minute and compresses the rolled file.

We also added a DefaultRolloverStrategy to delete old rolled files matching certain criteria. We configure ours to delete files that match the given pattern when they are older than 20 days.

4.5. Maven Dependencies

To use Log4j2 as our preferred logging library, we need to update our project’s POM with the following dependency:

1
2
3
4
5
< dependency >
     < groupId >org.apache.logging.log4j</ groupId >
     < artifactId >log4j-core</ artifactId >
     < version >2.7</ version >
</ dependency >

As usual, you can find the latest version on Maven Central.

5. Rolling File Appenders in Slf4j

5.1. Maven Dependencies

When you want to use Slf4j2 with a Logback backend as logging libraries, add this dependency to your pom.xml:

1
2
3
4
5
< dependency >
     < groupId >ch.qos.logback</ groupId >
     < artifactId >logback-classic</ artifactId >
     < version >1.1.7</ version >
</ dependency >

As usual, you can find the latest version on Maven Central.

5.2. Rolling Based on File Size

Let’s see now how to use Slf4j instead, with its default back-end Logback. Let’s explore how we can set up file rolling in the configuration file logback.xml, which is placed in the application’s classpath:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
< appender name = "roll-by-size" class = "ch.qos.logback.core.rolling.RollingFileAppender" >
     < file >target/slf4j/roll-by-size/app.log</ file >
     < rollingPolicy class = "ch.qos.logback.core.rolling.FixedWindowRollingPolicy" >
         < fileNamePattern >target/slf4j/roll-by-size/app.%i.log.zip</ fileNamePattern >
         < minIndex >1</ minIndex >
         < maxIndex >3</ maxIndex >
         < totalSizeCap >1MB</ totalSizeCap >
     </ rollingPolicy >
     < triggeringPolicy class = "ch.qos.logback.core.rolling.SizeBasedTriggeringPolicy" >
        < maxFileSize >5KB</ maxFileSize >
     </ triggeringPolicy >
     < encoder >
         < pattern >%-4relative [%thread] %-5level %logger{35} - %msg%n</ pattern >
     </ encoder >
</ appender >

Again we encounter the concept of rolling policy. The basic mechanism is the same as that used by Log4j and Log4j2. The FixedWindowRollingPolicy allows us to use an index placeholder in the name pattern of the rolled file.

When the size of the log file grows over the configured limit, a new file is allocated, and the old content is stored as the first file of the list, shifting the existing ones one place further.

5.3. Rolling Based on Time

In Slf4j, we can roll a log file based on time using the provided TimeBasedRollingPolicy. This policy allows us to specify the template name of the rolling file using time and date related placeholders:

1
2
3
4
5
6
7
8
9
10
11
12
< appender name = "roll-by-time" class = "ch.qos.logback.core.rolling.RollingFileAppender" >
     < file >target/slf4j/roll-by-time/app.log</ file >
     < rollingPolicy class = "ch.qos.logback.core.rolling.TimeBasedRollingPolicy" >
         < fileNamePattern >target/slf4j/roll-by-time/app.%d{yyyy-MM-dd-HH-mm}.log.zip
         </ fileNamePattern >
         < maxHistory >20</ maxHistory >
         < totalSizeCap >1MB</ totalSizeCap >
     </ rollingPolicy >
     < encoder >
         < pattern >%d{yyyy-MM-dd HH:mm:ss} %p %m%n</ pattern >
     </ encoder >
</ appender >

5.4. Rolling Based on Size and Time

If you need to roll a file both based on both time and size, you can use the provided SizeAndTimeBasedRollingPolicy. When using this policy, you must specify both a time-related placeholder and an index placeholder.

Each time the size of the log file for a certain time interval grows beyond the configured size limit, another log file with the same value for the time-related placeholder but with an incremented index is created:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
< appender name = "roll-by-time-and-size"
     class = "ch.qos.logback.core.rolling.RollingFileAppender" >
     < file >target/slf4j/roll-by-time-and-size/app.log</ file >
     < rollingPolicy
       class = "ch.qos.logback.core.rolling.SizeAndTimeBasedRollingPolicy" >
         < fileNamePattern >
             target/slf4j/roll-by-time-and-size/app.%d{yyyy-MM-dd-mm}.%i.log.zip
         </ fileNamePattern >
         < maxFileSize >5KB</ maxFileSize >
         < maxHistory >20</ maxHistory >
         < totalSizeCap >1MB</ totalSizeCap >
     </ rollingPolicy >
     < encoder >
         < pattern >%d{yyyy-MM-dd HH:mm:ss} %p %m%n</ pattern >
     </ encoder >
</ appender >

6. Conclusion

As we saw, leveraging a logging library to roll the files saves you from the burden of managing the log files manually, allowing you to focus on the development of your business logic. Rolling file appenders are a valuable tool that should be in every developer’s toolbox.

As usual, you’ll find the sources on GitHub, where the example applications presented in this article are configured to log using several different rolling setups in order to allow you to find a good base configuration to be further tweaked to suit your needs.

  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值