Vue implements the requirement of dragging and dropping dynamically generated components

Vue implements the requirement of dragging and dropping dynamically generated components

Product Requirements

After the product requirements meeting, we encountered a requirement. First, the page was divided into two columns, with data components displayed on the left, supporting drag and drop sorting, and clicking the button to clear the components. The right side supports dragging the component thumbnail to the left side to generate a new component.

Ideas

For dynamically generated components, a new component must be generated each time, so the component can be put into the function and returned. When you call a function in JSX, each call to the function returns a brand new component. This is very easy with React, but with Vue, returning a component directly is impossible. Although this return writing method is not suitable for Vue, we cannot deny that the idea is very correct, so we should consider another writing method. As for dynamically generated components, we must use data to drive the generation of components. For the sorting of drag components, just use the drag library! !

Problems

  1. Drag library selection
  2. How to generate components
  3. Dynamically generate components driven by data

Drag library selection

For the drag library, I chose Vue.Draggable, a drag library that exists in the project. Click here to view the Start 14.9K, which is pretty good. If you don't use this drag library in your Vue project, you can refer to the design ideas of this article.

How to generate components

Here I use Vue.extend(). If you are not sure how to use it, please check the official documentation before learning this article Vue.extend. Next, we create a js file to write the code for creating components.

Generate Components

/* generateComponents.js file name */

import Vue from "vue";

// If you want to dynamically generate components, import this file first.
import components1 from "./components/TestCom1.vue";
import components2 from "./components/TestCom2.vue";

// Make a corresponding Map between the component name and the component
const comMap = {
  components1,
  components2,
};

// Receive the component name needed to generate the component, and the // props, and events you want to pass to the component const ReturnNewCom = function ({ props, on }) {
  const {
    comItem: { name },
  } = props;
  const newComponent = Vue.extend({
    render(createElement) {
      // Use the passed component name to decide which component to render.
      return createElement(comMap[name], {
        props,
        on,
      });
    },
  });
  return new newComponent();
};

export default ReturnNewCom;

Components

Here we write two components to demonstrate this Demo, namely components1.vue and components2.vue.

/*components1.vue*/
<template>
  <div class="widget-wrapper">
    <header class="header">{{ comDetail.name }}--{{ comDetail.id }}</header>
    <h1>Query condition: {{ queryObj }}</h1>
    <button @click="handleDelete">Clear</button>
  </div>
</template>
<script>
export default {
  data() {
    return {
      comDetail: this.comItem,
      _queryObj: this.queryObj,
    };
  },
  props: {
    comItem: {
      type: Object,
      default() {
        return {
          id: 0,
          name: "",
        };
      },
    },
    queryObj: {
      //Can receive the selection conditions passed by the parent component, must be Object
      type: Object,
      default() {
        // Define the default query conditions.
        return {
          num: 0,
        };
      },
    },
  },
  watch:
    comItem(val) {
      this.comDetail = val;
      return val;
    },
    queryObj(val) {
      this._queryObj = val;
      return val;
    },
  },
  created() {
    console.log("data -> this.comItem", this.comItem);
  },
  methods: {
    handleDelete() {
      // Delete component method this.$el.remove();
      // Call the parent component's function. Modify the data of the leftComList array in the parent component.
      this.$emit("handleDelete", this.comDetail);
    },
  },
};
</script>
<style scoped>
.widget-wrapper {
  background: #ff7b7b;
  border-radius: 12px;
  overflow: hidden;
  width: 200px;
}
.header {
  height: 50px;
  padding: 0 15px;
}
</style>

In fact, the code in the components2.vue file is similar to the code in the components1.vue file. The only difference is the background color.

Data-driven generation of dynamic components

Next, we need to use the drag library Vue.Draggable to drag and modify data. We can write directly in the App.vue file.

/* App.vue */
<template>
  <div class="dragCom">
    <h1>{{ leftComList }}</h1>
    <button @click="queryObj.num++">Change query conditions</button>
    <div class="body">
      <div class="left">
        <draggable class="left" :list="leftComList" :group="'people'">
          <div
            ref="comBody"
            v-for="({ name, id }, index) in leftComList"
            :key="id"
            class="comCard"
          >
            <!-- Loop through the leftComList array and use the data to render components. 
            Add the dynamically generated array to this DOM element. -->
            {{
              handleAddCom({
                props: { comItem: { name, id }, queryObj },
                index,
              })
            }}
          </div>
        </draggable>
      </div>
      <div class="right">
        <draggable
          class="dragArea"
          :list="rightComList"
          :group="{ name: 'people', pull: 'clone', put: false }"
          :clone="handleCloneDog"
        >
          <div class="card" v-for="element in rightComList" :key="element.id">
            {{ element.name }}
          </div>
          <!-- The card data on the right, the name in the rightComList array object corresponds to generateComponents.js
          Attributes in ComMap in -->
        </draggable>
      </div>
    </div>
  </div>
</template>

<script>
import draggable from "vuedraggable";
import CreateCom from "./generateComponents";
export default {
  components:
    draggable,
  },
  data() {
    return {
      rightComList: [
        {
          id: Math.random(),
          name: "components1",
        },
        {
          id: Math.random(),
          name: "components2",
        },
      ],
      leftComList: [], //Stores data that drives dynamically generated components.
      comMap: new Map(), // The main function is to record whether the component is rendered into the DOM of class="comCard",
      // If rendered, no more child elements can be added.
      queryObj: {
        // The main function is to pass query conditions to subcomponents num: 0,
      },
    };
  },
  beforeDestroy() {
    // Clear recorded data this.comMap.clear();
  },
  methods: {
    handleAddCom({ index, on = {}, props = { comItem: { name: "", id: 0 } } }) {
      const {
        comItem: { id },
      } = props;
      this.$nextTick(() => {
        // Get the length of the child nodes of this node const childNodesLength = this.$refs.comBody[index].childNodes.length;
        // Get the length of the DOM array comBody const comLine = this.$refs.comBody.length;
        if (!this.comMap.get(id)) {
          // If the component has not been rendered // 1. Call the CreateCom method to create the component. And pass props and events const com = CreateCom({
            props,
            on: {
              handleDelete: this.handleDeleteCom,
              ...on,
            },
          });
          // 2. Generate component com.$mount();
          if (childNodesLength === 2) {
            // If you want to add it between two components. Then modify the DOM position of the newly generated component and put it in the middle.
            // Add the final component DOM to the correct location this.$refs.comBody.splice(
              index,
              0,
              this.$refs.comBody[comLine - 1]
            );
          }
          // 3. Add the generated component to the DOM.
          this.$refs.comBody[index].appendChild(com.$el);
          // 4. Record that the component implements rendering.
          this.comMap.set(id, true);
        } else {
          // The component at this position has been rendered, no need to render again, just return;
        }
      });
    },
    handleDeleteCom({ id }) {
      // The method passed to the child component to delete data according to the component id const index = this.leftComList.findIndex((item) => item.id === id);
      if (~index) {
        // If a component with this id exists, delete it this.leftComList.splice(index, 1);
      }
    },
    handleCloneDog(item) {
      // Add data to leftComList array return {
        ...item,
        id: Math.random(),
      };
    },
  },
};
</script>

<style>
.dragCom {
  font-family: Avenir, Helvetica, Arial, sans-serif;
  -webkit-font-smoothing: antialiased;
  -moz-osx-font-smoothing: grayscale;
  text-align: center;
  color: #2c3e50;
  margin-top: 60px;
}
.body {
  width: 100%;
  height: 800px;
  display: flex;
  justify-content: space-between;
}
.left {
  flex: 1;
  height: 800px;
  border: 1px solid pink;
}
.right {
  width: 20%;
  height: 800px;
}
.card {
  height: 50px;
  background-color: #40cec7;
  margin: 12px 0;
  font-size: 12px;
  line-height: 50px;
  cursor: pointer;
}
.comCard {
  margin: 12px;
  display: inline-block;
}
</style>


This achieves dynamic component rendering and drag sorting.

Effect

Source code

Students who want to try can download the source code of this article from github

The above is the detailed content of Vue's requirements for dragging and dynamically generating components. For more information about Vue's dragging and dynamically generating components, please pay attention to other related articles on 123WORDPRESS.COM!

You may also be interested in:
  • Detailed explanation of the use of Vue Smooth DnD, a draggable component of Vue
  • vue drag component vuedraggable API options to achieve mutual drag and sorting between boxes
  • Vue drag component list to realize dynamic page configuration function
  • Detailed explanation of how to use the Vue drag component
  • Detailed explanation of Vue drag component development example
  • Vue uses Split to encapsulate the universal drag and slide partition panel component
  • Vue develops drag progress bar sliding component
  • vue draggable resizable realizes the component function of draggable scaling
  • Use Vue-draggable component to implement drag and drop sorting of table contents in Vue project
  • Vue component Draggable implements drag function
  • How to implement draggable components in Vue

<<:  How to start multiple MySQL instances in CentOS 7.0 (mysql-5.7.21)

>>:  How to build gitlab on centos6

Recommend

How to use Nginx to prevent IP addresses from being maliciously resolved

Purpose of using Nginx Using Alibaba Cloud ECS cl...

Friendly Alternatives to Find Tool in Linux

The find command is used to search for files in a...

A brief discussion on read-only and disabled attributes in forms

Read-only and disabled attributes in forms 1. Rea...

Native JavaScript carousel implementation method

This article shares the implementation method of ...

Markup Language - Print Style Sheets

Click here to return to the 123WORDPRESS.COM HTML ...

The difference between delete, truncate, and drop and how to choose

Preface Last week, a colleague asked me: "Br...

Implementation of Redis master-slave cluster based on Docker

Table of contents 1. Pull the Redis image 2. Crea...

Dynamic starry sky background implemented with CSS3

Result:Implementation Code html <link href=...

How to configure wordpress with nginx

Before, I had built WordPress myself, but at that...

Example of deploying Laravel application with Docker

The PHP base image used in this article is: php:7...

Shell script to monitor MySQL master-slave status

Share a Shell script under Linux to monitor the m...

JavaScript Design Pattern Command Pattern

The command pattern is a behavioral design patter...

Summary of Mysql high performance optimization skills

Database Command Specification All database objec...

What is COLLATE in MYSQL?

Preface Execute the show create table <tablena...