Convert ISO 8601 date string to the desired format date time using javascript

mahabub.devs3
Mahabubur Rahman
Published on Mar, 06 2025 1 min read 0 comments
Text Image

To convert the ISO 8601 date string to the desired format  in JavaScript, you can use the following code:

let want to convert  2025-03-07T01:00:35.505432 to 07-03-2025 01:00 AM

const isoDateString = '2025-03-07T01:00:35.505432';

// Create a Date object from the ISO string
const date = new Date(isoDateString);

// Extract the day, month, year, hours, and minutes
const day = String(date.getDate()).padStart(2, '0');
const month = String(date.getMonth() + 1).padStart(2, '0'); // Months are zero-based
const year = date.getFullYear();
let hours = date.getHours();
const minutes = String(date.getMinutes()).padStart(2, '0');

// Determine AM or PM
const ampm = hours >= 12 ? 'PM' : 'AM';
hours = hours % 12;
hours = hours ? hours : 12; // The hour '0' should be '12'

// Format the date and time
const formattedDate = `${day}-${month}-${year} ${hours}:${minutes} ${ampm}`;

console.log(formattedDate); // Output: 07-03-2025 01:00 AM

Explanation:

Date Object: The new Date(isoDateString) creates a Date object from the ISO 8601 string.

Extracting Components:

getDate() returns the day of the month.

getMonth() returns the month (0-based, so we add 1).

getFullYear() returns the full year.

getHours() and getMinutes() return the hours and minutes.

AM/PM Conversion:

Convert the 24-hour format to 12-hour format.

Determine if it's AM or PM based on the hour.

Formatting:

Use template literals to format the date and time as DD-MM-YYYY HH:MM AM/PM.

This will give you the desired output: 07-03-2025 01:00 AM.

 

0 Comments