JavaScript
x
19
19
1
example of getDepart date format
2
3
getDepart = 2022-04-29
4
5
desired result 29 APR, 2022
6
7
const getStringDepart = () => {
8
9
const months = ["JAN", "FEB", "MAR", "APR", "MAY", "JUN", "JUL", "AUG", "SEP", "OCT",
10
"NOV", "DEC"];
11
const departArray = getDepart.split("-");
12
const departDay = departArray[2];
13
const departYear = departArray[0];
14
const departMonth = ????????????
15
const departString = `${departDay} ${departMonth}, ${departYear}`;
16
return departString;
17
18
}
19
I’m trying to turn my YYYY-MM-DD string date format to a DD mon, YYYY
string.
I was thinking about using an array with the months and matching the month number to it’s index, but I can’t find a way to do so.
Advertisement
Answer
You just need to pass the month - 1
on your array. It should return the month properly.
JavaScript
1
16
16
1
getDepart = '2022-04-29';
2
3
const getStringDepart = () => {
4
const months = ["JAN", "FEB", "MAR", "APR", "MAY", "JUN", "JUL", "AUG", "SEP", "OCT", "NOV", "DEC"];
5
const departArray = getDepart.split("-");
6
const departDay = departArray[2];
7
const departYear = departArray[0];
8
const departMonth = departArray[1];
9
const departString = `${departDay} ${months[Number(departMonth) - 1]}, ${departYear}`;
10
return departString;
11
}
12
13
function test() {
14
console.log(getStringDepart())
15
}
16