vue自定义组件 - Switch

1,731 阅读1分钟

最后实现样式:


分两步实现:1. 定义组件     2. 调用组件    完整代码如下:

组件代码:

<template>
  <div>
    <span class="custom-switch" :class="{'custom-switch-on' : me_checked}" :value="value" @click="toggle"></span>  </div>
</template>

<script>
  export default {
    props: {
      value: {
        type: Boolean,
        default: true
      }
    },
    data() {
      return {
        me_checked: this.value
      }
    },
    watch: {
      me_checked(val) {
        this.$emit('input', val);
      }
    },
    methods: {
      toggle() {
        this.me_checked = !this.me_checked;
      }
    }
  }
</script>

<style>
  .custom-switch {    display: block;
    position: relative;
    width: 42px;
    height: 22px;
    border: 1px solid #DFDFDF;
    outline: 0;
    border-radius: 16px;
    box-sizing: border-box;
    background-color: #DFDFDF;
    transition: background-color 0.1s, border 0.1s;
    cursor: pointer;
  }
  .custom-switch:before {
    content: "";
    position: absolute;
    top: 0;
    left: 0;
    width: 40px;
    height: 20px;
    border-radius: 15px;
    background-color: #FDFDFD;
    transition: transform 0.35s cubic-bezier(0.45, 1, 0.4, 1);
  }
  .custom-switch:after {
    content: " ";
    position: absolute;
    top: 0;
    left: 0;
    width: 30px;
    height: 30px;
    border-radius: 15px;
    background-color: #FFFFFF;
    box-shadow: 0 1px 3px rgba(0, 0, 0, 0.4);
    transition: transform 0.35s cubic-bezier(0.4, 0.4, 0.25, 1.35);
  }
  .custom-switch-on {
    border-color: #1AAD19;
    background-color: #1AAD19;
  }
  .custom-switch-on:before {
    border-color: #1AAD19;
    background-color: #1AAD19;
  }
  .custom-switch-on:after {
    transform: translateX(20px);
  }
</style>

调用代码:

<template>
  <div>
    <custom_switch v-model="val"></custom_switch>
    <button @click="show">查看值</button>
  </div>
</template>

<script>
  import custom_switch from "./custom_switch"; //引入自定义的组件

  export default {
    components: {
      custom_switch
    },
    data() {
      return {
        val: false //组件的初始状态
      }
    },
    methods: {
      show() {
        alert(this.val);
      }
    }
  }
</script>