我正在尝试检查当前过滤器对象是否属于日期范围,并根据数据返回布尔值,如果数据不在日期范围内,则应将其过滤掉。使用下面的代码,它总是返回数据。您知道实现此任务的错误或正确方法是什么吗?
main.ts
function mapResponse() {
const _startDate = "2018-12-15";
const _endDate = "2019-01-15";
_startDate = moment.utc(_startDate || twentyfourMonthsAgo, ["YYYY-MM-DD", "MM-DD-YYYY", "MM/DD/YYYY"]).format("YYYY-MM-DD");
_endDate = moment.utc(_endDate || today, ["YYYY-MM-DD", "MM-DD-YYYY", "MM/DD/YYYY"]).format("MM/DD/YYYY");
const response = [
{
rxNumber: "15139",
rxIssueDate: "",
fillDate: "2019-01-03",
quantityRemaining: "3",
prescribedNoOfRefills: "3",
currentFillNumber: "0"
},
{
rxNumber: "16131",
rxIssueDate: "",
fillDate: "2019-12-03",
quantityRemaining: "3",
prescribedNoOfRefills: "3",
currentFillNumber: "0"
}
]
response = response.filter(
function renameSpecialtyAttributesToPBM(specialtyRx: any) {
const mappedRx = specialtyRx as Partial < any > ;
const dateFilter = checkDateRange(_startDate, _endDate, specialtyRx.fillDate);
if (!dateFilter) {
return false;
}
mappedRx.fillDate = specialtyRx.fillDate;
mappedRx.refillEligible = !!mappedRx.refillStatusText;
mappedRx.renewEligible = !!specialtyRenewStatus;
return true;
});
}
return response;
}
checkDateRange.ts
function checkDateRange(startDate: any, endDate: any, fillDate: RxDetailsEntity): boolean {
if (fillDate > startDate && fillDate < endDate) {
return true;
}
return false;
}
mapResponse的预期输出应为
response = [
{
rxNumber: "15139",
rxIssueDate: "",
fillDate: "2019-01-03",
quantityRemaining: "3",
prescribedNoOfRefills: "3",
currentFillNumber: "0"
}]
答案 0 :(得分:1)
看起来您正在将字符串日期传递给检查日期函数,并将它们与小于/大于运算符进行比较,这就是问题所在。
Moment或较新的Luxon有比较实用的日期比较实用方法,但是如果您想以老式的方式进行比较,可以这样做:
checkDateRange(startDateString: string, endDateString: string, fillDateString: string): boolean {
const startDate = new Date(startDateString).getTime();
const endDate = new Date(endDateString).getTime();
const fillDate = new Date(fillDateString).getTime();
if (fillDate > startDate && fillDate < endDate) {
return true;
}
return false;
}
原生javascript getTime()
类的Date
方法返回自unix时代以来的日期的微秒。这样,您可以数字比较日期。
如果您已经有了时刻日期,则可以使用时刻的isBetween
方法:
const fillDate = moment(fillDateString).utc();
return fillDate.isBetween(_startDate, _endDate);
答案 1 :(得分:0)
将dateStrings转换为实际的date对象。然后在这些日期上执行getTime()
以获取Unix时间戳号。现在您应该能够计算出其中一个日期是否在开始日期和结束日期之间