我有一个无序列表:
使用此代码实现:
<ul>
<li>List item 1</li>
<li>List item 2</li>
<li>List item 3</li>
<li>List item 4</li>
<li>List item 5</li>
</ul>
现在,我希望它可以拖延。例如,如果我向上拖动“列表项目5”,我可以将它放在“列表项目2”和“列表项目3”之间,它将成为第三个。
我想在没有jQuery的情况下这样做,只需简单的Javascript。另外,我想使用原生HTML5 draggable =“true”。任何帮助,将不胜感激。
属性“draggable”仅启用拖动元素。您需要实现DnD侦听器并实现drop事件以进行所需的更改。
您将在此示例中找到要解决的相同问题:http://www.html5rocks.com/en/tutorials/dnd/basics/
在示例中,它们为列A,B和C实现拖放。用户可以通过DnD更改顺序。
只需在你的li元素中添加draggable =“true”即可。
<ol ondragstart="">
<li draggable="true" data-value="data1">List Item 1</li>
<li draggable="true" data-value="data2">List Item 2</li>
<li draggable="true" data-value="data3">List Item 3</li>
</ol>
如果您正在使用Firefox进行测试,请注意它还需要在拖动操作中发送一些数据:
function handleDragStart(e) {
e.dataTransfer.effectAllowed = 'move';
e.dataTransfer.setData('text/html', e.target.innerHTML);
}
myLi.addEventListener('dragstart', handleDragStart, false);
否则,您将看不到被拖动内容的重影图像...
<ul id="parent">
<li class="parent">List item 1</li>
<li class="parent">List item 2</li>
<li class="parent">List item 3</li>
<li class="parent">List item 4</li>
<li class="parent">List item 5</li>
</ul>
试试这个js
var dragSrcEl = null;
function handleDragStart(e) {
// Target (this) element is the source node.
this.style.opacity = '0.4';
dragSrcEl = this;
e.dataTransfer.effectAllowed = 'move';
e.dataTransfer.setData('text/html', this.innerHTML);
}
function handleDragOver(e) {
if (e.preventDefault) {
e.preventDefault(); // Necessary. Allows us to drop.
}
e.dataTransfer.dropEffect = 'move'; // See the section on the DataTransfer object.
return false;
}
function handleDragEnter(e) {
// this / e.target is the current hover target.
this.classList.add('over');
}
function handleDragLeave(e) {
this.classList.remove('over'); // this / e.target is previous target element.
}
function handleDrop(e) {
// this/e.target is current target element.
if (e.stopPropagation) {
e.stopPropagation(); // Stops some browsers from redirecting.
}
// Don't do anything if dropping the same column we're dragging.
if (dragSrcEl != this) {
// Set the source column's HTML to the HTML of the column we dropped on.
dragSrcEl.innerHTML = this.innerHTML;
this.innerHTML = e.dataTransfer.getData('text/html');
}
return false;
}
function handleDragEnd(e) {
// this/e.target is the source node.
[].forEach.call(cols, function (col) {
col.classList.remove('over');
});
}
var cols = document.querySelectorAll('#parent .parent');
[].forEach.call(cols, function (col) {
col.addEventListener('dragstart', handleDragStart, false);
col.addEventListener('dragenter', handleDragEnter, false)
col.addEventListener('dragover', handleDragOver, false);
col.addEventListener('dragleave', handleDragLeave, false);
col.addEventListener('drop', handleDrop, false);
col.addEventListener('dragend', handleDragEnd, false);
});