我已经使用 Stack Overflow 几个月了,但这是我的第一篇文章。
我需要一个函数来将星期数和星期几转换为 dd/mm/yyyy 格式。
我必须使用的日期值格式为day/weekNumber
. 例如:3/43
转换为 20XX 年 10 月 24 日星期三。年份值将是当前年份。
日期值从 1(星期一)开始。
我在互联网上找到了很多功能(例如this、this和this)。有些适用于 ISO 8601 日期,我认为这对我不起作用。而且我还没有找到适合我的。
提前致谢,
3
因此,假设您分别拥有和的值43
,您可以在当年的第一天做一些简单的数学运算:
可能是这样的:
var currentDate = new Date();
var startOfYear = new Date(currentDate.getFullYear(), 0, 1);//note: months start at 0
var daysToAdd = (43 * 7) + 3;
//add days
startOfYear.setDate(startOfYear.getDate() + daysToAdd);
编辑
再想一想,我认为我对您的要求有误。看来您需要一周中的特定日期。检查这个以获得更好的解决方案。
问题是这一切都取决于你对一周的定义。今年从星期日开始,那么这是否意味着 02/01/2012(今年的第一个星期一)是第二周的开始?
我最新的例子会先查找指定周的开始,然后查找指定日的下一次出现
这个解决方案确实需要添加一个额外的库,但我认为这真的很值得。它是一个用于操作日期和时间的momentjs库。它得到积极维护,并且有很好的文档。一旦获得 day 和 weekNumber 的值(在我们的例子中为 3 和 43),您应该执行以下操作:
function formatInput(day, weekNumber){
var currentDate = moment(new Date()); // initialize moment to a current date
currentDate.startOf('year'); // set to Jan 1 12:00:00.000 pm this year
currentDate.add('w',weekNumber - 1); // add number of weeks to the beginning of the year (-1 because we are now at the 1st week)
currentDate.day(day); // set the day to the specified day, Monday being 1, Sunday 7
alert(currentDate.format("dddd, MMMM Do YYYY")); // return the formatted date string
return currentDate.format("dddd, MMMM Do YYYY");
}
我认为这个库以后可能对您有用,并且在日期和时间操作以及格式选项方面有很多可能性。还有一个为 momentjs 编写的很棒的文档。
根据 ISO 在处理星期日期时,星期从星期一开始,一年中的第一周包含一年中的第一个星期四。因此,对于 2012 年,第一周从 1 月 2 日星期一开始,2013 年的第一周将从 2012 年 12 月 31 日星期一开始。
因此,如果 3/43 是第 43 周的第三天(即 ISO 日期 2012-W43-3),则可以使用以下方法将其转换为日期对象:
function customWeekDateToDate(s) {
var d, n;
var bits = s.split('/');
// Calculate Monday of first week of year this year
d = new Date();
d = new Date(d.getFullYear(),0,1); // 1 jan this year
n = d.getDay();
d.setDate(d.getDate() + (-1 * n +( n<5? 1 : 8)));
// Add days
d.setDate(d.getDate() + --bits[0] + --bits[1] * 7);
return d;
}
console.log(customWeekDateToDate('3/43')); // 01 2012-10-24
请注意,这使用日期,否则夏令时转换可能会导致错误的日期。