一道简单的记录login日志的题,因为在论坛上看到这道题是Uber面试中出现的。
逻辑很简单,用户名和时间进行配对,只有在一种情况下才会判断不可以打印:之前该用户已经存在,且,是在之前10秒内login的。。。因此用HashMap<user, time>来记录最新的用户登录信息即可
public class Logger{
HashMap<String, Integer> record;
/** Initialize your data structure here. */
public Logger() {
record= new HashMap<String, Integer>();
}
/** Returns true if the message should be printed in the given timestamp, otherwise returns false.
If this method returns false, the message will not be printed.
The timestamp is in seconds granularity. */
public boolean shouldPrintMessage(int timestamp, String message) {
/* if(record.containsKey(message)){
if( timestamp-record.get(message) >=10){
record.put(message, timestamp);
return true;
}
else{
return false;
}
}
else{
record.put(message, timestamp);
return true;
}*/ // 以上是非常连贯的逻辑,一步步做判断,下面是 精简后的判断条件,所以速度上快很多,但是如果没写出上面的代码,没看到重复出现的那两行,可能也不会想到下面的写法
if(record.containsKey(message) && timestamp-record.get(message)<10 ){
return false;
}
else{
record.put(message, timestamp);
return true;
}
}
}
/**
* Your Logger object will be instantiated and called as such:
* Logger obj = new Logger();
* boolean param_1 = obj.shouldPrintMessage(timestamp,message);
*/