vue的实现方法
1、写一个Toast组件
Toast.vue
<template>
<div class="toast" v-if="show">
<div class="box">
<div class="title">{{title}}</div>
<div class="content">{{content}}</div>
<div class="btn" @click="callback()">{{btn}}</div>
</div>
</div>
</template>
<script>
export default {
name: "Toast",
data() {
return {
show: true
};
}
};
</script>
<style scoped>
.toast {
position: absolute;
top: 0;
bottom: 0;
left: 0;
right: 0;
z-index: 99;
font-size: 14px;
}
.box {
height: 130px;
width: 240px;
border: 1px solid #ccc;
border-radius: 4px;
position: absolute;
left: 50%;
top: 50%;
transform: translate(-50%, -50%);
}
.title,
.content {
line-height: 30px;
padding: 0 10px;
}
.title {
color: #666;
border-bottom: 1px solid #ccc;
}
.btn {
display: inline-block;
padding: 4px 10px;
color: gray;
border: 1px solid #ccc;
border-radius: 2px;
position: absolute;
bottom: 10px;
left: 50%;
transform: translate(-50%);
cursor: pointer;
}
</style>
组件中除了拥有是否展现自身的show属性以外其他属性都没有被定义,这些属性将在下面的toast.js中通过Vue.extend出来的实例构造器的实例化对象传入。
Vue.extend 返回的是一个“扩展实例构造器”,也就是一个预设了部分选项的 Vue 实例构造器
var myVue = Vue.extend({
// 预设选项 -- 等下我们会把Toast组件作为预设传入
}) // 返回一个“扩展实例构造器”
// 然后就可以这样来使用
var vm = new myVue({
// 其他选项
})
2、 写一个toast.js
toast.js
import Toast from './Toast.vue'
import Vue from 'vue'
let ToastCmp = Vue.extend(Toast)
function toast(options) {
let div = document.createElement('div')
document.body.appendChild(div)
let { title, content, btn, callback } = options || {}
new ToastCmp({
data() {
return {
title: title || "Tips",
content: content || "contents here",
btn: btn || "confirm",
callback: () => {
callback && callback instanceof Function && callback()
this.show = false
}
}
}
}).$mount(div)
}
export default {
install: (Vue) => {
Vue.prototype.$toast = toast
}
}
3、将toast方法挂载上Vue的原型然后调用即可
react的实现方法
1、写一个toast.js
样式与vue的一样,此处省略
toast.js
import React, { Component } from 'react'
import ReactDOM from 'react-dom'
class Toast extends Component {
constructor(props) {
super(props)
}
render() {
const { title, content, btn, callback } = this.props
return (
<div className="toast">
<div className="box">
<div className="title">{title}</div>
<div className="content">{content}</div>
<div className="btn" onClick={callback}>{btn}</div>
</div>
</div>
)
}
}
export default options => {
let { title, content, btn, callback } = options || {}
let div = document.createElement('div')
document.body.appendChild(div)
ReactDOM.render(React.createElement(Toast, {
title: title || "Tips",
content: content || "contents here",
btn: btn || "confirm",
callback: () => {
callback && callback instanceof Function && callback()
document.body.removeChild(div)
}
}), div)
}
**粗体** _斜体_ [链接](http://example.com) `代码` - 列表 > 引用
。你还可以使用@
来通知其他用户。