44. Vue使用ref获取dom元素以及组件引用
ref的官网介绍
https://cn.vuejs.org/v2/api/#ref
需求
在普通的
js
操作中,一般都是直接操作
dom
元素,但是对于
Vue.js
框架来说,一般是不允许直接操作
dom
元素的。
那么其实
Vue.js
框架提供了
ref
获取dom元素,以及组件引用。
上面这两句话可能不能很清晰说明问题,直接上两个对比的代码,如下:
-
使用
js
直接获取dom
元素的文本内容
<!-- 设置dom元素 -->
<h3 id="test_h3">dom元素中的内容</h3>
<!-- 使用js直接获取dom元素 -->
document.getElementById('test_h3').innerText
-
使用
ref
获取dom
元素的文本内容
<!-- 设置dom元素,设置ref属性 -->
<h3 ref="test_h3">dom元素中的内容</h3>
<!-- 在Vue方法中调用使用`this.$refs`来获取dom元素 -->
this.$refs.test_h3.innerText
示例:ref 获取 dom元素
<!DOCTYPE html>
<html lang="en">
<meta charset="UTF-8">
<title>Title</title>
<!-- 导入vue.js库 -->
<script src="lib/vue.js"></script>
</head>
<!-- app1 -->
<div id="app1">
<h3 id="test_h3" @click="show" >dom元素中的内容</h3>
<h3 @click="show2" ref="test_h3">dom元素中的内容</h3>
<script>
// 创建第一个Vue的实例
var vm1 = new Vue({
el: '#app1',
data: {},
methods:{
show(){
console.log('js获取h3的内容文本: ' + document.getElementById('test_h3').innerText);
show2(){
console.log('ref获取h3的内容文本: ' + this.$refs.test_h3.innerText);
</script>
</body>
</html>
浏览器执行如下:
- 点击第一个h3,使用js获取dom元素,打印innerText文本内容
- 点击第二个h3,使用ref获取dom元素,打印innerText文本内容
从上面这里示例看出,
ref
虽然跟
js
都达到了获取
dom
元素的目的,好像没有什么出彩的地方,就好像换了一个方式而已。
下面
ref
还有一个更加重要的特性,就是可以引用组件中的
data
、
methods
等等。
示例: 引用组件的data、methods
1.设置组件的ref属性
2.使用ref调用组件的data以及methods
3.浏览器执行显示
4.完整代码
<!DOCTYPE html>
<html lang="en">
<meta charset="UTF-8">
<title>Title</title>
<!-- 导入vue.js库 -->
<script src="lib/vue.js"></script>
</head>
<!-- 父组件app1 -->
<div id="app1">
<input type="button" value="触发ref" @click="click_ref">
<!-- 设置使用ref引用组件 -->
<com1 ref="com1"></com1>
<!-- 组件com1的模板 -->
<template id="com1">
<h1>com1私有组件的内容</h1>
</template>
<script>
// 创建私有组件com1
var com1 = {
template: "#com1",
data(){
return {
msg: "com1组件"
methods: {
myclick(data1,data2){
console.log("触发com1组件的myclick方法,msg = " + this.msg + ", data1 = " + data1 + ", data2 =" + data2);
// 创建第一个Vue的实例
var vm1 = new Vue({
el: '#app1',
data: {
data1: "123",
data2: "456",
methods:{
click_ref(){
// 使用ref引用组件的data
console.log("com1组件data中的msg = " + this.$refs.com1.msg);
// 使用ref引用组件的methods
this.$refs.com1.myclick(this.data1, this.data2);
// 注册私有组件
components:{
com1,