¿Cómo validar la fecha con formato "mm / dd / aaaa" en JavaScript?

106

Quiero validar el formato de fecha en una entrada usando el formatomm/dd/yyyy .

Encontré los siguientes códigos en un sitio y luego los usé, pero no funciona:

function isDate(ExpiryDate) { 
    var objDate,  // date object initialized from the ExpiryDate string 
        mSeconds, // ExpiryDate in milliseconds 
        day,      // day 
        month,    // month 
        year;     // year 
    // date length should be 10 characters (no more no less) 
    if (ExpiryDate.length !== 10) { 
        return false; 
    } 
    // third and sixth character should be '/' 
    if (ExpiryDate.substring(2, 3) !== '/' || ExpiryDate.substring(5, 6) !== '/') { 
        return false; 
    } 
    // extract month, day and year from the ExpiryDate (expected format is mm/dd/yyyy) 
    // subtraction will cast variables to integer implicitly (needed 
    // for !== comparing) 
    month = ExpiryDate.substring(0, 2) - 1; // because months in JS start from 0 
    day = ExpiryDate.substring(3, 5) - 0; 
    year = ExpiryDate.substring(6, 10) - 0; 
    // test year range 
    if (year < 1000 || year > 3000) { 
        return false; 
    } 
    // convert ExpiryDate to milliseconds 
    mSeconds = (new Date(year, month, day)).getTime(); 
    // initialize Date() object from calculated milliseconds 
    objDate = new Date(); 
    objDate.setTime(mSeconds); 
    // compare input date and parts from Date() object 
    // if difference exists then date isn't valid 
    if (objDate.getFullYear() !== year || 
        objDate.getMonth() !== month || 
        objDate.getDate() !== day) { 
        return false; 
    } 
    // otherwise return true 
    return true; 
}

function checkDate(){ 
    // define date string to test 
    var ExpiryDate = document.getElementById(' ExpiryDate').value; 
    // check date and print message 
    if (isDate(ExpiryDate)) { 
        alert('OK'); 
    } 
    else { 
        alert('Invalid date format!'); 
    } 
}

¿Alguna sugerencia sobre qué podría estar mal?

mate
fuente
3
Bienvenido a StackOverflow. Puede formatear el código fuente con el {}botón de la barra de herramientas. Lo he hecho por ti esta vez. Además, intente proporcionar información sobre su problema: una descripción que no funciona es útil como solución y luego solucionarlo.
Álvaro González
¿Qué tipo de formatos de fecha está intentando validar? ¿Puede dar algún ejemplo de fechas que deberían ser válidas?
Niklas
manishprajapati.in/blog/…
Manish Prajapati

Respuestas:

187

Creo que Niklas tiene la respuesta correcta a tu problema. Además de eso, creo que la siguiente función de validación de fecha es un poco más fácil de leer:

// Validates that the input string is a valid date formatted as "mm/dd/yyyy"
function isValidDate(dateString)
{
    // First check for the pattern
    if(!/^\d{1,2}\/\d{1,2}\/\d{4}$/.test(dateString))
        return false;

    // Parse the date parts to integers
    var parts = dateString.split("/");
    var day = parseInt(parts[1], 10);
    var month = parseInt(parts[0], 10);
    var year = parseInt(parts[2], 10);

    // Check the ranges of month and year
    if(year < 1000 || year > 3000 || month == 0 || month > 12)
        return false;

    var monthLength = [ 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 ];

    // Adjust for leap years
    if(year % 400 == 0 || (year % 100 != 0 && year % 4 == 0))
        monthLength[1] = 29;

    // Check the range of the day
    return day > 0 && day <= monthLength[month - 1];
};
Elian Ebbing
fuente
9
Recuerde que debe utilizar el segundo argumento de parseInt: parseInt(parts[0], 10). De lo contrario, el de septiembre 09se lee como un octal y se analiza a 0
hugomg
1
Un par de años después y esto me ahorró un poco de tiempo, ¡gracias por la dulce respuesta!
PsychoMantis
1
¡Excelente publicación! Combina el formato de expresiones regulares con el análisis necesario para la validación.
James Drinkard
4
Le sugiero que cambie la expresión regular a esto: / ^ (\ d {2} | \ d {1}) \ / (\ d {2} | \ d {1}) \ / \ d {4} $ / this forma en que captura un dígito mes y día 5/1/2014. ¡Gracias por la muestra!
Mitch Labrador
1
Esta es la respuesta más compacta, eficiente y elegante. Este debería ser el aceptado
Zorgatone
121

Me gustaría utilizar Moment.js para la validación de la fecha.

alert(moment("05/22/2012", 'MM/DD/YYYY',true).isValid()); //true

Jsfiddle: http://jsfiddle.net/q8y9nbu5/

trueEl valor es para el crédito de análisis estricto a @Andrey Prokhorov, lo que significa

puede especificar un booleano para el último argumento para que Moment use un análisis estricto. El análisis estricto requiere que el formato y la entrada coincidan exactamente, incluidos los delimitadores.

Razan Paul
fuente
22
+1 ¡Absolutamente tengo que apoyar esto como la única respuesta extremadamente correcta entre todos los enviados! ¡NO desea hacer algo tan complejo como analizar la fecha por su cuenta!
Theodore R. Smith
5
Utilice "M / D / YYYY" para permitir 1-2 dígitos para el mes y el día.
James en Indy
3
es bueno saber que el tercer parámetro "verdadero" permanece para "usar análisis estricto" momentjs.com/docs/#/parsing/string-format
Andrey Prokhorov
@Razan Paul espero que no les importe. Agregué una pequeña explicación para mayor claridad. Es prudente no reinventar las ruedas una y otra vez, por lo que la respuesta de pual es la mejor en mi humilde opinión
Kick Buttowski
moment (dateString, 'MM / DD / YYYY', verdadero) .isValid () || moment (dateString, 'M / DD / YYYY', true) .isValid () || moment (dateString, 'MM / D / YYYY', verdadero) .isValid ();
Yoav Schniederman
43

Utilice la siguiente expresión regular para validar:

var date_regex = /^(0[1-9]|1[0-2])\/(0[1-9]|1\d|2\d|3[01])\/(19|20)\d{2}$/;
if (!(date_regex.test(testDate))) {
    return false;
}

Esto me funciona para MM / dd / aaaa.

Ravi Kant
fuente
3
Cómo validaremos aaaa-mm-dd o una fecha no válida como 9834-66-43
Sandeep Singh
7
Puede usar / ^ [0-9] {4} - (0 [1-9] | 1 [0-2]) - (0 [1-9] | [1-2] [0-9] | 3 [0-1]) $ / para validar aaaa-mm-dd.
Ravi Kant
2
esto es increíble, ya que por mi parte odio formular expresiones regulares y a dos les gusta su eficiencia.
jadrake
5
¿Qué pasa en el año 3000? :)
TheOne
4
@ TheOne..y3k problem ..: P
Sábado
29

Todos los créditos van a elian-ebbing

Solo para los perezosos aquí también proporciono una versión personalizada de la función para el formato aaaa-mm-dd .

function isValidDate(dateString)
{
    // First check for the pattern
    var regex_date = /^\d{4}\-\d{1,2}\-\d{1,2}$/;

    if(!regex_date.test(dateString))
    {
        return false;
    }

    // Parse the date parts to integers
    var parts   = dateString.split("-");
    var day     = parseInt(parts[2], 10);
    var month   = parseInt(parts[1], 10);
    var year    = parseInt(parts[0], 10);

    // Check the ranges of month and year
    if(year < 1000 || year > 3000 || month == 0 || month > 12)
    {
        return false;
    }

    var monthLength = [ 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 ];

    // Adjust for leap years
    if(year % 400 == 0 || (year % 100 != 0 && year % 4 == 0))
    {
        monthLength[1] = 29;
    }

    // Check the range of the day
    return day > 0 && day <= monthLength[month - 1];
}
Matija
fuente
Esto valida '2020-5-1' como verdadero, mientras que los ceros iniciales se ignoran. Lo hice funcionar probando primero el patrón del año con /^(19|20)\d\d$/, el mes con /^(0[0-9]|1[0-2])$/y el día con /^(0[1-9]|[12][0-9]|3[01])$/antes de analizar. Entonces funcionó gracias.
Hmerman6006
Además, para probar el patrón de la fecha para el formato exactamente aaaa-mm-dd, esta expresión regular /^\d{4}\-\d{1,2}\-\d{1,2}$/validará aaaa-mm-dd o aaaa-md como verdadero, por lo tanto, solo valida la longitud, no cada parte de la fecha individual. Para una longitud precisa de aaaa-mm-dd sin comprobar que el año, mes y fecha son correctos, utilice /^\d{4}\-\d{2}\-\d{2}$/en su lugar.
Hmerman6006
17

Podrías usar Date.parse()

Puede leer en la documentación de MDN

El método Date.parse () analiza una representación de cadena de una fecha y devuelve el número de milisegundos desde el 1 de enero de 1970, 00:00:00 UTC o NaN si la cadena no se reconoce o, en algunos casos, contiene valores de fecha ilegales (por ejemplo, 2015-02-31).

Y compruebe si el resultado de Date.parseisNaN

let isValidDate = Date.parse('01/29/1980');

if (isNaN(isValidDate)) {
  // when is not valid date logic

  return false;
}

// when is valid date logic

Eche un vistazo cuando se recomienda su uso Date.parseen MDN

Mario
fuente
1
Date.parse le dará un análisis válido con una fecha como "46/7/17"
LarryBud
Devolverá el resultado verdadero para yyyy /
02/30
11

Parece estar funcionando bien para las fechas de formato mm / dd / aaaa, ejemplo:

http://jsfiddle.net/niklasvh/xfrLm/

El único problema que tuve con su código fue el hecho de que:

var ExpiryDate = document.getElementById(' ExpiryDate').value;

Tenía un espacio dentro de los corchetes, antes del ID del elemento. Lo cambió a:

var ExpiryDate = document.getElementById('ExpiryDate').value;

Sin más detalles sobre el tipo de datos que no funcionan, no hay mucho más que aportar.

Niklas
fuente
9

La función devolverá verdadero si la cadena dada está en el formato correcto ('MM / DD / AAAA') de lo contrario, devolverá falso. (Encontré este código en línea y lo modifiqué un poco)

function isValidDate(date) {
    var temp = date.split('/');
    var d = new Date(temp[2] + '/' + temp[0] + '/' + temp[1]);
    return (d && (d.getMonth() + 1) == temp[0] && d.getDate() == Number(temp[1]) && d.getFullYear() == Number(temp[2]));
}

console.log(isValidDate('02/28/2015'));
            

Ganesh
fuente
4

Aquí hay un fragmento para verificar la fecha válida:

function validateDate(dateStr) {
   const regExp = /^(\d\d?)\/(\d\d?)\/(\d{4})$/;
   let matches = dateStr.match(regExp);
   let isValid = matches;
   let maxDate = [0, 31, 29, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31];
   
   if (matches) {
     const month = parseInt(matches[1]);
     const date = parseInt(matches[2]);
     const year = parseInt(matches[3]);
     
     isValid = month <= 12 && month > 0;
     isValid &= date <= maxDate[month] && date > 0;
     
     const leapYear = (year % 400 == 0)
        || (year % 4 == 0 && year % 100 != 0);
     isValid &= month != 2 || leapYear || date <= 28; 
   }
   
   return isValid
}

console.log(['1/1/2017', '01/1/2017', '1/01/2017', '01/01/2017', '13/12/2017', '13/13/2017', '12/35/2017'].map(validateDate));

Daniel Tran
fuente
3

Está bien si desea verificar validar dd / MM / aaaa

function isValidDate(date) {
    var temp = date.split('/');
    var d = new Date(temp[1] + '/' + temp[0] + '/' + temp[2]);
     return (d && (d.getMonth() + 1) == temp[1] && d.getDate() == Number(temp[0]) && d.getFullYear() == Number(temp[2]));
}

alert(isValidDate('29/02/2015')); // it not exist ---> false
            

peldaño
fuente
2

Encuentre en el código a continuación que permite realizar la validación de fecha para cualquiera de los formatos suministrados para validar las fechas de inicio / desde y de finalización / hasta. Podría haber algunos enfoques mejores, pero se les ha ocurrido esto. Tenga en cuenta que el formato de fecha proporcionado y la cadena de fecha van de la mano.

<script type="text/javascript">
    function validate() {

        var format = 'yyyy-MM-dd';

        if(isAfterCurrentDate(document.getElementById('start').value, format)) {
            alert('Date is after the current date.');
        } else {
            alert('Date is not after the current date.');
        }
        if(isBeforeCurrentDate(document.getElementById('start').value, format)) {
            alert('Date is before current date.');
        } else {
            alert('Date is not before current date.');
        }
        if(isCurrentDate(document.getElementById('start').value, format)) {
            alert('Date is current date.');
        } else {
            alert('Date is not a current date.');
        }
        if (isBefore(document.getElementById('start').value, document.getElementById('end').value, format)) {
            alert('Start/Effective Date cannot be greater than End/Expiration Date');
        } else {
            alert('Valid dates...');
        }
        if (isAfter(document.getElementById('start').value, document.getElementById('end').value, format)) {
            alert('End/Expiration Date cannot be less than Start/Effective Date');
        } else {
            alert('Valid dates...');
        }
        if (isEquals(document.getElementById('start').value, document.getElementById('end').value, format)) {
            alert('Dates are equals...');
        } else {
            alert('Dates are not equals...');
        }
        if (isDate(document.getElementById('start').value, format)) {
            alert('Is valid date...');
        } else {
            alert('Is invalid date...');
        }
    }

    /**
     * This method gets the year index from the supplied format
     */
    function getYearIndex(format) {

        var tokens = splitDateFormat(format);

        if (tokens[0] === 'YYYY'
                || tokens[0] === 'yyyy') {
            return 0;
        } else if (tokens[1]=== 'YYYY'
                || tokens[1] === 'yyyy') {
            return 1;
        } else if (tokens[2] === 'YYYY'
                || tokens[2] === 'yyyy') {
            return 2;
        }
        // Returning the default value as -1
        return -1;
    }

    /**
     * This method returns the year string located at the supplied index
     */
    function getYear(date, index) {

        var tokens = splitDateFormat(date);
        return tokens[index];
    }

    /**
     * This method gets the month index from the supplied format
     */
    function getMonthIndex(format) {

        var tokens = splitDateFormat(format);

        if (tokens[0] === 'MM'
                || tokens[0] === 'mm') {
            return 0;
        } else if (tokens[1] === 'MM'
                || tokens[1] === 'mm') {
            return 1;
        } else if (tokens[2] === 'MM'
                || tokens[2] === 'mm') {
            return 2;
        }
        // Returning the default value as -1
        return -1;
    }

    /**
     * This method returns the month string located at the supplied index
     */
    function getMonth(date, index) {

        var tokens = splitDateFormat(date);
        return tokens[index];
    }

    /**
     * This method gets the date index from the supplied format
     */
    function getDateIndex(format) {

        var tokens = splitDateFormat(format);

        if (tokens[0] === 'DD'
                || tokens[0] === 'dd') {
            return 0;
        } else if (tokens[1] === 'DD'
                || tokens[1] === 'dd') {
            return 1;
        } else if (tokens[2] === 'DD'
                || tokens[2] === 'dd') {
            return 2;
        }
        // Returning the default value as -1
        return -1;
    }

    /**
     * This method returns the date string located at the supplied index
     */
    function getDate(date, index) {

        var tokens = splitDateFormat(date);
        return tokens[index];
    }

    /**
     * This method returns true if date1 is before date2 else return false
     */
    function isBefore(date1, date2, format) {
        // Validating if date1 date is greater than the date2 date
        if (new Date(getYear(date1, getYearIndex(format)), 
                getMonth(date1, getMonthIndex(format)) - 1, 
                getDate(date1, getDateIndex(format))).getTime()
            > new Date(getYear(date2, getYearIndex(format)), 
                getMonth(date2, getMonthIndex(format)) - 1, 
                getDate(date2, getDateIndex(format))).getTime()) {
            return true;
        } 
        return false;                
    }

    /**
     * This method returns true if date1 is after date2 else return false
     */
    function isAfter(date1, date2, format) {
        // Validating if date2 date is less than the date1 date
        if (new Date(getYear(date2, getYearIndex(format)), 
                getMonth(date2, getMonthIndex(format)) - 1, 
                getDate(date2, getDateIndex(format))).getTime()
            < new Date(getYear(date1, getYearIndex(format)), 
                getMonth(date1, getMonthIndex(format)) - 1, 
                getDate(date1, getDateIndex(format))).getTime()
            ) {
            return true;
        } 
        return false;                
    }

    /**
     * This method returns true if date1 is equals to date2 else return false
     */
    function isEquals(date1, date2, format) {
        // Validating if date1 date is equals to the date2 date
        if (new Date(getYear(date1, getYearIndex(format)), 
                getMonth(date1, getMonthIndex(format)) - 1, 
                getDate(date1, getDateIndex(format))).getTime()
            === new Date(getYear(date2, getYearIndex(format)), 
                getMonth(date2, getMonthIndex(format)) - 1, 
                getDate(date2, getDateIndex(format))).getTime()) {
            return true;
        } 
        return false;
    }

    /**
     * This method validates and returns true if the supplied date is 
     * equals to the current date.
     */
    function isCurrentDate(date, format) {
        // Validating if the supplied date is the current date
        if (new Date(getYear(date, getYearIndex(format)), 
                getMonth(date, getMonthIndex(format)) - 1, 
                getDate(date, getDateIndex(format))).getTime()
            === new Date(new Date().getFullYear(), 
                    new Date().getMonth(), 
                    new Date().getDate()).getTime()) {
            return true;
        } 
        return false;                
    }

    /**
     * This method validates and returns true if the supplied date value 
     * is before the current date.
     */
    function isBeforeCurrentDate(date, format) {
        // Validating if the supplied date is before the current date
        if (new Date(getYear(date, getYearIndex(format)), 
                getMonth(date, getMonthIndex(format)) - 1, 
                getDate(date, getDateIndex(format))).getTime()
            < new Date(new Date().getFullYear(), 
                    new Date().getMonth(), 
                    new Date().getDate()).getTime()) {
            return true;
        } 
        return false;                
    }

    /**
     * This method validates and returns true if the supplied date value 
     * is after the current date.
     */
    function isAfterCurrentDate(date, format) {
        // Validating if the supplied date is before the current date
        if (new Date(getYear(date, getYearIndex(format)), 
                getMonth(date, getMonthIndex(format)) - 1, 
                getDate(date, getDateIndex(format))).getTime()
            > new Date(new Date().getFullYear(),
                    new Date().getMonth(), 
                    new Date().getDate()).getTime()) {
            return true;
        } 
        return false;                
    }

    /**
     * This method splits the supplied date OR format based 
     * on non alpha numeric characters in the supplied string.
     */
    function splitDateFormat(dateFormat) {
        // Spliting the supplied string based on non characters
        return dateFormat.split(/\W/);
    }

    /*
     * This method validates if the supplied value is a valid date.
     */
    function isDate(date, format) {                
        // Validating if the supplied date string is valid and not a NaN (Not a Number)
        if (!isNaN(new Date(getYear(date, getYearIndex(format)), 
                getMonth(date, getMonthIndex(format)) - 1, 
                getDate(date, getDateIndex(format))))) {                    
            return true;
        } 
        return false;                                      
    }
</script>

A continuación se muestra el fragmento de HTML

<input type="text" name="start" id="start" size="10" value="" />
<br/>
<input type="text" name="end" id="end" size="10" value="" />
<br/>
<input type="button" value="Submit" onclick="javascript:validate();" />
Dinesh Lomte
fuente
Excelente. Esto es lo que estaba buscando.
Turbo
1

Saqué la mayor parte de este código de otra publicación que se encuentra aquí . Lo he modificado para mis propósitos. Esto funciona bien para lo que necesito. Puede ayudar con su situación.

$(window).load(function() {
  function checkDate() {
    var dateFormat = /^(0?[1-9]|[12][0-9]|3[01])[\/\-](0?[1-9]|1[012])[\/\-]\d{4}$/;
    var valDate = $(this).val();
    if ( valDate.match( dateFormat )) {
      $(this).css("border","1px solid #cccccc","color", "#555555", "font-weight", "normal");
      var seperator1 = valDate.split('/');
      var seperator2 = valDate.split('-');

      if ( seperator1.length > 1 ) {
        var splitdate = valDate.split('/');
      } else if ( seperator2.length > 1 ) {
        var splitdate = valDate.split('-');
      }

      var dd = parseInt(splitdate[0]);
      var mm = parseInt(splitdate[1]);
      var yy = parseInt(splitdate[2]);
      var ListofDays = [31,28,31,30,31,30,31,31,30,31,30,31];

      if ( mm == 1 || mm > 2 ) {
        if ( dd > ListofDays[mm - 1] ) {
          $(this).val("");
          $(this).css("border","solid red 1px","color", "red", "font-weight", "bold");
          alert('Invalid Date! You used a date which does not exist in the known calender.');
          return false;
        }
      }

      if ( mm == 2 ) {
       var lyear = false;
        if ( (!(yy % 4) && yy % 100) || !(yy % 400) ){
          lyear = true;
        }

        if ( (lyear==false) && (dd>=29) ) {
          $(this).val("");
          $(this).css("border","solid red 1px","color", "red", "font-weight", "bold");
          alert('Invalid Date! You used Feb 29th for an invalid leap year');
          return false;
        }

        if ( (lyear==true) && (dd>29) ) {
          $(this).val("");
          $(this).css("border","solid red 1px","color", "red", "font-weight", "bold");
          alert('Invalid Date! You used a date greater than Feb 29th in a valid leap year');
          return false;
        }
     }
    } else {
      $(this).val("");
      $(this).css("border","solid red 1px","color", "red", "font-weight", "bold");
      alert('Date format was invalid! Please use format mm/dd/yyyy');
      return false;
    }
  };

  $('#from_date').change( checkDate );
  $('#to_date').change( checkDate );
});
noche de invierno
fuente
1

Similar a la respuesta de Elian Ebbing, pero admite delimitadores "\", "/", ".", "-", ""

function js_validate_date_dmyyyy(js_datestr)
{
    var js_days_in_year = [ 0, 31, 28, 31, 30, 31, 30, 31, 31, 30, 31, 30, 31 ];
    var js_datepattern = /^(\d{1,2})([\.\-\/\\ ])(\d{1,2})([\.\-\/\\ ])(\d{4})$/;

    if (! js_datepattern.test(js_datestr)) { return false; }

    var js_match = js_datestr.match(js_datepattern);
    var js_day = parseInt(js_match[1]);
    var js_delimiter1 = js_match[2];
    var js_month = parseInt(js_match[3]);
    var js_delimiter2 = js_match[4];
    var js_year = parseInt(js_match[5]);                            

    if (js_is_leap_year(js_year)) { js_days_in_year[2] = 29; }

    if (js_delimiter1 !== js_delimiter2) { return false; } 
    if (js_month === 0  ||  js_month > 12)  { return false; } 
    if (js_day === 0  ||  js_day > js_days_in_year[js_month])   { return false; } 

    return true;
}

function js_is_leap_year(js_year)
{ 
    if(js_year % 4 === 0)
    { 
        if(js_year % 100 === 0)
        { 
            if(js_year % 400 === 0)
            { 
                return true; 
            } 
            else return false; 
        } 
        else return true; 
    } 
    return false; 
}
ihorsl
fuente
tus días y meses están al revés.
BoundForGlory
1
function fdate_validate(vi)
{
  var parts =vi.split('/');
  var result;
  var mydate = new Date(parts[2],parts[1]-1,parts[0]);
  if (parts[2] == mydate.getYear() && parts[1]-1 == mydate.getMonth() && parts[0] == mydate.getDate() )
  {result=0;}
  else
  {result=1;}
  return(result);
}
Sai Sreenivas
fuente
3
Si bien este código puede responder a la pregunta, proporcionar un contexto adicional sobre cómo y / o por qué resuelve el problema mejoraría el valor de la respuesta a largo plazo.
thewaywewere
1

El momento es realmente bueno para resolverlo. No veo razón para agregar complejidad solo para verificar la fecha ... eche un vistazo al momento: http://momentjs.com/

HTML:

<input class="form-control" id="date" name="date" onchange="isValidDate(this);" placeholder="DD/MM/YYYY" type="text" value="">

Guión:

 function isValidDate(dateString)  {
    var dateToValidate = dateString.value
    var isValid = moment(dateToValidate, 'MM/DD/YYYY',true).isValid()
    if (isValid) {
        dateString.style.backgroundColor = '#FFFFFF';
    } else {
        dateString.style.backgroundColor = '#fba';
    }   
};
Doug Mugnos
fuente
0

La primera fecha de la cadena se convierte al formato de fecha js y se convierte nuevamente en formato de cadena, luego se compara con la cadena original.

function dateValidation(){
    var dateString = "34/05/2019"
    var dateParts = dateString.split("/");
    var date= new Date(+dateParts[2], dateParts[1] - 1, +dateParts[0]);

    var isValid = isValid( dateString, date );
    console.log("Is valid date: " + isValid);
}

function isValidDate(dateString, date) {
    var newDateString = ( date.getDate()<10 ? ('0'+date.getDate()) : date.getDate() )+ '/'+ ((date.getMonth() + 1)<10? ('0'+(date.getMonth() + 1)) : (date.getMonth() + 1) )  + '/' +  date.getFullYear();
    return ( dateString == newDateString);
}
ctw_87
fuente
0

Podemos utilizar una función personalizada o un patrón de fecha. El siguiente código es una función personalizada según sus requisitos, cámbielo.

 function isValidDate(str) {
        var getvalue = str.split('-');
        var day = getvalue[2];
        var month = getvalue[1];
        var year = getvalue[0];
        if(year < 1901 && year > 2100){
        return false;
        }
        if (month < 1 && month > 12) { 
          return false;
         }
         if (day < 1 && day > 31) {
          return false;
         }
         if ((month==4 && month==6 && month==9 && month==11) && day==31) {
          return false;
         }
         if (month == 2) { // check for february 29th
          var isleap = (year % 4 == 0 && (year % 100 != 0 || year % 400 == 0));
          if (day>29 || (day==29 && !isleap)) {
           return false;
         }
         }
         else{
         return true;

         }
        }
VIKRAM
fuente
0

Es inusual ver una publicación tan antigua sobre un tema tan básico, con tantas respuestas, ninguna de ellas correcta. (No estoy diciendo que ninguno de ellos funcione).

  • Para esto, no se necesita una rutina de determinación de años bisiestos. El idioma puede hacer ese trabajo por nosotros.
  • No se necesita momento para esto.
  • Date.parse()no debe usarse para cadenas de fecha locales. MDN dice "No se recomienda usar Date.parse ya que hasta ES5, el análisis de cadenas dependía completamente de la implementación". El estándar requiere una cadena ISO 8601 (potencialmente simplificada); el soporte para cualquier otro formato depende de la implementación.
  • Ni debería new Date(string) usarse, porque usa Date.parse ().
  • En mi opinión, el día bisiesto debe validarse.
  • La función de validación debe tener en cuenta la posibilidad de que la cadena de entrada no coincida con el formato esperado. Por ejemplo, '1a / 2a / 3aaa', '1234567890' o 'ab / cd / efgh'.

Esta es una solución eficaz y concisa sin conversiones implícitas. Aprovecha la voluntad del constructor de Date para interpretar 2018-14-29 como 2019-03-01. Utiliza un par de funciones de lenguaje moderno, pero se eliminan fácilmente si es necesario. También he incluido algunas pruebas.

function isValidDate(s) {
    // Assumes s is "mm/dd/yyyy"
    if ( ! /^\d\d\/\d\d\/\d\d\d\d$/.test(s) ) {
        return false;
    }
    const parts = s.split('/').map((p) => parseInt(p, 10));
    parts[0] -= 1;
    const d = new Date(parts[2], parts[0], parts[1]);
    return d.getMonth() === parts[0] && d.getDate() === parts[1] && d.getFullYear() === parts[2];
}

function testValidDate(s) {
    console.log(s, isValidDate(s));
}
testValidDate('01/01/2020'); // true
testValidDate('02/29/2020'); // true
testValidDate('02/29/2000'); // true
testValidDate('02/29/1900'); // false
testValidDate('02/29/2019'); // false
testValidDate('01/32/1970'); // false
testValidDate('13/01/1970'); // false
testValidDate('14/29/2018'); // false
testValidDate('1a/2b/3ccc'); // false
testValidDate('1234567890'); // false
testValidDate('aa/bb/cccc'); // false
testValidDate(null);         // false
testValidDate('');           // false
Jay Dunning
fuente
-1
  1. Javascript

    function validateDate(date) {
        try {
            new Date(date).toISOString();
            return true;
        } catch (e) { 
            return false; 
        }
    }
  2. JQuery

    $.fn.validateDate = function() {
        try {
            new Date($(this[0]).val()).toISOString();
            return true;
        } catch (e) { 
            return false; 
        }
    }

devuelve verdadero para una cadena de fecha válida.

Femi Rufus
fuente
-3
var date = new Date(date_string)

devuelve el literal 'Invalid Date'de cualquier cadena de fecha no válida.

Nota: consulte los comentarios a continuación.

Sam es
fuente
Falso: new Date("02-31-2000")da Thu Mar 02 2000 00:00:00 GMT-0300 (BRT).
falsarella
Para obtener más detalles sobre el caso de uso en el que no funciona, lea la primera nota de la documentación de parámetros de fecha de Mozilla .
falsarella
1
Sí, dejo esto principalmente para mostrar que son alternativas a escribir análisis ad-hoc. El enlace de arriba es autorizado. ¡Buen doctor!
samis