使用 JavaScript 比较两个日期
2022-08-29 21:52:58
有人可以建议一种方法来比较过去使用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.getTime()
文档:
返回指定日期的数值,作为自 1970 年 1 月 1 日 00:00:00 UTC 以来的毫秒数。(返回以前时间的负值。
在javascript中比较日期的最简单方法是首先将其转换为Date对象,然后比较这些日期对象。
下面你找到一个具有三个函数的对象:
dates.compare(a,b)
返回一个数字:
dates.inRange (d,start, end)
返回布尔值或 NaN:
日期.转换
由其他函数用于将其输入转换为日期对象。输入可以是
.
// 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
);
}
}