More than 100 lines of code to implement react drag hooks

More than 100 lines of code to implement react drag hooks

Preface

The source code is only more than 100 lines in total. After reading this, you can roughly understand the implementation ideas of some mature react drag libraries, such as react-dnd, and then you can get started with these libraries very quickly.

The general effect of using hooks is as follows:

Our goal is to implement a useDrag and useDrop hook, which can easily make elements draggable, and in each life cycle of dragging, as shown below, you can customize the message delivery (by the way, introduce several events that will be triggered by dragging).

  • dragstart: When the user starts dragging, it is triggered on the dragged node. The target attribute of this event is the dragged node.
  • dragenter: When dragging into the current node, it is triggered once on the current node, and the target attribute of the event is the current node. Usually, you should specify in the listening function of this event whether to allow the dragged data to be dropped on the current node. If the current node does not have a listener function for the event, or the listener function does not perform any operation, it means that data is not allowed to be dropped at the current node. The visual display of dragging into the current node is also set in the listening function of this event.
  • dragover: When dragged above the current node, it is continuously triggered on the current node (every few hundred milliseconds apart), and the target attribute of the event is the current node. The difference between this event and the dragenter event is that the dragenter event is triggered when entering the node, and then the dragover event will continue to be triggered as long as the node is not left.
  • dragleave: When the drag operation leaves the current node range, it is triggered on the current node. The target attribute of this event is the current node. If you want to visually display the drag-and-drop operation on the current node, set it in the listener function of this event.

How to use + source code explanation

class Hello extends React.Component<any, any> {
 constructor(props: any) {
  super(props)
  this.state = {}
 }

 render() {
  return (
   <DragAndDrop>
    <DragElement />
    <DropElement />
   </DragAndDrop>
  )
 }
}

ReactDOM.render(<Hello />, window.document.getElementById("root"))

As mentioned above, the function of the DragAndDrop component is to pass messages to all components that use useDrag and useDrop, such as which DOM the currently dragged element is, or you can add other information if you want. Let's take a look at its implementation.

const DragAndDropContext = React.createContext({ DragAndDropManager: {} });
const DragAndDrop = ({ children }) => (
 <DragAndDropContext.Provider value={{ DragAndDropManager: new DragAndDropManager() }}>
  {children}
 </DragAndDropContext.Provider>
)

You can see that the message passing is implemented using react's Context API. The focus is on this DragAndDropManager. Let's look at the implementation.

export default class DragAndDropManager {

 constructor() {
  this.active = null
  this.subscriptions = []
  this.id = -1
 }

 setActive(activeProps) {
  this.active = activeProps
  this.subscriptions.forEach((subscription) => subscription.callback())
 }

 subscribe(callback) {
  this.id += 1
  this.subscriptions.push({
   callback,
   id: this.id,
  })

  return this.id
 }

 unsubscribe(id) {
  this.subscriptions = this.subscriptions.filter((sub) => sub.id !== id)
 }
}

The function of setActive is to record which element is currently being dragged. It will be used in useDrag. When we look at the implementation of useDrag's hooks, we will understand that as long as we call the setActive method and pass the dragged DOM element into it, we will know which element is currently being dragged.

In addition, I also added an API for subscribing to events, subscribe. I haven’t used it yet, so you can ignore it in this example. Just know that you can add subscription events.

Next, let's take a look at the use of useDrag. The implementation of DragElement is as follows:

function DragElement() {
 const input = useRef(null)
 const hanleDrag = useDrag({
  ref: input,
  collection: {}, // You can fill in any message you want to pass to the drop element here, which will be passed to the drop element as a parameter later})
 return (
  <div ref={input}>
   <h1 role="button" onClick={handleDrag}>
    drag element
  </div>
 )
}

Let's take a look at the implementation of useDrag, which is very simple

export default function useDrag(props) {

 const { DragAndDropManager } = useContext(DragAndDropContext)
 
 const handleDragStart = (e) => {
  DragAndDropManager.setActive(props.collection)
  if (e.dataTransfer !== undefined) {
   e.dataTransfer.effectAllowed = "move"
   e.dataTransfer.dropEffect = "move"
   e.dataTransfer.setData("text/plain", "drag") // firefox fix
  }
  if (props.onDragStart) {
   props.onDragStart(DragAndDropManager.active)
  }
 }
 
 useEffect(() => {
  if (!props.ref) return () => {}
  const {
   ref: { current },
  } = props
  if (current) {
   current.setAttribute("draggable", true)
   current.addEventListener("dragstart", handleDragStart)
  }
  return () => {
   current.removeEventListener("dragstart", handleDragStart)
  }
 }, [props.ref.current])

 return handleDragStart
}

What useDrag does is very simple.

  • First, use useContext to get the data of the outermost store, which is the DragAndDropManager in the above code.
  • In useEffect, if a ref is passed in from the outside, the draggable attribute of the DOM element is set to true, which means it can be dragged.
  • Then bind the dragstart event to this element. Note that we need to remove the event when destroying the component to prevent memory leaks.
  • The handleDragStart event first updates the props.collection passed from the outside to our external store, so that each element to be dragged can pass the useDrag({collection: {}}) information passed in our useDrag to the external store through DragAndDropManager.setActive(props.collection).
  • Next we do something with the dataTransder attribute to set the element's drag attribute to move and make it compatible with Firefox.
  • Finally, whenever a drag event is triggered, the onDragStart event from the outside world will also be triggered, and we will pass the data in the store into it.

Among them, the use of useDrop and the implementation of DropElement are as follows:

function DropElement(props: any): any {
 const input = useRef(null)
 useDrop({
  ref: input,
  // e represents the event object of the element being dragged over when the dragOver event occurs // collection is the data stored in the store // showAfter indicates whether the mouse passes over the dropped element when the mouse is dragging the element (above is the upper half, below is the lower half)
  onDragOver: (e, collection, showAfter) => {
  // If it passes the upper half, the upper border of the drop element is red if (!showAfter) {
    input.current.style = "border-bottom: none;border-top: 1px solid red"
   } else {
    // If it passes the lower half, the top border of the drop element is red input.current.style = "border-top: none; border-bottom: 1px solid red"
   }
  },
  // If you release the mouse on the drop element, the style is cleared onDrop: () => {
   input.current.style = ""
  },
  // If you leave the drop element, the style is cleared onDragLeave: () => {
   input.current.style = ""
  },
 })
 return (
  <div>
   <h1 ref={input}>drop element</h1>
  </div>
 )
}

Finally, let's look at the implementation of useDrop

export default function useDrop(props) {
// Get the data in the outermost store const { DragAndDropManager } = useContext(DragAndDropContext)
 const handleDragOver = (e) => {
 // e is the drag event object e.preventDefault()
  // See the diagram of getBoundingClientRect below const overElementHeight = e.currentTarget.getBoundingClientRect().height / 2
  const overElementTopOffset = e.currentTarget.getBoundingClientRect().top
  // clientY is the distance from the mouse to the top of the visible area of ​​the browser page const mousePositionY = e.clientY
  // mousePositionY - overElementTopOffset is the distance from the mouse inside the element to the element border-top const showAfter = mousePositionY - overElementTopOffset > overElementHeight
  if (props.onDragOver) {
   props.onDragOver(e, DragAndDropManager.active, showAfter)
  }
 }
 // drop event const handledDop = (e: React.DragEvent) => {
  e.preventDefault()

  if (props.onDrop) {
   props.onDrop(DragAndDropManager.active)
  }
 }
 // dragLeave event const handledragLeave = (e: React.DragEvent) => {
  e.preventDefault()

  if (props.onDragLeave) {
   props.onDragLeave(DragAndDropManager.active)
  }
 }
  // Register events. Note that you should unregister events when destroying components to avoid memory leaks. useEffect(() => {
  if (!props.ref) return () => {}
  const {
   ref: { current },
  } = props
  if (current) {
   current.addEventListener("dragover", handleDragOver)
   current.addEventListener("drop", handledDop)
   current.addEventListener("dragleave", handledragLeave)
  }
  return () => {
   current.removeEventListener("dragover", handleDragOver)
   current.removeEventListener("drop", handledDop)
   current.removeEventListener("dragleave", handledragLeave)
  }
 }, [props.ref.current])
}

GetBoundingClientRect API diagram:

rectObject = object.getBoundingClientRect();

rectObject.top: the distance from the top of the element to the top of the window;

rectObject.right: the distance from the right side of the element to the left side of the window;

rectObject.bottom: the distance from the bottom of the element to the top of the window;

rectObject.left: the distance from the left side of the element to the left side of the window;

This concludes this article about implementing react drag-and-drop hooks with more than 100 lines of code. For more relevant react drag-and-drop hooks content, please search for previous articles on 123WORDPRESS.COM or continue to browse the following related articles. I hope everyone will support 123WORDPRESS.COM in the future!

You may also be interested in:
  • Detailed explanation of gantt chart draggable and editable (highcharts can be used for vue and react)
  • Typescript+react to achieve simple drag and drop effects on mobile and PC
  • react-beautiful-dnd implements component drag and drop function
  • Using react-beautiful-dnd to implement drag and drop between lists
  • React.js component implements drag and drop sorting component function process analysis
  • React sample code to implement drag and drop function
  • React.js component implements drag-and-drop copy and sortable sample code
  • Let's talk again about a series of problems caused by React.js implementing native js drag effects
  • Thoughts on implementing native js drag effects based on React.js
  • React implements simple drag and drop function

<<:  Linux kernel device driver kernel debugging technical notes collation

>>:  How to modify the initial password of a user in mysql5.7

Recommend

Solution to ERROR 1366 when entering Chinese in MySQL

The following error occurs when entering Chinese ...

JS ES new features: Introduction to extension operators

1. Spread Operator The spread operator is three d...

Solution to the lack of my.ini file in MySQL 5.7

What is my.ini? my.ini is the configuration file ...

JavaScript to dynamically load and delete tables

This article shares the specific code of JavaScri...

How to use geoip to restrict regions in nginx

This blog is a work note environment: nginx versi...

JS+Canvas realizes dynamic clock effect

A dynamic clock demo based on Canvas is provided ...

Steps to install GRUB on Linux server

How to Install GRUB for Linux Server You cannot u...

Summary of the benefits of deploying MySQL delayed slaves

Preface The master-slave replication relationship...

Forever+nginx deployment method example of Node site

I recently bought the cheapest Tencent cloud serv...

WeChat applet implements a simple dice game

This article shares the specific code of the WeCh...

How to configure Linux to use LDAP user authentication

I am using LDAP user management implemented in Ce...

Example of troubleshooting method to solve Nginx port conflict

Problem Description A Spring + Angular project wi...

404 error occurs when accessing the homepage of tomcat started in Docker mode

Scenario: When starting tomcat in docker (version...

Detailed explanation of Docker container network port configuration process

Exposing network ports In fact, there are two par...