जावास्क्रिप्ट में "mm / dd / yyyy" प्रारूप के साथ तारीख को कैसे मान्य करें?


106

मैं प्रारूप का उपयोग करके किसी इनपुट पर दिनांक प्रारूप को मान्य करना चाहता हूं mm/dd/yyyy

मुझे एक साइट में नीचे दिए गए कोड मिले और फिर इसका उपयोग किया गया लेकिन यह काम नहीं करता है:

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 में आपका स्वागत है। आप {}टूलबार बटन के साथ स्रोत कोड को प्रारूपित कर सकते हैं । मैंने इस बार आपके लिए किया है। इसके अलावा, अपनी समस्या के बारे में कुछ जानकारी प्रदान करने का प्रयास करें: एक काम का विवरण एक उपयोगी नहीं है और फिर इसे हल करें।
इलवारो गोंजालेज

आप किस प्रकार के दिनांक स्वरूपों को मान्य करने का प्रयास कर रहे हैं? क्या आप तारीखों के कुछ उदाहरण दे सकते हैं जो वैध होना चाहिए?
निकलैस


जवाबों:


187

मुझे लगता है कि निकलैस के पास आपकी समस्या का सही जवाब है। इसके अलावा, मुझे लगता है कि निम्नलिखित तारीख सत्यापन समारोह को पढ़ना थोड़ा आसान है:

// 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 करने के लिए दूसरे तर्क का उपयोग करना याद रखें parseInt(parts[0], 10):। अन्यथा, सितंबर 09को एक अष्टक के रूप में पढ़ा जाता है और 0
hugomg

1
एक दो साल रेखा के नीचे रहे और इसने मुझे थोड़े समय के लिए बचा लिया, मीठे जवाब के लिए धन्यवाद!
साइकोमांटिस

1
बहुत बढ़िया पोस्ट! सत्यापन के लिए आवश्यक पार्सिंग के साथ रेगेक्स फॉर्मेटिंग को जोड़ती है।
जेम्स ड्रिंकर्ड

4
मैं आपको सुझाव दूंगा कि आप इस पर रेगेक्स बदलें: / ^ (\ d {2} | \ d {1}) \ / (\ d {2} | \ d {1}) \ / \ d {4} $ / यह जिस तरह से यह एक अंक महीने और दिन 1/5/2014 को पकड़ता है। नमूने के लिए धन्यवाद!
मिच लैब्राडोर

1
यह सबसे कॉम्पैक्ट, कुशल और सुरुचिपूर्ण जवाब है। यह स्वीकार किया जाना चाहिए
Zorgatone

121

मैं दिनांक सत्यापन के लिए Moment.js का उपयोग करूंगा

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

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

trueमूल्य @Andrey Prokhorov के लिए सख्त पार्सिंग क्रेडिट का मतलब है

आप अंतिम तर्क के लिए एक बूलियन निर्दिष्ट कर सकते हैं जिससे मोमेंट का सख्त उपयोग हो। सख्त पार्सिंग के लिए आवश्यक है कि प्रारूप और इनपुट बिल्कुल मेल खाते हों, जिसमें सीमांकक भी शामिल है।


22
+1 मुझे इसे प्रस्तुत करने वालों के बीच एकमात्र अत्यंत सही उत्तर के रूप में दूसरा स्थान देना है! आप अपने दम पर तारीख के रूप में जटिल के रूप में कुछ करना नहीं चाहते हैं!
थियोडोर आर। स्मिथ

5
मंथ एंड डे के लिए 1-2 अंकों की अनुमति के लिए "M / D / YYYY" का उपयोग करें।
जेम्स Indy

3
यह जानने के लिए अच्छा है कि तीसरा पैरामीटर "सच" "पार्सिंग का उपयोग करने के लिए रहता है" " क्षणों का
एंड्रे प्रोखोरोव

@ राजन पॉल आशा करते हैं कि आपको बुरा नहीं लगा होगा मैंने अधिक स्पष्टता के लिए थोड़ा स्पष्टीकरण जोड़ा है। यह समझदारी नहीं है कि पहियों को बार-बार फिर से मजबूत किया जाए, इसलिए मेरी विनम्र राय में pual का जवाब सबसे अच्छा है
किक

क्षण (डेटस्ट्रिंग, 'MM / DD / YYYY', सच) .isValid () || क्षण (डेटस्ट्रिंग, 'M / DD / YYYY', सच) .isValid () || पल (तारीख, 'MM / D / YYYY', सच) .isValid ();
योव श्नाइडरमैन

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
हम 9834-66-43 की तरह yyyy-mm-dd या अमान्य दिनांक को कैसे मान्य करेंगे
संदीप सिंह

7
आप उपयोग कर सकते हैं / ^ [0-9] {4} - (0 [1-9] | 1 [0-2]) - (0 [1-9]] - [1-2] [0-9] | 3 [0-1]) yyyy-mm-dd को मान्य करने के लिए $ /।
रविकांत

2
यह भयानक है, क्योंकि मैं एक से नफरत करता हूं, जो कि रेगेक्स तैयार करता है और दो उनकी दक्षता की तरह है!
जद्राके

5
3000 वर्ष में क्या होता है? :)
TheOne

4
@ TheOne..y3k समस्या ..: पी
शतेश

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 प्रारूप के लिए तारीख के पैटर्न का परीक्षण करने के लिए यह regex /^\d{4}\-\d{1,2}\-\d{1,2}$/yyyy-mm-dd या yyyy-md को सत्य के रूप में मान्य करेगा, इसलिए यह केवल किसी भी व्यक्तिगत दिनांक भाग की लंबाई को मान्य करता है। साल, महीने और तारीख के /^\d{4}\-\d{2}\-\d{2}$/बजाय सही उपयोग के बिना जाँच के yyyy-mm-dd की सटीक लंबाई के लिए ।
Hmerman6006

17

आप उपयोग कर सकते हैं Date.parse()

आप MDN प्रलेखन में पढ़ सकते हैं

Date.parse () विधि किसी दिनांक का एक स्ट्रिंग निरूपण प्रस्तुत करती है, और 1 जनवरी, 1970 से 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.parseएमडीएन में उपयोग करने के लिए अनुशंसित होने पर एक बार देख लें


1
Date.parse आपको "46/7/17" तारीख के साथ एक वैध पार्स देगा
लैरीबड

Yyyy

11

यह मिमी / dd / yyyy प्रारूप तिथियों के लिए ठीक काम करता प्रतीत होता है, उदाहरण:

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

आपके कोड के साथ एकमात्र समस्या यह थी कि:

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

तत्व आईडी से पहले कोष्ठक के अंदर एक स्थान था। इसे बदल दिया गया:

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

डेटा के प्रकार के बारे में और अधिक विवरण के बिना जो काम नहीं कर रहा है, इनपुट पर देने के लिए और कुछ नहीं है।


9

यदि सही स्ट्रिंग सही प्रारूप ('MM / DD / YYYY') में है तो फ़ंक्शन सही हो जाएगा, अन्यथा यह गलत वापस आ जाएगा। (मुझे यह कोड ऑनलाइन मिला और इसे थोड़ा संशोधित किया गया)

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

मान्य तिथि के लिए एक स्निपेट यहां दिया गया है:

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

आपके दिन और महीने पीछे की ओर हैं।
बाउंडफॉरग्लोरी

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
हालांकि यह कोड प्रश्न का उत्तर दे सकता है, लेकिन समस्या को हल करने के तरीके के बारे में अतिरिक्त संदर्भ प्रदान करता है और यह समस्या को हल करता है ताकि उत्तर के दीर्घकालिक मूल्य में सुधार हो सके।
Thewaywewere

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 कहना है कि "ईएस 5 तक Date.parse का उपयोग करने की अनुशंसा नहीं की गई है, स्ट्रिंग्स का पार्सिंग पूरी तरह से कार्यान्वयन पर निर्भर था।" मानक के लिए एक (संभावित सरलीकृत) आईएसओ 8601 स्ट्रिंग की आवश्यकता होती है; किसी अन्य प्रारूप के लिए समर्थन कार्यान्वयन-निर्भर है।
  • और न ही होना चाहिए new Date(string) उपयोग किया चाहिए, क्योंकि वह Date.parse () का उपयोग करता है।
  • IMO लीप दिवस को मान्य किया जाना चाहिए।
  • सत्यापन फ़ंक्शन को इस संभावना के लिए ध्यान देना चाहिए कि इनपुट स्ट्रिंग अपेक्षित प्रारूप से मेल नहीं खाती है। उदाहरण के लिए, '1a / 2a / 3aaa', '1234567890', या 'ab / cd / Cepha'।

यहाँ एक कुशल, संक्षिप्त समाधान है, जिसमें कोई निहितार्थ नहीं है। यह 2019-14-01 के रूप में 2018-14-29 की व्याख्या करने के लिए तिथि निर्माणकर्ता की इच्छा का लाभ उठाता है। यह कुछ आधुनिक भाषा सुविधाओं का उपयोग करता है, लेकिन यदि आवश्यक हो तो उन्हें आसानी से हटा दिया जाता है। मैंने कुछ परीक्षण भी शामिल किए हैं।

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. जावास्क्रिप्ट

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

मान्य दिनांक स्ट्रिंग के लिए सही है।


-3
var date = new Date(date_string)

'Invalid Date'किसी भी अमान्य date_string के लिए शाब्दिक देता है ।

नोट: कृपया टिप्पणी के नीचे देखें।


मिथ्या: new Date("02-31-2000")देता है Thu Mar 02 2000 00:00:00 GMT-0300 (BRT)
falsarella


उपयोग के मामले के बारे में और विस्तृत करने के लिए जहां यह काम नहीं करता है, कृपया, मोज़िला की तिथि मापदंडों के प्रलेखन से पहला नोट पढ़ें
falsarella

1
हां, मैं इसे मुख्य रूप से यह दिखाने के लिए छोड़ रहा हूं कि वे एड-हॉक पर्स लिखने के लिए विकल्प हैं। ऊपर दिया गया लिंक आधिकारिक है। हालांकि अच्छा डॉक्टर!
samis
हमारी साइट का प्रयोग करके, आप स्वीकार करते हैं कि आपने हमारी Cookie Policy और निजता नीति को पढ़ और समझा लिया है।
Licensed under cc by-sa 3.0 with attribution required.