时间:2022-06-03 11:08:25 | 栏目:vue | 点击:次
打标识:<h1 ref="xxx">.....</h1>
或 <School ref="xxx"></School>
获取:this.$refs.xxx
如果我们需要子组件收到父组件传来的数据,就可以使用props
配置项。
<Student name="李四" sex="女" :age="18"/>
在App
通过标签属性为Student
传递数据,需要在Student
中接收传递来的数据,有三种接收方式。
第一种方式(只接收):
props:[‘name',‘age',‘sex']
第二种方式(限制类型):
props: { name: String, age: Number, sex: String }
第三种方式(限制类型、限制必要性、指定默认值):
props: { name: { type: String, //name的类型是字符串 required: true, //name是必要的 }, age: { type: Number, default: 99 //默认值 }, sex: { type: String, required: true } }
必要性与默认值只设置一个即可。
<!--Student--> <template> <div> <h1>{{ msg }}</h1> <h2>学生姓名:{{ name }}</h2> <h2>学生性别:{{ sex }}</h2> <h2>学生年龄:{{ myAge }}</h2> <button @click="updateAge">尝试修改收到的年龄</button> </div> </template> <!--App--> <template> <div> <Student name="张三" sex="男"/> <Student name="李四" sex="女" :age="18"/> </div> </template>
<Demo name="xxx"/>
第一种方式(只接收):props:['name']
第二种方式(限制类型):props:{name:String}
第三种方式(限制类型、限制必要性、指定默认值):
props:{ name:{ type:String, //类型 required:true, //必要性 default:'老王' //默认值 } }
备注:props是只读的,Vue底层会监测你对props的修改,如果进行了修改,就会发出警告,若业务需求确实需要修改,那么请复制props的内容到data中一份,然后去修改data中的数据。
混入用于抽离出多个组件的公共部分,包括函数和数据。在使用时候引入,能有效提高代码的复用性,混入本质上是一个对象。
混入的使用有两种:
我们定义混入,封装一个方法,以及携带一些数据。
定义一个mixin.js文件,编写混入以及提供外部引用的接口,即暴露。
export const hunhe = { methods: { showName(){ alert(this.name) } }, mounted() { console.log('你好啊!') }, } export const hunhe2 = { data() { return { x:100, y:200 } }, }
接下来在School
与Student
中引入混入
import {hunhe,hunhe2} from '../mixin' mixins:[hunhe,hunhe2],
全局混入在main.js中配置
import {hunhe,hunhe2} from './mixin' Vue.mixin(hunhe) Vue.mixin(hunhe2)
第一步定义混合:
{ data(){....}, methods:{....} .... }
第二步使用混入:
全局混入:Vue.mixin(xxx)
局部混入:mixins:['xxx']
插件的应用与混入的应用差不多。
首先建立一个js文件,在里面建立插件,插件本质上也是一个对象。插件中要编写install
函数,函数的第一个参数是Vue对象,也可以继续传递参数。
export default { install(Vue, x, y, z) { console.log(x, y, z) //全局过滤器 Vue.filter('mySlice', function (value) { return value.slice(0, 4) }) //定义全局指令 Vue.directive('fbind', { //指令与元素成功绑定时(一上来) bind(element, binding) { element.value = binding.value }, //指令所在元素被插入页面时 inserted(element, binding) { element.focus() }, //指令所在的模板被重新解析时 update(element, binding) { element.value = binding.value } }) //定义混入 Vue.mixin({ data() { return { x: 100, y: 200 } }, }) //给Vue原型上添加一个方法(vm和vc就都能用了) Vue.prototype.hello = () => { alert('你好啊') } } }
接着引入并使用插件即可,依然是在main.js里,这样就能全局的使用插件了。
//引入插件 import plugins from './plugins' //应用(使用)插件 第一个参数名字与插件的名字一致 Vue.use(plugins,1,2,3)
对象.install = function (Vue, options) { // 1. 添加全局过滤器 Vue.filter(....) // 2. 添加全局指令 Vue.directive(....) // 3. 配置全局混入(合) Vue.mixin(....) // 4. 添加实例方法 Vue.prototype.$myMethod = function () {...} Vue.prototype.$myProperty = xxxx }
使用插件:Vue.use()