react+react-beautiful-dnd实现代办事项思路详解

目录
  • react+react-beautiful-dnd应用
    • 效果预览
    • 实现思路
      • index.js入口文件配置
      • app.jsx主页面配置
      • untils/with-context.js封装工具todoContext
      • components/TodoHeader.jsx页面头部
      • components/TodoInput.jsx该文件主要负责添加事件
      • 格式DragDropContext最外面盒子Droppable第二层盒子
      • 格式Draggable最里面盒子
      • components/TodoList.jsx
      • components/TodoFoot.jsx Consumer格式
      • package.json中的三方包资源

react+react-beautiful-dnd应用

效果预览

实现思路

index.js入口文件配置

import React from 'react'
import ReactDOM from 'react-dom'
import App from './App'
import 'bulma-start/css/main.css' // 引入bulma样式
ReactDOM.render(
  <App/>,
  document.getElementById('root')
)

app.jsx主页面配置

Provider格式

return(
<Provider value={{
	'要在tree传递的名字':this.'具体属性或方法'
}}>
自己的代码
</Provider>
)
import React,{ Component} from "react";
import TodoHeader from './components/TodoHeader.jsx'
import TodoInput from "./components/TodoInput";
import TodoList from "./components/TodoList";
import TodoFoot from "./components/TodoFoot";
import {Provider} from "./untils/with-context" // 引入TodoContext组件
export default class App extends Component{
    state ={
        todos:Array(6).fill(null).map((_,index)=>({
            id:index++,
            title:'待办事项'+index++,
            completed: Math.random()>0.5,
        }))
    }
    // 拖拽后的更新state处理函数
    drag(newTodos){
        this.setState({
            todos:[...newTodos],
        })

    }
    // 添加事件处理函数
    addTodoItem=title=>{
        this.setState({
            todos:[
                ...this.state.todos,
                {
                    /* id:this.state.todos[this.state.todos.length-1]+1,
                    *	更新setState是异步的,这里是拿不到最新的state
                    */
                    id:Math.random(),
                    title,
                    completed:false,
                }
            ]
        })

    }
    // 删除事件处理函数
    delTodo=id=>{
        this.setState({
            todos:this.state.todos.filter(todo=>todo.id !==id)
        })
    }
    // 更改事件状态处理函数
    changComple=id=>{
        this.setState({
            todos:this.state.todos.map(todo=>{
                if(todo.id === id){
                    todo.completed=!todo.completed
                }
                return todo
            })
        })

    }
    // 根据总选框状态设置每个单选框状态
    allCheckbox=(status)=>{
        this.setState({
            todos:this.state.todos.map(todo=>{
                todo.completed=status
                return todo
            })
        })
    }
    // 删除已完成事件
    delCompelted=()=>{
        this.setState({
            todos:this.state.todos.filter(todo=>!todo.completed)
        })
    }
    render() {
        return(
            <Provider value={{
                todos:this.state.todos,
                changComple:this.changComple,
                delTodo:this.delTodo,
                allCheckbox:this.allCheckbox,
                delCompelted:this.delCompelted,
            }}>
                <article className="panel is-success">
                    <TodoHeader/>
                    <TodoInput add={this.addTodoItem}/>
                    <TodoList todos={this.state.todos} drag={this.drag.bind(this)}/>
                    <TodoFoot/>

                </article>
            </Provider>

        )
    }
}

untils/with-context.js封装工具todoContext

import {createContext} from "react";
// 创建creatContext对象
const TodoContext = createContext()
// 结构要用到的React组件
const {
    Provider, // 生产组件
    Consumer, // 消费组件
} = TodoContext
export {
    Provider,
    Consumer,
    TodoContext,
}

components/TodoHeader.jsx页面头部

import React, { Component } from 'react'
export default class TodoHeader extends Component {
    render() {
        return (
            <p className="panel-heading">
                待办事项列表
            </p>
        )
    }
}

components/TodoInput.jsx该文件主要负责添加事件

import React, {Component, createRef} from "react";
export default class TodoInput extends Component{
    state={
        inputValue:'输入代办事件', // 定义input输入框内容
    }
    inputRef=createRef() // 定义ref绑定DOM元素,作用是为下面自动获取焦点做准备
    // 输入框中输入的内容设置给state作用1:输入框内容改变2:后面提交添加事件拿到input内容
    handleChang=Event=>{
        this.setState({
            inputValue:Event.target.value
        })
    }
    // 添加代办事件
    handleDown=Event=>{
        // 验证下是否为空
        if(this.state.inputValue==='' || this.state.inputValue===null) return
        if(Event.keyCode ===13){
            this.add()
        }
    }
    // 添加处理函数
    add=()=>{
        // add方法通过props从App传入
        this.props.add(this.state.inputValue)
        this.state.inputValue=''
        // ref绑定后通过inputRef.current拿到DOM元素
        this.inputRef.current.focus()
    }
    render() {
        return(
                <div className="panel-block">
                    <p className="control has-icons-left">
                        <input
                            className="input is-success"
                            type="text"
                            placeholder="输入代办事项"
                            value={this.state.inputValue}
                            onChange={this.handleChang}
                            onKeyDown={this.handleDown.bind(this)} //该变this指向
                            ref={this.inputRef}
                        />
                    </p>
                </div>
        )
    }
}

介绍下react-beautiful-dnd处理函数

官方解析图

格式DragDropContext最外面盒子Droppable第二层盒子

<DragDropContext onDragEnd={this.onDragEnd}>
	<Droppable droppableId='columns'>
		{provided=>(
		<*
			 ref={provided.innerRef}
             {...provided.droppableProps}
             // 官方固定格式
		>
		自己的代码
		<*/>
		{provided.placeholder}
		)}
	</Droppable>
</DragDropContext>

格式Draggable最里面盒子

<Draggable draggableId={String(id)} index={this.props.index}>
{provided=>(
	<*
	 {...provided.draggableProps}
     {...provided.dragHandleProps}
     ref={provided.innerRef}
	>
	自己的代码
	<*/>
	{provided.placeholder}
)}
</Draggable>

一但移动(从第5个事件移动到第4个事件)onDragEnd回调函数打印结果console.log(result)

{draggableId: '5', type: 'DEFAULT', source: {…}, reason: 'DROP', mode: 'FLUID', …}
combine: null
destination: {droppableId: 'columns', index: 4} // 移动到第4个事件
draggableId: "5"
mode: "FLUID"
reason: "DROP"
source: {index: 5, droppableId: 'columns'} // 移动的第5个事件
type: "DEFAULT"
[[Prototype]]: Object

components/TodoList.jsx

import React,{Component} from "react";
import TodoItem from "./TodoItem";
import PropTypes from 'prop-types'
import {DragDropContext} from 'react-beautiful-dnd'
import {Droppable} from 'react-beautiful-dnd'
export default class TodoList extends Component{
    // 类型检查
    static propTypes={
        todos:PropTypes.array.isRequired,
    }
    // 默认值
    static defaultProps = {
        todos: [],
    }
    // 根据choice数值决定渲染事项
    state={
        choice:1
    }
    // react-beautiful-dnd核心处理函数,负责交换后的处理(可以自定义)
    onDragEnd=result=>{
        console.log(result)
        const {destination,source,draggableId}=result
        if(!destination){ // 移动到了视图之外
            return
        }
        if( // 移动到原来位置,也就是位置不变
            destination.droppableId===source.droppableId &&
            destination.index===source.index
        ){ return;}
        const newTaskIds=Array.from(this.props.todos) // 转化为真正的数组
        newTaskIds.splice(source.index,1) // 删除移动的数组
        newTaskIds.splice(destination.index,0,this.props.todos[source.index]) // 在移动到的位置初放置被删除的数组
        // 调用App文件中的drag执行交换后的更改
        this.props.drag(newTaskIds)
    }
    // 点击时渲染不同DOM
    choice=(num)=>{
        this.setState({
            choice:num
        })
    }
    render() {
        let uls=null
        if(this.state.choice===1){
            uls=(<DragDropContext onDragEnd={this.onDragEnd}>
                    <Droppable droppableId='columns'>
                        {provided=>(
                            <ul
                                ref={provided.innerRef}
                                {...provided.droppableProps}
                            >
                                {this.props.todos.length>0
                                    ? this.props.todos.map((todo,index)=>{
                                        return (
                                            <TodoItem key={todo.id} todo={todo} index={index}/>
                                        )
                                    })
                                    :<div>添加代办事项</div>
                                }
                                {provided.placeholder}
                            </ul>
                        )}
                    </Droppable>
                </DragDropContext>)
        }else if(this.state.choice===2){
            // 过滤下事件
            let newtodos=this.props.todos.filter(todo=> todo.completed)
                uls=(<DragDropContext onDragEnd={this.onDragEnd}>
                    <Droppable droppableId='columns'>
                        {provided=>(
                            <ul
                                ref={provided.innerRef}
                                {...provided.droppableProps}
                            >
                                {newtodos.length>0
                                    ? newtodos.map((todo,index)=>{
                                        return (
                                            <TodoItem key={todo.id} todo={todo} index={index}/>
                                        )
                                    })
                                    :<div>暂无已完成事件</div>
                                }
                                {provided.placeholder}
                            </ul>
                        )}
                    </Droppable>
                </DragDropContext>)
        }else if(this.state.choice===3){
            // 过滤下事件
            let newtodos=this.props.todos.filter(todo=> !todo.completed)
            uls=(<DragDropContext onDragEnd={this.onDragEnd}>
                <Droppable droppableId='columns'>
                    {provided=>(
                        <ul
                            ref={provided.innerRef}
                            {...provided.droppableProps}
                        >
                            {newtodos.length>0
                                ? newtodos.map((todo,index)=>{
                                    return (
                                        <TodoItem key={todo.id} todo={todo} index={index}/>
                                    )
                                })
                                :<div>暂无未完成事件</div>
                            }
                            {provided.placeholder}
                        </ul>
                    )}
                </Droppable>
            </DragDropContext>)
        }
        return(
            <>
                   <p className="panel-tabs">
                         <a className="is-active" onClick={()=>this.choice(1)}>所有</a>
                         <a onClick={()=>this.choice(2)}>已完成</a>
                         <a onClick={()=>this.choice(3)}>未完成</a>
                    </p>
                  {uls}
            </>
        )
    }
}

components/TodoFoot.jsx Consumer格式

return(
	 <Consumer>
	 {value=>{
	 const {结构要用的属性或方法的名字} = value
	 return(
	 	 自己的代码,value中含有Provider中传入的所有值
	 )
	 }}
	 </Consumer>
)
import React,{Component} from "react";
import {Consumer} from '../untils/with-context'
export default class TodoFoot extends Component{
    render() {
        return(
            <Consumer>
                {
                    value => {
                        const {allCheckbox,todos,delCompelted} = value
                        const completedNum =todos.filter(todo=>todo.completed).length
                        const AllChecked =todos.length?todos.every(todo=>todo.completed):false
                        return(
                            <div>
                                <label className="panel-block">
                                    <input type="checkbox" checked={AllChecked} onChange={(event)=>allCheckbox(event.target.checked)}/>全选
                                    <span>已完成{completedNum}</span>
                                    <span>一共{todos.length}</span>
                                </label>
                                <div className="panel-block">
                                    <button className="button is-success is-outlined is-fullwidth" onClick={delCompelted}>
                                        删除已完成
                                    </button>
                                </div>
                            </div>
                        )
                    }
                }
            </Consumer>

        )
    }
}

package.json中的三方包资源

{
  "name": "react-demo",
  "version": "0.1.0",
  "private": true,
  "dependencies": {
    "@testing-library/jest-dom": "^5.11.4",
    "@testing-library/react": "^11.1.0",
    "@testing-library/user-event": "^12.1.10",
    "bulma-start": "^0.0.5",
    "react": "^17.0.2",
    "react-beautiful-dnd": "^13.1.0",
    "react-dom": "^17.0.2",
    "react-native": "^0.68.2",
    "react-scripts": "4.0.3",
    "redux-persist": "^6.0.0",
    "store": "^2.0.12",
    "web-vitals": "^1.0.1"
  },
  "scripts": {
    "start": "react-scripts start",
    "build": "react-scripts build",
    "test": "react-scripts test",
    "eject": "react-scripts eject"
  },
  "eslintConfig": {
    "extends": [
      "react-app",
      "react-app/jest"
    ]
  },
  "browserslist": {
    "production": [
      ">0.2%",
      "not dead",
      "not op_mini all"
    ],
    "development": [
      "last 1 chrome version",
      "last 1 firefox version",
      "last 1 safari version"
    ]
  }
}

到此这篇关于react+react-beautiful-dnd实例代办事项的文章就介绍到这了,更多相关react代办事项内容请搜索我们以前的文章或继续浏览下面的相关文章希望大家以后多多支持我们!

(0)

相关推荐

  • 使用react-beautiful-dnd实现列表间拖拽踩坑

    为什么选用react-beautiful-dnd 相比于react-dnd,react-beautiful-dnd更适用于列表之间拖拽的场景,支持移动端,且较为容易上手. 基本使用方法 基本概念 DragDropContext:构建一个可以拖拽的范围 onDragStart:拖拽开始回调 onDragUpdate:拖拽中的回调 onDragEnd:拖拽结束时的回调 Droppable - 可以放置拖拽块的区域 Draggalbe - 可被拖拽的元素 使用方法 把你想能够拖放的代码放到DragDr

  • react-beautiful-dnd 实现组件拖拽

    一个React.js 的 漂亮,可移植性 列表拖拽库.想了解更多react-beautiful-dnd特点适用人群请看官方文档.中文翻译文档 npm:https://www.npmjs.com/package/react-beautiful-dnd 1.安装 ​ 在已有react项目中 执行以下命令 so easy. # yarn yarn add react-beautiful-dnd # npm npm install react-beautiful-dnd --save 2.APi 详情查

  • react+react-beautiful-dnd实现代办事项思路详解

    目录 react+react-beautiful-dnd应用 效果预览 实现思路 index.js入口文件配置 app.jsx主页面配置 untils/with-context.js封装工具todoContext components/TodoHeader.jsx页面头部 components/TodoInput.jsx该文件主要负责添加事件 格式DragDropContext最外面盒子Droppable第二层盒子 格式Draggable最里面盒子 components/TodoList.jsx

  • React 悬浮框内容懒加载实例详解

    目录 界面隐藏 懒加载 React实现 原始代码 放入新的DIV 状态设置 样式设置 事件设置 事件优化 延迟显示悬浮框 悬浮框内容懒加载 完整代码 界面隐藏 一个容器放置视频,默认情况下 display: none; z-index: 0; transform: transform3d(10000px, true_y, true_z); y轴和z轴左边都是真实的(腾讯视频使用绝对定位,因此是计算得到的),只是将其移到右边很远的距离. 懒加载 React监听鼠标移入(获取坐标) 添加事件监听 o

  • react echarts tree树图搜索展开功能示例详解

    目录 前言 最终效果 版本信息 核心功能: 关键思路: 附上代码 数据data.js 功能: TreeUtils 总结: 前言 umi+antd-admin 框架中使用类组件+antd结合echarts完成树图数据展示和搜索展开功能 最终效果 版本信息 "antd": "3.24.2", "umi": "^2.7.7", "echarts": "^4.4.0", "echart

  • React Fiber 树思想解决业务实际场景详解

    目录 熟悉 Fiber 树结构 业务场景 熟悉 Fiber 树结构 我们知道,React 从 V16 版本开始采用 Fiber 树架构来实现渲染和更新机制. Fiber 在 React 源码中可以看作是一个任务执行单元,每个 React Element 都会有一个与之对应的 Fiber 节点. Fiber 节点的核心数据结构如下: type Fiber = { type: any, //类型 return: Fiber, //父节点 child: Fiber, // 指向第一个子节点 sibli

  • React Native采用Hermes热更新打包方案详解

    目录 1, 背景 2,热更新传统方案 3,使用Hermes打包 1, 背景 如果我们打开RN的Android源码,在build.gradle中回看到这样一段代码. if (enableHermes) { def hermesPath = "../../node_modules/hermes-engine/android/"; debugImplementation files(hermesPath + "hermes-debug.aar") releaseImple

  • React Native 中实现确认码组件示例详解

    目录 正文 实现原理 开源方案 正文 确认码控件也是一个较为常见的组件了,乍一看,貌似较难实现,但实则主要是障眼法. 实现原理 上图 CodeInput 组件的 UI 结构如下: <View style={[styles.container]}> <TextInput autoFocus={true} /> <View style={[styles.cover, StyleSheet.absoluteFillObject]} pointerEvents="none&

  • react性能优化useMemo与useCallback使用对比详解

    目录 引言 对比 useMemo useCallback 引言 在介绍一下这两个hooks的作用之前,我们先来回顾一下react中的性能优化.在hooks诞生之前,如果组件包含内部state,我们都是基于class的形式来创建组件.当时我们也知道,react中,性能的优化点在于: 调用setState,就会触发组件的重新渲染,无论前后的state是否不同 父组件更新,子组件也会自动的更新 基于上面的两点,我们通常的解决方案是:使用immutable进行比较,在不相等的时候调用setState:在

  • react电商商品列表的实现流程详解

    目录 整体页面效果 项目技术点 拦截器的配置 主页面 添加商品 分页与搜索 修改商品 删除商品 完整代码 整体页面效果 项目技术点 antd组件库,@ant-design/icons antd的图标库 axios 接口请求,拦截器配置 node-sass sass-loader css样式的一个嵌套 react-router-dom react路由使用 react-redux redux hooks:大多数我们用的是函数组件,函数组件没有state属性,所以我们使用hooks来初始化数据,并且函

  • React DOM diff 对比Vue DOM diff 区别详解

    目录 React DOM diff 和 Vue DOM diff 的区别 React DOM diff 代码查看流程 总结 React DOM diff 和 Vue DOM diff 的区别 React 是从左向右遍历对比,Vue 是双端交叉对比. React 需要维护三个变量(我看源码发现是五个变量),Vue 则需要维护四个变量. Vue 整体效率比 React 更高,举例说明:假设有 N 个子节点,我们只是把最后子节点移到第一个,那么 React 需要进行借助 Map 进行 key 搜索找到

  • react组件的创建与更新实现流程详解

    目录 React源码执行流程图 legacyRenderSubtreeIntoContainer legacyCreateRootFromDOMContainer createLegacyRoot ReactDOMBlockingRoot createRootImpl createContainer createFiberRoot createHostRootFiber createFiber updateContainer 总结 这一章节就来讲讲ReactDOM.render()方法的内部实现

随机推荐