[javascript] JavaScript로 두 날짜 비교

누군가가 JavaScript를 사용하여 과거보다 크거나 작거나 같지 않은 두 날짜 의 값을 비교하는 방법을 제안 할 수 있습니까 ? 텍스트 상자에서 값이 제공됩니다.



답변

Date 객체는 다음 각 날짜에 대한 구조 하나를 사용하여 비교 – 당신이 원하는 것을 할 것입니다 >, <, <=또는 >=.

==, !=, ===, 및 !==연산자를 사용하는 데 필요한 date.getTime()같이

var d1 = new Date();
var d2 = new Date(d1);
var same = d1.getTime() === d2.getTime();
var notSame = d1.getTime() !== d2.getTime();

날짜 개체와 직접 동등성을 확인하는 것이 명확하지 않습니다.

var d1 = new Date();
var d2 = new Date(d1);

console.log(d1 == d2);   // prints false (wrong!) 
console.log(d1 === d2);  // prints false (wrong!)
console.log(d1 != d2);   // prints true  (wrong!)
console.log(d1 !== d2);  // prints true  (wrong!)
console.log(d1.getTime() === d2.getTime()); // prints true (correct)

그러나 입력 유효성 검사 지옥에서 자신을 찾을 수 없도록 텍스트 상자 대신 드롭 다운 또는 유사한 제한된 형식의 날짜 항목을 사용하는 것이 좋습니다.


답변

자바 스크립트에서 날짜를 비교하는 가장 쉬운 방법은 먼저 날짜를 Date 객체로 변환 한 다음이 날짜 객체를 비교하는 것입니다.

아래에는 세 가지 기능이있는 객체가 있습니다.

  • 날짜 비교 (a, b)

    숫자를 반환합니다 :

    • a <b 인 경우 -1
    • a = b이면 0
    • a> b 인 경우 1
    • a 또는 b가 불법 날짜 인 경우 NaN
  • dates.inRange (d, 시작, 종료)

    부울 또는 NaN을 반환합니다.

    • 만약에 사실 이라면d시작 사이에 (포함)
    • 그릇된d시작 전 이나 끝인 경우 입니다.
    • 하나 이상의 날짜가 불법 인 경우 NaN
  • 날짜. 변환

    다른 함수에서 입력을 날짜 객체로 변환하는 데 사용됩니다. 입력은

    • 날짜 -object은 : 입력은있는 그대로 반환됩니다.
    • 배열 : 년, 월, 일]로 해석. 참고 월은 0-11입니다.
    • 번호 : 1970년 1월 1일 (타임 스탬프) 이후의 밀리 초 수로 해석
    • 문자열 : 몇 가지 다른 포맷 등 “YYYY / MM / DD”, “MM / DD / YYYY”, “2009년 1월 31일”처럼 지원
    • 객체 : 년, 월, 날짜 속성을 가진 개체로 해석. 참고 월은 0-11입니다.

.

// Source: http://stackoverflow.com/questions/497790
var dates = {
    convert:function(d) {
        // Converts the date in d to a date-object. The input can be:
        //   a date object: returned without modification
        //  an array      : Interpreted as [year,month,day]. NOTE: month is 0-11.
        //   a number     : Interpreted as number of milliseconds
        //                  since 1 Jan 1970 (a timestamp) 
        //   a string     : Any format supported by the javascript engine, like
        //                  "YYYY/MM/DD", "MM/DD/YYYY", "Jan 31 2009" etc.
        //  an object     : Interpreted as an object with year, month and date
        //                  attributes.  **NOTE** month is 0-11.
        return (
            d.constructor === Date ? d :
            d.constructor === Array ? new Date(d[0],d[1],d[2]) :
            d.constructor === Number ? new Date(d) :
            d.constructor === String ? new Date(d) :
            typeof d === "object" ? new Date(d.year,d.month,d.date) :
            NaN
        );
    },
    compare:function(a,b) {
        // Compare two dates (could be of any type supported by the convert
        // function above) and returns:
        //  -1 : if a < b
        //   0 : if a = b
        //   1 : if a > b
        // NaN : if a or b is an illegal date
        // NOTE: The code inside isFinite does an assignment (=).
        return (
            isFinite(a=this.convert(a).valueOf()) &&
            isFinite(b=this.convert(b).valueOf()) ?
            (a>b)-(a<b) :
            NaN
        );
    },
    inRange:function(d,start,end) {
        // Checks if date in d is between dates in start and end.
        // Returns a boolean or NaN:
        //    true  : if d is between start and end (inclusive)
        //    false : if d is before start or after end
        //    NaN   : if one or more of the dates is illegal.
        // NOTE: The code inside isFinite does an assignment (=).
       return (
            isFinite(d=this.convert(d).valueOf()) &&
            isFinite(start=this.convert(start).valueOf()) &&
            isFinite(end=this.convert(end).valueOf()) ?
            start <= d && d <= end :
            NaN
        );
    }
}


답변

평소 <>같이 비교 하지만 접두사를 =사용해야 +합니다. 이렇게 :

var x = new Date('2013-05-23');
var y = new Date('2013-05-23');

// less than, greater than is fine:
x < y; => false
x > y; => false
x === y; => false, oops!

// anything involving '=' should use the '+' prefix
// it will then compare the dates' millisecond values
+x <= +y;  => true
+x >= +y;  => true
+x === +y; => true

도움이 되었기를 바랍니다!


답변

관계 연산자 < <= > >=를 사용하여 JavaScript 날짜를 비교할 수 있습니다.

var d1 = new Date(2013, 0, 1);
var d2 = new Date(2013, 0, 2);
d1 <  d2; // true
d1 <= d2; // true
d1 >  d2; // false
d1 >= d2; // false

그러나 항등 연산자 == != === !==는 다음과 같은 이유로 날짜 값을 비교하는 데 사용할 수 없습니다 .

  • 엄격하거나 추상적 인 비교를 위해 두 개의 별개의 객체가 동일하지 않습니다.
  • 피연산자가 동일한 객체를 참조하는 경우에만 객체를 비교하는 표현식이 참입니다.

다음 방법 중 하나를 사용하여 평등 날짜 값을 비교할 수 있습니다.

var d1 = new Date(2013, 0, 1);
var d2 = new Date(2013, 0, 1);
/*
 * note: d1 == d2 returns false as described above
 */
d1.getTime() == d2.getTime(); // true
d1.valueOf() == d2.valueOf(); // true
Number(d1)   == Number(d2);   // true
+d1          == +d2;          // true

모두 Date.getTime()Date.valueOf()1970 년 1 월 1 일 00:00 (UTC)부터 (밀리 초)을 반환합니다. Number함수와 단항 +연산자는 모두 valueOf()뒤에서 메소드를 호출합니다 .


답변

지금까지 가장 쉬운 방법은 한 날짜를 다른 날짜에서 빼고 결과를 비교하는 것입니다.

var oDateOne = new Date();
var oDateTwo = new Date();

alert(oDateOne - oDateTwo === 0);
alert(oDateOne - oDateTwo < 0);
alert(oDateOne - oDateTwo > 0);


답변

JavaScript에서 날짜 를 비교하는 것은 매우 쉽습니다 … JavaScript에는 날짜에 대한 비교 시스템 이 내장 되어 있습니다 를 되어있어 비교하기가 쉽습니다 …

두 날짜 값을 비교하려면 다음 단계를 따르십시오. 예를 들어 각각 날짜 값이있는 2 개의 입력이 있습니다. String 비교할 수 있습니다 …

1. 입력에서 얻은 2 개의 문자열 값이 있으며 비교하려는 경우 다음과 같습니다.

var date1 = '01/12/2018';
var date2 = '12/12/2018';

2.Date Object 날짜 값으로 비교 해야 하므로 간단히 new Date()설명하기 위해을 사용하여 날짜로 변환하면됩니다. 설명을 간단하게하기 위해 다시 할당하지만 원하는대로 할 수 있습니다.

date1 = new Date(date1);
date2 = new Date(date2);

3. 이제 단순히> < >= <=

date1 > date2;  //false
date1 < date2;  //true
date1 >= date2; //false
date1 <= date2; //true

자바 스크립트에서 날짜를 비교


답변

요일 만 비교 (시간 구성 요소 무시) :

Date.prototype.sameDay = function(d) {
  return this.getFullYear() === d.getFullYear()
    && this.getDate() === d.getDate()
    && this.getMonth() === d.getMonth();
}

용법:

if(date1.sameDay(date2)) {
    // highlight day on calendar or something else clever
}