I have the following javascript code that convert date (string) to the Date Serial Number used in Microsoft Excel:
JavaScript
x
7
1
function JSDateToExcelDate(inDate) {
2
3
var returnDateTime = 25569.0 + ((inDate.getTime() - (inDate.getTimezoneOffset() * 60 * 1000)) / (1000 * 60 * 60 * 24));
4
return returnDateTime.toString().substr(0,5);
5
6
}
7
So, how do I do the reverse? (Meaning that a Javascript code that convert the Date Serial Number used in Microsoft Excel to a date string?
Advertisement
Answer
Try this:
JavaScript
1
19
19
1
function ExcelDateToJSDate(serial) {
2
var utc_days = Math.floor(serial - 25569);
3
var utc_value = utc_days * 86400;
4
var date_info = new Date(utc_value * 1000);
5
6
var fractional_day = serial - Math.floor(serial) + 0.0000001;
7
8
var total_seconds = Math.floor(86400 * fractional_day);
9
10
var seconds = total_seconds % 60;
11
12
total_seconds -= seconds;
13
14
var hours = Math.floor(total_seconds / (60 * 60));
15
var minutes = Math.floor(total_seconds / 60) % 60;
16
17
return new Date(date_info.getFullYear(), date_info.getMonth(), date_info.getDate(), hours, minutes, seconds);
18
}
19
Custom made for you 🙂