How to calculate the future occurrences of Friday the 13th in JavaScript

1 Answer

0 votes
function findFridayThe13ths(startYear, endYear) {
    for (let year = startYear; year <= endYear; year++) {
        for (let month = 1; month <= 12; month++) {
            let date = new Date(year, month - 1, 13); // Month is 0-based in JS
            if (date.getDay() === 5) { // 5 corresponds to Friday
                console.log(`Friday the 13th: ${year}-${String(month).padStart(2, '0')}-13`);
            }
        }
    }
}

findFridayThe13ths(2025, 2031);


  
  
/*
run:
      
Friday the 13th: 2025-06-13
Friday the 13th: 2026-02-13
Friday the 13th: 2026-03-13
Friday the 13th: 2026-11-13
Friday the 13th: 2027-08-13
Friday the 13th: 2028-10-13
Friday the 13th: 2029-04-13
Friday the 13th: 2029-07-13
Friday the 13th: 2030-09-13
Friday the 13th: 2030-12-13
Friday the 13th: 2031-06-13

*/
 

 



answered May 31 by avibootz
...