根据当前时间查当前周和月
例如:当前时间 2024-05-11
查询当前周
MM-DD月日形式
typescript
function getCurrentWeekDates() {
const today = new Date();
const dayOfWeek = today.getDay(); // 0表示星期日,1表示星期一,以此类推
const diffToMonday = today.getDate() - dayOfWeek + (dayOfWeek === 0 ? -6 : 1); // 计算到本周星期一的天数偏移量
const monday = new Date(today.setDate(diffToMonday)); // 本周星期一的日期
const weekDates = [];
for (let i = 0; i < 7; i++) {
const date = new Date(monday);
date.setDate(monday.getDate() + i);
const formattedDate = `${(date.getMonth() + 1).toString().padStart(2, '0')}-${date.getDate().toString().padStart(2, '0')}`;
weekDates.push(formattedDate); // 存储日期的字符串形式(MM-DD)
}
return weekDates;
}
// 测试函数
const currentWeekDates = getCurrentWeekDates();
console.log(currentWeekDates);
YYYY-MM-DD年月日形式
typescript
function getCurrentWeekDates() {
const today = new Date();
const dayOfWeek = today.getDay(); // 0表示星期日,1表示星期一,以此类推
const diffToMonday = today.getDate() - dayOfWeek + (dayOfWeek === 0 ? -6 : 1); // 计算到本周星期一的天数偏移量
const monday = new Date(today.setDate(diffToMonday)); // 本周星期一的日期
const weekDates = [];
for (let i = 0; i < 7; i++) {
const date = new Date(monday);
date.setDate(monday.getDate() + i);
weekDates.push(date.toISOString().slice(0, 10)); // 存储日期的字符串形式(YYYY-MM-DD)
}
return weekDates;
}
// 测试函数
const currentWeekDates = getCurrentWeekDates();
console.log(currentWeekDates);
查询当前月
MM-DD月日形式
typescript
function getCurrentMonthDates() {
const today = new Date();
const year = today.getFullYear();
const month = today.getMonth();
const firstDayOfMonth = new Date(year, month, 1);
const lastDayOfMonth = new Date(year, month + 1, 0);
const monthDates = [];
for (let i = 0; i < lastDayOfMonth.getDate(); i++) {
const date = new Date(year, month, i + 1);
const formattedDate = `${(date.getMonth() + 1).toString().padStart(2, '0')}-${(date.getDate()).toString().padStart(2, '0')}`;
monthDates.push(formattedDate); // 存储日期的字符串形式(MM-DD)
}
return monthDates;
}
// 测试函数
const currentMonthDates = getCurrentMonthDates();
console.log(currentMonthDates);