'Logging from default interface methods
Salut to all Java gurus!
Since Java8 we can have default implementations in interfaces (yay!). However problem arises when you want to log from default method.
I have a feeling that it is not wise to call .getLogger() every time I want to log something in a default method.
Yes, one can define static variable in an interface - but that is not a good practice for interfaces anyway + it exposes the logger (must be public).
Solution I have at the moment:
interface WithTimeout<Action> {
default void onTimeout(Action timedOutAction) {
LogHolder.LOGGER.info("Action {} time out ignored.", timedOutAction);
}
static final class LogHolder {
private static final Logger LOGGER = getLogger(WithTimeout.class);
}
}
LogHolder is still visible to everybody which doesn't really make any sense since it does not provide any methods and it should be internal to the interface.
Does any of you know about better solution? :)
EDIT: I use SLF4J backed by Logback
Solution 1:[1]
Here you go.
The Logger is private to interface. No one other than this interface and its default methods can access anything inside Test2. And nothing can extend Test2 class.
No one is suggesting you do this ... but it works! And it is a great way to get access to a class logger for the main interface, and possibly a clever way to do something else not entirely crazy.
This is really the same as the LogHolder in the OP question, except that the Test2 class is all private methods and constructor private too, and class is not marked static.
And as an added bonus, it keeps state, statically and per-instance. (Don't do that in a real program, please!)
public class TestRunner {
public static void main(String[] args) {
Test test = new Test() {
};
test.sayHello("Jane");
System.out.println("Again");
test.sayHello("Bob");
}
}
public interface Test {
default void sayHello(String name) {
Logger log = Test2.log;
Test2 ref = Test2.getMine.apply(this);
int times = ref.getTimes();
for (int i = 0; i < times; i++) {
System.out.println(i + ": Hello " + name);
}
log.info("just said hello {} times :)",times);
}
final class Test2 {
private static final Logger log = LoggerFactory.getLogger(Test.class);
private static final Map lookup = new WeakHashMap();
private static final Function getMine = (obj) -> {
return lookup.computeIfAbsent(obj, (it) -> new Test2());
};
private int calls = 0;
private Test2() {
}
private void setCalls(int calls) {
this.calls = calls;
}
private int getCalls() {return calls;}
private int getTimes() {return ++calls;}
}
}
Sources
This article follows the attribution requirements of Stack Overflow and is licensed under CC BY-SA 3.0.
Source: Stack Overflow
| Solution | Source |
|---|---|
| Solution 1 |
