有人可以建议使用JavaScript比较两个日期的值大于,小于和过去的值吗?值将来自文本框。
答案 0 :(得分:1853)
Date object会按照您的意愿行事 - 为每个日期构建一个,然后使用>
,<
,<=
或>=
进行比较。
==
,!=
,===
和!==
运算符要求您使用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)
我建议您使用下拉菜单或类似约束形式的日期条目而不是文本框,但是,以免您发现自己处于输入验证地狱。
答案 1 :(得分:394)
比较javascript中日期的最简单方法是首先将其转换为Date对象,然后比较这些日期对象。
下面是一个有三个功能的对象:
<强> dates.compare(A,B)强>
返回一个数字:
dates.inRange (d,开始,结束)
返回布尔值或NaN:
<强> dates.convert 强>
其他函数用于将其输入转换为日期对象。输入可以是
// 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
);
}
}
答案 2 :(得分:247)
像往常一样比较<
和>
,但涉及=
的任何内容都应使用+
前缀。像这样:
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
希望这有帮助!
答案 3 :(得分:135)
关系运算符<
<=
>
>=
可用于比较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
但是,等值运算符==
!=
===
!==
不能用于比较日期because(的值):
- 对于严格或抽象的比较,两个不同的对象永远不会相等。
- 如果操作数引用相同的对象,则仅比较对象的表达式。
您可以使用以下任何方法比较相等日期的值:
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()
方法。
答案 4 :(得分:72)
到目前为止,最简单的方法是从另一个中减去一个日期并比较结果。
var oDateOne = new Date();
var oDateTwo = new Date();
alert(oDateOne - oDateTwo === 0);
alert(oDateOne - oDateTwo < 0);
alert(oDateOne - oDateTwo > 0);
答案 5 :(得分:53)
在JavaScript中比较日期非常简单... JavaScript具有日期的内置比较系统,这使得它很容易实现比较...
只需按照以下步骤比较2个日期值,例如您有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
答案 6 :(得分:32)
仅比较日期(忽略时间成分):
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
}
答案 7 :(得分:29)
什么格式?
如果你构建一个Javascript Date object,你可以减去它们以获得毫秒的差异(编辑:或者只是比较它们):
js>t1 = new Date()
Thu Jan 29 2009 14:19:28 GMT-0500 (Eastern Standard Time)
js>t2 = new Date()
Thu Jan 29 2009 14:19:31 GMT-0500 (Eastern Standard Time)
js>t2-t1
2672
js>t3 = new Date('2009 Jan 1')
Thu Jan 01 2009 00:00:00 GMT-0500 (Eastern Standard Time)
js>t1-t3
2470768442
js>t1>t3
true
答案 8 :(得分:15)
您使用此代码,
var firstValue = "2012-05-12".split('-');
var secondValue = "2014-07-12".split('-');
var firstDate=new Date();
firstDate.setFullYear(firstValue[0],(firstValue[1] - 1 ),firstValue[2]);
var secondDate=new Date();
secondDate.setFullYear(secondValue[0],(secondValue[1] - 1 ),secondValue[2]);
if (firstDate > secondDate)
{
alert("First Date is greater than Second Date");
}
else
{
alert("Second Date is greater than First Date");
}
答案 9 :(得分:14)
简短回答
如果from dateTime&gt;这是一个返回{boolean}的函数。到dateTime Demo in action
var from = '08/19/2013 00:00'
var to = '08/12/2013 00:00 '
function isFromBiggerThanTo(dtmfrom, dtmto){
return new Date(dtmfrom).getTime() >= new Date(dtmto).getTime() ;
}
console.log(isFromBiggerThanTo(from, to)); //true
<强>解释强>
var date_one = '2013-07-29 01:50:00',
date_two = '2013-07-29 02:50:00';
//getTime() returns the number of milliseconds since 01.01.1970.
var timeStamp_date_one = new Date(date_one).getTime() ; //1375077000000
console.log(typeof timeStamp_date_one);//number
var timeStamp_date_two = new Date(date_two).getTime() ;//1375080600000
console.log(typeof timeStamp_date_two);//number
因为您现在同时拥有数字类型的日期时间 您可以将它们与任何比较操作进行比较
(&gt;,&lt;,=,!=,==,!==,&gt; = AND&lt; =)
,然后强>
如果您熟悉C#
自定义日期和时间格式字符串,则此库应该完全相同,并帮助您格式化日期和时间dtmFRM,无论您是传递日期时间字符串还是unix格式
<强>用法强>
var myDateTime = new dtmFRM();
alert(myDateTime.ToString(1375077000000, "MM/dd/yyyy hh:mm:ss ampm"));
//07/29/2013 01:50:00 AM
alert(myDateTime.ToString(1375077000000,"the year is yyyy and the day is dddd"));
//this year is 2013 and the day is Monday
alert(myDateTime.ToString('1/21/2014', "this month is MMMM and the day is dd"));
//this month is january and the day is 21
您要做的就是在库js
文件
答案 10 :(得分:13)
var date = new Date(); // will give you todays date.
// following calls, will let you set new dates.
setDate()
setFullYear()
setHours()
setMilliseconds()
setMinutes()
setMonth()
setSeconds()
setTime()
var yesterday = new Date();
yesterday.setDate(...date info here);
if(date>yesterday) // will compare dates
答案 11 :(得分:13)
function datesEqual(a, b)
{
return (!(a>b || b>a))
}
答案 12 :(得分:12)
注意 - 仅比较日期部分:
当我们在javascript中比较两个日期时。它还需要几小时,几分钟和几秒钟。所以如果我们只需要比较日期,这就是方法:
var date1= new Date("01/01/2014").setHours(0,0,0,0);
var date2= new Date("01/01/2014").setHours(0,0,0,0);
现在:if date1.valueOf()> date2.valueOf()
将像魅力一样发挥作用。
答案 13 :(得分:11)
只是为许多现有选项添加另一种可能性,您可以尝试:
if (date1.valueOf()==date2.valueOf()) .....
......这似乎对我有用。当然,你必须确保两个日期都没有定义......
if ((date1?date1.valueOf():0)==(date2?date2.valueOf():0) .....
通过这种方式,我们可以确保如果两者都未定义,则进行正比较,或者......
if ((date1?date1.valueOf():0)==(date2?date2.valueOf():-1) .....
......如果你希望他们不平等。
答案 14 :(得分:10)
Jsfiddle:http://jsfiddle.net/guhokemk/1/
function compare(dateTimeA, dateTimeB) {
var momentA = moment(dateTimeA,"DD/MM/YYYY");
var momentB = moment(dateTimeB,"DD/MM/YYYY");
if (momentA > momentB) return 1;
else if (momentA < momentB) return -1;
else return 0;
}
alert(compare("11/07/2015", "10/07/2015"));
如果dateTimeA
大于dateTimeB
如果dateTimeA
等于dateTimeB
如果dateTimeA
小于dateTimeB
答案 15 :(得分:8)
To compare two date we can use date.js JavaScript library which can be found at : https://code.google.com/archive/p/datejs/downloads
and use the Date.compare( Date date1, Date date2 )
method and it return a number which mean the following result:
-1 = date1 is lessthan date2.
0 = values are equal.
1 = date1 is greaterthan date2.
答案 16 :(得分:8)
请注意时区
javascript日期没有时区概念。它是一个时刻(自纪元以来的嘀嗒声),具有便捷的功能,用于在&#34; local&#34;中进行字符串的转换。时区。如果你想使用日期对象处理日期,就像这里的每个人一样,你希望你的日期代表相关日期开始时的UTC午夜。这是一个常见且必要的约定无论季节或时区如何,您都可以使用日期。因此,您需要非常警惕地管理时区的概念,尤其是在创建午夜UTC日期对象时。
大多数情况下,您希望日期反映用户的时区。 点击今天是你的生日。新西兰和美国的用户同时点击并获得不同的日期。在这种情况下,这样做......
// create a date (utc midnight) reflecting the value of myDate and the environment's timezone offset.
new Date(Date.UTC(myDate.getFullYear(),myDate.getMonth(), myDate.getDate()));
有时,国际可比性超过了当地的准确性。在这种情况下,这样做......
// the date in London of a moment in time. Device timezone is ignored.
new Date(Date.UTC(myDate.getUTCYear(), myDate.getyUTCMonth(), myDate.getUTCDate()));
现在,您可以直接比较日期对象,如其他答案所示。
在创建时注意管理时区,还需要确保在转换回字符串表示时保留时区。 所以你可以安全地使用......
toISOString()
getUTCxxx()
getTime() //returns a number with no time or timezone.
.toLocaleDateString("fr",{timezone:"UTC"}) // whatever locale you want, but ALWAYS UTC.
完全避免其他一切,尤其是......
getYear()
,getMonth()
,getDate()
答案 17 :(得分:7)
减去两个日期得到毫秒差异,如果得到0
它是相同的日期
function areSameDate(d1, d2){
return d1 - d2 === 0
}
答案 18 :(得分:7)
为了在Javascript中从自由文本创建日期,您需要将其解析为Date()对象。
您可以使用Date.parse()获取自由文本尝试将其转换为新日期但如果您可以控制页面,我建议使用HTML选择框或日期选择器,例如{{3} }或YUI calendar control。
一旦你有其他人指出的日期,你可以使用简单的算法来减去日期,并通过将数字(以秒为单位)除以一天中的秒数(60)将其转换回数天。 * 60 * 24 = 86400)。
答案 19 :(得分:7)
假设您获得了日期对象A和B,获取了他们的EPOCH时间值,然后减去以毫秒为单位获得差异。
var diff = +A - +B;
就是这样。
答案 20 :(得分:6)
var date_today=new Date();
var formated_date = formatDate(date_today);//Calling formatDate Function
var input_date="2015/04/22 11:12 AM";
var currentDateTime = new Date(Date.parse(formated_date));
var inputDateTime = new Date(Date.parse(input_date));
if (inputDateTime <= currentDateTime){
//Do something...
}
function formatDate(date) {
var hours = date.getHours();
var minutes = date.getMinutes();
var ampm = hours >= 12 ? 'PM' : 'AM';
hours = hours % 12;
hours = hours ? hours : 12; // the hour '0' should be '12'
hours = hours < 10 ? '0'+hours : hours ;
minutes = minutes < 10 ? '0'+minutes : minutes;
var strTime = hours+":"+minutes+ ' ' + ampm;
return date.getFullYear()+ "/" + ((date.getMonth()+1) < 10 ? "0"+(date.getMonth()+1) :
(date.getMonth()+1) ) + "/" + (date.getDate() < 10 ? "0"+date.getDate() :
date.getDate()) + " " + strTime;
}
答案 21 :(得分:5)
我通常将Dates
存储为数据库中的timestamps(Number)
。
当我需要比较时,我只是比较这些时间戳或
将其转换为Date Object,然后根据需要与> <
进行比较。
请注意,除非您的变量是同一日期对象的引用,否则==或===无法正常工作。
首先将这些Date对象转换为时间戳(数字),然后比较它们的相等性。
var timestamp_1970 = new Date(0).getTime(); // 1970-01-01 00:00:00
var timestamp = new Date().getTime(); // Current Timestamp
var timestamp = 0; // 1970-01-01 00:00:00
var DateObject = new Date(timestamp);
答案 22 :(得分:5)
今天2020.02.27我在MacOs High Sierra v10.13.6上的Chrome v80.0,Safari v13.0.5和Firefox 73.0.1上执行所选解决方案的测试
map.setOnMapLoadedCallback(GoogleMap.OnMapLoadedCallback {
Log.e(tag, "setOnMapLoadedCallback")
//set camera bounds
map.moveCamera(CameraUpdateFactory.newLatLngBounds(bounds, 100))
})
map.setOnCameraIdleListener {
//create snapshot
Log.e(tag, "setOnCameraIdleListener")
}
(D)和d1==d2
(E)对于所有浏览器来说都是最快的d1===d2
(A)比getTime
(B)快(均为中等快)下面提供了性能测试中使用的片段解决方案。您可以在计算机HERE
中执行测试
valueOf
function A(d1,d2) {
return d1.getTime() == d2.getTime();
}
function B(d1,d2) {
return d1.valueOf() == d2.valueOf();
}
function C(d1,d2) {
return Number(d1) == Number(d2);
}
function D(d1,d2) {
return d1 == d2;
}
function E(d1,d2) {
return d1 === d2;
}
function F(d1,d2) {
return (!(d1>d2 || d2>d1));
}
function G(d1,d2) {
return d1*1 == d2*1;
}
function H(d1,d2) {
return +d1 == +d2;
}
function I(d1,d2) {
return !(+d1 - +d2);
}
function J(d1,d2) {
return !(d1 - d2);
}
function K(d1,d2) {
return d1 - d2 == 0;
}
function L(d1,d2) {
return !((d1>d2)-(d1<d2));
}
function M(d1,d2) {
return d1.getFullYear() === d2.getFullYear()
&& d1.getDate() === d2.getDate()
&& d1.getMonth() === d2.getMonth();
}
function N(d1,d2) {
return (isFinite(d1.valueOf()) && isFinite(d2.valueOf()) ? !((d1>d2)-(d1<d2)) : false );
}
// TEST
let past= new Date('2002-12-24'); // past
let now= new Date('2020-02-26'); // now
console.log('Code d1>d2 d1<d2 d1=d2')
var log = (l,f) => console.log(`${l} ${f(now,past)} ${f(past,now)} ${f(now,now)}`);
log('A',A);
log('B',B);
log('C',C);
log('D',D);
log('E',E);
log('G',G);
log('H',H);
log('I',I);
log('J',J);
log('K',K);
log('L',L);
log('M',M);
log('N',N);
p {color: red}
chrome的结果
答案 23 :(得分:5)
“some”
发布的代码的改进版本/* Compare the current date against another date.
*
* @param b {Date} the other date
* @returns -1 : if this < b
* 0 : if this === b
* 1 : if this > b
* NaN : if a or b is an illegal date
*/
Date.prototype.compare = function(b) {
if (b.constructor !== Date) {
throw "invalid_date";
}
return (isFinite(this.valueOf()) && isFinite(b.valueOf()) ?
(this>b)-(this<b) : NaN
);
};
用法:
var a = new Date(2011, 1-1, 1);
var b = new Date(2011, 1-1, 1);
var c = new Date(2011, 1-1, 31);
var d = new Date(2011, 1-1, 31);
assertEquals( 0, a.compare(b));
assertEquals( 0, b.compare(a));
assertEquals(-1, a.compare(c));
assertEquals( 1, c.compare(a));
答案 24 :(得分:4)
如果以下是您的日期格式,您可以使用以下代码:
var first = '2012-11-21';
var second = '2012-11-03';
if(parseInt(first.replace(/-/g,""),10) > parseInt(second.replace(/-/g,""),10)){
//...
}
它会检查20121121
号码是否大于20121103
。
答案 25 :(得分:2)
在比较Dates
对象之前,请尝试将它们的毫秒数设置为零,如Date.setMilliseconds(0);
。
在javascript中动态创建Date
对象的某些情况下,如果继续打印Date.getTime()
,您将看到毫秒更改,这将阻止两个日期相等。
答案 26 :(得分:1)
以上给出的所有答案只能解决一件事:比较两个日期。
实际上,它们似乎是问题的答案,但是缺少了很大一部分:
如果我想检查一个人是否已满18岁怎么办?
很遗憾,上述给出的答案中没有一个能够回答该问题。
例如,当前时间(大约是我开始键入这些单词的时间)是2020年1月31日星期五格林尼治标准时间0600(中央标准时间),而客户输入的生日为“ 2002年1月31日”。
如果我们使用“ 365天/年” ,即“ 31536000000” 毫秒,则会得到以下结果:
let currentTime = new Date();
let customerTime = new Date(2002, 1, 31);
let age = (currentTime.getTime() - customerTime.getTime()) / 31536000000
console.log("age: ", age);
,并显示以下内容:
age: 17.92724710838407
但是合法,该客户已经18岁了。即使他输入“ 01/30/2002”,结果仍然是
age: 17.930039743467784
小于18。系统将报告“未满年龄”错误。
这只会继续执行“ 01/29/2002”,“ 01/28/2002”,“ 01/27/2002” ...“ 01/05/2002”, UNTIL “ 2002年4月1日”。
像这样的系统只会杀死所有在18岁0天和18岁26天之间出生的客户,因为他们合法为18岁,而系统显示“未成年人”。
以下是对此类问题的解答:
invalidBirthDate: 'Invalid date. YEAR cannot be before 1900.',
invalidAge: 'Invalid age. AGE cannot be less than 18.',
public static birthDateValidator(control: any): any {
const val = control.value;
if (val != null) {
const slashSplit = val.split('-');
if (slashSplit.length === 3) {
const customerYear = parseInt(slashSplit[0], 10);
const customerMonth = parseInt(slashSplit[1], 10);
const customerDate = parseInt(slashSplit[2], 10);
if (customerYear < 1900) {
return { invalidBirthDate: true };
} else {
const currentTime = new Date();
const currentYear = currentTime.getFullYear();
const currentMonth = currentTime.getMonth() + 1;
const currentDate = currentTime.getDate();
if (currentYear - customerYear < 18) {
return { invalidAge: true };
} else if (
currentYear - customerYear === 18 &&
currentMonth - customerMonth < 0) {
return { invalidAge: true };
} else if (
currentYear - customerYear === 18 &&
currentMonth - customerMonth === 0 &&
currentDate - customerDate < 0) {
return { invalidAge: true };
} else {
return null;
}
}
}
}
}
答案 27 :(得分:1)
比较两个日期的另一种方法是通过toISOString()
方法。当与保持在字符串中的固定日期进行比较时,这尤其有用,因为您可以避免创建短期对象。凭借ISO 8601格式,您可以按字典顺序比较这些字符串(至少在您使用相同时区时)。
我不一定说它比使用时间对象或时间戳更好;只是提供这个作为另一种选择。如果这可能会失败,可能会出现边缘情况,但我还没有偶然发现它们:)
答案 28 :(得分:1)
假设您处理此2014[:-/.]06[:-/.]06
或此06[:-/.]06[:-/.]2014
日期格式,那么您可以通过这种方式比较日期
var a = '2014.06/07', b = '2014-06.07', c = '07-06/2014', d = '07/06.2014';
parseInt(a.replace(/[:\s\/\.-]/g, '')) == parseInt(b.replace(/[:\s\/\.-]/g, '')); // true
parseInt(c.replace(/[:\s\/\.-]/g, '')) == parseInt(d.replace(/[:\s\/\.-]/g, '')); // true
parseInt(a.replace(/[:\s\/\.-]/g, '')) < parseInt(b.replace(/[:\s\/\.-]/g, '')); // false
parseInt(c.replace(/[:\s\/\.-]/g, '')) > parseInt(d.replace(/[:\s\/\.-]/g, '')); // false
如您所见,我们剥离分隔符然后比较整数。
答案 29 :(得分:1)
您好我的代码是比较日期。在我的情况下,我正在检查不允许选择过去的日期。
var myPickupDate = <pick up date> ;
var isPastPickupDateSelected = false;
var currentDate = new Date();
if(currentDate.getFullYear() <= myPickupDate.getFullYear()){
if(currentDate.getMonth()+1 <= myPickupDate.getMonth()+1 || currentDate.getFullYear() < myPickupDate.getFullYear()){
if(currentDate.getDate() <= myPickupDate.getDate() || currentDate.getMonth()+1 < myPickupDate.getMonth()+1 || currentDate.getFullYear() < myPickupDate.getFullYear()){
isPastPickupDateSelected = false;
return;
}
}
}
console.log("cannot select past pickup date");
isPastPickupDateSelected = true;
答案 30 :(得分:1)
以下是我在其中一个项目中所做的事情,
function CompareDate(tform){
var startDate = new Date(document.getElementById("START_DATE").value.substring(0,10));
var endDate = new Date(document.getElementById("END_DATE").value.substring(0,10));
if(tform.START_DATE.value!=""){
var estStartDate = tform.START_DATE.value;
//format for Oracle
tform.START_DATE.value = estStartDate + " 00:00:00";
}
if(tform.END_DATE.value!=""){
var estEndDate = tform.END_DATE.value;
//format for Oracle
tform.END_DATE.value = estEndDate + " 00:00:00";
}
if(endDate <= startDate){
alert("End date cannot be smaller than or equal to Start date, please review you selection.");
tform.START_DATE.value = document.getElementById("START_DATE").value.substring(0,10);
tform.END_DATE.value = document.getElementById("END_DATE").value.substring(0,10);
return false;
}
}
在onsubmit上的表单上调用它。 希望这有帮助。
答案 31 :(得分:1)
var curDate=new Date();
var startDate=document.forms[0].m_strStartDate;
var endDate=document.forms[0].m_strEndDate;
var startDateVal=startDate.value.split('-');
var endDateVal=endDate.value.split('-');
var firstDate=new Date();
firstDate.setFullYear(startDateVal[2], (startDateVal[1] - 1), startDateVal[0]);
var secondDate=new Date();
secondDate.setFullYear(endDateVal[2], (endDateVal[1] - 1), endDateVal[0]);
if(firstDate > curDate) {
alert("Start date cannot be greater than current date!");
return false;
}
if (firstDate > secondDate) {
alert("Start date cannot be greater!");
return false;
}
答案 32 :(得分:1)
from_date ='10-07-2012';
to_date = '05-05-2012';
var fromdate = from_date.split('-');
from_date = new Date();
from_date.setFullYear(fromdate[2],fromdate[1]-1,fromdate[0]);
var todate = to_date.split('-');
to_date = new Date();
to_date.setFullYear(todate[2],todate[1]-1,todate[0]);
if (from_date > to_date )
{
alert("Invalid Date Range!\nStart Date cannot be after End Date!")
return false;
}
使用此代码使用javascript比较日期。
由于 D.Jeeva
答案 33 :(得分:0)
您可以将日期比较为最简单易懂的方式。
<input type="date" id="getdate1" />
<input type="date" id="getdate2" />
假设您有两个日期输入要比较它们。
首先编写一个通用的方法来解析日期。
<script type="text/javascript">
function parseDate(input) {
var datecomp= input.split('.'); //if date format 21.09.2017
var tparts=timecomp.split(':');//if time also giving
return new Date(dparts[2], dparts[1]-1, dparts[0], tparts[0], tparts[1]);
// here new date( year, month, date,)
}
</script>
parseDate()是解析日期的make常用方法。 现在你可以检查你的日期=,&gt; ,&LT;任何类型的比较
<script type="text/javascript">
$(document).ready(function(){
//parseDate(pass in this method date);
Var Date1=parseDate($("#getdate1").val());
Var Date2=parseDate($("#getdate2").val());
//use any oe < or > or = as per ur requirment
if(Date1 = Date2){
return false; //or your code {}
}
});
</script>
当然,这段代码可以帮到你。
答案 34 :(得分:0)
简单的方法是,
var first = '2012-11-21';
var second = '2012-11-03';
if (new Date(first) > new Date(second) {
.....
}
答案 35 :(得分:0)
使用 isBefore() 方法检查一个日期是否在另一个日期之前。
时刻('2020-01-20').isBefore('2020-01-21'); // 真
时刻('2020-01-20').isBefore('2020-01-19'); // 假
使用 isSame() 方法检查一个日期是否与另一个日期相同
时刻('2020-01-20').isSame('2020-01-21'); // 假
时刻('2020-01-20').isSame('2020-01-20'); // 真
答案 36 :(得分:0)
function compare_date(date1, date2){
const x = new Date(date1)
const y = new Date(date2)
function checkyear(x, y){
if(x.getFullYear()>y.getFullYear()){
return "Date1 > Date2"
}
else if(x.getFullYear()<y.getFullYear()){
return "Date2 > Date1"
}
else{
return checkmonth(x, y)
}
}
function checkmonth(x, y){
if(x.getMonth()>y.getFullYear()){
return "Date1 > Date2"
}
else if(x.getMonth()<y.getMonth){
return "Date2 > Date1"
}
else {
return checkDate(x, y)
}
}
function checkDate(x, y){
if(x.getDate()>y.getFullYear()){
return "Date1 > Date2"
}
else if(x.getDate()<y.getDate()){
return "Date2 > Date1"
}
else {
return checkhour(x,y)
}
}
function checkhour(x, y){
if(x.getHours()>y.getHours()){
return "Date1 > Date2"
}
else if(x.getHours()<y.getHours()){
return "Date2 > Date1"
}
else {
return checkhmin(x,y)
}
}
function checkhmin(x,y){
if(x.getMinutes()>y.getMinutes()){
return "Date1 > Date2"
}
else if(x.getMinutes()<y.getMinutes()){
return "Date2 > Date1"
}
else {
return "Date1 = Date2"
}
}
return checkyear(x, y)
答案 37 :(得分:-1)
试试这个 比较日期应为iso格式“yyyy-MM-dd” 如果您只想比较日期,请使用此datehelper
<a href="https://plnkr.co/edit/9N8ZcC?p=preview"> Live Demo</a>
答案 38 :(得分:-2)
尝试使用此代码
var f =date1.split("/");
var t =date2.split("/");
var x =parseInt(f[2]+f[1]+f[0]);
var y =parseInt(t[2]+t[1]+t[0]);
if(x > y){
alert("date1 is after date2");
}
else if(x < y){
alert("date1 is before date2");
}
else{
alert("both date are same");
}
答案 39 :(得分:-2)
new Discord.Client()
如果两个日期相同,则返回TRUE,否则返回FALSE
If you are using **REACT OR REACT NATIVE**, use this and it will work (Working like charm)
答案 40 :(得分:-7)
日期比较:
var str1 = document.getElementById("Fromdate").value;
var str2 = document.getElementById("Todate").value;
var dt1 = parseInt(str1.substring(0,2),10);
var mon1 = parseInt(str1.substring(3,5),10);
var yr1 = parseInt(str1.substring(6,10),10);
var dt2 = parseInt(str2.substring(0,2),10);
var mon2 = parseInt(str2.substring(3,5),10);
var yr2 = parseInt(str2.substring(6,10),10);
var date1 = new Date(yr1, mon1, dt1);
var date2 = new Date(yr2, mon2, dt2);
if(date2 < date1)
{
alert("To date cannot be greater than from date");
return false;
}
else
{
alert("Submitting ...");
document.form1.submit();
}