JavaScriptで「mm / dd / yyyy」の形式で日付を検証する方法は?


106

形式を使用して、入力の日付形式を検証したいと思いますmm/dd/yyyy

1つのサイトで以下のコードを見つけて使用しましたが、機能しません。

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!'); 
    } 
}

何が悪いのかについて何か提案はありますか?


3
StackOverflowへようこそ。{}ツールバーボタンでソースコードをフォーマットできます。今回はあなたのためにそれをしました。また、あなたの問題に関するいくつかの情報を提供しよう:作業しない記述はとして有用であるし、それを修正するソリューション。
アルバロゴンザレス

検証しようとしている日付形式は何ですか?有効な日付の例を挙げていただけますか?
Niklas、


回答:


187

Niklasがあなたの問題に正しい答えを持っていると思います。さらに、次の日付検証関数は少し読みやすいと思います。

// 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];
};

9
parseInt:に2番目の引数を使用することを忘れないでくださいparseInt(parts[0], 10)。それ以外の場合、9月09は8進数として読み取られ、0に解析されます
hugomg

1
数年後のことですが、これでかなりの時間を節約できました。
PsychoMantis 2013

1
素晴らしいポスト!検証に必要な解析と正規表現のフォーマットを組み合わせます。
James Drinkard

4
正規表現を次のように変更することをお勧めします:/ ^(\ d {2} | \ d {1})\ /(\ d {2} | \ d {1})\ / \ d {4} $ / this 1桁の月と日1/5/2014をキャッチする方法。サンプルをありがとう!
ミッチラブラドール

1
これが最もコンパクトで効率的でエレガントな答えです。これは受け入れられるものでなければなりません
Zorgatone '20 / 12/15

121

日付の検証にはMoment.jsを使用します。

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

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

true値は@Andrey Prokhorovへの厳密な解析クレジット用です。つまり、

最後の引数にブール値を指定して、モーメントで厳密な解析を使用できます。厳密な解析では、フォーマットと入力がデリミタを含めて正確に一致する必要があります。


22
+1提出されたすべての回答者の中で唯一の非常に正しい答えであるため、私は絶対にこれを2番目にする必要があります!自分で日付を解析するほど複雑なことはしたくない!
セオドアR.スミス

5
「M / D / YYYY」を使用して、月と日の1〜2桁を許可します。
Jamesがインディ

3
「厳格な構文解析を使用」のために、第3のパラメータ「true」に滞在を知るには良いmomentjs.com/docs/#/parsing/string-formatを
アンドレイ・プロホロフ

@Razan Paulは、あなたが私がより明確にするために少しの説明を加えても構わないと思ったことを願っています。それは車輪を何度も再発明しないのが賢明です、それで、pualの答えは私の謙虚な意見で最高のものです
キックButtowski

moment(dateString、 'MM / DD / YYYY'、true).isValid()|| moment(dateString、 'M / DD / YYYY'、true).isValid()|| moment(dateString、 'MM / D / YYYY'、true).isValid();
Yoav Schniederman

43

次の正規表現を使用して検証します。

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;
}

これはMM / dd / yyyyで私のために働いています。


3
yyyy-mm-ddまたは9834-66-43の
Sandeep Singh

7
/ ^ [0-9] {4}-(0 [1-9] | 1 [0-2])-(0 [1-9] | [1-2] [0-9] | 3を使用できます[0-1])$ ​​/ yyyy-mm-ddを検証します。
Ravi Kant

2
私は1つが正規表現を定式化するのが嫌いで、2つは効率が好きなので、これは素晴らしいです!
jadrake 2013年

5
3000年にはどうなりますか?:)
TheOne

4
@ TheOne..y3kの問題..:P
Sathesh 2016年

29

すべてのクレジットはエリアンエビングに行きます

ここでは、怠惰なもののために、yyyy-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];
}

これにより、「2020-5-1」が真であることが検証され、先行ゼロは無視されます。解析する前に/^(19|20)\d\d$/、まず年のパターンをで、月で/^(0[0-9]|1[0-2])$/で、日でパターンをテストすることで機能させました/^(0[1-9]|[12][0-9]|3[01])$/。その後、うまくいきました。
Hmerman6006

また、日付のパターンを正確にyyyy-mm-dd形式でテストするために、この正規表現/^\d{4}\-\d{1,2}\-\d{1,2}$/はyyyy-mm-ddまたはyyyy-mdをtrueとして検証するため、個々の日付部分ではなく長さのみを検証します。年、月、日が正しいことを確認せずにyyyy-mm-ddの正確な長さを求める場合は、/^\d{4}\-\d{2}\-\d{2}$/代わりに使用してください。
Hmerman6006

17

あなたは使うことができます Date.parse()

MDNドキュメントで読むことができます

Date.parse()メソッドは日付の文字列表現を解析し、文字列が認識されないか、場合によっては不正な日付値が含まれている場合、1970年1月1日00:00:00 UTCまたはNaNからのミリ秒数を返します。 (例:2015-02-31)。

そして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

Date.parseMDNでの使用が推奨される時期をご覧ください


1
Date.parseは、「46/7/17」のような日付の有効な解析を提供します
LarryBud 2018年

yyyy / 02/30の真の結果を返します
Raimonds

11

mm / dd / yyyy形式の日付では正常に機能しているようです。例:

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

私があなたのコードに関して持っていた唯一の問題は、以下の事実でした:

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

要素IDの前の括弧内にスペースがあった。それを次のように変更しました:

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

機能していないデータの種類に関する詳細がなければ、他に情報を入力することはほとんどありません。


9

指定された文字列が正しい形式( 'MM / DD / YYYY')の場合、関数はtrueを返し、それ以外の場合はfalseを返します。(私はこのコードをオンラインで見つけて少し修正しました)

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'));
            


4

有効な日付を確認する1つのスニペットを次に示します。

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));


3

dd / MM / yyyyの検証を確認する場合は問題ありません。

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
            


2

以下のコードで、指定された形式のいずれかで日付の検証を実行して、開始/開始日と終了/終了日を検証できるようにします。いくつかのより良いアプローチがあるかもしれませんが、これは思いつきました。提供される日付形式と日付文字列は密接に関連しています。

<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>

以下は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();" />

優れた。これは私が探していたものです。
ターボ

1

ここにある別の投稿からこのコードのほとんどを引き出しまし。目的に合わせて変更しました。これは私が必要とするものにうまく機能します。それはあなたの状況に役立つかもしれません。

$(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 );
});

1

エリアン・エビングの回答に似ていますが、「\」、「/」、「。」、「-」、「」区切り文字をサポートしています

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; 
}

あなたの日と月は逆です。
BoundForGlory 2017

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);
}

3
このコードは質問に答えることがありますが、問題を解決する方法および/または理由に関する追加のコンテキストを提供すると、回答の長期的な価値が向上します。
thewaywereは

1

瞬間はそれを解決するために本当に良いものです。日付を確認するためだけに複雑さを追加する理由はわかりません... http://momentjs.com/

HTML:

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

脚本 :

 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';
    }   
};

0

最初の文字列日付はjs日付形式に変換され、再び文字列形式に変換されてから、元の文字列と比較されます。

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);
}

0

カスタマイズされた関数または日付パターンを使用できます。以下のコードは、要件に応じてカスタマイズされた関数です。変更してください。

 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;

         }
        }

0

このような基本的なトピックについて非常に古い投稿を見るのは珍しいことです。非常に多くの回答があり、どれも正しくありません。(私はそれらのどれも動作しないと言っているわけではありません。)

  • これにはうるう年の決定ルーチンは必要ありません。言語は私たちのためにその仕事をすることができます。
  • これにはモーメントは必要ありません。
  • Date.parse()ローカル日付文字列には使用しないでください。MDNは、「ES5までは文字列の解析は完全に実装に依存していたため、Date.parseの使用は推奨されていません」と述べています。この規格では、(潜在的に簡略化された)ISO 8601文字列が必要です。その他の形式のサポートは実装に依存します。
  • またnew Date(string)、Date.parse()を使用するため、使用しないでください。
  • IMOうるう日を検証する必要があります。
  • 検証関数は、入力文字列が予期される形式と一致しない可能性を考慮する必要があります。たとえば、「1a / 2a / 3aaa」、「1234567890」、「ab / cd / efgh」などです。

これは、暗黙的な変換を行わない効率的で簡潔なソリューションです。2018-14-29を2019-03-01と解釈するDateコンストラクターの意欲を利用しています。いくつかの最新の言語機能を使用していますが、必要に応じて簡単に削除できます。私はいくつかのテストも含めました。

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

-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; 
        }
    }

有効な日付文字列に対してtrueを返します。


-3
var date = new Date(date_string)

'Invalid Date'無効なdate_stringのリテラルを返します。

注:以下のコメントを参照してください。


False:new Date("02-31-2000")を与えThu Mar 02 2000 00:00:00 GMT-0300 (BRT)ます。
ファルサレッラ


機能しないユースケースについてさらに詳しく説明するには、Mozillaの日付パラメーターのドキュメントの最初のメモをお読みください。
ファルサレラ16

1
ええ、私はこれを主に残して、それらがアドホックパースを作成する代替手段であることを示します。上記のリンクは信頼できます。素敵なドキュメントです!
samis 2016
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.