Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Java.util.logger new file every day

Tags:

java

logging

I am using java.util.logging framework to implement logging in my JSF application. I have successfully done implementing this, but however I have a new requirement to rotate the logs and create a new log file for each day.

I am not able to figure out how this can be implemented. Any hints on implementation would be highly appreciated. Thanks.

This is how I have configured my logger:

        myLogger = Logger.getLogger("info.aio");
        fileHandler = new FileHandler("aioinfo.log", 1048576, 100, true);
        fileHandler.setFormatter(new SimpleFormatter());
        myLogger.addHandler(fileHandler);
like image 540
Sirish V Avatar asked Jun 22 '15 17:06

Sirish V


1 Answers

Since you are using code to setup your FileHandler then you can add code to close and recreate the FileHandler using the '%g'.

public static void main(String[] args) throws Exception {
    //create aioinfo0.log.
    install();
    //rename aioinfo0.log to aioinfo1.log and create aioinfo0.log.
    install();
}

private static final Logger myLogger = Logger.getLogger("info.aio");
private static volatile FileHandler fileHandler;

private static void install() throws IOException {
    FileHandler fh = fileHandler;
    if (fh != null) {
        myLogger.removeHandler(fh);
        fh.close(); //Release any file lock.
    }

    fileHandler = rotate("aioinfo%g.log", 1048576, 100, true);
    fileHandler.setFormatter(new SimpleFormatter());
    myLogger.addHandler(fileHandler);
}

private static FileHandler rotate(String pattern, int limit, int count, boolean append) throws IOException {
    if (pattern == null) {
        LogManager m = LogManager.getLogManager();
        String p = FileHandler.class.getName();
        pattern = m.getProperty(p + ".pattern");
        if (pattern == null) {
            pattern = "%h/java%u.log";
        }
    }

    new FileHandler(pattern, 0, count, false).close(); //Trigger rotate.
    return new FileHandler(pattern, limit, count, append);
}

If you want it to work automatically you can simply create a proxy handler for the FileHandler to handle closing and recreating files each day.

like image 162
jmehrens Avatar answered Nov 15 '22 16:11

jmehrens