0
点赞
收藏
分享

微信扫一扫

NSSCTF刷题篇web部分

有态度的萌狮子 2024-11-06 阅读 10

       

目录

一、使用原生JS实现

1.HTML结构

2.CSS样式

3.使用JavaScript实现弹框的可拖动功能

二、使用Vue实现


        分享一下前端常见功能“可拖动弹框”的实现方式,分别用原生JS和Vue实现。

一、使用原生JS实现

1.HTML结构

        首先创建一个弹框的HTML结构,例如:

<div id="draggableDialog">
  <div class="dialog-header">可拖动弹框标题</div>
  <div class="dialog-content">弹框内容</div>
</div>

2.CSS样式

        设置弹框样式,使其具有一定的外观和布局:

#draggableDialog {
  position: absolute;
  width: 300px;
  height: 200px;
  background-color: #fff;
  border: 1px solid #ccc;
  padding: 10px;
}

.dialog-header {
  cursor: move;
  background-color: #f0f0f0;
  padding: 5px;
}

3.使用JavaScript实现弹框的可拖动功能

const dialog = document.getElementById('draggableDialog');
const dialogHeader = dialog.querySelector('.dialog-header');

let isDragging = false;
let offsetX, offsetY;

dialogHeader.addEventListener('mousedown', (e) => {
  isDragging = true;
  offsetX = e.clientX - dialog.offsetLeft;
  offsetY = e.clientY - dialog.offsetTop;
});

document.addEventListener('mousemove', (e) => {
  if (isDragging) {
    dialog.style.left = e.clientX - offsetX + 'px';
    dialog.style.top = e.clientY - offsetY + 'px';
  }
});

document.addEventListener('mouseup', () => {
  isDragging = false;
});

        在上述代码中,首先获取弹框元素和弹框头部元素。当在弹框头部按下鼠标时,记录鼠标位置与弹框位置的偏移量,并设置拖动状态为true。当鼠标移动时,如果处于拖动状态,根据鼠标位置和偏移量更新弹框的位置。当鼠标松开时,设置拖动状态为false

二、使用Vue实现

<template>
  <div id="draggableDialog" ref="dialog">
    <div class="dialog-header" @mousedown="startDrag($event)">可拖动弹框标题</div>
    <div class="dialog-content">弹框内容</div>
  </div>
</template>

<script>
export default {
  data() {
    return {
      isDragging: false,
      offsetX: 0,
      offsetY: 0
    };
  },
  methods: {
    startDrag(event) {
      this.isDragging = true;
      this.offsetX = event.clientX - this.$refs.dialog.offsetLeft;
      this.offsetY = event.clientY - this.$refs.dialog.offsetTop;
      document.addEventListener('mousemove', this.drag);
      document.addEventListener('mouseup', this.stopDrag);
    },
    drag(event) {
      if (this.isDragging) {
        this.$refs.dialog.style.left = event.clientX - this.offsetX + 'px';
        this.$refs.dialog.style.top = event.clientY - this.offsetY + 'px';
      }
    },
    stopDrag() {
      this.isDragging = false;
      document.removeEventListener('mousemove', this.drag);
      document.removeEventListener('mouseup', this.stopDrag);
    }
  }
};
</script>

<style>
#draggableDialog {
  position: absolute;
  width: 300px;
  height: 200px;
  background-color: #fff;
  border: 1px solid #ccc;
  padding: 10px;
}

.dialog-header {
  cursor: move;
  background-color: #f0f0f0;
  padding: 5px;
}
</style>

        在 Vue 示例中,通过在模板中定义弹框结构,并在方法中实现拖动的逻辑。使用ref属性获取弹框元素,在事件处理函数中更新弹框位置,并在鼠标松开时停止拖动

举报

相关推荐

0 条评论