el-table树形表格实现 父子联动勾选 并过滤时进行勾选缓存

el-table树形表格实现 父子联动勾选 并过滤时进行勾选缓存

需求背景

el-table,支持树形表格,但是多选框并没有自动支持父子联动勾选;

  1. 勾选全选,只有最外层的行被勾选;
  2. 勾选父,子级不会自动勾选;
  3. 勾选部分子,父级不会自动处于半勾选状态;
  4. 依次勾选全部的子级,父级不会自动勾选;
  5. 之前设计的联动勾选方案,不支持分页,再次查询

具体要求:

  1. 勾选全选按钮,表格所有层级 均被勾选,取消勾选全选按钮,表格所有层级 均被取消勾选;
  2. 父级勾选,子级(以及更深层级的子级)全部勾选,父级取消勾选,子级(以及更深层级的子级)全部取消勾选;
  3. 子级部分勾选 或 处于 半勾选的状态,则父级处于半勾选的状态
  4. 依次勾选全部的子级,父级会自动勾选;
  5. 点击【查询】或分页时,之前的勾选数据,还在

解释一下,一般树形表格,很难做分页,但是一般我们都是使用el-table做二次封装,然后封装后的table组件,可能不仅支持数据表格,还支持普通一级数据的分页,甚至还支持所有结构数据的 查询、前端过滤等高级功能。

设计方案

  1. 树形表格,第一次查询到所有数据,并根据此树形结构,进行总的勾选状态联动,获取树形结构数据失败时,不允许后续操作;如果数据量确实很大时,需要后端协助,后端执行联动勾选操作,将哪些数据勾选,半勾选的数据返回给前端,前端只负责勾选即可;
  2. 总的树形结构的数据treeData,页面展示的临时数据list,缓存的总数据cachedSelection,每次勾选时,去操作总树形结构treeData,进行相关的数据联动,然后,根据联动后的总数据,组织缓存的总数据cachedSelection,去修改页面临时展示的数据list,根据list,去依次勾选表格数据
  3. 普通一级数据的分页,也需要将勾选的数据进行缓存,但是无需使用总的树形结构treeData

拓展问题

树形表格,只有一个祖先元素,如何进行性能优化?

开发分析

涉及的属性

@Prop({ default: false }) multiple: boolean; //? 是否开启多选/** 树形数据全部展开标识 */@Prop({ default: false }) expandAllFlag: boolean@Prop({ default: false }) needRelativeSelect: boolean; //? 树形表格,是否需要联动勾选

涉及的状态

list = []; //? 页面展示的临时数据treeData = null; //? 树形结构的总结构cachedSelection = []; //? 缓存的总数据currentRecord = null; //? 当前选中的记录 —— 服务于单选

1、半勾选状态的实现

当前只有标题头的勾选框有半勾选状态,行上没有,需要手动实现
首先是半勾选的样式,需要从标题头勾选框的半勾选状态的样式复制;当父级处于半勾选状态时,去使用这个类的样式;当行的某一数据标识为true时,勾选框的列 的类名添加indeterminate,否则勾选框的列 的类名为空;
可以使用cell-class-name属性,进行实现< el-table :row-key=“valueKey”>< /el-table>

tableCellClassName ({row, column}) {let cellClassName = ''if (row.indeterminate && column.type === 'selection') {cellClassName = 'indeterminate'}return cellClassName}
<style lang="scss" scoped>
::v-deep .lov_table {.indeterminate {.el-checkbox__input {.el-checkbox__inner {background-color: #5f4efd;border-color: #5f4efd;&::before {content: '';position: absolute;display: block;background-color: #fff;height: 2px;-webkit-transform: scale(.5);transform: scale(.5);left: 0;right: 0;top: 5px;}}}}
}
</style>

2、编辑初始化时,要给保存前的数据自动勾选上

获取到数据后,根据上次的cachedSelection,修改树形总结构treeData;
同时给树形结构的数据初始化setTreeMetaData,使得每一个子节点都有parentId,方便后续的联动操作

async getList(type?) {if (type !== 'first' && !this.treeData) { //* 第一次,必须获取到树形结构,才能继续执行this.$alert('树形表格,第一次接口异常,不允许后续操作').finally(() => {this.closeModal()})return}this.loading = truetry {const res = await this.lovRemote.request({...this.remoteParams,...this.queryForm,pageIndex: this.pageIndex,pageSize: this.pageSize})if (res?.data) {const remoteResult: any = this.$attrs.remoteResultconst result = remoteResult ? remoteResult(res) : res.data.list || res.datasetTreeMetaData(result, this.valueKey, 'children')if (type === 'first') { //* 第一次,必须获取到树形结构,才能继续执行if (!this.treeData) this.treeData = result;}this.list = resultthis.totalRows = res.data.totalif (this.needRelativeSelect) this.batchUpdateTreeData(this.cachedSelection); //* 给树形结构设置初始的勾选状态}} catch (err) {this.$message.error(err.message)} finally {this.loading = false}}

3、监听treeData的变化,去执行后续操作

@Watch('treeData', { deep: true, immediate: true })onTableConfigChange(newValue) {if (newValue) {this.$nextTick(() => {this.afterTreeDataChanged()})}}afterTreeDataChanged() { //todo 树形结构的数据发生变化时的后续if (this.needRelativeSelect) {this.getListFormTreeData();this.getCachedSelectionFromTreeData();this.selectRowFromList();}}getListFormTreeData() { //todo 从树形结构,获取当前页面的临时数据const expandedTreeData = getExpandedTreeData(this.treeData, 'children')const updateList = (tree) => {tree.forEach(record => {const currentRecord = expandedTreeData.find(item => item[this.valueKey] == record[this.valueKey]); //? 树形结构中该行 对应的数据this.$set(record, 'selected', currentRecord.selected)this.$set(record, 'selectedString', currentRecord.selected ? 'Y' : 'N')this.$set(record, 'indeterminate', currentRecord.indeterminate)if (Array.isArray(record.children) && record.children.length) {updateList(record.children)}})}updateList(this.list)}getCachedSelectionFromTreeData() { //todo 从树形结构,获取总的勾选数据const expandedTreeData = getExpandedTreeData(this.treeData, 'children')this.cachedSelection = expandedTreeData.filter(item => item.selected)}selectRowFromList() { //todo 根据当前页面的临时数据,勾选表格的行const expandedList = getExpandedTreeData(this.list, 'children')const modalTableRef: any = this.$refs.modalTableRefmodalTableRef.clearSelection(); //* 打扫干净屋子再请客expandedList.forEach(record => {modalTableRef.toggleRowSelection(record, !!record.selected); //* 调用el-table内置方法,进行勾选})}batchUpdateTreeData(list, isSelected: boolean = true) { //todo 批量的根据勾选的数据,动态计算树形结构的数据联动this.treeData = batchUpdateTreeData({treeData: this.treeData,list,treeKey: 'id',childrenKey: 'children',isSelected})}updateTreeData(row, isSelected: boolean = true) { //todo 根据勾选的数据,动态计算树形结构的数据联动this.treeData = updateTreeData({treeData: this.treeData,row: row,treeKey: 'id',childrenKey: 'children',isSelected})}

3、父子联动勾选

使用selection-change事件(当选择项发生变化时会触发该事件)监听的话,只有一个selection参数,并不知道当前勾选的是哪一行,于是使用select(当用户手动勾选数据行的 Checkbox 时触发的事件)和select-all(当用户手动勾选全选 Checkbox 时触发的事件)

/** 勾选全选操作(多选模式) */selectAllOnClick() {const modalTableRef: any = this.$refs.modalTableRefconst isAllSelected = modalTableRef?.store.states.isAllSelected; //? 是否全部勾选if (this.needRelativeSelect) {this.batchUpdateTreeData(this.list, isAllSelected)return}if (isAllSelected) {this.list.forEach((cur) => {const isUnselect = !this.cachedSelection.map((sel) => sel[this.valueKey]).includes(cur[this.valueKey])if (isUnselect) {this.cachedSelection.push(cur)}})} else {this.list.forEach((item) => {const cacheIndex = this.cachedSelection.findIndex((cache) => cache[this.valueKey] === item[this.valueKey])if (cacheIndex !== -1) {this.cachedSelection.splice(cacheIndex, 1)}})}}/** 勾选单条操作(多选模式) */selectOnClick(selection, row) {const modalTableRef: any = this.$refs.modalTableRefconst curSelIndex = selection.findIndex((cache) => cache[this.valueKey] === row[this.valueKey])if (this.needRelativeSelect) {this.updateTreeData(row, curSelIndex > -1)//todo 通过勾选的数据selection,去总树结构 treeData,设置相关联动勾选状态,并将当前表格的相关数据进行勾选return}if (curSelIndex > -1) { //* 被勾选this.cachedSelection.push(row)} else {this.cachedSelection.splice(curSelIndex, 1)}}

util.js

//! zhy start 树形表格 父子联动 + 勾选缓存
/*** todo 对树形结构的数据进行加工,直接子节设置parentValue* @param data 树形结构的数据* @param treeKey 树形结构的id字段* @param childrenKey 树形结构子级的字段* @param parentNode 上级节点*/
const setTreeMetaData = (data, treeKey: string = 'id', childrenKey: string = 'children' ,parentNode?: any) => {data.forEach(item => {if (parentNode) item.parentValue = parentNode[treeKey];if (Array.isArray(item[childrenKey]) && item[childrenKey].length) {item[childrenKey].forEach(child => {child.parentValue = item[treeKey];if (Array.isArray(child[childrenKey]) && child[childrenKey].length) {setTreeMetaData(child[childrenKey], treeKey, childrenKey, child)}});}})
}
/*** todo 获取展开后的树形表格数据 深层 变成 一层* @param treeData 树形结构的数据* @param childrenKey 树形结构子级的字段* @returns 展开后的树形表格数据*/
const getExpandedTreeData = (treeData, childrenKey: string = 'children') => {return treeData.reduce((accumulator, curItem) => {if (Array.isArray(curItem[childrenKey]) && curItem[childrenKey].length) {return accumulator.concat(curItem).concat(getExpandedTreeData(curItem[childrenKey]))}return accumulator.concat(curItem)}, [])
}
/*** todo 将当前行下的所有子级切换勾选状态* @param record 单前行* @param toggleRowSelection 切换行的勾选状态的内置方法* @param childrenKey 树形结构子级的字段* @param selected 统一设置的 勾选的状态*//*** todo 将当前行下的所有子级切换勾选状态* @param record 单前行* @param toggleRowSelection 切换行的勾选状态的内置方法* @param childrenKey 树形结构子级的字段* @param selected 统一设置的 勾选的状态*/
const toggleSubAll = ({record, childrenKey = 'children', selected = true}) => {if (Array.isArray(record[childrenKey]) && record[childrenKey].length) { //* 有子级record[childrenKey].forEach(subRecord => {subRecord.selected = selected;if (Array.isArray(subRecord[childrenKey]) && subRecord[childrenKey].length) { //* 子级还有下级toggleSubAll({record: subRecord, childrenKey, selected})}})}
}
/*** todo 设置树形表格父级的勾选状态* @param parentValue 父级的id* @param expandedList 树形表格展开后的数据* @param userSelection 用户勾选的所有数据* @param tableRef 表格的ref* @param treeKey 树形结构的id字段*/
const setTableTreeParentSelection = ({parentValue, expandedList, treeKey = 'id'}) => {const parentRecord = expandedList.find(item => item[treeKey] === parentValue); //? 当前的父级const subList = expandedList.filter(item => item.parentValue === parentValue); //? 当前父级下的所有的子级const selectedList = subList.filter(subRecord => subRecord.selected); //? 所有子级中,被勾选的数据const halfSelectedList = subList.filter(subRecord => subRecord.indeterminate === 'Y'); //? 所有子级中,半勾选状态的子级parentRecord.indeterminate = undefined;if (subList.length === selectedList.length) { //* 所有子级全部勾选,父级勾选parentRecord.selected = true;} else if (!selectedList.length && !halfSelectedList.length) { //* 所有子级 全部没有勾选也没有半勾选parentRecord.selected = false;} else {//* 子级部分勾选,parentRecord.selected = false;parentRecord.indeterminate = 'Y'}if (parentRecord.parentValue) setTableTreeParentSelection({parentValue: parentRecord.parentValue, expandedList, treeKey})
}
//todo 根据用户勾选的行,去修改树形结构的数据
const updateTreeData = ({treeData, row, treeKey = 'id', childrenKey = 'children', isSelected = true}) => {const treeDataClone = clone(treeData)const expandedTreeData = getExpandedTreeData(treeDataClone, childrenKey);const record = expandedTreeData.find(item => item[treeKey] === row[treeKey])record.indeterminate = undefined;record.selected = isSelected;toggleSubAll({record, childrenKey, selected: isSelected})if (record.parentValue) setTableTreeParentSelection({parentValue: record.parentValue, expandedList: expandedTreeData, treeKey})return treeDataClone
}
//todo 根据勾选的数据,动态计算树形结构的数据联动
const batchUpdateTreeData = ({treeData, list, treeKey = 'id', childrenKey = 'children', isSelected = true}) => {let treeDataClone = clone(treeData)list.forEach(item => {treeDataClone = updateTreeData({treeData: treeDataClone,row: item,treeKey, childrenKey, isSelected})})return treeDataClone
}
//! zhy end 树形表格 RelativeSelect

完整代码

<template><el-dialogclass="lov_modal":width="`${width || '60vw'}`":title="title":visible="visible"@close="closeModal"destroy-on-closeappend-to-body:close-on-click-modal="false"><base-query-form:defaultQuery="remoteParams":fieldProps="queryItems":loading="loading"@query="getQuery"/><el-tableborder:height="500"ref="modalTableRef":data="list"class="lov_table"v-loading="loading":row-key="valueKey"highlight-current-row:default-expand-all="expandAllFlag":cell-class-name="tableCellClassName"@current-change="currentChange"@select="selectOnClick"@select-all="selectAllOnClick"@row-dblclick="rowOnDoubleClick"><el-table-columnv-if="multiple"type="selection"width="55"reserve-selectionalign="center"/><el-table-column:label="colLabel(column)":prop="column.descKey || column.key"show-overflow-tooltipv-for="column in tableColumns":key="column.key":formatter="column.format"v-bind="column"></el-table-column></el-table><el-paginationv-if="!$attrs.remoteResult"class="table_pagination":disabled="loading"@size-change="listSizeOnChange"@current-change="listCurrentOnChange":current-page="pageIndex":page-sizes="[10, 20, 50, 100]":page-size="pageSize"layout="total, sizes, prev, pager, next, jumper":total="totalRows"></el-pagination><span slot="footer" class="dialog-footer"><el-button @click="closeModal">取 消</el-button><el-button type="primary" @click="confirmOnClick">确 定</el-button></span></el-dialog>
</template><script lang="ts">
import { Component, Prop, Vue, Watch } from 'vue-property-decorator'
import BaseQueryForm from '@/components/BaseQueryForm/index.vue'
import { ColumnProp } from '@/utils/interface'
import * as LOV_CONFIG from './lovModalConfig'
import { getType, isNil } from '@/utils/util'
import { batchUpdateTreeData, getExpandedTreeData, setTreeMetaData, updateTreeData } from '../BaseSearchTable/utils'@Component({components: {BaseQueryForm},name: 'lovModal'
})
export default class extends Vue {@Prop({ required: true }) lovCode: string@Prop() remoteParams: any@Prop() valueKey: string@Prop() cached: any[]@Prop() width: string@Prop({ default: '弹窗' }) title: string@Prop({ default: false }) multiple: boolean; //? 是否开启多选/** 树形数据全部展开标识 */@Prop({ default: false }) expandAllFlag: boolean@Prop({ default: false }) needRelativeSelect: boolean; //? 树形表格,是否需要联动勾选list = []; //? 页面展示的临时数据treeData = null; //? 树形结构的总结构cachedSelection = []; //? 缓存的总数据currentRecord = null; //? 当前选中的记录 —— 服务于单选totalRows: number = 0loading: boolean = falsequeryForm: any = {}pageIndex = 1pageSize = 10visible = falseget lovRemote() {return LOV_CONFIG[this.lovCode].lovRemote}get lovModalColumns(): ColumnProp[] {return LOV_CONFIG[this.lovCode].columns}get colLabel() {return (col) => {return col.i18nKey ? this.$t(`table.${col.i18nKey}`) : col.name}}get selectedIds() {return (this.cachedSelection || []).map((sel) => sel[this.valueKey])}get tableColumns() {return this.lovModalColumns.filter((item) => item.showInTable)}get queryItems() {return this.lovModalColumns.filter((item) => item.showInQuery)}getQuery(params) {this.queryForm = paramsthis.initList()}initList() {this.pageIndex = 1this.totalRows = 0this.list = []this.getList()}@Watch('treeData', { deep: true, immediate: true })onTableConfigChange(newValue) {if (newValue) {this.$nextTick(() => {this.afterTreeDataChanged()})}}initSelection() {const modalTableRef: any = this.$refs.modalTableRefmodalTableRef.clearSelection(); //* 打扫干净屋子再请客if (this.cachedSelection.length) {const checkSelect = (data) => {data.forEach((item) => {this.cachedSelection.forEach((sel) => {if (item[this.valueKey] === sel[this.valueKey]) {this.multiple? modalTableRef.toggleRowSelection(item, true): modalTableRef.setCurrentRow(item)}})if (getType(item.children) === 'Array' && item.children.length) {checkSelect(item.children)}})}// 递归选中勾选缓存数据checkSelect(this.list)}}afterTreeDataChanged() { //todo 树形结构的数据发生变化时的后续if (this.needRelativeSelect) {this.getListFormTreeData();this.getCachedSelectionFromTreeData();this.selectRowFromList();}}getListFormTreeData() { //todo 从树形结构,获取当前页面的临时数据const expandedTreeData = getExpandedTreeData(this.treeData, 'children')const updateList = (tree) => {tree.forEach(record => {const currentRecord = expandedTreeData.find(item => item[this.valueKey] == record[this.valueKey]); //? 树形结构中该行 对应的数据this.$set(record, 'selected', currentRecord.selected)this.$set(record, 'selectedString', currentRecord.selected ? 'Y' : 'N')this.$set(record, 'indeterminate', currentRecord.indeterminate)if (Array.isArray(record.children) && record.children.length) {updateList(record.children)}})}updateList(this.list)}getCachedSelectionFromTreeData() { //todo 从树形结构,获取总的勾选数据const expandedTreeData = getExpandedTreeData(this.treeData, 'children')this.cachedSelection = expandedTreeData.filter(item => item.selected)}selectRowFromList() { //todo 根据当前页面的临时数据,勾选表格的行const expandedList = getExpandedTreeData(this.list, 'children')const modalTableRef: any = this.$refs.modalTableRefmodalTableRef.clearSelection(); //* 打扫干净屋子再请客expandedList.forEach(record => {modalTableRef.toggleRowSelection(record, !!record.selected); //* 调用el-table内置方法,进行勾选})}batchUpdateTreeData(list, isSelected: boolean = true) { //todo 批量的根据勾选的数据,动态计算树形结构的数据联动this.treeData = batchUpdateTreeData({treeData: this.treeData,list,treeKey: 'id',childrenKey: 'children',isSelected})}updateTreeData(row, isSelected: boolean = true) { //todo 根据勾选的数据,动态计算树形结构的数据联动this.treeData = updateTreeData({treeData: this.treeData,row: row,treeKey: 'id',childrenKey: 'children',isSelected})}async getList(type?) {if (type !== 'first' && !this.treeData) { //* 第一次,必须获取到树形结构,才能继续执行this.$alert('树形表格,第一次接口异常,不允许后续操作').finally(() => {this.closeModal()})return}this.loading = truetry {const res = await this.lovRemote.request({...this.remoteParams,...this.queryForm,pageIndex: this.pageIndex,pageSize: this.pageSize})if (res?.data) {const remoteResult: any = this.$attrs.remoteResultconst result = remoteResult ? remoteResult(res) : res.data.list || res.datasetTreeMetaData(result, this.valueKey, 'children')if (type === 'first') { //* 第一次,必须获取到树形结构,才能继续执行if (!this.treeData) this.treeData = result;}this.list = resultthis.totalRows = res.data.totalthis.$nextTick(() => {this.initSelection()})if (this.needRelativeSelect) this.batchUpdateTreeData(this.cachedSelection); //* 给树形结构设置初始的勾选状态}} catch (err) {this.$message.error(err.message)} finally {this.loading = false}}listSizeOnChange(val) {this.pageIndex = 1this.pageSize = valthis.$nextTick(() => {this.initList()})}listCurrentOnChange(val) {this.pageIndex = valthis.$nextTick(() => {this.getList()})}toggleRowExpanAll(isExpan) {this.toggleRowExpan(this.list, isExpan)}toggleRowExpan(data, isExpan) {const tree: any = this.$refs.modalTableRefdata.forEach((item) => {tree.toggleRowExpansion(item, isExpan)if (!isNil(item.children) && item.children.length) {this.toggleRowExpan(item.children, isExpan)}})}async showModal() {this.visible = truethis.cachedSelection = JSON.parse(JSON.stringify(this.cached))this.queryForm = { ...this.queryForm, ...this.remoteParams }await this.getList('first')// this.expandAllFlag && this.toggleRowExpanAll(this.expandAllFlag)}closeModal() {this.pageIndex = 1this.pageSize = 10this.totalRows = 0this.visible = falsethis.treeData = nullthis.list = []this.cachedSelection = []this.queryForm = {}this.currentRecord = null}/** 点击单行操作 */currentChange(val) {this.currentRecord = val}tableCellClassName ({row, column}) {let cellClassName = ''if (row.indeterminate && column.type === 'selection') {cellClassName = 'indeterminate'}return cellClassName}/** 勾选全选操作(多选模式) */selectAllOnClick() {const modalTableRef: any = this.$refs.modalTableRefconst isAllSelected = modalTableRef?.store.states.isAllSelected; //? 是否全部勾选if (this.needRelativeSelect) {this.batchUpdateTreeData(this.list, isAllSelected)return}if (isAllSelected) {this.list.forEach((cur) => {const isUnselect = !this.cachedSelection.map((sel) => sel[this.valueKey]).includes(cur[this.valueKey])if (isUnselect) {this.cachedSelection.push(cur)}})} else {this.list.forEach((item) => {const cacheIndex = this.cachedSelection.findIndex((cache) => cache[this.valueKey] === item[this.valueKey])if (cacheIndex !== -1) {this.cachedSelection.splice(cacheIndex, 1)}})}}/** 勾选单条操作(多选模式) */selectOnClick(selection, row) {const curSelIndex = selection.findIndex((cache) => cache[this.valueKey] === row[this.valueKey])if (this.needRelativeSelect) {this.updateTreeData(row, curSelIndex > -1)//todo 通过勾选的数据selection,去总树结构 treeData,设置相关联动勾选状态,并将当前表格的相关数据进行勾选return}if (curSelIndex > -1) { //* 被勾选this.cachedSelection.push(row)} else {this.cachedSelection = this.cachedSelection.filter(item => item[this.valueKey] !== row[this.valueKey])}}/** 双击行 */rowOnDoubleClick(row) {this.currentChange(row)if (!this.multiple) { //* 单选时,双击行时执行【确认】操作this.$nextTick(() => {this.confirmOnClick()})}}/** 点击确认按钮 */confirmOnClick() {if (this.multiple) {if(this.cachedSelection.length == 0){let message=(this.$t('documentation.pleaseSelect') as any)+this.titlethis.$message({type:'warning',message})}this.$emit('onOk', this.cachedSelection)} else {if(!this.currentRecord) {let message=(this.$t('documentation.pleaseSelect') as any)+this.titlethis.$message({type:'error',message})return}this.$emit('onOk', this.currentRecord)}}
}
</script><style lang="scss" scoped>
.show-box {height: 100%;
}.fold-box {height: 58px;
}
.table_pagination {margin-top: 10px;text-align: right;
}
::v-deep {.el-card {border: none;.el-card__body {padding: 0;}}
}
::v-deep .lov_table {.indeterminate {.el-checkbox__input {.el-checkbox__inner {background-color: #5f4efd;border-color: #5f4efd;&::before {content: '';position: absolute;display: block;background-color: #fff;height: 2px;-webkit-transform: scale(.5);transform: scale(.5);left: 0;right: 0;top: 5px;}}}}
}
</style>

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

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

相关文章

Java设计模式:核心概述(一)

在软件开发中&#xff0c;设计模式是一种被广泛认可的解决方案&#xff0c;用于解决在软件设计中经常遇到的一些特定问题。Java作为一种面向对象的编程语言&#xff0c;特别适合于应用各种设计模式。本文将带您深入了解Java中的设计模式&#xff0c;包括它们的定义、出现的原因…

Mysql 的高可用详解

Mysql 高可用 复制 复制是解决系统高可用的常见手段。其思路就是&#xff1a;不要把鸡蛋都放在一个篮子里。 复制解决的基本问题是让一台服务器的数据与其他服务器保持同步。一台主库的数据可以同步到多台备库上&#xff0c;备库本身也可以被配置成另外一台服务器的主库。主…

20240226-100. 同一棵树

题目要求 给定两个二叉树 p 和 q 的根&#xff0c;编写一个函数来检查它们是否相同。 如果两个二叉树结构相同并且节点具有相同的值&#xff0c;则认为它们是相同的。 Example 1: Input: p [1,2,3], q [1,2,3] Output: trueExample 2: Input: p [1,2], q [1,null,2] Outp…

数一满分150分总分451东南大学920电子信息通信考研Jenny老师辅导班同学,真题大纲,参考书。

记录用来打破的&#xff0c;信息通信考研Jenny老师2024级辅导班同学&#xff0c;数一满分150分&#xff0c;专业课920专业基础综合143&#xff0c;总分451分&#xff0c;一位及其优秀的本科985报考东南大学信息学院的学生&#xff0c;东南大学920考研&#xff0c;东南大学信息科…

vue - - - - Vue3+i18n多语言动态国际化设置

Vue3i18n多语言动态国际化设置 前言一、 i18n 介绍二、插件安装三、i18n配置3.1 创建i18n对应文件夹/文件3.2 en-US.js3.3 zh-CN.js3.4 index.js 四、 mian.js 引入 i18n配置文件五、 组件内使用六、使用效果 前言 继续【如何给自己的网站添加中英文切换】一文之后&#xff0c…

41.仿简道云公式函数实战-数学函数-SUMIF

1. SUMIF函数 SUMIF 函数可用于计算子表单中满足某一条件的数字相加并返回和。 2. 函数用法 SUMIF(range, criteria, [sum_range]) 其中各参数的含义及使用方法如下&#xff1a; range&#xff1a;必需&#xff1b;根据 criteria 的条件规则进行检测的判断字段。支持的字段…

点云从入门到精通技术详解100篇-基于背包激光雷达点云在城市公园单木参数提取中的应用(续)

目录 3 地面滤波及单木分割 3.1 地面滤波(Ground Filtering) 3.2 单木分割(Single-Tree Segmentation)

C++面试 -操作系统-架构能力:内存问题分析与性能优化

内存问题分析&#xff1a; 内存泄漏&#xff1a; 描述什么是内存泄漏&#xff0c;以及它如何在 C 中发生。使用工具&#xff08;如 Valgrind、AddressSanitizer&#xff09;来检测和定位内存泄漏。如何预防内存泄漏&#xff1f;使用智能指针、正确释放资源等。 野指针和悬挂指针…

【Leetcode每日一题】二分查找 - 在排序数组中查找元素的第一个和最后一个位置(难度⭐⭐)(18)

1. 题目解析 Leetcode链接&#xff1a;34. 在排序数组中查找元素的第一个和最后一个位置 这个问题的理解其实相当简单&#xff0c;只需看一下示例&#xff0c;基本就能明白其含义了。 核心在于找到给定目标值所在的数组下标区间&#xff0c;设计一个O(logn)的算法。 2. 算法原…

描述C++中的移动语义和完美转发

在C中&#xff0c;移动语义和完美转发是两个高级特性&#xff0c;它们在提高程序性能和资源管理效率方面起着至关重要的作用。这两个特性从C11开始引入&#xff0c;旨在解决传统的拷贝操作可能带来的性能问题&#xff0c;以及在函数模板中如何有效地转发参数的问题。 移动语义…

基于“python+”潮汐、风驱动循环、风暴潮等海洋水动力模拟

原文&#xff1a;基于“python”潮汐、风驱动循环、风暴潮等海洋水动力模拟 前沿 ADCIRC是新一代海洋水动力计算模型&#xff0c;它采用了非结构三角形网格广义波动连续方程的设计&#xff0c;在提高计算精确度的同时还减小了计算时间。被广泛应用于&#xff1a;模拟潮汐和风驱…

Linux系统中毒,应急方法

1、检查用户及密码文件/etc/passwd、/etc/shadow 是否存在多余帐号&#xff0c;主要看一下帐号 后面是否是 nologin,如果没有 nologin 就要注意&#xff1b; 2、通过 who 命令查看当前登录用户&#xff08;tty 本地登陆 pts 远程登录&#xff09;、w 命令查看系统信息&#x…

C/C++文本统计分析

#include <iostream> #include <fstream> using namespace std; int GetTxtLine(const char *filename); /* run this program using the console pauser or add your own getch, system("pause") or input loop */ char c[10];//使用文件流从txt文本中读…

2024牛客寒假算法基础集训营2

目录 A.Tokitsukaze and Bracelet B.Tokitsukaze and Cats C.Tokitsukaze and Min-Max XOR D.Tokitsukaze and Slash Draw E and F.Tokitsukaze and Eliminate (easy)(hard) G.Tokitsukaze and Power Battle (easy) 暂无 I.Tokitsukaze and Short Path (plus) J.Tokits…

Qt QWidget 简约美观的加载动画 第五季 - 小方块风格

给大家分享两个小方块风格的加载动画 &#x1f60a; 第五季来啦 &#x1f60a; 效果如下: 一个三个文件,可以直接编译运行 //main.cpp #include "LoadingAnimWidget.h" #include <QApplication> #include <QGridLayout> int main(int argc, char *arg…

CSS 入门手册(二)

目录 12-Overflow 13-下拉菜单 14-提示框 14.1 显示位置&#xff08;左右&#xff09; 14.2 显示位置(上下) 14.3 添加箭头 14.4 淡入效果 15-图片 16-列表 17-表格 17.1 表格宽度和高度 17.2 文字对齐 17.3 表格颜色 18-计数器 19-导航栏 19.1 导航栏UI优化 …

python第七节:条件、循环语句(2)

循环语句 while循环 for循环 组合嵌套循环 break 终止循环&#xff0c;跳出整个循环 continue 终止当前循环&#xff0c;进入下一次循环 pass 空语句&#xff0c;什么都不做&#xff0c;用于保持结构完整 语法1&#xff1a;whlie循环一定要控制好循环条件&#…

Python基础21 面向对象(4)进阶 类的一些内置方法和属性

文章目录 一、模块调用中attr类函数的运用1、执行模块以外的模块调用2、执行模块调用自己 二、\_\_getattribute__()方法的运行逻辑三、item系列方法四、\_\_str__()方法五、\_\_repr__()方法六、自定制格式化方法七、__slots__属性八、\_\_doc__属性九、__module__和__class\_…

pytorch -- torch.nn下的常用损失函数

1.基础 loss function损失函数&#xff1a;预测输出与实际输出 差距 越小越好 - 计算实际输出和目标之间的差距 - 为我们更新输出提供依据&#xff08;反向传播&#xff09; 1. L1 torch.nn.L1Loss(size_averageNone, reduceNone, reduction‘mean’) 2. 平方差&#xff08;…

axios的基本特性用法

1. axios的基本特性 axios 是一个基于Promise用于浏览器和node.js的HTTP客户端。 它具有以下特征&#xff1a; 支持浏览器和node.js支持promiseAPI自动转换JSON数据能拦截请求和响应请求转换请求数据和响应数据&#xff08;请求是可以加密&#xff0c;在返回时也可进行解密&…