【Ant-Desgin-React 穿梭框】表格穿梭框,树穿梭框的用法

news2024/11/16 15:42:59

Antd Desgin 穿梭框

  • 普通用法
  • 高级用法-表格穿梭框组件
  • 高级用法-树穿梭框组件

普通用法

/* eslint-disable no-unused-vars */
import React, { useEffect, useState } from 'react'
import { Space, Transfer } from 'antd'

// Antd的穿梭框组件Mock数据
const mockData = Array.from({
  length: 20
}).map((_, i) => ({
  key: i.toString(),
  title: `content${i + 1}`,
  description: `description of content${i + 1}`,
  disabled: i % 3 < 1 // 禁用某项
}))

// 筛选出ID数组
const initialTargetKeys = mockData.filter(item => Number(item.key) > 10).map(item => item.key)

const App = () => {
  // 设置目标键数组
  const [targetKeys, setTargetKeys] = useState(initialTargetKeys)
  // 设置选中的键数组
  const [selectedKeys, setSelectedKeys] = useState([])

  useEffect(() => {
    console.log('模拟数据', mockData)
  }, [])

  const onChange = (nextTargetKeys, direction, moveKeys) => {
    console.log('==========Start Change==========')
    console.log('targetKeys:', nextTargetKeys) // 下一次的目标键数组,即移动后的目标列表
    console.log('direction:', direction) // 移动的方向,可以是'left'或'right',表示从左侧列表移动到右侧列表或从右侧列表移动到左侧列表
    console.log('moveKeys:', moveKeys) // 移动的键数组,即移动的项
    console.log('==========End Change==========')
    setTargetKeys(nextTargetKeys)
  }

  const onSelectChange = (sourceSelectedKeys, targetSelectedKeys) => {
    console.log('==========Start SelectChange==========')
    console.log('sourceSelectedKeys:', sourceSelectedKeys) // 源列表中选中的键数组
    console.log('targetSelectedKeys:', targetSelectedKeys) // 目标列表中选中的键数组
    console.log('==========End SelectChange==========')
    setSelectedKeys([...sourceSelectedKeys, ...targetSelectedKeys])
  }

  const onScroll = (direction, e) => {
    console.log('==========Start Scroll==========')
    console.log('direction:', direction) // 滚动的方向,可以是'left'或'right',表示向左滚动或向右滚动
    console.log('target:', e.target) // 滚动事件对象,包含了滚动的相关信息,如滚动的目标等
    console.log('==========End Scroll==========')
  }

  console.log('==========Start Search==========')
  const handleSearch = (dir, value) => {
    // dir 表示搜索框所在的列表,可以是'left'或'right',表示在源列表或目标列表中搜索\
    // value 表示搜索框中的值
    console.log('search:', dir, value)
  }
  console.log('==========End Search==========')

  return (
    <div className="App">
      <Space>
        <Transfer
          dataSource={mockData} // 数据源,即需要在两个列表之间移动的数据列表
          titles={['Source', 'Target']} // 列表的标题,包括源列表和目标列表的标题
          targetKeys={targetKeys} // 目标列表中的键数组,表示当前已经选中的项的键数组
          selectedKeys={selectedKeys} // 当前选中的项的键数组,用于在两个列表之间移动项时的状态管理
          onChange={onChange} // 当目标列表中的键数组改变时触发的事件回调函数
          onSelectChange={onSelectChange} // 当源列表和目标列表中的选中项改变时触发的事件回调函数
          onScroll={onScroll} // 当滚动时触发的事件回调函数
          onSearch={handleSearch} // 当搜索框中的值改变时触发的事件回调函数
          render={item => item.title} // 定义如何渲染每个数据项,返回一个React元素
          oneWay // 是否只允许从左侧列表向右侧列表移动数据,默认为false
          showSearch // 是否显示搜索框,默认为false
          pagination // 是否显示分页,默认为false,一般在大数据量下使用
        />
        {/* 自定义状态 */}
        <Transfer status="error" />
        <Transfer status="warning" showSearch />
      </Space>
    </div>
  )
}

export default App

在这里插入图片描述

高级用法-表格穿梭框组件

/* eslint-disable react/prop-types */
/* eslint-disable no-unused-vars */
import React, { useState } from 'react'
import { Space, Switch, Table, Tag, Transfer } from 'antd'

// leftColumns 表示左侧表格的列,rightColumns表示右侧表格的列,restProps表示其他属性
const TableTransfer = ({ leftColumns, rightColumns, ...restProps }) => (
  // 渲染Transfer组件
  <Transfer {...restProps}>
    {({
      direction, // 数据传输方向(左或右)
      filteredItems, // 经过搜索过滤后的项
      onItemSelect, // 选中项时的回调函数
      onItemSelectAll, // 全选项时的回调函数
      selectedKeys: listSelectedKeys, // 已选中项的键数组
      disabled: listDisabled // 列表是否被禁用的标志
    }) => {
      const columns = direction === 'left' ? leftColumns : rightColumns // 根据传输方向选择表格列
      const rowSelection = {
        getCheckboxProps: () => ({
          disabled: listDisabled // 设置复选框是否禁用
        }),
        onChange(selectedRowKeys) {
          onItemSelectAll(selectedRowKeys, 'replace') // 全选/取消全选时的操作
        },
        selectedRowKeys: listSelectedKeys, // 已选中项的键数组
        selections: [Table.SELECTION_ALL, Table.SELECTION_INVERT, Table.SELECTION_NONE] // 表格行选择器
      }
      return (
        <Table
          rowSelection={rowSelection} // 表格行选择器配置
          columns={columns} // 表格列配置
          dataSource={filteredItems} // 数据源
          size="small" // 表格尺寸
          style={{
            pointerEvents: listDisabled ? 'none' : undefined // 根据列表是否禁用设置CSS样式
          }}
          onRow={({ key, disabled: itemDisabled }) => ({
            // 表格行的事件处理函数
            onClick: () => {
              if (itemDisabled || listDisabled) {
                // 如果项被禁用或列表被禁用,则不执行操作
                return
              }
              onItemSelect(key, !listSelectedKeys.includes(key)) // 选中/取消选中项时的操作
            }
          })}
        />
      )
    }}
  </Transfer>
)

const mockTags = ['cat', 'dog', 'bird'] // 模拟标签数据
const mockData = Array.from({
  // 生成模拟数据
  length: 20
}).map((_, i) => ({
  key: i.toString(), // 唯一键
  title: `content${i + 1}`, // 标题
  description: `description of content${i + 1}`, // 描述
  tag: mockTags[i % 3] // 标签
}))
// 表格列配置
const columns = [
  {
    dataIndex: 'title',
    title: 'Name'
  },
  {
    dataIndex: 'tag',
    title: 'Tag',
    render: tag => (
      <Tag
        style={{
          marginInlineEnd: 0
        }}
        color="cyan"
      >
        {tag.toUpperCase()}
      </Tag>
    )
  },
  {
    dataIndex: 'description',
    title: 'Description'
  }
]
const Default = () => {
  const [targetKeys, setTargetKeys] = useState([]) // 目标键数组的状态及其更新函数
  const [disabled, setDisabled] = useState(false) // 禁用状态及其更新函数
  const onChange = nextTargetKeys => {
    // 目标键数组变化时的处理函数
    setTargetKeys(nextTargetKeys) // 更新目标键数组
  }
  const toggleDisabled = checked => {
    // 切换禁用状态的处理函数
    setDisabled(checked) // 更新禁用状态
  }
  return (
    <>
      <TableTransfer // 表格数据传输组件
        dataSource={mockData} // 数据源
        targetKeys={targetKeys} // 目标键数组
        disabled={disabled} // 是否禁用
        showSearch // 是否显示搜索框
        showSelectAll={false} // 是否显示全选按钮
        onChange={onChange} // 目标键数组变化时的回调函数
        filterOption={(
          inputValue,
          item // 自定义搜索过滤函数
        ) => item.title.indexOf(inputValue) !== -1 || item.tag.indexOf(inputValue) !== -1}
        leftColumns={columns} // 左侧表格列配置
        rightColumns={columns} // 右侧表格列配置
      />
      <Space
        style={{
          marginTop: 16
        }}
      >
        {/* 开关组件,用于切换禁用状态 */}
        <Switch unCheckedChildren="disabled" checkedChildren="disabled" checked={disabled} onChange={toggleDisabled} />
      </Space>
    </>
  )
}
export default Default

在这里插入图片描述

高级用法-树穿梭框组件

未完善

TreeTransfer.jsx 树穿梭框组件

/* eslint-disable no-unused-vars */
/* eslint-disable react/prop-types */
import React, { useEffect, useState } from 'react'
import { Transfer, Tree } from 'antd'

const generateTree = (treeNodes = [], checkedKeys = [], parentKeys = []) =>
  treeNodes.map(({ children, ...props }) => {
    const updatedProps = {
      ...props,
      disabled: checkedKeys.includes(props.key),
      children: generateTree(children, checkedKeys, parentKeys.concat(props.key))
    }

    // 父节点如果被选中,则添加所有子节点到 checkedKeys
    if (checkedKeys.includes(props.key)) {
      updatedProps.children.forEach(child => {
        if (!checkedKeys.includes(child.key)) {
          checkedKeys.push(child.key)
        }
      })
    }

    return updatedProps
  })

const TreeTransfer = ({ dataSource, ...restProps }) => {
  const [selectedKeys, setSelectedKeys] = useState([])
  const [targetKeys, setTargetKeys] = useState([])

  useEffect(() => {
    console.log(selectedKeys, 'selectedKeys')
  }, [selectedKeys, setSelectedKeys])

  // 子节点全部选中时,让父节点也会被选中
  // key 表示当前节点,checkedKeys 是当前目标源keys数组,dataSource 是数据数组
  const updateParentKeys = (key, checkedKeys, dataSource) => {
    console.log(key, '当前节点', checkedKeys, '当前目标源keys数组', dataSource, '数据数组')
    // 对 checkedKeys 做浅拷贝,以避免直接修改原数组
    const updatedKeys = [...checkedKeys]
    // 查找包含指定子节点键 key 的父节点
    const parentNode = dataSource.find(item => item.children && item.children.some(child => child.key === key))
    if (parentNode) {
      // 如果找到了父节点
      // 检查父节点的所有子节点是否都在 updatedKeys 中
      const allChildrenChecked = parentNode.children.every(child => updatedKeys.includes(child.key))
      // 如果所有子节点都被选中且父节点未被选中,则将父节点添加到 updatedKeys 中
      if (allChildrenChecked && !updatedKeys.includes(parentNode.key)) {
        updatedKeys.push(parentNode.key)
      } else if (!allChildrenChecked && updatedKeys.includes(parentNode.key)) {
        // 如果存在未被选中的子节点且父节点被选中,则从 updatedKeys 中移除父节点
        updatedKeys.splice(updatedKeys.indexOf(parentNode.key), 1)
      }
      // 递归更新父节点的父节点,确保所有相关节点的选中状态都被正确更新
      return updateParentKeys(parentNode.key, updatedKeys, dataSource)
    }
    // 如果没有找到父节点,则直接返回 updatedKeys
    return updatedKeys
  }

  const handleCheck = (checkedKeys, { node: { key, children } }) => {
    let cKeys = [...selectedKeys] // 复制当前已选择的键数组
    // 如果点击的节点已经在已选择数组中,则从数组中移除
    if (cKeys.includes(key)) {
      cKeys = cKeys.filter(item => item !== key)
      if (children && children.length > 0) {
        const checkList = dataSource
          .filter(item => item.key === key)
          .map(item => {
            return [key, ...item.children.map(child => child.key)]
          })
          .flat()
        console.log(checkList, '取消选择的父节点')
        // 使用 Array.prototype.filter() 来移除整个节点数组
        cKeys = cKeys.filter(item => !checkList.includes(item))
      } else {
        // 如果点击的是子节点,则检查父节点是否需要从已选择数组中移除
        cKeys = updateParentKeys(key, cKeys, dataSource)
      }
    } else {
      // 将当前节点添加到已选择数组中
      cKeys.push(key)
      // 如果点击的是父节点,则同时将子节点也添加到已选择数组中
      if (children && children.length > 0) {
        children.forEach(child => {
          cKeys.push(child.key)
        })
      } else {
        // 如果点击的是子节点,则检查父节点是否需要添加到已选择数组中
        cKeys = updateParentKeys(key, cKeys, dataSource)
      }
    }

    setSelectedKeys(cKeys)
  }

  const onChange = (t, d, m) => {
    setTargetKeys(selectedKeys)
  }

  return (
    <Transfer
      {...restProps}
      targetKeys={targetKeys}
      selectedKeys={selectedKeys}
      dataSource={dataSource}
      onChange={onChange}
      render={item => item.title}
      showSelectAll={false}
      oneWay
    >
      {({ direction }) => {
        if (direction === 'left') {
          const checkedKeys = [...selectedKeys, ...targetKeys]
          return (
            <Tree
              blockNode
              checkable
              checkStrictly
              defaultExpandAll
              checkedKeys={checkedKeys}
              treeData={generateTree(dataSource, targetKeys)}
              onCheck={handleCheck}
              onSelect={handleCheck}
            />
          )
        }
      }}
    </Transfer>
  )
}

export default TreeTransfer

Index.jsx

/* eslint-disable no-unused-vars */
/* eslint-disable react/prop-types */
import React, { useState } from 'react'
import TreeTransfer from './dom';

const treeData = [
  {
    key: '0-0',
    title: '0-0'
  },
  {
    key: '0-1',
    title: '0-1',
    children: [
      {
        key: '0-1-0',
        title: '0-1-0'
      },
      {
        key: '0-1-1',
        title: '0-1-1'
      }
    ]
  },
  {
    key: '0-2',
    title: '0-2'
  },
  {
    key: '0-3',
    title: '0-3'
  },
  {
    key: '0-4',
    title: '0-4'
  }
]

const Index = () => {
  return <TreeTransfer dataSource={treeData} />
}
export default Index

在这里插入图片描述

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

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

相关文章

企业微信hook接口协议,ipad协议http,外部联系人图片视频文件下载

外部联系人文件下载 参数名必选类型说明file_id是StringCDNkeyopenim_cdn_authkey是String认证keyaes_key是Stringaes_keysize是int文件大小 请求示例 {"url": "https://imunion.weixin.qq.com/cgi-bin/mmae-bin/tpdownloadmedia?paramv1_e80c6c6c0cxxxx3544d9…

分类分析|KNN分类模型及其Python实现

KNN分类模型及其Python实现 1. KNN算法思想2. KNN算法步骤2.1 KNN主要优点2.2 KNN主要缺点 3. Python实现KNN分类算法3.1 自定义方法实现KNN分类3.2 调用scikit-learn模块实现KNN分类 4. K值的确定 在之前文章 分类分析|贝叶斯分类器及其Python实现中&#xff0c;我们对分类分…

Golang基础5-指针、结构体、方法、接口

指针 和c/c类似&#xff0c;但是go语言中指针不能进行偏移和运算&#xff0c;安全指针 &&#xff08;取地址) *(根据地址取值) nil(空指针&#xff09; make和new之前对比&#xff1a;make用于初始化slice&#xff0c;map&#xff0c;channel这样的引用类型 而new用于类…

Netty学习——实战篇5 Netty 心跳监测/WebSocket长连接编程 备份

1 心跳监测 MyServer.java public class MyServer {public static void main(String[] args) {NioEventLoopGroup bossGroup new NioEventLoopGroup(1);NioEventLoopGroup workerGroup new NioEventLoopGroup();try {ServerBootstrap serverBootstrap new ServerBootstrap…

CPDA|0到1突破:构建高效数据分析体系的秘密武器

在现今信息爆炸的时代&#xff0c;数据已经渗透到了我们生活的方方面面&#xff0c;成为了决策、创新和竞争优势的关键。因此&#xff0c;构建一套高效的数据分析体系&#xff0c;对于企业和个人而言&#xff0c;都是至关重要的。那么&#xff0c;如何在众多的数据海洋中脱颖而…

一文读懂Partisia Blockhain:兼顾去中心化、安全性与可扩展性

“Partisia Blockhain 解决了区块链领域长期存在的问题&#xff0c;其兼顾了去中心化、安全性以及可扩展性” Partisia Blockchain 是一个具有独特零知识证明预言机以及分片解决方案的 Layer1&#xff0c;解决了困扰整个区块链行业的问题。 目前&#xff0c;多样化的区块链层出…

软考-论文写作-论软件设计模式

题目 素材 框架 一、 摘要 2020年12月,我参加了某省政协委员履职系统的开发。该系统为政协机关人员管理委员信息以及委员完成各项履职提供了全方位的软件支撑。我在该项目重担任系统架构师一职,负责履职系统的架构设计。本文结合作者的实践,以委员履职系统为例,主要讨论软…

计算机网络-IS-IS基础配置实验

前面我们了解了IS-IS的一些基础理论&#xff0c;从建立邻接、链路状态数据库同步以及路由计算&#xff0c;现在开始学习下配置操作。 一、IS-IS配置 网络拓扑图&#xff1a; 拓扑图 IS-IS有Level级别的区分&#xff0c;Level-1可以是性能较低的设备只维护区域内的LSDB&#xff…

035——从GUI->Client->Server->driver实现SPI控制DAC芯片

目录 1、修改GUI 2、修改client 3、server编写 4、driver_handle 5、test 6、 项目管理 1、修改GUI 我想让DAC控制是个滑动条 import PySimpleGUI as sgdef slider_callback(slider_value):print(fCurrent value: {slider_value})layout [[sg.Text(Select a value:)],…

百篇博客 · 千里之行

时光荏苒流逝&#xff0c;白驹匆匆过隙&#xff0c;不知不觉间&#xff0c;Damon小智已经在CSDN上记录了第一百多篇文章。恰逢128天创作纪念日的此刻&#xff0c;我感慨良多&#xff0c;这百余篇博客不仅是我的创作历程&#xff0c;更见证了我在这五年技术生涯中走过心路历程。…

imx6ull -- SPI

SPI 是 Motorola 公司推出的一种同步串行接口 技术&#xff0c;是一种高速、全双工的同步通信总线&#xff0c; SPI 时钟频率相比 I2C 要高很多&#xff0c;最高可以工作 在上百 MHz。 SPI 以主从方式工作&#xff0c;通常是有一个主设备和一个或多个从设备&#xff0c;一般 SP…

【网页在线小游戏源码】

网页在线小游戏源码 效果图部分源码领取源码下期更新预报 效果图 部分源码 index.html <!DOCTYPE html> <html> <head> <meta http-equiv"Content-Type" content"text/html; charsetUTF-8"> <meta id"viewport" na…

Hive——DML(Data Manipulation Language)数据操作语句用法详解

DML 1.Load Load语句可将文件导入到Hive表中。 hive> LOAD DATA [LOCAL] INPATH filepath [OVERWRITE] INTO TABLE tablename [PARTITION (partcol1val1, partcol2val2 ...)];关键字说明&#xff1a; local&#xff1a;表示从本地加载数据到Hive表&#xff1b;否则从HD…

SpringBoot学习之Redis下载安装启动【Windows版本】(三十六)

一、下载Redis for Windows Redis 官方网站没有提供 Windows 版的安装包,但可以通过 GitHub 来下载安装包,下载地址:https://github.com/tporadowski/redis/releases 1、网站提供了安装包和免安装版本,这里我们直接选择下面的免安装版本 2、下载后的压缩包解压以后,如下…

快速新建springboot项目

一、初始化 1.打开IDEA&#xff0c;在Spring initializer这里按照下图项目进行配置。注意&#xff1a;如果jdk是1.8建议将Server URL这里替换为图中的阿里云服务器&#xff0c;否则容易找不到对应的java8&#xff0c;然后点击next 2.在这里提前配置一些需要使用的依赖&#xf…

Node.js和cnpm环境搭建

Node.js和cnpm环境搭建 一、nodejs安装 1.1 傻瓜式一直下一步即可&#xff0c;不需要额外进行任何配置 nodejs下载链接&#xff0c;提取码&#xff1a;5555 1.2 查看是否安装成功 cmd进入命令行界面 输入node -v 显示node版本&#xff0c;显示则安装成功 1.3 改变全局模块路…

npm常用的命令大全(2024-04-21)

nodejs中npm常见的命令 npm主要是node包管理和发布的工具。 npm官网网址&#xff1a;npm | Homehttps://www.npmjs.com/官网英文文档&#xff1a; npm DocsDocumentation for the npm registry, website, and command-line interfacehttps://docs.npmjs.com/about-npm官网中文文…

golang学习笔记(defer基础知识)

什么是defer defer语句用于golang程序中延迟函数的调用&#xff0c; 每次defer都会把一个函数压入栈中&#xff0c; 函数返回前再把延迟的函数取出并执行。 为了方便描述&#xff0c; 我们把创建defer的函数称为主函数&#xff0c; defer语句后面的函数称为延迟函数。延迟函数…

MCU功耗测量

功耗测量 一、相关概念二、功耗的需求三、测量仪器仪表测量连接SMU功能SMU性能指标 四、功耗测量注意点板子部分存在功耗MCU方面&#xff0c;可能存在干扰项仪器仪表方面 一、相关概念 静态功耗和动态功耗&#xff1a;动态功耗为运行功耗&#xff0c;功耗测量注重每MHz下的功耗…