Convert dd-mm-yyyy string to date

后端 未结 14 1915
孤城傲影
孤城傲影 2020-11-22 05:09

i am trying to convert a string in the format dd-mm-yyyy into a date object in JavaScript using the following:

 var from = $(\"#datepicker\").val();
 var to          


        
14条回答
  •  醉话见心
    2020-11-22 06:14

    The accepted answer kinda has a bug

    var from = $("#datepicker").val().split("-")
    var f = new Date(from[2], from[1] - 1, from[0])
    

    Consider if the datepicker contains "77-78-7980" which is obviously not a valid date. This would result in:

    var f = new Date(7980, 77, 77);
    => Date 7986-08-15T22:00:00.000Z
    

    Which is probably not the desired result.

    The reason for this is explained on the MDN site:

    Where Date is called as a constructor with more than one argument, if values are greater than their logical range (e.g. 13 is provided as the month value or 70 for the minute value), the adjacent value will be adjusted. E.g. new Date(2013, 13, 1) is equivalent to new Date(2014, 1, 1).


    A better way to solve the problem is:

    const stringToDate = function(dateString) {
      const [dd, mm, yyyy] = dateString.split("-");
      return new Date(`${yyyy}-${mm}-${dd}`);
    };
    
    console.log(stringToDate('04-04-2019'));
    // Date 2019-04-04T00:00:00.000Z
    
    console.log(stringToDate('77-78-7980'));
    // Invalid Date
    

    This gives you the possibility to handle invalid input.

    For example:

    const date = stringToDate("77-78-7980");
    
    if (date === "Invalid Date" || isNaN(date)) {
      console.log("It's all gone bad");
    } else {
      // Do something with your valid date here
    }
    

提交回复
热议问题