javascript: get month/year/day from unix timestamp

var date = new Date(1313564400000);
var month = date.getMonth();

etc.

This will be in the user's browser's local time.


An old question, but none of the answers seemed complete, and an update for 2020:

For example: (you may have a decimal if using microsecond precision, e.g. performance.now())

let timestamp = 1586438912345.67;

And we have:

var date = new Date(timestamp); // Thu Apr 09 2020 14:28:32 GMT+0100 (British Summer Time)
let year = date.getFullYear(); // 2020
let month = date.getMonth() + 1; // 4 (note zero index: Jan = 0, Dec = 11)
let day = date.getDate(); // 9

And if you'd like the month and day to always be a two-digit string (e.g. "01"):

let month = (date.getMonth() + 1).toString().padStart(2, '0'); // "04"
let day = date.getDate().toString().padStart(2, '0'); // "09"

For extended completeness:

let hour = date.getHours(); // 14
let minute = date.getMinutes(); // 28
let second = date.getSeconds(); // 32
let millisecond = date.getMilliseconds(); // 345
let epoch = date.getTime(); // 1586438912345 (Milliseconds since Epoch time)

Further, if your timestamp is actually a string to start (maybe from a JSON object, for example):

var date = new Date(parseFloat(timestamp));

or for right now:

var date = new Date(Date.now());

More info if you want it here (2017).