Converting Milliseconds to Date in JavaScript

Nov 11, 2025 · Programming · 12 views · 7.8

Keywords: JavaScript | Date | Milliseconds | Conversion | Formatting

Abstract: This article explains how to convert milliseconds since January 1, 1970, to a readable date format in JavaScript. It covers the use of the Date object for basic conversion and introduces custom formatting techniques. Code examples are provided to illustrate the methods, with a focus on core concepts and practical steps for effective date handling in web development.

In web development, handling dates and times is a common task. JavaScript provides built-in support for date manipulation through the Date object. One frequent requirement is converting a timestamp in milliseconds to a human-readable date format.

Basic Conversion Using Date Object

The simplest way to convert milliseconds to a date is by using the Date constructor. The Date object in JavaScript can be initialized with a milliseconds value, which represents the number of milliseconds since January 1, 1970, 00:00:00 UTC.

var milliseconds = 1294862756114;
var date = new Date(milliseconds);
console.log(date.toString()); // Outputs: Wed Jan 12 2011 12:42:46 GMT-0800 (PST)

In this example, the getTime() method is used to get the current time in milliseconds, but any milliseconds value can be used.

Custom Date Formatting

While toString() provides a standard format, you might need a custom format like DD/MM/YYYY HH:MM:SS. JavaScript doesn't have a built-in function for this, but you can extend the Date prototype or use external libraries.

Here's a simple custom function based on common practices:

Date.prototype.customFormat = function(formatString) {
  var YYYY = this.getFullYear();
  var MM = (this.getMonth() + 1).toString().padStart(2, '0');
  var DD = this.getDate().toString().padStart(2, '0');
  var hh = this.getHours().toString().padStart(2, '0');
  var mm = this.getMinutes().toString().padStart(2, '0');
  var ss = this.getSeconds().toString().padStart(2, '0');
  return formatString.replace('YYYY', YYYY).replace('MM', MM).replace('DD', DD).replace('HH', hh).replace('MM', mm).replace('SS', ss);
};

Note: This is a simplified version; for more tokens, refer to full implementations.

Conclusion

Converting milliseconds to a date in JavaScript is straightforward with the Date object. For custom formats, additional code is required. Always ensure timezone considerations when working with dates, as the output may vary based on the environment.

Copyright Notice: All rights in this article are reserved by the operators of DevGex. Reasonable sharing and citation are welcome; any reproduction, excerpting, or re-publication without prior permission is prohibited.