Managing and Refreshing OneMap Token Validity in NodeJS

The OneMap API requires a valid access token for each API request, and tokens need to be refreshed every 72 hours. This tutorial will guide you through the steps to properly authenticate and handle API requests in NodeJS. However the general principle and algorithm applied in this guide is also applicable to other platforms and programming languages.

The tutorial below is based on snippet built on Next.JS with a react frontend framework. We setup a middleware proxy which will take care of calling OneMap API and refreshing the token in a single location.

1. Prerequisites

Before you start, ensure you have the following:

  • A registered account for the OneMap API.
  • Your email and password to generate tokens.
  • A development environment with Node.js and npm/yarn installed.
  • axios and https libraries installed in your project.

2. Setting Up Environment Variables

Store sensitive information, such as your email, password, and API base URL, in environment variables for security:

ONEMAP_API_EMAIL=your_email@example.com
ONEMAP_API_PASSWORD=your_password
ONEMAP_BASE_URL=https://www.onemap.gov.sg

3. Token Management

To call the OneMap API, a valid token is required. Here's how to manage token retrieval and caching:

Retrieving the Access Token

The getAccessToken function authenticates with OneMap and retrieves an access token:
1 2 const getAccessToken = async () => { 3 try { 4 const response = await axios.post( 5 `${process.env.ONEMAP_BASE_URL}/api/auth/post/getToken`, 6 { 7 email: process.env.ONEMAP_API_EMAIL, 8 password: process.env.ONEMAP_API_PASSWORD, 9 } 10 ); 11 12 const accessToken = response.data.access_token; 13 setAccessToken(accessToken); // Cache the token for reuse 14 return accessToken; 15 } catch (error) { 16 console.error("Error refreshing token:", error); 17 throw new Error("Unable to refresh token"); 18 } 19 };

Storing Tokens in Memory

In order to improve API speed and avoid overloading OneMap API which might result in rate limited ban, you can use a utility like tokenCache to store the token temporarily for reuse without additional API calls.
1 2 // Example utility functions 3 let inMemoryToken = null; 4 5 export const setAccessToken = (token) => { 6 inMemoryToken = token; 7 }; 8 9 export const getInMemoryAccessToken = () => inMemoryToken; 10

4. Making The API Calls

You may put the code below under src/pages/api/om/[...externalUrl].js and call all OneMap API via this proxy. Wrap your API call logic in a handler to manage requests and handle token expiry:

Handling API Requests

This handler proxies API requests and refreshes tokens when needed:

1 2 import axios from "axios"; 3 import https from "https"; 4 5 export default async function handler(req, res) { 6 const { method } = req; 7 const targetUrl = `${process.env.ONEMAP_BASE_URL}/${req.query.externalUrl}`; 8 let access_token = getInMemoryAccessToken(); 9 10 try { 11 const response = await axios({ 12 method, 13 url: targetUrl, 14 headers: { 15 Authorization: `Bearer ${access_token}`, 16 "Content-Type": "application/json", 17 }, 18 params: req.query, 19 }); 20 21 res.status(response.status).json(response.data); 22 } catch (error) { 23 if (error.response?.status === 401) { 24 try { 25 access_token = await getAccessToken(); 26 const retryResponse = await axios({ 27 method, 28 url: targetUrl, 29 headers: { 30 Authorization: `Bearer ${access_token}`, 31 "Content-Type": "application/json", 32 }, 33 params: req.query, 34 }); 35 36 res.status(retryResponse.status).json(retryResponse.data); 37 } catch (retryError) { 38 res.status(retryError.response?.status || 500).json({ 39 message: retryError.message, 40 details: retryError.response?.data, 41 }); 42 } 43 } else { 44 res.status(error.response?.status || 500).json({ 45 message: error.message, 46 details: error.response?.data, 47 }); 48 } 49 } 50 } 51

The code above acts as a proxy for API calls to OneMap, handling token-based authentication with retry logic.

  1. Primary Request:
    • Sends the request to the API with:
      • URL, HTTP method, headers (Bearer token), query params, and HTTPS agent.
    • On success, returns the response to the client.
  2. Error Handling:
    • 401 Errors: It means the token might be expired. Refreshes the token and retries the request.
    • Other Errors: Returns error details (status, message, and response data).
Tips: If you have issue with self signed certificate in development environment, you can consider setting the httpsAgent. However this is NOT recommended in production environment.
const httpsAgent = new https.Agent({ rejectUnauthorized: false });

5. Recommended Practices

  • Secure Sensitive Data: Always store credentials and tokens securely using environment variables or secure storage solutions.
  • Efficient Token Use: Avoid repeated calls to /getToken to prevent rate-limiting bans.
  • Graceful Token Refresh: Automatically renew tokens to ensure uninterrupted API usage.
  • SSL Validation: Use rejectUnauthorized: false only in development, never in production.

Developer can contact us if you have any questions regarding OneMap API.