1
0
Fork 0
mirror of https://gitlab.com/mfocko/LeetCode.git synced 2024-09-19 17:56:55 +02:00

cpp: add “933. Number of Recent Calls”

Signed-off-by: Matej Focko <me@mfocko.xyz>
This commit is contained in:
Matej Focko 2024-01-21 19:54:07 +01:00
parent 1c9fea288f
commit 3d625eaade
Signed by: mfocko
GPG key ID: 7C47D46246790496

View file

@ -0,0 +1,39 @@
#include <cassert>
#include <queue>
class RecentCounter {
std::queue<int> calls;
public:
RecentCounter() {}
int ping(int t) {
calls.push(t);
while (calls.front() < t - 3000) {
calls.pop();
}
return static_cast<int>(calls.size());
}
};
/**
* Your RecentCounter object will be instantiated and called as such:
* RecentCounter* obj = new RecentCounter();
* int param_1 = obj->ping(t);
*/
static void test_1() {
RecentCounter c;
assert(c.ping(1) == 1);
assert(c.ping(100) == 2);
assert(c.ping(3001) == 3);
assert(c.ping(3002) == 3);
}
int main() {
test_1();
return 0;
}