Reputation: 13
how can I add the current date and time with this format: 2022-07-17 17:50:20
?
I already managed it with an input value but I need the current time.
Upvotes: 1
Views: 970
Reputation: 109
You can format ISO Date by JavaScript functions as follows:
// Create element:
var todayDate = new Date().toISOString();
const dateField = document.createElement("p");
dateField.innerText = new Date().toISOString().split('.')[0].split('T').join(' ');
// Append to body:
document.body.appendChild(dateField);
// Output: 2022-07-17 16:31:22
Upvotes: 1
Reputation: 26
You should use built-in Date object in Javascript, like this:
let currentdate = new Date();
let datetime = currentdate.getFullYear() + "-"
+ String((currentdate.getMonth() + 1)).padStart(2,"0") + "-"
+ String(currentdate.getDate()).padStart(2,"0") + " "
+ String(currentdate.getHours()).padStart(2,"0") + ":"
+ String(currentdate.getMinutes()).padStart(2,"0") + ":"
+ String(currentdate.getSeconds()).padStart(2,"0");
//The `+1` on the getMonth() is used because in Javascript January is 0.
console.log(datetime);
By the way, I suggest you make all your var
s into let
s as that's the current standard. There's a very fine difference between them (let is block scoped while var is functional scoped).
Upvotes: 0