vue各种时间类型转换

 时间范围['2024-04-17 14:36:27', '2024-04-24 14:36:27']

console.log(this.$getRecentDays()); 页面使用默认7天  也可以指定console.log(this.$getRecentDays(30));

['2024-04-17 14:36:27', '2024-04-24 14:36:27']  默认值

function getDateString (date, fmt = 'yyyy-MM-dd') {if (/(y+)/.test(fmt)) {fmt = fmt.replace(RegExp.$1,(date.getFullYear() + '').substr(4 - RegExp.$1.length))}let o = {'M+': date.getMonth() + 1,'d+': date.getDate(),'h+': date.getHours(),'m+': date.getMinutes(),'s+': date.getSeconds(),}for (let k in o) {if (new RegExp(`(${k})`).test(fmt)) {let str = o[k] + ''fmt = fmt.replace(RegExp.$1,RegExp.$1.length === 1 ? str : padLeftZero(str))}}return fmt
}
export function getRecentDays (duration = 7, fmt = 'yyyy-MM-dd hh:mm:ss') {let oneDayLong = 24 * 60 * 60 * 1000let nowTime = Date.now()let pre7DayTime = nowTime - duration * oneDayLonglet now = new Date(nowTime)let pre7Day = new Date(pre7DayTime)return [getDateString(pre7Day, fmt), getDateString(now, fmt)]
}

  开始时间结束时间['2024-04-17 00:00:00', '2024-04-24 23:59:59']

console.log(this.$todayTimer(30)); 也是可以自定义范围呢


export function todayTimer (duration = 7, fmt = 'yyyy-MM-dd') {let oneDayLong = 24 * 60 * 60 * 1000let nowTime = Date.now()let pre7DayTime = nowTime - duration * oneDayLonglet now = new Date(nowTime)let pre7Day = new Date(pre7DayTime)return [getDateString(pre7Day, fmt) + ' ' + '00:00:00',getDateString(now, fmt) + ' ' + '23:59:59',]
}

今年的起始时间 和结束时间 ['2024-01-01 00:00:00', '2024-12-31 23:59:59']

export function todayTimer (duration = 7, fmt = 'yyyy-MM-dd') {let oneDayLong = 24 * 60 * 60 * 1000let nowTime = Date.now()let pre7DayTime = nowTime - duration * oneDayLonglet now = new Date(nowTime)let pre7Day = new Date(pre7DayTime)return [getDateString(pre7Day, fmt) + ' ' + '00:00:00',getDateString(now, fmt) + ' ' + '23:59:59',]
}

 当月的开始结束时间 ['2024-04-01 00:00:00', '2024-04-30 23:59:59']

export function ofMonth () {const startOfMonth = moment().startOf('month').format('YYYY-MM-DD 00:00:00'); // 本月的起始时间const endOfMonth = moment().endOf('month').format('YYYY-MM-DD 23:59:59'); // 本月的结束时间return [startOfMonth, endOfMonth]
}

 最近几个月 ['2023-10-31 00:00:00', '2024-04-30 23:59:59']

最近几个月 ['2023-10-31 00:00:00', '2024-04-30 23:59:59']

 console.log(this.$recentMonths('month',6));

export function recentMonths (type, val) {const now = moment();if (type == 'day') {const startDate = now.clone().subtract(val - 1, 'days').startOf('day');const endDate = now.clone().endOf('day').hours(23).minutes(59).seconds(59);const dayRange = [startDate.format('YYYY-MM-DD HH:mm:ss'), endDate.format('YYYY-MM-DD HH:mm:ss')];return dayRange;}if (type == 'week') {const weeksAgo = now.clone().subtract(val - 1, 'weeks').startOf('isoWeek');const thisWeekEnd = now.clone().endOf('week').hours(23).minutes(59).seconds(59);const recentWeeksRange = [weeksAgo.format('YYYY-MM-DD HH:mm:ss'), thisWeekEnd.format('YYYY-MM-DD HH:mm:ss')];// console.log(recentWeeksRange);return recentWeeksRange;}if (type == 'month') {const sixMonthsAgo = now.clone().subtract(val, 'months').endOf('month').startOf('day');const thisMonthEnd = now.clone().endOf('month').hours(23).minutes(59).seconds(59);const recentSixMonthsRange = [sixMonthsAgo.format('YYYY-MM-DD HH:mm:ss'),thisMonthEnd.format('YYYY-MM-DD HH:mm:ss')]return recentSixMonthsRange}
}

各种时间类型就不一一列了    

下面是完整的js代码

import * as moment from 'moment';
moment.suppressDeprecationWarnings = true;
// 封装的 一些关于时间的方法
function random (low, high) {if (arguments.length === 1) {high = lowlow = 0}return Math.floor(low + Math.random() * (high - low))
}function randomOne (arr) {return arr[random(arr.length)]
}function getDateString (date, fmt = 'yyyy-MM-dd') {if (/(y+)/.test(fmt)) {fmt = fmt.replace(RegExp.$1,(date.getFullYear() + '').substr(4 - RegExp.$1.length))}let o = {'M+': date.getMonth() + 1,'d+': date.getDate(),'h+': date.getHours(),'m+': date.getMinutes(),'s+': date.getSeconds(),}for (let k in o) {if (new RegExp(`(${k})`).test(fmt)) {let str = o[k] + ''fmt = fmt.replace(RegExp.$1,RegExp.$1.length === 1 ? str : padLeftZero(str))}}return fmt
}function getDateStringCh (date) {if (!(date instanceof Date)) {return ''}let year = date.getFullYear()let month = date.getMonth() + 1let day = date.getDate()let hour = date.getHours()return `${year}年${month}月${day}日 ${hour}时`
}function getWeekStartDateAndEndDateRange () {let oneDayLong = 24 * 60 * 60 * 1000let now = new Date()let mondayTime = now.getTime() - (now.getDay() - 1) * oneDayLonglet sundayTime = now.getTime() + (7 - now.getDay()) * oneDayLonglet monday = new Date(mondayTime)let sunday = new Date(sundayTime)let weekRange = [getDateString(monday), getDateString(sunday)]return weekRange
}// ['2024-04-17 14:36:27', '2024-04-24 14:36:27']  默认值
// console.log(this.$getRecentDays()); 页面使用
export function getRecentDays (duration = 7, fmt = 'yyyy-MM-dd hh:mm:ss') {let oneDayLong = 24 * 60 * 60 * 1000let nowTime = Date.now()let pre7DayTime = nowTime - duration * oneDayLonglet now = new Date(nowTime)let pre7Day = new Date(pre7DayTime)return [getDateString(pre7Day, fmt), getDateString(now, fmt)]
}function getMonthStartDateAndDateRange () {let oneDayLong = 24 * 60 * 60 * 1000let now = new Date()let year = now.getFullYear()let monthStartDate = new Date(year, now.getMonth(), 1) //当前月1号let nextMonthStartDate = new Date(year, now.getMonth() + 1, 1) //下个月1号let days =(nextMonthStartDate.getTime() - monthStartDate.getTime()) / oneDayLong //计算当前月份的天数let monthEndDate = new Date(year, now.getMonth(), days)let monthRange = [getDateString(monthStartDate), getDateString(monthEndDate)]return monthRange
}function padLeftZero (str) {return ('00' + str).substr(str.length)
}function resetForm (refName) {this.$refs[refName] && this.$refs[refName].resetFields()
}export function debounce (func, wait, immediate) {let timeout, args, context, timestamp, resultconst later = function () {// 据上一次触发时间间隔const last = +new Date() - timestamp// 上次被包装函数被调用时间间隔 last 小于设定时间间隔 waitif (last < wait && last > 0) {timeout = setTimeout(later, wait - last)} else {timeout = null// 如果设定为immediate===true,因为开始边界已经调用过了此处无需调用if (!immediate) {result = func.apply(context, args)if (!timeout) context = args = null}}}return function (...args) {context = thistimestamp = +new Date()const callNow = immediate && !timeout// 如果延时不存在,重新设定延时if (!timeout) timeout = setTimeout(later, wait)if (callNow) {result = func.apply(context, args)context = args = null}return result}
}//  console.log(this.$randomUUID());
// 1713940662895.5952  数据数
function randomUUID () {return Date.now() + Math.random() + ''
}const resetTimer = (timer) => {if (timer) {clearTimeout(timer)timer = null}
}// ['2024-04-17 00:00:00', '2024-04-24 23:59:59']  开始时间结束时间
export function todayTimer (duration = 7, fmt = 'yyyy-MM-dd') {let oneDayLong = 24 * 60 * 60 * 1000let nowTime = Date.now()let pre7DayTime = nowTime - duration * oneDayLonglet now = new Date(nowTime)let pre7Day = new Date(pre7DayTime)return [getDateString(pre7Day, fmt) + ' ' + '00:00:00',getDateString(now, fmt) + ' ' + '23:59:59',]
}// 今年的起始时间 和结束时间 ['2024-01-01 00:00:00', '2024-12-31 23:59:59']
export function ofYear () {const startOfYear = moment().startOf('year').format('YYYY-MM-DD 00:00:00');const endOfYear = moment().endOf('year').format('YYYY-MM-DD 23:59:59');return [startOfYear, endOfYear]
}//  这个月的开始结束时间 ['2024-04-01 00:00:00', '2024-04-30 23:59:59']
export function ofMonth () {const startOfMonth = moment().startOf('month').format('YYYY-MM-DD 00:00:00'); // 本月的起始时间const endOfMonth = moment().endOf('month').format('YYYY-MM-DD 23:59:59'); // 本月的结束时间return [startOfMonth, endOfMonth]
}// 上传json;模板
export function funDownload (content, filename) {// 创建隐藏的可下载链接const eleLink = document.createElement('a')eleLink.download = filenameeleLink.style.display = 'none'// 字符内容转变成blob地址let blob = new Blob([content])eleLink.href = URL.createObjectURL(blob)// 触发点击document.body.appendChild(eleLink)eleLink.click()// 然后移除document.body.removeChild(eleLink)
}// 对象转json字符串
export function objToJson (obj) {let newObj = {}for (let key in obj) {if (key === 'id') {newObj[key] = obj[key]continue}newObj[key] = JSON.stringify(obj[key])}return newObj
}
// 打印
export function print (id) {var bdhtml = window.document.body.innerHTMLvar jubuData = document.getElementById(id).innerHTMLwindow.document.body.innerHTML = jubuDatavar style = document.createElement('style');style.innerHTML = `@media print {@page {size: auto;margin: 5mm;}body {margin: 0;}.no-print {display: none;}.el-divider {border: 1px solid #dcdfe6;margin: 24px 0; }}`;document.head.appendChild(style);const table = document.querySelectorAll(".el-table__header,.el-table__body,.el-table__footer");for (let i = 0; i < table.length; i++) {const tableItem = table[i];tableItem.style.width = '100%';const child = tableItem.childNodes;for (let j = 0; j < child.length; j++) {const element = child[j];if (element.localName == 'colgroup') {element.innerHTML = '';}}}window.print()location.reload()document.head.removeChild(style);window.document.body.innerHTML = bdhtml
}// 打印图片
export function printCanvas (id, i) {var oldstr = document.body.innerHTML // 获取当前页面内容用以还原var div_print = document.getElementById(id) // 获取要打印部分的内容var cv = document.getElementsByTagName('canvas')[i] //获取canvasvar resImg = document.getElementById(id) //获取包裹canvas的标签// 将canvas转为图片// var context = cv.getContext("2d")var img = new Image()var strDataURI = cv.toDataURL('image/png')img.src = strDataURI// 图片加载完成之后img.onload = function () {// 执行打印console.log(img);setTimeout(function () {resImg.innerHTML = `<img src="${strDataURI}">` // 用图片替代canvasvar newstr = div_print.innerHTMLdocument.body.innerHTML = newstr // 将页面内容改为修改后的内容window.print() // 打印window.location.reload() // 重新加载页面document.body.innerHTML = oldstr // 将页面内容还原}, 1000)}
}
// 下载echarts为图片
export function exportpic (chartInstance, name = 'charts') {let picInfo = chartInstance.getDataURL({type: 'png',pixelRatio: 2,  //放大两倍下载,之后压缩到同等大小展示。解决生成图片在移动端模糊问题backgroundColor: '#fff'});//获取到的是一串base64信息const elink = document.createElement('a');elink.download = name + '.png';elink.style.display = 'none';elink.href = picInfo;document.body.appendChild(elink);elink.click();URL.revokeObjectURL(elink.href); // 释放URL 对象document.body.removeChild(elink)
}// 复制
export function copyText (row, column, cell, event) {// 双击复制let save = function (e) {e.clipboardData.setData('text/plain', event.target.innerText);e.preventDefault();  //阻止默认行为}document.addEventListener('copy', save);//添加一个copy事件document.execCommand("copy");//执行copy方法this.$message({ message: '复制成功', type: 'success' })//提示
}// ['2024-04-23 14:39:48', '2024-04-24 14:39:48'] 
export function getDefaultTimeRange (type = "real", val, fmt = 'yyyy-MM-dd hh:mm:ss') {let start = new Date()if (type === 'real') {start.setDate(start.getDate() - (val ? val : 1))}if (type === 'hour') {start.setDate(start.getDate() - (val ? val : 1))}if (type === 'day') {start.setMonth(start.getMonth() - (val ? val : 1))}if (type === 'week') {start.setMonth(start.getMonth() - (val ? val : 3))}if (type === 'month') {start.setFullYear(start.getFullYear() - (val ? val : 1))}if (type === 'quarter') {val = val || 3; // 如果val未提供,则默认为3start.setFullYear(start.getFullYear() - Math.floor(val / 4));start.setMonth(start.getMonth() - (val % 4) * 3);}if (type === 'year') {start.setFullYear(start.getFullYear() - (val ? val : 10))}return [getDateString(start, fmt), getDateString(new Date(), fmt)]
}// ['2024-04-24 00:00:00', '2024-04-24 23:59:59']  一天结束或开始  
export function getDefaultDayRange (type = "real", fmt = 'yyyy-MM-dd hh:mm:ss') {let start = new Date()let end = new Date()if (type === 'real') {start.setDate(start.getDate())end.setDate(start.getDate())}if (type === 'hour') {start.setDate(start.getDate())end.setDate(start.getDate())}if (type === 'day') {start.setDate(1)end.setMonth(end.getMonth() + 1)end.setDate(0)}if (type === 'month') {start.setDate(1)start.setMonth(0)end.setFullYear(end.getFullYear() + 1)end.setMonth(0)end.setDate(0)}return [getDateString(start, fmt).split(' ')[0] + ' 00:00:00', getDateString(end, fmt).split(' ')[0] + ' 23:59:59']
}// 最近几个月 ['2023-10-31 00:00:00', '2024-04-30 23:59:59'] 
//  console.log(this.$recentMonths('month',6));
export function recentMonths (type, val) {const now = moment();if (type == 'day') {const startDate = now.clone().subtract(val - 1, 'days').startOf('day');const endDate = now.clone().endOf('day').hours(23).minutes(59).seconds(59);const dayRange = [startDate.format('YYYY-MM-DD HH:mm:ss'), endDate.format('YYYY-MM-DD HH:mm:ss')];return dayRange;}if (type == 'week') {const weeksAgo = now.clone().subtract(val - 1, 'weeks').startOf('isoWeek');const thisWeekEnd = now.clone().endOf('week').hours(23).minutes(59).seconds(59);const recentWeeksRange = [weeksAgo.format('YYYY-MM-DD HH:mm:ss'), thisWeekEnd.format('YYYY-MM-DD HH:mm:ss')];// console.log(recentWeeksRange);return recentWeeksRange;}if (type == 'month') {const sixMonthsAgo = now.clone().subtract(val, 'months').endOf('month').startOf('day');const thisMonthEnd = now.clone().endOf('month').hours(23).minutes(59).seconds(59);const recentSixMonthsRange = [sixMonthsAgo.format('YYYY-MM-DD HH:mm:ss'),thisMonthEnd.format('YYYY-MM-DD HH:mm:ss')]return recentSixMonthsRange}
}// 参数为秒   返回时间
// console.log(this.$timeRangeFormat(600));   10分钟
export function timeRangeFormat (seconds) {const timeUnits = [{label: '天',value: Math.floor(seconds / (24 * 3600))},{label: '小时',value: Math.floor((seconds % (24 * 3600)) / 3600)},{label: '分钟',value: Math.floor((seconds % 3600) / 60)},{label: '秒',value: Math.floor(seconds % 60)}]return timeUnits.filter(v => v.value > 0).map(item => `${item.value}${item.label}`).join('').trim()
}// {startDateTime: '2023-03-03 00:00:00', endDateTime: '2023-03-03 23:59:59'}
// console.log(this.$timeRange('day','2023-03-03'));
export function timeRange (type, val) {let startDateTime, endDateTime;switch (type) {case 'hour':startDateTime = moment(val).startOf('hour');endDateTime = moment(val).endOf('hour');break;case 'day':startDateTime = moment(val).startOf('day');endDateTime = moment(val).endOf('day');break;case 'week':let value = val.toString()const weekYear = value.substring(0, 4)const weekNumber = value.substring(4, 6)startDateTime = moment().isoWeekYear(parseInt(weekYear)).isoWeek(parseInt(weekNumber)).startOf('isoWeek');endDateTime = moment().isoWeekYear(parseInt(weekYear)).isoWeek(parseInt(weekNumber)).endOf('isoWeek');break;case 'month':startDateTime = moment(val, "YYYY-MM").startOf('month');endDateTime = moment(val, "YYYY-MM").endOf('month');break;case 'quarter':let valSeason = val.toString()const year = valSeason.substring(0, 4)const quarter = valSeason.substring(4, 5)startDateTime = moment().quarter(quarter).year(year).startOf('quarter');endDateTime = moment().quarter(quarter).year(year).endOf('quarter');break;case 'year':startDateTime = moment(val, "YYYY").startOf('year');endDateTime = moment(val, "YYYY").endOf('year');break;default:return;}startDateTime = startDateTime.format("YYYY-MM-DD HH:mm:ss");endDateTime = endDateTime.format("YYYY-MM-DD HH:mm:ss");return { startDateTime, endDateTime };
}
export function timeFormatting (type, val) {if (type == 'hour') {let hour = moment().set({ hour: val, minute: 0, second: 0, millisecond: 0 }).format('YYYY-MM-DD HH');return hour} else if (type == 'day') {let day = moment().date(val).format('YYYY-MM-DD');return day} else if (type == 'month') {let month = moment(val, 'MM').format('YYYY-MM');return month}
}
//  console.log(this.$timeFormatType('day', '2023123')); 2023-12-03
export function timeFormatType (type, val) {if (type == 'hour') {let [year, month, date, hour] = String(val).split(/(\d{4})(\d{2})(\d{2})(\d{2})/).slice(1);// 创建moment对象并设置时间let momentDate = moment().set({ year: parseInt(year), month: parseInt(month) - 1, date: parseInt(date), hour: parseInt(hour), minute: 0, second: 0, millisecond: 0 });// 格式化时间let hourVal = momentDate.format('YYYY-MM-DD HH');return hourVal} else if (type == 'day') {let day = moment(val, 'YYYYMMDD').format('YYYY-MM-DD');return day} else if (type == 'month') {const month = moment(val, 'YYYYMM').format('YYYY-MM');return month} else if (type == 'year') {const year = moment(val, 'YYYY').format('YYYY');return year} else if (type == 'week') {const weekYear = val.toString().substring(0, 4);const weekNum = val.toString().substring(4);const startDate = moment(`${weekYear}-01-01`).add((weekNum) * 7, 'days').startOf('isoWeek');let week = startDate.format('YYYY-WW');return week} else if (type == 'quarter') {const quarterYear = val.toString().substring(0, 4);const quarterNum = val.toString().substring(4);// 计算季度的第一天日期const startDate = moment(`${quarterYear}-01-01`).add((quarterNum - 1) * 3, 'months').startOf('month');let quarter = startDate.format('YYYY-Q');return quarter}
}// console.log(this.$tenMonthsAgo(24, 'month'));  
// ['2022-04', '2024-04']
export function tenMonthsAgo (val, type) {if (type == 'hour') {return hour} else if (type == 'day') {return day} else if (type == 'month') {const tenMonthsAgo = moment().subtract(val, 'months').format('YYYY-MM');const currentMonth = moment().format('YYYY-MM');const month = [tenMonthsAgo, currentMonth];return month}
}
export function tenMonthsHistory (val, type) {if (type == 'hour') {return hour} else if (type == 'day') {return day} else if (type == 'month') {const tenMonthsAgo = moment().subtract(val, 'months').format('YYYY-MM');const currentMonth = moment().subtract(1, 'months').format('YYYY-MM');const month = [tenMonthsAgo, currentMonth];return month}
}// 20240101   console.log(this.$timeTypeFormatting('day', '2024-01-01'),);
export function timeTypeFormatting (type, value) {switch (type) {case 'hour':return value.substring(0, 13).replace(/[- :]/g, "");break;case 'day':return value.replace(/[- :]/g, "");break;case 'week':return (moment(value).isoWeekYear() + ' ' + moment(value).isoWeek()).replace(/[- :]/g, "");break;case 'month':return value.replace(/[- :]/g, "");break;case 'year':return value.replace(/[- :]/g, "");break;default: '';}
}export function getBase64 (file) {return new Promise(function (resolve, reject) {const reader = new FileReader()let imgResult = ''reader.readAsDataURL(file)reader.onload = function () {imgResult = reader.result}reader.onerror = function (error) {reject(error)}reader.onloadend = function () {resolve(imgResult)}})
}export function getEmpty (val) {if (val !== null && val !== false && val !== undefined && val !== NaN && val !== '') {return val} else {return '-'}
}
export function getEmptyUnit (val, unit) {if (val !== null && val !== false && val !== undefined && val !== NaN && val !== '' && val != '0.00' && val !== 0 && val && val !== 'NaN') {return unit} else {return ''}
}export function findObjectByValue (arr, val) {let result = [];function search (arr, parentObjects = []) {for (let i = 0; i < arr.length; i++) {if (arr[i].id === val) {// 找到匹配项,将当前对象和所有父级对象都添加到结果数组result.push(...parentObjects, arr[i]);}if (arr[i].childs && arr[i].childs.length > 0) {// 递归搜索子对象,将当前对象添加到父级对象数组中search(arr[i].childs, [...parentObjects, arr[i]]);}}}search(arr);return result;
}export default {install (vue) {this.addGlobalMethods(vue)},addGlobalMethods (vue) {vue.prototype.$random = randomvue.prototype.$resetForm = resetFormvue.prototype.$randomOne = randomOnevue.prototype.$getDateString = getDateStringvue.prototype.$getRecentDays = getRecentDaysvue.prototype.$getWeekStartDateAndEndDateRange =getWeekStartDateAndEndDateRangevue.prototype.$getMonthStartDateAndDateRange = getMonthStartDateAndDateRangevue.prototype.$debounce = debouncevue.prototype.$getDateStringCh = getDateStringChvue.prototype.$randomUUID = randomUUIDvue.prototype.$resetTimer = resetTimervue.prototype.$todayTimer = todayTimervue.prototype.$funDownload = funDownloadvue.prototype.$objToJson = objToJsonvue.prototype.$print = printvue.prototype.$printCanvas = printCanvasvue.prototype.$exportpic = exportpicvue.prototype.$copyText = copyTextvue.prototype.$getDefaultTimeRange = getDefaultTimeRangevue.prototype.$timeRangeFormat = timeRangeFormatvue.prototype.$timeRange = timeRangevue.prototype.$ofYear = ofYearvue.prototype.$ofMonth = ofMonthvue.prototype.$getDefaultDayRange = getDefaultDayRangevue.prototype.$timeFormatting = timeFormattingvue.prototype.$getBase64 = getBase64vue.prototype.$getEmpty = getEmptyvue.prototype.$getEmptyUnit = getEmptyUnitvue.prototype.$findObjectByValue = findObjectByValuevue.prototype.$tenMonthsAgo = tenMonthsAgovue.prototype.$timeTypeFormatting = timeTypeFormattingvue.prototype.$timeFormatType = timeFormatTypevue.prototype.$tenMonthsHistory = tenMonthsHistoryvue.prototype.$recentMonths = recentMonths},
}

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/pingmian/5186.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

【问题实操】银河高级服务器操作系统实例分享,配置hugepages启动异常

1.问题现象 某运营商国产服务器操作系统项目&#xff0c;部署Kylin-Server-0524-aarch64服务器系统&#xff0c;内核从4.19.90-24.4升级到4.19.90-25.14。在grub中配置huagepages大页内存后&#xff0c;系统在内核启动阶段黑屏&#xff0c;只显示一个光标。grub配置如下图&…

Vue3框架

Vue3框架 一.使用create-vue搭建Vue3项目二.组合式API - setup选项1.setup选项的写法和执行时机2.setup中写代码的特点3. script setup 语法糖 三.组合式API - reactive和ref函数1. reactive2. ref3. reactive 对比 ref 四.组合式API - computed五.组合式API - watch1. 侦听单个…

Gone框架介绍3 - 使用gone命令,自动生成Priest函数

文章目录 1. 安装辅助工具: gone2. 创建一个名为gen-code的新项目3. 创建Goner4. 使用辅助工具5. 添加main函数 我在两年前实现了一个Golang的依赖注入框架&#xff0c;并且集成了gin、xorm、redis、cron、消息中间件等功能&#xff0c;自己觉得还挺好用的&#xff1b;之前一直…

Linux Mint 21.3 “Virginia“ 简介

Linux Mint 21.3 "Virginia" 是Linux Mint项目发布的最新版本&#xff0c;这个版本基于Ubuntu 22.04 LTS&#xff08;Jammy Jellyfish&#xff09;&#xff0c;并提供了三个主要的桌面环境&#xff1a;Cinnamon、MATE和Xfce。每个桌面环境都有其独特的特点和优势&…

Unity射击游戏开发教程:(8)构建 UI 元素:添加分数显示

用户界面决定用户如何与屏幕交互。UI 适用于所有类型的游戏和应用程序,在此示例中,我们将为我的太空射击游戏设置一个简单的记分板。 第一步是在层次结构中创建一个 UI 元素。只需在层次结构中右键单击,滚动 UI 并选择要添加的 UI 元素类型。在本例中,我们将使用文本元素。…

编程新手如何快速提升编码能力?

编程新手想要快速提升编码能力&#xff0c;可以遵循以下几个策略&#xff1a; 基础扎实&#xff1a;首先&#xff0c;确保你对所学编程语言的基础概念有深刻理解&#xff0c;包括变量、数据类型、控制结构&#xff08;如循环、条件语句&#xff09;、函数、类和对象&#xff08…

使用 Docker 自建一款怀旧游戏之 - 扫雷

1&#xff09;扫雷 简介 扫雷 是一种经典的单人电脑游戏&#xff0c;最初由微软公司在 1990 年代开发并内置在 Windows 操作系统中。游戏的目标是在一个由方块组成的网格上揭开所有非地雷的方块&#xff0c;而不触发地雷。每个方块上都标有数字&#xff0c;表示周围 8 个方块中…

Java网址url工具类

功能描述 无需引入三方依赖文本匹配网址&#xff08;支持多个&#xff09;网址解析&#xff08;包括协议、主机、路径、参数等&#xff09; package com.qiangesoft.image.utils;import org.springframework.util.Assert; import org.springframework.util.CollectionUtils;i…

行为学学习记忆实验和抗焦虑实验两款硬件

安徽耀坤XWX-BM八臂迷宫实验&#xff08;Eight-arm Maze Test&#xff0c;RMT&#xff09;由八个完全相同的臂组成&#xff0c;这些臂从一个中央平台放射出来&#xff0c;所以又被称为放射迷宫。其基本方式是&#xff1a;训练动物受食物的驱使对迷宫的各臂进行探究&#xff0c;…

xLua背包实践

准备工作 环境&#xff0c;代码 在C#代码方面我们需要准备单例模式基类&#xff0c;AB包管理器&#xff0c;lua解析器管理器 详情请见AB包管理器 xlua详解 然后是Xlua包和AB包&#xff0c;具体导入方法也在上面的链接中 然后是lua的三个文件 具体代码&#xff1a; JsonUtil…

SSH Config 后门 | Linux 后门系列

ssh 客户端配置文件加载顺序 命令行参数 > ~/.ssh/config > /etc/ssh/ssh_config Ubuntu server 16.04 默认 /etc/ssh/ssh_config # Host * # ForwardAgent no # ForwardX11 no # RhostsRSAAuthentication no # RSAAuthentication …

一、OSPF基础

目录 1.路由协议的优先级 2.转发原则&#xff1a;最长匹配原则 3.负载分担 4.路由备份&#xff08;浮动路由&#xff09; 5.路由协议的分类 6.动态路由 7.距离矢量路由协议&#xff08;BGP&#xff0c;RIP&#xff09; 8.链路状态路由协议&#xff08;OSPF&#xff0c;I…

联系Odoo partner邮件怎么写

亲爱的Odoo 伙伴 我是广东同欣的惊蛰&#xff0c;我通过Odoo官方的珠三角 Partner列表找到了你。 GuangDong TongXin Ai Technology Co., Ltd.&#xff0c;是一家面向中国提供Odoo服务的高科技公司。同欣总部位于广州&#xff0c;目前客户覆盖在广州&#xff0c;深圳&#…

SpringBoot配置HTTPS及开发调试

前言 在实际开发过程中&#xff0c;如果后端需要启用https访问&#xff0c;通常项目启动后配置nginx代理再配置https&#xff0c;前端调用时高版本的chrome还会因为证书未信任导致调用失败&#xff0c;通过摸索整理一套开发调试下的https方案&#xff0c;特此分享 后端配置 …

西瓜书学习——决策树形状、熵和决策树的本质

文章目录 决策树形状监督学习算法分类与回归 熵信息熵香农熵 (Shannon Entropy) - H(X)联合熵 (Joint Entropy) - H(X, Y)条件熵 (Conditional Entropy) - H(Y|X)互信息 (Mutual Information) - I(X; Y)相对熵 (Relative Entropy) / KL散度 (Kullback-Leibler Divergence) - DK…

misc学习

一.知识点 1.BMP文件 BMP文件主要有四部分组成&#xff0c;位图头、位图信息、调色板、位图数据。 bmp文件头(bmp file header)&#xff1a;提供文件的格式、大小等信息 位图信息头(bitmap information)&#xff1a;提供图像数据的尺寸、位平面数、压缩方式、颜色索引等信息…

PCL 点云表面重建之曲面平滑(Mobile Least Square, MLS)

一、介绍 1.1 MLS介绍 移动最小二乘法(Mobile Least Square, MLS)是一种用于曲面重建或形变的方法。它通过对曲面进行局部加权平均来减小噪声和估计曲面上的法线方向。   MLS方法的基本思想: 以每个点为中心取一定半径内的邻域点,然后通过最小二乘法拟合一个局部平面或曲…

Docker容器管理详解

引言 Docker作为当前流行的容器化技术&#xff0c;使得应用的部署、扩展和管理变得更加容易。本文将详细介绍Docker容器的概念、特点&#xff0c;以及如何使用Docker命令进行容器管理。 一&#xff0c;Docker容器概念与特点 Docker容器是一种轻量级、可移植、自包含的运行环…

JAVA顺序表相关习题1

1.笔试题:cvte str1 :welcome to cvte str2:come 描述:删除第一个字符串当中出现的所有的第二个字符串的字符!结果:wlt vt 要求 用ArrayList完成! public class Test {public static List<Character> findSameWords(String u1, String u2){List<Character> listn…

Sora新突破!AI生成电影迈向新阶段,配音版Sora登场!将如何改变影视行业?

Sora之后迎来新突破&#xff01; 配音版Sora来袭&#xff0c;AI生成电影又更近一步&#xff01; 在2024年伊始&#xff0c;人工智能界迎来了一次创新性的突破&#xff0c;由AI语音技术的先锋公司ElevenLabs带头实现。他们最近的成就体现在为OpenAI的Sora视频模型提供了令人动容…