DEV Community

Kshitij Aggarwal
Kshitij Aggarwal

Posted on • Updated on

Android Logging Performance Improvements in Production

When logging in production using timber, you can easily exclude certain log levels to prevent sensitive debug data from transmitting online.

private inner class CrashReportingTree : Timber.Tree() {
        override fun log(priority: Int, tag: String?, logMessage: String, throwable: Throwable?) {
            if (priority == Log.ERROR || priority == Log.INFO) {
                FirebaseCrashlytics.getInstance().log(logMessage)
                if (throwable != null) {
                    FirebaseCrashlytics.getInstance().recordException(throwable)
                }
            } else return
        }
    }
Enter fullscreen mode Exit fullscreen mode

What this doesnt do is ignore the said logs. If timber comes across a debug log in the above case, it will still be processed completely until the time comes to actually log it, for e.g. operations like formatting and splitting. This can create a performance overhead in production if the logging is being done generously and with potentially large data like network request results.

There is a way where you can tell Timber if it should ignore certain log types completely and not process the log message at all.

private class CrashReportingTree : Timber.Tree() {  
    override fun log(priority: Int, tag: String?, logMessage: String, throwable: Throwable?) {  
        if (!isLoggable(tag, priority)) {  
            return // Skip logging if not loggable  
        } else {  
            FirebaseCrashlytics.getInstance().log(logMessage)  
            if (throwable != null) {  
                FirebaseCrashlytics.getInstance().recordException(throwable)  
            }  
        }  
    }  

    // Overridden to stop processing of all logs less then info level within Timber  
    override fun isLoggable(tag: String?, priority: Int): Boolean {  
        return priority >= Log.INFO  
    }  
}
Enter fullscreen mode Exit fullscreen mode

Overriding isLoggable tells the Timber api to match and process only allowed log types internally before it does any processing
timber/timber/src/main/java/timber/log/Timber.kt

Hope this brings some finer performance boost to your apps

Top comments (2)

Collapse
 
eduardb profile image
Eduard Bolos

Hey, it's nice raising awareness about thte isLoggable function. But like you mention yourself, Timber already uses isLoggable internally in prepareLog to avoid processing some logs, so there's no need to call it yourself again in your Tree's log method, as its redundant at that point.

Collapse
 
funkyidol profile image
Kshitij Aggarwal

Hey Eduard,
I know what you are saying. I also thought about it. Thing is overriding isLoggable will stop the processing but I wanted to ensure that nothing unwanted gets sent to Crashlytics. I could probably do a test to verify the redundancy of the isLoggable but I got lazy there.