The drop event is fired when an element or text selection is dropped on a valid drop target. To ensure that the drop event always fires as expected, you should always include a preventDefault() call in the part of your code which handles the dragover event.
Use the event name in methods like addEventListener(), or set an event handler property.
addEventListener("drop", (event) => {});
ondrop = (event) => {};
In addition to the properties listed below, properties from the parent interface, Event, are available.
-
DragEvent.dataTransfer Read only
-
The data that is transferred during a drag and drop interaction.
In this example, we have a draggable element inside a container. Try grabbing the element, dragging it over the other container, and then releasing it.
We use three event handlers here:
- in the
dragstart event handler, we get a reference to the element that the user dragged - in the
dragover event handler for the target container, we call event.preventDefault(), which enables it to receive drop events. - in the
drop event handler for the drop zone, we handle moving the draggable element from the original container to the drop zone.
For a more complete example of drag and drop, see the page for the drag event.
HTML
<div class="dropzone">
<div id="draggable" draggable="true">This div is draggable</div>
</div>
<div class="dropzone" id="droptarget"></div>
CSS
body {
user-select: none;
}
#draggable {
text-align: center;
background: white;
}
.dropzone {
width: 200px;
height: 20px;
background: blueviolet;
margin: 10px;
padding: 10px;
}
JavaScript
let dragged = null;
const source = document.getElementById("draggable");
source.addEventListener("dragstart", (event) => {
dragged = event.target;
});
const target = document.getElementById("droptarget");
target.addEventListener("dragover", (event) => {
event.preventDefault();
});
target.addEventListener("drop", (event) => {
event.preventDefault();
if (event.target.className === "dropzone") {
dragged.parentNode.removeChild(dragged);
event.target.appendChild(dragged);
}
});
Result