Rate limiting is a technique used to control the amount of incoming requests to an API within a specified time frame. It helps prevent abuse, ensures fair usage, and maintains the performance of the API.
Rate limiting typically involves setting a maximum number of allowed requests per user, IP address, or API key within a specific period (e.g., 100 requests per hour).
Let’s say we want to limit users to 100 requests per hour. Here’s how you might implement this in a Node.js Express application:
const express = require('express');
const rateLimit = require('express-rate-limit');
const app = express();
// Create a rate limiter
const limiter = rateLimit({
windowMs: 60 * 60 * 1000, // 1 hour
max: 100, // Limit each IP to 100 requests per windowMs
message: 'Too many requests, please try again later.',
});
// Apply the rate limiter to all requests
app.use(limiter);
app.get('/api/data', (req, res) => {
res.json({ message: 'Success! Here is your data.' });
});
app.listen(3000, () => {
console.log('Server running on port 3000');
});
In a token bucket approach, each user can burst requests until their token bucket is empty. Here’s a simple implementation:
const express = require('express');
const app = express();
const rateLimiters = {};
const LIMIT = 10; // Max requests
const TIME_FRAME = 60000; // 1 minute in milliseconds
app.use((req, res, next) => {
const user = req.ip; // Using IP for simplicity
const now = Date.now();
if (!rateLimiters[user]) {
rateLimiters[user] = { tokens: LIMIT, lastRequest: now };
}
const timePassed = now - rateLimiters[user].lastRequest;
rateLimiters[user].tokens += timePassed / (TIME_FRAME / LIMIT);
rateLimiters[user].tokens = Math.min(rateLimiters[user].tokens, LIMIT);
rateLimiters[user].lastRequest = now;
if (rateLimiters[user].tokens >= 1) {
rateLimiters[user].tokens--;
next(); // Allow the request
} else {
res.status(429).send('Too many requests, please slow down.');
}
});
app.get('/api/data', (req, res) => {
res.json({ message: 'Success! Here is your data.' });
});
app.listen(3000, () => {
console.log('Server running on port 3000');
});
Rate limiting is an essential feature for any REST API, ensuring fair usage and protection against abuse. By implementing techniques like fixed window and token bucket, you can effectively manage the load on your API while providing a smooth experience for your users. Feel free to adapt these examples to fit your own API needs!