| 123456789101112131415161718192021222324252627282930313233343536373839 | // 时间戳转换为年月日时分秒export const timesTampChange = (timestamp, format = 'Y-M-D h:m:s') => {  if (!timestamp) return ''  const date = new Date(timestamp)  const Y = date.getFullYear().toString()  const M = (date.getMonth() + 1).toString().padStart(2, '0')  const D = date.getDate().toString().padStart(2, '0')  const h = date.getHours().toString().padStart(2, '0')  const m = date.getMinutes().toString().padStart(2, '0')  const s = date.getSeconds().toString().padStart(2, '0')  const formatter = { 'Y': Y, 'M': M, 'D': D, 'h': h, 'm': m, 's': s } // 替换format中的占位符  let formattedDate = format.replace(/Y|M|D|h|m|s/g, matched => formatter[matched]) // 使用正则表达式匹配并替换占位符    if (!formattedDate) formattedDate = Y + '-' + M + '-' + D + ' ' + h + ':' + m + ':' + s  return formattedDate}// 根据生日时间戳计算年龄export const getAgeByBirthdayTimestamp = (timestamp) => {  const now = new Date()  const birthday = new Date(timestamp)  const age = now.getFullYear() - birthday.getFullYear()  return age}// 将YYYY-MM转换为时间戳export const convertYearMonthToTimestamp = (yearMonth) => {    const regex = /^\d{4}-\d{2}$/  if (!regex.test(yearMonth)) {      throw new Error("Invalid input format. Expected 'YYYY-MM'.")  }  const [year, month] = yearMonth.split('-').map(Number)  const date = new Date(Date.UTC(year, month - 1, 1))  const timestamp = date.getTime()  return timestamp  }
 |