提示:Vue3系列请参考Vue2+Vue3小白零基础教程—vue3篇文章,本文为vue2篇。
一套用于构建用户界面的渐进式JavaScript框架
渐进式:Vue可以自底向上逐层的应用
采用组件化模式,提高代码复用率、且让代码更好维护。
声明式编码,让编码人员无需直接操作DOM,提高开发效率。
使用虚拟DOM+优秀的Diff算法,尽量复用DOM节点
下载Vue.js的chrome插件
下载地址:Vue Devtools
修改全局配置
<script type="text/javascript">
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
script>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>demo-o1title>
<script type="text/javascript" src="../js/vue.js" >script>
head>
<body>
<div id="box">
hello, {{name}}!
div>
<script type="text/javascript">
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const x = new Vue({
el:"#box", //用于指定当前Vue实例为哪个容器服务,通常使用css选择器
data:{ //data中的数据用于存储数据,数据供el所指定的容器使用
name:"张三"
}
})
script>
body>
html>
Vue模板语法有2大类:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Vue模板title>
<script src="../js/vue.js" type="text/javascript">script>
head>
<body>
<div id="box">
<h1>插值语法h1>
<p>你好,{{name}}p>
<hr>
<h2>指令语法h2>
<p>
<a :href="url">百度搜索a>
p>
div>
body>
<script type="text/javascript">
const x = new Vue({
el:"#box",
data:{
name:"Vue",
url:"https://www.baidu.com"
}
})
script>
html>
Vue中有2种数据绑定的方式:
单向绑定(v-bind):数据只能从data流向页面。
双向绑定(v-model):数据不仅能从data流向页面,还可以从页面流向data。
备注:
双向绑定一般都应用在表单类元素上(如:input、select等)
V-model:value可以简写为v-model,因为v-mode1默认收集的就是value值。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>数据绑定title>
<script src="../js/vue.js" type="text/javascript">script>
head>
<body>
<div id="box">
单向数据绑定:<input type="text" v-model:value="info1">
双向数据绑定:<input type="text" v-model:value="info2">
div>
<script type="text/javascript">
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const x = new Vue({
el:"#box",
data:{
info1:"单向数据绑定",
info2:"双向数据绑定"
}
})
script>
body>
html>
data与el的2种写法
如何选择:目前哪种写法都可以,以后学习到组件时,data必须使用函数式,否则会报错。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
{{name}}
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const v = new Vue({
// el: '#app', //el的第一种写法
// data: { //data的第一张写法:对象式
// name:"hello world!"
// }
data(){ //data的第二种写法:函数式 (data(){} === data:function(){})
return{
name:"hello vue"
}
}
})
v.$mount("#app") //el的第二种写法
script>
body>
html>
MVVM模型
观察发现:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Object.defindPropertytitle>
head>
<body>
<script type="text/javascript">
let Person = {
name:"张三",
sex:"男"
}
// 直接使用defineProperty,传入属性
// Object.defineProperty(Person, "age", {
// value:18, //传入的值
// enumerable:true, //控制属性是否可以枚举(遍历),默认值false
// writable:true, //控制属性的值是否可以被修改,默认值false
// configurable:true //控制属性是否可以别删除,默认值false
// })
// console.log(Person)
// console.log(Object.keys(Person))
// 使用defineProperty,传入变量
let age = 18
Object.defineProperty(Person, "age", {
get(){ //当age值被读取时,调用该方法,读取的值为返回的值
console.log("age属性被读取")
return age;
},
set(value){ //当age的值被修改时,修改的值会当作参数传入
console.log("age属性被修改")
age = value
}
})
script>
body>
html>
数据代理:通过一个对象代理对另一个对象中属性的操作(读/写
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>数据代理title>
head>
<body>
<script type="text/javascript">
let obj1 = {x:100}
let obj2 = {y:200}
Object.defineProperty(obj2, 'x', {
get(){
return obj1.x
},
set(value){
obj1.x = value
}
})
script>
body>
html>
Vue中的数据代理:
通过vm对象来代理data对象中属性的操作(读/写)
Vue中数据代理的好处:
更加方便的操作data中的数据
基本原理:
通过object.defineProperty()把data对象中所有属性添加到vm上。为每一个添加到vm上的属性,都指定一个getter/setter。在getter/setter内部去操作(读/写)data中对应的属性。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>vue数据代理title>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
{{name}}{{_data.name}}
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
name:张三
}
})
script>
body>
html>
使用v-on:xx或@x绑定事件,其中xxx是事件名
事件的回调需要配置在 methods对象中,最终会在vm上
methods中配置的函数,不要用箭头函数!否则this就不是vm了
methods中置的函数,都是被vue所管理的函数,this的指向是vm或组件实例对像
@c1ick="demo”和cick="demo($ event)"效果一致,但后者可以传参
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>事件处理title>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>{{name}}h1>
<button type="button" v-on:click="showInfo1">点我提示信息1button>
<button type="button" @click="showInfo2($event, '张三')">点我提示信息2button>
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
name:"hello world"
},
methods: {
showInfo1(event){ //默认点击时间会传入button的event
console.log(event)
console.log(event.target)
console.log(event.target.innerText)
alert("hello vue!")
},
showInfo2(event, name){ //调用方法时可用$event占位传入
console.log(this == vm) //this为vm
console.log(event)
console.log(event.target)
console.log(event.target.innerText)
alert("hello,"+name)
}
},
})
script>
body>
html>
Vue中的事件修饰符:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>事件修饰符title>
<script src="../js/vue.min.js">script>
<script src="http://apps.bdimg.com/libs/jquery/1.9.1/jquery.min.js">script>
<style>
*{margin: 10px;}
.box1{
width: 100px;
height: 100px;
background-color: aquamarine;
}
.box2{
width: 50px;
height: 50px;
margin: 20;
background-color:cyan;
}
ul{
height: 300px;
width:120px;
background-color: darkorange;
padding: 10px;
overflow: auto;
}
li{
height: 150px;
width: 100px;
margin-top: 10px;
background-color: darksalmon;
}
style>
head>
<body>
<div id="app">
<a href="https://www.baidu.com" @click.prevent="showInfo">点我显示信息a>
<div class="box1" @click="showInfo2($event,'box')">
<button type="button" @click.stop="showInfo2($event, 'button')">buttonbutton>
div>
<div class="box1" @click="showInfo2($event,'box')">
<a href="https://www.baidu.com" @click.stop.prevent="showInfo2($event, 'a')">aa>
div>
<button type="button" id="onceButton" @click.once="onceButton">once buttonbutton>
<div class="box1" @click.capture="showInfo2($event,'box1')">
box1
<div class="box2" @click="showInfo2($event,'box2')">
box2
div>
div>
<div class="box1" @click.self="showInfo2($event,'box1')">
box1
<div class="box2" @click="showInfo2($event,'box2')">
box2
div>
div>
<ul @wheel.passive="demo">
<li>1li>
<li>2li>
<li>3li>
<li>4li>
<li>5li>
ul>
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
},
methods: {
showInfo(event){
alert("hello vue")
console.log(event.target)
},
showInfo2(event, info){
console.log(info)
},
onceButton(event){
console.log(event.currentTarget.id)
$("#"+event.currentTarget.id).attr("disabled",true)
},
demo(){
for (let index = 0; index < 50000; index++) {
console.log("@")
}
alert("事件处理完成")
}
},
})
script>
body>
html>
Vue中常用的按键别名:(真实名字首字母大写)
Vue未提供别名的按键,可以使用按键原始的key值去绑定,但注意要转为kebab-case(短横线命名)
系统修饰键(用法特殊):ctrl、alt、shift、meta
也可以使用keyCode去指定具体的按键(不推荐)
Vue.config.keyCodes.自定义键名=键码,可以去定制按键别名
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<style>
*{
margin: 10px;
}
style>
head>
<body>
<div id="app">
<input type="text" placeholder="输入文字,回车键触发事件" @keyup.enter="showInfo"><br>
<input type="text" placeholder="输入文字,delete键触发事件" @keyup.delete="showInfo"><br>
<input type="text" placeholder="输入文字,esc键触发事件" @keyup.esc="showInfo"><br>
<input type="text" placeholder="输入文字,空格键触发事件" @keyup.space="showInfo"><br>
<input type="text" placeholder="输入文字,换行键触发事件" @keydown.tab="showInfo"><br>
<input type="text" placeholder="输入文字,上键触发事件" @keyup.up="showInfo"><br>
<input type="text" placeholder="输入文字,下键触发事件" @keyup.down="showInfo"><br>
<input type="text" placeholder="输入文字,左键触发事件" @keyup.left="showInfo"><br>
<input type="text" placeholder="输入文字,右键触发事件" @keyup.right="showInfo"><br>
<input type="text" placeholder="输入文字,其它按键(大小写)触发事件" @keyup.caps-lock="showInfo"><br>
<input type="text" placeholder="输入文字,ctrl+其他按键触发事件触发事件" @keyup.ctrl="showInfo"><br>
<input type="text" placeholder="输入文字,ctrl+y键触发事件触发事件" @keyup.ctrl.y="showInfo"><br>
<input type="text" placeholder="输入文字,回车键触发事件" @keyup.huiche="showInfo"><br>
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
Vue.config.keyCodes.huiche=13 //自定义按键别名
const vm = new Vue({
el: '#app',
data: {
},
methods: {
showInfo(event){
console.log(event.key,event.keyCode)
console.log(event.target.value)
alert(event.target.value)
}
},
})
script>
body>
html>
案例要求:两个输入框分别输入姓和名,下方将姓名文字组合在一起
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<input type="text" v-model="firstName"> <br>
<input type="text" v-model="lastName"> <br>
姓名:{{firstName}}-{{lastName}}
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
firstName: "张",
lastName: "三"
}
})
script>
body>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<input type="text" v-model="firstName"> <br>
<input type="text" v-model="lastName"> <br>
姓名:{{showName()}}
div>
<script>
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
firstName: "张",
lastName: "三"
},
methods: {
showName(){
return this.firstName + "-" + this.lastName
}
},
})
script>
body>
html>
计算属性:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<input type="text" v-model="firstName"> <br>
<input type="text" v-model="lastName"> <br>
姓名:{{fullName}}
div>
<script>
Vue.config.devtools = true
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
firstName: "张",
lastName: "三"
},
computed:{
fullName:{
//get有什么作用?当有人读取fullName时,get就会被调用,且返回值就作为fullName的值
//get什么时候调用?1.初次读取fullName时。2.所依赖的数据发生变化时。
get(){
console.log('get 方法被调用了')
return this.firstName + "-" + this.lastName
},
//候调用?当fullName被修改时。
set(value){
let arr = value.split("-")
this.firstName = arr[0]
this.lastName = arr[1]
}
}
}
})
script>
body>
html>
简写形式:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<input type="text" v-model="firstName"> <br>
<input type="text" v-model="lastName"> <br>
姓名:{{fullName}}
div>
<script>
Vue.config.devtools = true
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
firstName: "张",
lastName: "三"
},
computed:{
fullName(){ //不考虑修改计算属性的情况下,可简写为函数形式,相当于直接调用了get方法
return this.firstName + "-" + this.lastName
}
}
})
script>
body>
html>
案例:实现页面显示的天气状态的改变
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>今天的天气{{showWeacher}}h1>
<button type="button" @click="switchWeather">点击切换button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
isHot:true
},
methods: {
switchWeather(){
this.isHot = !this.isHot
}
},
computed:{
showWeacher(){
return this.isHot ? "炎热":"凉爽"
}
}
})
script>
body>
html>
监视属性watch:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>今天的天气{{showWeacher}}h1>
<button type="button" @click="switchWeather">点击切换button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
isHot:true
},
methods: {
switchWeather(){
this.isHot = !this.isHot
}
},
computed:{
showWeacher(){
return this.isHot ? "炎热":"凉爽"
}
},
watch:{
isHot:{
immediate:true, //初始化时让handler调用一下
handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
console.log("new value: "+ newValue + ", old value: " + oldVale)
}
}
}
})
// 第二种写法
// vm.$watch("isHot",{
// immediate:true, //初始化时让handler调用一下
// handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
// console.log("new value: "+ newValue + ", old value: " + oldVale)
// }
// })
script>
body>
html>
深度监视:
备注:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>今天的天气{{showWeacher}}h1>
<button type="button" @click="switchWeather">点击切换button>
<hr>
<h2>{{number.a}}h2>
<button type="button" @click="number.a++">点我+1button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
isHot:true,
number:{
a: 1,
b: 1
}
},
methods: {
switchWeather(){
this.isHot = !this.isHot
}
},
computed:{
showWeacher(){
return this.isHot ? "炎热":"凉爽"
}
},
watch:{
isHot:{
immediate:true, //初始化时让handler调用一下
handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
console.log("new value: "+ newValue + ", old value: " + oldVale)
}
},
"number.a":{ //监控多级属性种的某一个属性发生变化
immediate:true, //初始化时让handler调用一下
handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
console.log("new value: "+ newValue + ", old value: " + oldVale)
}
},
number:{ //监控多级属性种的所有值的变化
deep:true,
immediate:true, //初始化时让handler调用一下
handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
console.log("new value: "+ JSON.stringify(newValue) + ", old value: " + JSON.stringify(oldVale))
}
}
}
})
script>
body>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>今天的天气{{showWeacher}}h1>
<button type="button" @click="switchWeather">点击切换button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
isHot:true
},
methods: {
switchWeather(){
this.isHot = !this.isHot
}
},
computed:{
showWeacher(){
return this.isHot ? "炎热":"凉爽"
}
},
watch:{
//完整写法
// isHot:{
// immediate:true, //初始化时让handler调用一下
// handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
// console.log("new value: "+ newValue + ", old value: " + oldVale)
// }
// }
//简写,只需要监控,不需要其他属性
// isHot(newValue, oldVale){
// console.log("new value: "+ newValue + ", old value: " + oldVale)
// }
}
})
// 第二种写法
// vm.$watch("isHot",{
// immediate:true, //初始化时让handler调用一下
// handler(newValue, oldVale){ //handler什么时候调用?当isHot发生改变时。
// console.log("new value: "+ newValue + ", old value: " + oldVale)
// }
// })
//简写形式
vm.$watch("isHot",function(newValue, oldVale){
console.log("new value: "+ newValue + ", old value: " + oldVale)
})
script>
body>
html>
computed和watch之间的区别:
两个重要的小原则:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<input type="text" v-model="firstName"> <br>
<input type="text" v-model="lastName"> <br>
姓名:{{fullName}}
div>
<script>
Vue.config.devtools = true
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
firstName: "张",
lastName: "三",
fullName: "张 - 三"
},
// computed:{
// fullName(){ //不考虑修改计算属性的情况下,可简写为函数形式,相当于直接调用了get方法
// return this.firstName + "-" + this.lastName
// }
// }
watch:{
firstName(value){ //需要使用异步的只能使用watch而不能使用computed
console.log("firstName...")
setTimeout(()=>{
this.fullName = value + this.lastName
}, 1000) //一秒响应
},
lastName(value){
console.log("lastName...")
setTimeout(()=>{
this.fullName = this.firstName + value
}, 1000) //一秒响应
},
}
})
script>
body>
html>
绑定样式:
class样式
写法:class="xxx"xxx可以是字符串、对象、数组。
style样式
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<style>
.base{
width: 300px;
height: 300px;
border: 1px solid #000;
padding: 5%;
margin-top: 10px;
}
.common{
background: rgb(182,214,237);
background: -moz-linear-gradient(left, rgb(182,214,237) 0%, rgb(113,189,239) 55%, rgb(34,156,226) 100%);
background: -webkit-gradient(left top, right top, color-stop(0%, rgb(182,214,237)), color-stop(55%, rgb(113,189,239)), color-stop(100%, rgb(34,156,226)));
background: -webkit-linear-gradient(left, rgb(182,214,237) 0%, rgb(113,189,239) 55%, rgb(34,156,226) 100%);
background: -o-linear-gradient(left, rgb(182,214,237) 0%, rgb(113,189,239) 55%, rgb(34,156,226) 100%);
background: -ms-linear-gradient(left, rgb(182,214,237) 0%, rgb(113,189,239) 55%, rgb(34,156,226) 100%);
background: linear-gradient(to right, rgb(182,214,237) 0%, rgb(113,189,239) 55%, rgb(34,156,226) 100%);
filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#b6d6ed', endColorstr='#229ce2', GradientType=1 );
}
.happy{
background: rgb(255,215,82);
background: -moz-linear-gradient(left, rgb(255,215,82) 0%, rgb(229,231,64) 39%, rgb(241,91,146) 100%);
background: -webkit-gradient(left top, right top, color-stop(0%, rgb(255,215,82)), color-stop(39%, rgb(229,231,64)), color-stop(100%, rgb(241,91,146)));
background: -webkit-linear-gradient(left, rgb(255,215,82) 0%, rgb(229,231,64) 39%, rgb(241,91,146) 100%);
background: -o-linear-gradient(left, rgb(255,215,82) 0%, rgb(229,231,64) 39%, rgb(241,91,146) 100%);
background: -ms-linear-gradient(left, rgb(255,215,82) 0%, rgb(229,231,64) 39%, rgb(241,91,146) 100%);
background: linear-gradient(to right, rgb(255,215,82) 0%, rgb(229,231,64) 39%, rgb(241,91,146) 100%);
filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#ffd752', endColorstr='#f15b92', GradientType=1 );
}
.unhappy{
background: rgb(221,181,235);
background: -moz-linear-gradient(left, rgb(221,181,235) 0%, rgb(113,189,239) 47%, rgb(235,168,35) 100%);
background: -webkit-gradient(left top, right top, color-stop(0%, rgb(221,181,235)), color-stop(47%, rgb(113,189,239)), color-stop(100%, rgb(235,168,35)));
background: -webkit-linear-gradient(left, rgb(221,181,235) 0%, rgb(113,189,239) 47%, rgb(235,168,35) 100%);
background: -o-linear-gradient(left, rgb(221,181,235) 0%, rgb(113,189,239) 47%, rgb(235,168,35) 100%);
background: -ms-linear-gradient(left, rgb(221,181,235) 0%, rgb(113,189,239) 47%, rgb(235,168,35) 100%);
background: linear-gradient(to right, rgb(221,181,235) 0%, rgb(113,189,239) 47%, rgb(235,168,35) 100%);
filter: progid:DXImageTransform.Microsoft.gradient( startColorstr='#ddb5eb', endColorstr='#eba823', GradientType=1 );
}
.border1{
border:darkorchid solid 2px;
}
.border2{
border-radius: 20px;
}
.border3{
box-shadow: gray 5px 2px;
}
style>
head>
<body>
<div id="app">
<div class="base" :class="bgColor" @click="changeBgColor">
心情{{mood}}
div>
<div class="base" :class="arr" @click="changeBorderStyle">
使用样式:{{arr}}
div>
<div class="base" :class="selectArr">
<input type="checkbox" v-model="selectArr.border1" > border1 <br>
<input type="checkbox" v-model="selectArr.border2"> border3 <br>
<input type="checkbox" v-model="selectArr.border3" > border3 <br>
div>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
bgColor: "common",
mood:"平常心",
arr:[],
selectArr:{
border1:false,
border2:false,
border3:false
}
},
methods: {
changeBgColor(){
const arrBgColor = ["common","happy","unhappy"]
const arrMood = ["平常心","开心","不开心"]
let index = Math.floor(Math.random()*3)
this.bgColor = arrBgColor[index]
this.mood = arrMood[index]
},
changeBorderStyle(){
const style = ["border1", "border2", "border3"]
if(this.arr.length < 3)
this.arr.push(style[this.arr.length])
},
},
})
script>
body>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<style>
.base{
width: 200px;
height: 200px;
border: 1px solid #000;
padding: 5%;
margin-top: 10px;
}
style>
head>
<body>
<div id="app">
<div class="base" :style="{borderRadius: borderRadius}">
style绑定
div>
<div class="base" :style="style">
style绑定
div>
<div class="base" :style="[{backgroundColor,backgroundColor}, {borderRadius, borderRadius}]">
style绑定
div>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
borderRadius: '15px',
backgroundColor: 'red',
style:{
borderRadius: '15px',
backgroundColor: 'red',
}
},
methods: {
},
})
script>
body>
html>
条件渲染:
v-if
写法:
适用于:切换频率较低的场景。
特点:不展示的DOM元素直接被移除。
注意:v-if可以和:v-else-if、v-else一起使用,但要求结构不能被“打断”。
v-show
写法:V-show=“表达式”
适用于:切换频率较高的场景。
特点:不展示的DOM元素未被移除,仅仅是使用样式隐藏掉
备注:使用v-if的时,元素可能无法获取到,而使用v-show一定可以获取到。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<div v-show="true">v-showdiv>
<div v-show="1===3">v-showdiv>
<div v-show="isShow">v-showdiv>
<hr>
<div v-if="true">v-ifdiv>
<div v-if="1===3">v-ifdiv>
<div v-if="isShow">v-ifdiv>
<hr>
计数器:{{count}} <button @click="count++">点击+1button>
<div v-if="count === 1">tonydiv>
<div v-if="count === 2">admindiv>
<div v-if="count === 3">ponydiv>
<template v-if="count > 3">
<hr>
<div>张三div>
<div>李四div>
<div>王五div>
template>
<hr>
<div v-if="count === 1">hellodiv>
<div v-else-if="count === 2">worlddiv>
<div v-else >hello worlddiv>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
info:"helloworld",
isShow:true,
count:0
}
})
script>
body>
html>
v-for指令:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>解析列表信息h1>
<ul>
<li v-for="(item,index) in persons" :key="index">{{item.name}}-{{item.age}}li>
ul>
<h1>解析对象信息h1>
<ul>
<li v-for="(value,key) in car" :key="key">{{key}}-{{value}}li>
ul>
<h1>解析字符串h1>
<ul>
<li v-for="(char,index) in say" :key="index">"{{char}}"-{{index}}li>
ul>
<h1>解析数字h1>
<ul>
<li v-for="(number,index) in 10" :key="index">"{{number}}"-{{index}}li>
ul>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
persons:[
{id:"001",name:"张三",age:"18"},
{id:"002",name:"李四",age:"19"},
{id:"003",name:"王五",age:"20"}
],
car:{
name:"hq",
price:1000000,
color: "black"
},
say:"hello world"
}
})
script>
body>
html>
面试题:react、vue中的key有什么作用?(key的内部原理)
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>解析列表信息,key为indexh1>
<ul>
<li v-for="(item,index) in persons" :key="index">
{{item.name}}-{{item.age}} <input type="text">
li>
ul>
<h1>解析列表信息,key为idh1>
<ul>
<li v-for="(item,index) in persons" :key="item.id">
{{item.name}}-{{item.age}} <input type="text">
li>
ul>
<button @click.once="addPerson">添加一个用户button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
persons:[
{id:"001",name:"张三",age:"18"},
{id:"002",name:"李四",age:"19"},
{id:"003",name:"王五",age:"20"}
]
},
methods: {
addPerson(){
const person = {id:"004",name:"赵六",age:"20"}
this.persons.unshift(person)
}
},
})
script>
body>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<h1>模糊搜索-watch实现h1>
<input type="text" v-model="keyWord" placeholder="请输入姓名" />
<ul>
<li v-for="(item,index) in searchResult" :key="item.id">
姓名:{{item.name}},年龄:{{item.age}},性别:{{item.sex}}
li>
ul>
<h1>模糊搜索-computed实现h1>
<input type="text" v-model="keyWord2" placeholder="请输入姓名" />
<ul>
<li v-for="(item,index) in searchResult2" :key="item.id">
姓名:{{item.name}},年龄:{{item.age}},性别:{{item.sex}}
li>
ul>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
keyWord:"",
keyWord2:"",
persons:[
{id:"001",name:"张三",age:"18", sex:"男"},
{id:"002",name:"李四",age:"19", sex:"男"},
{id:"003",name:"王五",age:"20", sex:"男"},
{id:"004",name:"赵六",age:"20", sex:"女"},
{id:"004",name:"赵七",age:"20", sex:"女"}
],
searchResult:[],
},
computed:{
searchResult2(){
return this.persons.filter((p)=>{
return p.name.indexOf(this.keyWord2) !== -1
})
}
},
watch:{
keyWord:{
immediate:true, //初始化时执行handler
handler(val){
this.searchResult = this.persons.filter((p)=>{
return p.name.indexOf(val) !== -1
})
}
}
}
})
script>
body>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<style>
table{
border: 1px solid #000;
margin: 0 auto;
}
td{
padding:10px 60px;
text-align: left;
}
style>
head>
<body>
<div id="app">
<table>
<tr>
<th>idth>
<th>姓名th>
<th>年龄 <br/>
<button type="button" @click="changeSortType(0)">○button>
<button type="button" @click="changeSortType(1)">↑button>
<button type="button" @click="changeSortType(2)">↓button>
th>
<th>性别th>
tr>
<tr v-for="(item,index) in searchResult" :key="item.id">
<td>{{item.id}}td>
<td>{{item.name}}td>
<td>{{item.age}}td>
<td>{{item.sex}}td>
tr>
<tr>
<td colspan="4"><input type="text" v-model="keyWord" placeholder="请输入姓名" >td>
tr>
table>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
keyWord:"",
sortType:0,
persons:[
{id:"001",name:"张三",age:"18", sex:"男"},
{id:"002",name:"李四",age:"19", sex:"男"},
{id:"003",name:"王五",age:"17", sex:"男"},
{id:"004",name:"赵六",age:"25", sex:"女"},
{id:"004",name:"赵七",age:"23", sex:"女"}
],
},
methods: {
changeSortType(type){
this.sortType = type
}
},
computed:{
searchResult(){
const arr = this.persons.filter((p)=>{
return p.name.indexOf(this.keyWord) !== -1
})
if(this.sortType){
arr.sort((p1,p2)=>{ // p1 - p2升序,p2 - p1 降序
return this.sortType === 1 ? p1.age - p2.age : p2.age - p1.age
})
}
return arr;
}
}
})
script>
body>
html>
分别修改列表中对象的每一个属性时,vue会检测到,页面会立即响应。
直接修改列表中的一个对象时,vue不会检测到,代码层面数据生效,但页面不会立即生效。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<ul>
<li v-for="(item, index) in persons" :key="item.id">
{{item.id}}--{{item.name}}--{{item.age}}--{{item.sex}}
li>
ul>
<button type="button" @click="changeInfo">修改张三信息(正常修改)button>
<button type="button" @click="changeInfo2">修改张三信息(异常修改)button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
persons:[
{id:"001",name:"张三",age:"18", sex:"男"},
{id:"002",name:"李四",age:"19", sex:"男"},
{id:"003",name:"王五",age:"17", sex:"男"},
{id:"004",name:"赵六",age:"25", sex:"女"},
{id:"004",name:"赵七",age:"23", sex:"女"}
],
},
methods: {
changeInfo(){ //页面立即响应
this.persons[0].name = "hello",
this.persons[1].age = "22"
},
changeInfo2(){ //后台数据发生变化,页面不响应
this.persons[0] = {id:"001",name:"world",age:"22", sex:"男"}
}
},
})
script>
body>
html>
单层对象的数据监测
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Documenttitle>
head>
<body>
body>
<script type="text/javascript">
let data = {
name:"zs",
age: 18
}
//创建一个监视对象,用于监视data中属性的变化
const obs = new Obsrever(data);
console.log(obs)
//创建一个vm实例
let vm = {}
vm._data = data = obs
function Obsrever(obj){
//汇总对象中的所有属性形成一个数组
const keys = Object.keys(obj)
//遍历数组
keys.forEach((k)=>{
Object.defineProperty(this, k,{
get(){
return obj[k]
},
set(val){
obj[k] = val
}
})
})
}
script>
html>
向响应式对象中添加一个 property,并确保这个新 property 同样是响应式的,且触发视图更新。它必须用于向响应式对象上添加新 property,
注意对象不能是 Vue 实例,或者 Vue 实例的根数据对象。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<script src="http://libs.baidu.com/jquery/2.0.0/jquery.min.js">script>
head>
<body>
<div id="app">
<h1>学生信息h1>
<ul>
<li v-for="(value, key) in person">
{{key}}-- {{value}}
li>
ul>
<h2>添加学生信息h2>
字段名:<input type="text" id="key">
值:<input type="text" id="value">
<button type="button" @click="add" >添加button>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
person:{
name:"张三",
age: 20,
sex: "男",
},
},
methods: {
add(){
let key = $("#key").val()
let value = $("#value").val()
// Vue.set(vm.person, key, value)
vm.$set(vm.person, key, value)
}
},
})
script>
body>
html>
Vue 将被侦听的数组的变更方法进行了包裹,所以它们也将会触发视图更新。这些被包裹过的方法包括:
push()
pop()
shift()
unshift()
splice()
sort()
reverse()
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<ul>
<li v-for="(item, index) in persons" :key="item.id">
{{item.id}}--{{item.name}}--{{item.age}}--{{item.sex}}
li>
ul>
<input type="button" value="修改张三信息(使用下标修改)" @click="update1">
<input type="button" value="修改张三信息(使用方法修改)" @click="update2">
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
persons:[
{id:"001",name:"张三",age:"18", sex:"男"},
{id:"002",name:"李四",age:"19", sex:"男"},
{id:"003",name:"王五",age:"17", sex:"男"},
{id:"004",name:"赵六",age:"25", sex:"女"},
{id:"005",name:"赵七",age:"23", sex:"女"}
],
},
methods: {
update1(){
this.persons[0] = {id:"001",name:"pony",age:"19", sex:"男"}
console.log(this.persons[0])
},
update2(){
//方法一
// this.persons.splice(0,1,{id:"001",name:"pony",age:"19", sex:"男"})
//方法二
Vue.set(vm.persons,0,{id:"001",name:"pony",age:"19", sex:"男"})
}
},
})
script>
body>
html>
Vue监视数据的原理:
通过setter实现监视,且要在new Vue时就传入要监测的数据。
对象中后追加的属性,Vue默认不做响应式处理
如需给后添加的属性做响应式,请使用如下API:
Vue,set(target,propertyName/index,value)或
vm.$set(target,propertyName/index,value)
如何监测数组中的数据?
通过包裹数组更新元素的方法实现,本质就是做了两件事:
在Vue修改数组中的某个元素一定要用如下方法:
使用这些API:push()、pop()、shift()、unshift()、splice()、sort()、reverse()
Vue.set()或vm.$set()
特别注意:Vue.set()和vm.$set()不能给vm或vm的根数据对象添加属性!
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
姓名:{{student.name}}<br/>
年龄:{{student.age}}<br>
<template v-show="student.sex">
性别:{{student.sex}} <br/>
template>
好友:
<ul>
<li v-for="(item,index) in student.friends">
姓名:{{item.name}}, 年龄:{{item.age}}
li>
ul>
爱好:
<ul>
<li v-for="(item, index) in student.hobby">{{item}}li>
ul>
<button type="button" @click="student.age++">姓名+1button><br/><br/>
<button type="button" @click="addSex">添加性别为男button><br/><br/>
<button type="button" @click="addFriend">添加一个好友button><br/><br/>
<button type="button" @click="updateLastFriendName">修改最后一个好友姓名为张三button><br/><br/>
<button type="button" @click="addHobby">添加一个爱好button><br/><br/>
<button type="button" @click="updateHobbyFrist">修改第一个爱好button><br/><br/>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
student:{
name:"张三",
age:18,
friends:[
{name:"pony",age:18},
{name:"admin",age:20},
],
hobby:["抽烟","喝酒","烫头"]
}
},
methods: {
addSex(){
this.$set(this.student,"sex","男")
},
addFriend(){
this.student.friends.push({name:"zs", age:18})
},
updateLastFriendName(){
// this.$set(this.student.friends, this.student.friends.length-1, {name:"张三", age:18})
this.student.friends[this.student.friends.length-1].name = "张三"
},
addHobby(){
this.student.hobby.push("写代码")
},
updateHobbyFrist(){
this.$set(this.student.hobby, 0 , "开车")
}
},
})
script>
body>
html>
收集表单数据:
若:,则v-mode1收集的是value值,用户输入的就是value值。
若:,则v-mode]收集的是value值,且要给标签配置value值。
若:
备注:V-mode1的三个修饰符:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<style>
.box{
width: 20%;
height: 100%;
margin: 0 auto;
padding: 25px;
border: 2px solid #000;
box-shadow: cadetblue 5px 5px;
}
style>
head>
<body>
<div id="app" class="box">
<form @submit.prevent="formSubmit">
<label for="name">姓名:label>
<input type="text" id="name" v-model.trim="userInfo.name"> <br> <br>
<label for="password">密码:label>
<input type="password" id="password" v-model.trim="userInfo.password"><br> <br>
<label for="age">年龄:label>
<input type="number" id="age" v-model.trim.number="userInfo.age"><br> <br>
<label>性别:label>
<label for="male">男:label><input type="radio" id="male" name="sex" value="male" v-model="userInfo.sex">
<label for="female">女:label><input type="radio" id="female" name="sex" value="female" v-model="userInfo.sex"><br> <br>
<label>爱好:label>
<label for="sing">唱歌:label><input type="checkbox" id="sing" value="sing" v-model="userInfo.hobby">
<label for="dance">跳:label><input type="checkbox" id="dance" value="dance" v-model="userInfo.hobby">
<label for="rap">rap:label><input type="checkbox" id="rap" value="rap" v-model="userInfo.hobby">
<label for="basketball">篮球:label><input type="checkbox" id="basketball" value="basketball" v-model="userInfo.hobby"><br> <br>
<label for="school">学校:label>
<select id="school" v-model="userInfo.school">
<option value="">-请选择-option>
<option value="武汉东湖">武汉东湖option>
<option value="武汉软件">武汉软件option>
<option value="武汉大学">武汉大学option>
select><br><br>
<label for="info">简介:label>
<textarea id="info" v-model.lazy="userInfo.info">textarea><br><br>
<input type="checkbox" id="agree" v-model="userInfo.agree"><label for="agree"><a href="https://www.baidu.com">用户协议a>label><br> <br>
<button>提交button>
form>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
userInfo:{
name:"",
password:"",
age:18,
sex:"male",
hobby:[],
info:"",
agree:"",
school:""
}
},
methods: {
formSubmit(){
let jsonInfo = JSON.stringify(this.userInfo)
console.log(jsonInfo)
}
},
})
script>
body>
html>
过滤器:
定义:对要显示的数据进行特定格式化后再显示(适用于一些简单逻辑的处理)。
语法:
备注:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
<script src="https://cdn.bootcdn.net/ajax/libs/dayjs/1.10.6/dayjs.min.js">script>
head>
<body>
<div id="app">
<p>时间戳:{{time}}p>
<p>计算属性实现的时间格式化:{{nowDate}}p>
<p>methods方法实现时间格式化:{{getDate()}}p>
<p>过滤器实现1时间格式化:{{time | dateFormate1}}p>
<p>过滤器实现2时间格式化:{{time | dateFormate2("YYYY-MM-DD")}}p>
<p>过滤器实现3时间格式化:{{time | dateFormate2("YYYY-MM-DD") | mySlice}}p>
div>
<div id="app2">
<p>过滤器实现截取字符串:{{"helloworld" | mySlice}}p>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
Vue.filter("mySlice", function(value){ //全局的filter可以不同的vue实例一起使用
return value.slice(0,4)
})
const vm = new Vue({
el: '#app',
data: {
time:1628216520045 //时间戳
},
computed:{
nowDate(){
return dayjs(this.time).format("YYYY-MM-DD HH:mm:ss")
}
},
methods: {
getDate(){
return dayjs(this.time).format("YYYY-MM-DD HH:mm:ss")
}
},
filters:{
dateFormate1(value){
return dayjs(this.time).format("YYYY-MM-DD HH:mm:ss")
},
dateFormate2(value, str){ //要过滤的参数会默认放在第一个,第二个是方法传入的参数
return dayjs(this.time).format(str)
}
}
})
new Vue({
el:"#app2",
data:{
time: vm.time
}
})
script>
body>
html>
我们学过的指令:
v-text指令:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<p>{{say}}, 张三!p>
<p v-text="say">, 张三!p>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
say:"hello"
}
})
script>
body>
html>
v-html指令:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<script src="../js/vue.min.js">script>
head>
<body>
<div id="app">
<div v-html="tag1">div>
<input type="text" v-model="tag2" placeholder="请输入"/>
<div v-html="tag2">div>
div>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
tag1:"hello world
",
tag2:""
}
})
script>
body>
html>
V-cloak指令(没有值):
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<meta http-equiv="X-UA-Compatible" content="ie=edge">
<title>helloworldtitle>
<style>
[v-cloak]{
display: none;
}
style>
head>
<body>
<div id="app" v-cloak>
{{name}}
div>
<script src="../js/vue.min.js">script>
<script>
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
name:"helloworld"
}
})
script>
body>
html>
V-once指令:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<h1 v-once>计数器初始值:{{count}}h1>
<p>计数器数值:{{count}}p>
<button @click="count++">计数器+1button>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el: '#app',
data: {
count:0,
}
})
script>
html>
V-pre指令:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<p v-pre>{{a}}p>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el:"#app",
data:{
a:"helloworld"
},
methods:{},
})
script>
html>
需求1:定义一个v-big指令,和v-text功能类似,但会把绑定的数值放大10倍。
需求2:定义一个v-fbind指令,和v-bind功能类似,但可以让其所绑定的input元素默认获取焦点。
自定义指令总结:
定义语法:
局部指令:
new Vue({
directive:{指令名:配置对象}
})
new Vue({
directive:{指令名:回调函数}
})
全局指令:Vue.directive(指令名,配置对象)或 Vue.directive(指令名,回调函数)
配置对象中常用的3个回调:
备注:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<h1>number的原始值:{{number}}h1>
<h2>number放大十倍:<span v-big="number">span>h2>
<button @click="number++">点我number+1button>
<input type="text" v-fbind="number">
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
// Vue.directive("fbind",{ //全局自定义指令
// bind(element, binding){ //指令与元素成功绑定时调用
// console.log("bind")
// element.value = binding.value*10
// },
// inserted(element, binding){ //指令所在元素被插入页面后调用
// console.log("inserted")
// element.focus()
// },
// update(element, binding){ //指令所用到的数据发生更新时调用
// console.log("update")
// element.value = binding.value*10
// }
// })
const vm = new Vue({
el:"#app",
data:{
number:1
},
directives:{
big(element, binding){ //big函数何时会被调用?1.指令与元素成功绑定时2.指令所用到的数据发生更新时
console.log("big loading...")
console.log(binding)
console.dir(element)
element.innerText = binding.value*10
},
// "big"(element, binding){ //完整写法指令名加引号
// console.log("big loading...")
// console.log(binding)
// console.dir(element)
// element.innerText = binding.value*10
// },
fbind:{
bind(element, binding){ //指令与元素成功绑定时调用
console.log("bind")
element.value = binding.value*10
},
inserted(element, binding){ //指令所在元素被插入页面后调用
console.log("inserted")
element.focus()
},
update(element, binding){ //指令所用到的数据发生更新时调用
console.log("update")
element.value = binding.value*10
}
}
}
})
script>
html>
生命周期:
- 又名:生命周期回调函数、生命周期函数、生命周期钩子。
- 是什么:Vue在关键时刻帮我们调用的一些特殊名称的函数。
- 生命周期函数的名字不可更改,但函数的具体内容是程序员根据需求编写的。
- 生命周期函数中的this指向是vm或组件实例对象。
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<h1 :style="{opacity}">helloworldh1>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el:"#app",
data:{
opacity:1
},
mounted() {
console.log("mounted")
setInterval(()=>{ //vue完成模板的解析并把初始的真实DOM元素放入页面后(挂载完毕)调用mount
this.opacity -= 0.005
if(this.opacity <= 0)
this.opacity = 1
})
},
})
script>
html>
vm的一生(vm的生命周期):
常用的生命周期钩子:
关于销毁Vue实例
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<p>n的值是:{{n}}p>
<button @click="add">n+1button>
<button @click="destroy">点我销毁button>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const vm = new Vue({
el:"#app",
data:{
n:1
},
methods:{
add(){
this.n++
},
destroy(){
this.$destroy()
}
},
beforeCreate() {
//此时data还未做数据带来,无法操作data和method等
console.log("beforeCreate")
},
created() {
console.log("beforeCreate")
},
beforeMount() {
console.log("beforeMount")
},
mounted() {
console.log("mounted")
},
beforeUpdate() {
console.log("beforeUpdate")
},
updated() {
console.log("updated")
},
beforeDestroy() {
console.log("beforeDestroy")
},
destroyed() {
console.log("destroyed")
},
})
script>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<hello>hello>
<hr>
<student>student>
<hr>
<school>school>
div>
<div id="app2">
<hello>hello>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
//第一步:创建学生组件
const student = Vue.extend({
template:`
学生姓名:{{sudentName}}
学生年龄:{{age}}
`,
data(){
return {
sudentName:"Lyx",
age: 23
}
},
methods: {
ageAdd(){
this.age ++
}
},
})
//第一步:创建学校组件
const school = Vue.extend({
template:`
学校名称:{{schoolName}}
学校地址:{{address}}
`,
data(){
return {
schoolName:"Lyx",
address: "武汉"
}
}
})
//第一步:创建学校组件
const hello = Vue.extend({
template:`
{{hello}}
`,
data(){
return {
hello:"hello vue!"
}
}
})
//第二步:注册组件(全局)
Vue.component("hello", hello)
const vm = new Vue({
el:"#app",
components:{ //第二步:注册组件(局部)
student, //student ==》 xuesheng:student
school,
hello
}
})
new Vue({
el:"#app2"
})
script>
html>
几个注意点:
关于组件名:
一个单词组成:
多个单词组成:
备注:
关于组件标签:
第一种写法:
第二种写法:
备注:不用使用脚手架时,会导致后续组件不能渲染。
一个简写方式:
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="app">
<school>school>
<School>School>
<my-school>my-school>
<say>say>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
const s = Vue.extend({
template:`
{{address}}
{{schoolName}}
`,
data(){
return{
schoolName:"武汉东湖学院",
address:"武汉"
}
}
})
const s2 = {
name:"hello",
template:`
{{say}}
`,
data(){
return{
say:"hello world"
}
}
}
const vm = new Vue({
el:"#app",
components:{
school:s,
School:s,
'my-school':s,
say:s2
}
})
script>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="root">
<app>app>
div>
<div id="root2">
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
//定义学生组件
const student ={
template:`
{{studentName}}
{{age}}
`,
data(){
return{
studentName:"张三",
age:20
}
}
}
//定义老师组件
const teacher ={
template:`
{{teacherName}}
{{grade}}
`,
data(){
return{
teacherName:"罗翔",
grade:"高级"
}
}
}
//定义学校组件
const school ={
template:`
{{schoolName}}
{{address}}
`,
data(){
return{
schoolName:"武汉东湖学院",
address:"武汉"
}
},
components:{
student,
teacher
}
}
//定义hello组件
const hello ={
template:`
{{hello}}
`,
data(){
return{
hello:"welcome to vue!"
}
}
}
//定义app组件统一管理嵌套的组件
const app ={
template:`
`,
components:{
hello,
school
}
}
const vm = new Vue({
el:"#root",
components:{app}
})
const vm2 = new Vue({
template:`
`,
el:"#root2",
components:{app}
})
script>
html>
关于VueComponent:
- 一个重要的内置关系: VueComponent.prototype.__ proto __ == Vue.prototype
- 为什么要有这个关系:让组件实例对象(vc)可以访问到vue原型上的属性、方法
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>helloworldtitle>
<script src="js/vue.js">script>
head>
<body>
<div id="root">
<school>school>
div>
body>
<script type="text/javascript">
Vue.config.devtools = true //使用VueTools工具进行调试
Vue.config.productionTip=false //以阻止 vue 在启动时生成生产提示
Vue.prototype.n=99
const school = {
template:`
n的值为:{{n}}
`,
data(){
return{
flag:false
}
},
methods: {
show(){
this.flag =true
}
},
}
const vm = new Vue({
el:"#root",
data:{},
components:{school}
})
script>
html>
School.vue
学校名称:{{name}}
学校地址:{{address}}
Student.vue
学生姓名:{{name}}
学生年龄:{{age}}
App.vue
main.js
import App from "./App.vue"
new Vue({
el:"#root",
template:`
`,
components:{App}
})
index.html
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>Documenttitle>
head>
<body>
<div id="root">div>
<script type="text/javascript" src="../js/vue.js">script>
<script type="text/javascript" src="./main.js">script>
body>
html>
安装最新版的CLI
npm install -g @vue/cli
# OR
yarn global add @vue/cli
如果网络很慢使用npm的淘宝镜像的加速
npm config set registry https://registry.npm.taobao.org
创建项目
切换到你需要的目录下创建一个新项目
vue create xxx
你会被提示选取一个 preset。你可以选默认的包含了基本的 Babel + ESLint 设置的 preset,也可以选“手动选择特性”来选取需要的特性。
这个默认的设置非常适合快速创建一个新项目的原型,而手动设置则提供了更多的选项,它们是面向生产的项目更加需要的。
运行项目
进入到项目的目录下,运行项目
npm run serve
启动成功后出现如下界面
测试访问
node_modules
:用于存放我们项目的各种依赖;
public
:用于存放静态资源(不会变动的);
public/index.html
:模板文件,作用是生成项目的入口文件。浏览器访问项目的时候就会默认打开的是生成好的 index.html。
DOCTYPE html>
<html lang="">
<head>
<meta charset="utf-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width,initial-scale=1.0">
<link rel="icon" href="<%= BASE_URL %>favicon.ico">
<title><%= htmlWebpackPlugin.options.title %>title>
head>
<body>
<noscript>
<strong>We're sorry but <%= htmlWebpackPlugin.options.title %> doesn't work properly without JavaScript enabled. Please enable it to continue.strong>
noscript>
<div id="app">div>
body>
html>
public/favicon.ico
:网站图标
src
:是存放各种 .vue 文件的地方。
src/assets
:用于存放着各种静态文件(可能会变动),比如图片。src/components
:存放公共组件(可复用),比如 header.vue、footer.vue 等。src/App.vue
:App.vue 是项目的主组件;App.vue 中使用 router-link 引入其他模块,所有的页面都是在 App.vue 下切换的。src/main.js
:入口文件,主要作用是初始化 vue 实例,同时可以在此文件中引用某些组件库或者全局挂载一些变量。.gitignore
:配置 git 上传想要忽略的文件格式。
babel.config.js
:一个工具链,主要用于在当前和较旧的浏览器或环境中将 ES6 的代码转换向后兼容(低版本ES)。
package.json
:模块基本信息项目开发所需要的模块,版本,项目名称。
package-lock.json
:是在 npm install 时候生成的一份文件,用于记录当前状态下实际安装的各个 npm package 的具体来源和版本号。
wue.js
与vue.runtime.xxx.js
的区别:
被用来给元素或子组件注册引用信息(id的替代者
应用在htm标签上获取的是真实DM元素,应用在组件标签上是组件实例对象(vc
使用方式
功能: 让组件接收外部传过来的数据
传递数据:
接收数据:
第一种方式(只接收)
props:[“name”]
第二种方式(限制类型)
props:{
name: Number
}
第三种方式(限制类型、限制必要性、指定默认值)
props:{
name:{
type: String,//类型
required:true,//必要性
default:'老王'//默认值
}
}
备注: props是只读的,Wue底层会监测你对 props的修改,如果进行了修改,就会发出警告若业务需求确实需要修改,那么请复制 props的内容到data中一份,然后去修改data中的数据。
学习名称:{{name}}
地址:{{address}}
学生人数:{{studentNumber}}
学费:{{tuition}}
功能:可以把说个组件共用的配置提取成一个混入对象
使用方式:
第一步定义混合,例如:
export const a = {
data(){...},
method(){...},
...
}
第二步使用混入,例如:
全局混入
Vue.mixin(组件名)
局部混入
mixins:[组件名]
mixin.js
export const mixin = {
methods: {
showName(){
alert(this.name)
}
},
}
export const mixin2 = {
mounted() {
console.log("hello vue!")
},
data(){
return{
x: 100,
y: 200
}
}
}
main.js
import Vue from 'vue'
import App from './App.vue'
import {mixin2} from "./mixin"
Vue.config.productionTip = false
//定义全局混合组件
Vue.mixin(mixin2)
new Vue({
render: h => h(App),
}).$mount('#app')
Student.vue
学生姓名:{{name}}
年龄:{{age}}
x:{{x}}; y:{{y}}
School.vue
学习名称:{{name}}
地址:{{address}}
x:{{x}}; y:{{y}}
功能: 用于增强Vue
本质: 包含 insta11方法的一个对象, insta11的第一个参数是vue,第二个以后的参数是插件使用者传递的数
定义插件:
对象. insta11= function(vue, options){
//1.添加全局过滤器
Vue filter(...)
//2.添加全局指令
Vue.directive(...)
//3.配置全局混入(合)
Vue mixin (...)
//4.添加实例方法
Vue.prototype.$myMethod=function(){}
Vue.prototype.$myProperty=xxx
}
使用插件: Vue.use()
快速体验:
export default {
install(Vue){
// console.log("@@@install",Vue)
//全局的filter
Vue.filter("mySlice", function(value){
return value.slice(0,4)
})
//全局自定义指令
Vue.directive("fbind",{
bind(element, binding){ //指令与元素成功绑定时调用
console.log("bind")
element.value = binding.value*10
},
inserted(element){ //指令所在元素被插入页面后调用
console.log("inserted")
element.focus()
},
update(element, binding){ //指令所用到的数据发生更新时调用
console.log("update")
element.value = binding.value*10
}
})
//全局混入
Vue.mixin({
data(){
return{
x: 20,
y: 30
}
}
})
}
}
import plugins from "./plugins"
Vue.use(plugins)
每个模块里面定义的样式默认都是全局使用的,在app里面后引入的模块样式会覆盖掉先引入的样式,只需要在style标签里定义scoped属性即可定义局部的style样式,只在模块内生效。
<style scoped>
.demo{
background-color: skyblue;
}
style>
组件化编码流程:
props适用于
- 暂无任务,请添加!
{{todo.name | mySlice}}
×
xxxxxStorage.setItem('key','value')
xxxxxStorage.getItem('person')
xxxxxStorage.removeItem('key')
xxxxxStorage.clear()
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>localStroagetitle>
head>
<body>
<h1>localStorageh1>
<button onclick="add()">添加stroagebutton>
<button onclick="deleteOne()">删除一个stroagebutton>
<button onclick="get()">得到stroagebutton>
<button onclick="deleteAll()">清空stroagebutton>
<script type="text/javascript">
function add(){
localStorage.setItem("msg", "hello world!")
const person = {"id": "001", "name": "张三", "age": 18}
localStorage.setItem("pserson", JSON.stringify(person))
}
function deleteOne(){
localStorage.removeItem("msg")
}
function get(){
console.log("msg", localStorage.getItem("msg"))
console.log("person", JSON.parse(localStorage.getItem("msg")))
}
function deleteAll(){
localStorage.clear()
}
script>
body>
html>
DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8">
<meta http-equiv="X-UA-Compatible" content="IE=edge">
<meta name="viewport" content="width=device-width, initial-scale=1.0">
<title>sessionStroagetitle>
head>
<body>
<h1>sessionStorageh1>
<button onclick="add()">添加stroagebutton>
<button onclick="deleteOne()">删除一个stroagebutton>
<button onclick="get()">得到stroagebutton>
<button onclick="deleteAll()">清空stroagebutton>
<script type="text/javascript">
function add(){
sessionStorage.setItem("msg", "hello world!")
const person = {"id": "001", "name": "张三", "age": 18}
sessionStorage.setItem("pserson", JSON.stringify(person))
}
function deleteOne(){
sessionStorage.removeItem("msg")
}
function get(){
console.log("msg", sessionStorage.getItem("msg"))
console.log("person", JSON.parse(sessionStorage.getItem("msg")))
}
function deleteAll(){
sessionStorage.clear()
}
script>
body>
html>
使用js原生自带的localStorage属性,仅修改App.vue即可,其他的组件使用上面案例即可!
一种组件间通信的方式,适用于:子组件=>父组件
使用场景 :A是父组件, B是子组件, B想给A传数据, 那么就要在A中给B绑定自定义事件(事件的回调在A中)
绑定自定义事件
第一种方式,在父组件中:
第二种方式,在父组件中
......
mounted(){
this.$refs.xxx.$on("事件名", this.绑定的回调函数)
}
若想让自定义事件只能触发一次,可以使用once
修饰符,或$once
方法
触发自定义事件:this. $emit("事件名', 传入的参数)
解绑自定义事件this.$off('事件名')
组件上也可以绑定原生DOM事件,需要使用 native修饰符。
学生姓名:{{name}}
学生年龄:{{address}}
学校名称:{{name}}
学校地址:{{address}}
学生姓名:{{name}}
学生年龄:{{address}}
—种组件间通信的方式,适用于任意组件间通信。
安装全局事件总线
new Vue({
......
beforeCreate(){
Vue.prototype.$bus = this // 安装全局事件总线,$bus就是当前应用的vm
},
......
})
使用事件总线
接收数据: A组件想接收数据,则在A组件中给$bus绑定自定义事件,事件的回调留在A组件自身
methods:{
demo(data){......}
},
mounted(){
this.$bus.$on("xxx", this.demo)
}
提供数据: this.$bus.$emit("xxx", 数据)
最好在 beforeDestroy钩子中,用$off去解绑当前组件所用到的事件。
快速体验:
main.js
import Vue from 'vue'
import App from './App.vue'
Vue.config.productionTip = false
new Vue({
render: h => h(App),
beforeCreate(){
Vue.prototype.$bus = this // 安装全局事件总线
}
}).$mount('#app')
School.vue
学习名称:{{name}}
地址:{{address}}
Student.vue
学生姓名:{{name}}
年龄:{{age}}
种组件间通信的方式,适用于任意组件间通信。
使用步骤
安装 pubsub: npm i pubsub-js
引入: import pubsub from 'pubsub-js'
接收数据:A组件想接收数据, 则在A组件中订阅消息, 订阅的回调留在A组件自身。
methods:{
demo(data){...}
}
...
mounted(){
this.pid = pubsub.subscribe("xxx", this.demo) //订阅消息
}
提供数据:pubsub.publish("xxx", 数据)
最好在beforeDestroy钩子中,使用pubsub.unsubscribe(pid)
去取消订阅
快速体验:
消息订阅者
学习名称:{{name}}
地址:{{address}}
消息发布者
学生姓名:{{name}}
年龄:{{age}}
作用: 在插入、更新或移除DOM元素时,在合适的时候给元素添加样式类名
图示
写法
准备好样式:
使用
包裹要过度的元素,并配置name属性
hello vue
备注:若有多个元素需要过度,则需要使用: < transition- group>
, 且每个元素都要指定key值
快速体验:
hello vue!
hello vue!
hello vue!
hello world!
hello vue 1212!
hello world !
在 vue.config. js中添加如下配置:
devServer: {
proxy: "被代理服务器的ip:端口"
}
说明
编写vue.config. js 配置具体代理规则:
devServer: {
proxy: {
"/server": {
target: "http://localhost:8001",
pathRewrite: {"^/server": ""}, //将请求头中的字符替换掉
ws: true, //用于支持websocket
changeOrigin: true, //用于支持请求头中的host值
},
"/server2": {
target: "http://localhost:8002",
pathRewrite: {"^/server2": ""}, //将请求头中的字符替换掉
ws: true, //用于支持websocket
changeOrigin: true, //用于支持请求头中的host值
},
}
}
说明
快速体验:
vue.config.js
module.exports = {
pages: {
index: {
entry: "src/main.js",
},
},
lintOnSave: false,
//代理服务器方法一:
// devServer: {
// proxy: "http://localhost:8001"
// }
//代理服务器方法二
devServer: {
proxy: {
"/server": {
target: "http://localhost:8001",
pathRewrite: {"^/server": ""}, //将请求头中的字符替换掉
ws: true, //用于支持websocket
changeOrigin: true, //用于支持请求头中的host值
}
}
}
}
App.vue
作用:让父组件可以向子组件指定位置插入hm结构,也是一种组件间通信的方式,适用于父组件=>子组件
分类:默认插槽、具名插槽、作用域插槽
使用方式
默认插槽
父组件:
hello world
子组件
父组件不传入插槽时显示
具名插槽
父组件:
hello world!
你好,世界!
子组件
父组件不传入插槽时显示
父组件不传入插槽时显示
作用域插槽
理解:数据在组件的自身,但根据数据生成的结构需要组件的使用者来决定。( games据在 Category组件中,但使用数据所遍历出来的结构由App组件决定)
具体编码
父组件:
- {{game}}
子组件
父组件不传入插槽时显示
...
data(){
return{
games: ["穿越火线", "绝地求生", "欢乐斗地主", "魔兽世界"]
}
}
...
安装vuex
npm i vuex
创建store文件夹,并在其中创建index.js文件
//该文件用于创建Vuex中最核心的store
//引入Vue
import Vue from 'vue'
//引入Vuex
import Vuex from "vuex"
//应用Vuex插件
Vue.use(Vuex)
//准备actions-用于响应组件中的动作
const actions = {
add(context, value){
console.log("actions.add() 被调用了");
context.commit("ADD", value)
},
subtraction(context, value){
console.log("actions.subtraction() 被调用了");
context.commit("SUBTRACTION", value)
},
addWait(context, value){
console.log("actions.addWait() 被调用了");
setTimeout(() => {
context.commit("ADDWATI", value)
}, 3000);
},
addOdd(context, value){
console.log("actions.addOdd() 被调用了");
if(context.state.num % 2)
context.commit("ADDODD", value)
},
}
//准备mutations-用于操作数据(state)
const mutations = {
ADD(state,value){
console.log("mutations.add() 被调用了");
state.num += value
},
SUBTRACTION(state,value){
console.log("mutations.subtraction() 被调用了");
state.num -= value
},
ADDWATI(state,value){
console.log("mutations.ADDWATI() 被调用了");
state.num += value
},
ADDODD(state,value){
console.log("mutations.ADDODD() 被调用了");
state.num += value
},
}
//准备state-用于存储数据
const state = {
num: 99
}
//创建并暴露store
export default new Vuex.Store({
actions,
mutations,
state,
})
main.js中引入vuex
import store from "./store"
new Vue({
render: h => h(App),
store,
}).$mount('#app')
使用vuex
n的值是:{{$store.state.num}}
概念:当 state中的数据需要经过加工后再使用时,可以使用 getters加工。
在 store.js
中追加 getters
配置
const getters = {
bigNum(state){
return state.num * 10
}
}
//创建并暴露store
export default new Vuex.Store({
actions,
mutations,
state,
getters
})
组件中读取:$store.getters.bigNum
导入map
import {mapState,mapGetters} from 'vuex'
mapState方法: 用于帮助我们映射 state中的数据为计算属性
//借助mapState生成计算属性,从state中读取数据。(对象写法)
...mapState({num:"num", name:"name", address:"address"}),
//借助mapState生成计算属性,从state中读取数据。(数组写法)
...mapState(["num","name","address"]),
mapGetters方法: 用于帮助我们映射 getters中的数据为计算属性
//借助mapGetters生成计算属性,从getters中读取数据。(对象写法)
...mapGetters({bigNum:"bigNum"}),
//借助mapGetters生成计算属性,从getters中读取数据。(数组写法)
...mapGetters(["bigNum"])
mapActions方法: 用于帮助我们生成与 actions
对话的方法,即:包含 $store.dispatch(xx)
的函数
//借助mapActions生成方法。(对象写法)
...mapActions({add:"add", subtraction:"subtraction", addWait:"addWait", addOdd:"addOdd"}),
//借助mapActions生成方法。(数组写法)
...mapActions(["add","subtraction","addWait","addOdd"])
mapMutations方法: 用于帮助我们生成与mutations
对话的方法,即:包含$store.commit(x)
的函数
//借助mapMutations生成方法。(对象写法)
...mapMutations({add:"ADD", subtraction:"SUBTRACTION"}),
//借助mapMutations生成方法。(数组写法)
...mapMutations(["ADD", "SUBTRACTION"])
目的:让代码更好维护,让多种数据分类更加明确
修改store.js
const counterOption = {
namespaced:true, //开启命名空间
actions:{
add(context, value){
console.log("actions.add() 被调用了");
context.commit("ADD", value)
},
subtraction(context, value){
console.log("actions.subtraction() 被调用了");
context.commit("SUBTRACTION", value)
},
addWait(context, value){
console.log("actions.addWait() 被调用了");
setTimeout(() => {
context.commit("ADDWATI", value)
}, 3000);
},
addOdd(context, value){
console.log("actions.addOdd() 被调用了");
if(context.state.num % 2)
context.commit("ADDODD", value)
},
},
mutations:{
ADD(state,value){
console.log("mutations.add() 被调用了");
state.num += value
},
SUBTRACTION(state,value){
console.log("mutations.subtraction() 被调用了");
state.num -= value
},
ADDWATI(state,value){
console.log("mutations.ADDWATI() 被调用了");
state.num += value
},
ADDODD(state,value){
console.log("mutations.ADDODD() 被调用了");
state.num += value
},
},
state:{
num: 1,
name: "lyx",
address: "蕲春",
},
getters:{
bigNum(state){
return state.num * 10
}
}
}
const personOption = {
namespaced:true, //开启命名空间
actions:{
},
mutations:{
ADD_PERSON(state, value){
console.log("mutations.ADD_PERSON() 被调用了");
state.personList.unshift(value)
}
},
state:{
personList:[{id:"001",name:"张三"}]
},
getters:{
}
}
//创建并暴露store
export default new Vuex.Store({
modules:{
counterAbout:counterOption,
personAbout:personOption
}
})
开启命名空间后,组件中读取 state数据
//方式一:直接读取(state后接命名空间,用于区分该state属于哪个模块)
this.$store.state.personAbout.personList
//方式二:借助mapState
...mapActions("counterAbout",["addWait","addOdd"]),
开启命名空间后,组件中读取 getters数据
//方式一:直接读取
this.$store.getters["counterAbout/bigNum"]
//方式二:使用mapGetters读取
...mapGetters("counterAbout",["bigNum"])
开启命名空间后,组件中调用 dispatch
//方式一:直接调用
this.$store.dispatch("personAbout/addPersonWang",person)
//方式二:借助mapAction调用
...mapAction("personAbout",["addPersonWang"])
开启命名空间后,组件中调用 commit
//方式一:直接调用
this.$store.commit("personAbout/ADD_PERSON_WANG",person)
//方式二:借助mapAction调用
...mapAction("personAbout",["ADD_PERSON_WANG"])
vue的一个插件库,专门用来实现SPA应用
安装 vue-router,命令: npm i vue- router
应用插件: Vue.use( VueRouter)
编写 router配置项
//该文件用于创建整个应用的路由器
import VueRouter from 'vue-router'
//引入组件
import About from "../components/About"
import Home from "../components/Home"
//创建并暴露一个路由器
export default new VueRouter({
routes:[
{
path:"/about",
component:About
},
{
path:"/home",
component:Home
}
]
})
实现路由切换
<router-link to="/about" active-class="active">Aboutrouter-link>
指定展示位置
<router-view>router-view>
路由组件通常存放在 pages
文件夹,—般组件通常存放在components
文件夹
通过切换,隐藏了的路由组件,默认是被销毁掉的,需要的时候再去挂载。
每个组件都有自己的 $route
属性,里面存储着自己的路由信息
整个应用只有一个 router,可以通过组件的 $router
属性获取到。
配置路由规则,使用 children配置项
{
path:"/about",
component:About,
children:[ //通过children配置子级路由
{
path:"news", //子级路由前面不能加/
component:News
},
{
path:"massages",
component:Massages
}
]
},
跳转(要写完整路径)
<router-link to="/about/news" active-class="active">Newsrouter-link>
传递参数
<router-link :to="`/about/massages/detail?id=${m.id}&msg=${m.msg}`">{{m.msg}}router-link>
<router-link :to="{
path:'/about/massages/detail',
query:{
id: m.id,
msg: m.msg
}
}">
{{m.msg}}
router-link>
接收参数
$route.query.id
$route.query.msg
作用:可以简化路由的跳转。
如何使用
给路由命名:
//该文件用于创建整个应用的路由器
import VueRouter from 'vue-router'
//引入组件
import About from "../pages/About"
import Home from "../pages/Home"
import News from "../pages/News"
import Massages from "../pages/Massages"
import Detail from "../pages/Detail"
//创建并暴露一个路由器
export default new VueRouter({
routes:[
{
name:"guanyu",
path:"/about",
component:About,
children:[
{
path:"news",
component:News
},
{
path:"massages",
component:Massages,
children:[
{
name:"xiangqing", //给路由命名
path:"detail",
component:Detail
}
]
}
]
},
{
path:"/home",
component:Home
}
]
})
简化跳转
<router-link :to="{
path:'/about/massages/detail',
query:{
id: m.id,
msg: m.msg
}
}">
{{m.msg}}
router-link>
<router-link :to="{
name:'xiangqing',
query:{
id: m.id,
msg: m.msg
}
}">
{{m.msg}}
router-link>
声明接收params参数
//该文件用于创建整个应用的路由器
import VueRouter from 'vue-router'
//引入组件
import About from "../pages/About"
import Home from "../pages/Home"
import News from "../pages/News"
import Massages from "../pages/Massages"
import Detail from "../pages/Detail"
//创建并暴露一个路由器
export default new VueRouter({
routes:[
{
name:"guanyu",
path:"/about",
component:About,
children:[
{
path:"news",
component:News
},
{
path:"massages",
component:Massages,
children:[
{
name:"xiangqing",
path:"detail/:id/:msg", //声明接收params参数
component:Detail
}
]
}
]
},
{
path:"/home",
component:Home
}
]
})
传递参数
<router-link :to="`/about/massages/detail/${m.id}/${m.msg}`">{{m.msg}}router-link>
<router-link :to="{
name:'xiangqing',
params:{
id: m.id,
msg: m.msg
}
}">
{{m.msg}}
router-link>
特别注意:路由携带 params参数时,若使用to的对象写法,则不能使用path配置项,必须使用ηame配置
接收参数
$route.params.id
$route.params.msg
作用:让路由组件更方便的收到参数
//该文件用于创建整个应用的路由器
import VueRouter from 'vue-router'
//引入组件
import About from "../pages/About"
import Home from "../pages/Home"
import News from "../pages/News"
import Massages from "../pages/Massages"
import Detail from "../pages/Detail"
//创建并暴露一个路由器
export default new VueRouter({
routes:[
{
name:"guanyu",
path:"/about",
component:About,
children:[
{
path:"news",
component:News
},
{
path:"massages",
component:Massages,
children:[
{
name:"xiangqing",
path:"detail/:id/:msg", //声明接收params参数
component:Detail,
//第一种写法: props值为对象,该对象中所有的key- value的组合最终都会通过 props传给 Detail组件
// props:{a:"hello"}
// 第二种写法: props值为布尔值,布尔值为true,则把路由收到的所有 params参数通过 props传给 Detail组件
// props:true
//第三种写法: props值为函数,该函数返回的对象中每一组key-va1ue都会通过 props传给 Detai1组件
props($route){
return{
id: $route.params.id,
msg: $route.params.msg
}
}
}
]
}
]
},
{
path:"/home",
component:Home
}
]
})
作用: 控制路由跳转时操作浏览器历史记录的模式
浏览器的历史记录有两种写入方式:分别为push
和replace
,push
是追加历史记录(默认模式),replace
是替换当前记录路由跳转时候默认为push
如何开启 replace模式
<router-link replace to="/about">Aboutrouter-link>
作用:不借助< router-link>实现路由跳转,让路由跳转更加灵活
具体编码
pushShow(m){
this.$router.push({
name:'xiangqing',
params:{
id: m.id,
msg: m.msg
}
})
},
replaceShow(m){
this.$router.replace({
name:'xiangqing',
params:{
id: m.id,
msg: m.msg
}
})
}
this.$router.back() //后退一步,底层调用 $router.go(-1)
this.$router.forward() //前进一步,底层调用 $router.go(-1)
this.$router.go(num) //前进或后退几步,num为正前进num步,num为负,后退-num步
作用:让不展示的路由组件保持挂载,不被销毁。
具体编码:
作用:路由组件所独有的两个钩子,用于捕获路由组件的激活状态
具体名字
activated
路由组件被激活时触发deactivated
路由组件失活时触发
- hello vue
- news 1
- news 2
- news 3
- news 4
- news 5
作用:对路由进行权限控制
分类:全局守卫、独享守卫、组件内守卫
全局守卫
// 全局前置路由守卫——初始化的时候被调用、每次路由切换之前被调用
router.beforeEach((to, from, next)=>{
console.log("to: ",to)
console.log("from: ",from)
// if(to.path === "/about/news"){ //判断当前路由路径要进行权限控制
if(to.meta.isAuth){ //判断当前路由是否需要进行权限控制
if(sessionStorage.getItem("role") === "admin"){
next() //放行
}else{
alert("权限不足,无法访问!")
}
}else{
next()
}
})
//全局后置路由守卫—初始化的时候被调用、每次路由切换之后被调用
router.afterEach((to,from)=>{
console.log("后置守卫:",to);
console.log("后置守卫:",from);
document.title = to.meta.title || "hellovue" //修改网页标题
})
独享守卫
{
path:"/home",
component:Home,
meta:{
title:"主页"
},
beforeEnter: (to, from, next) => {
if(sessionStorage.getItem("name") === "lyx"){
next()
}else{
alert("权限不足,无法访问!")
}
}
}
组件内守卫
export default {
name:"Home",
//进入守卫:通过路由规则,进入该组件时被调用
beforeRouteEnter (to, from, next) {
console.log("beforeRouteEnter");
if(sessionStorage.getItem("name") == "lyx"){
next()
}
},
//离开守卫:通过路由规则,离开该组件时被调用
beforeRouteLeave (to, from, next) {
console.log("beforeRouteLeave");
next()
}
}
项目打包
npm run build
初始化服务器
npm init
使用express
npm i express
解决history模式404问题的模块
npm i connect-history-api-fallback
创建server.js
const express = require("express")
const app = express()
const history = require('connect-history-api-fallback');
app.get('/person', (req, res)=>{
res.send({
name:'tom',
age:18
})
})
app.use(history)
app.use(express.static(__dirname+'/public'))
app.listen(8888, (err)=>{
if(!err){
console.log("server 8888 启动成功");
}
})
启动服务器
node server
elEment Ui : https://element.eleme.cn
IView Ui : https://www.iviewui.com
component:Massages,
children:[
{
name:"xiangqing",
path:"detail/:id/:msg", //声明接收params参数
component:Detail,
//第一种写法: props值为对象,该对象中所有的key- value的组合最终都会通过 props传给 Detail组件
// props:{a:"hello"}
// 第二种写法: props值为布尔值,布尔值为true,则把路由收到的所有 params参数通过 props传给 Detail组件
// props:true
//第三种写法: props值为函数,该函数返回的对象中每一组key-va1ue都会通过 props传给 Detai1组件
props($route){
return{
id: $route.params.id,
msg: $route.params.msg
}
}
}
]
}
]
},
{
path:"/home",
component:Home
}
]
})
### 4.8 < router-1ink>的 replace属性
1. 作用: 控制路由跳转时操作浏览器历史记录的模式
2. 浏览器的历史记录有两种写入方式:分别为`push`和`replace`,`push`是追加历史记录(默认模式),`replace`是替换当前记录路由跳转时候默认为push
3. 如何开启 replace模式
```html
About
作用:不借助< router-link>实现路由跳转,让路由跳转更加灵活
具体编码
pushShow(m){
this.$router.push({
name:'xiangqing',
params:{
id: m.id,
msg: m.msg
}
})
},
replaceShow(m){
this.$router.replace({
name:'xiangqing',
params:{
id: m.id,
msg: m.msg
}
})
}
this.$router.back() //后退一步,底层调用 $router.go(-1)
this.$router.forward() //前进一步,底层调用 $router.go(-1)
this.$router.go(num) //前进或后退几步,num为正前进num步,num为负,后退-num步
作用:让不展示的路由组件保持挂载,不被销毁。
具体编码:
作用:路由组件所独有的两个钩子,用于捕获路由组件的激活状态
具体名字
activated
路由组件被激活时触发deactivated
路由组件失活时触发
- hello vue
- news 1
- news 2
- news 3
- news 4
- news 5
作用:对路由进行权限控制
分类:全局守卫、独享守卫、组件内守卫
全局守卫
// 全局前置路由守卫——初始化的时候被调用、每次路由切换之前被调用
router.beforeEach((to, from, next)=>{
console.log("to: ",to)
console.log("from: ",from)
// if(to.path === "/about/news"){ //判断当前路由路径要进行权限控制
if(to.meta.isAuth){ //判断当前路由是否需要进行权限控制
if(sessionStorage.getItem("role") === "admin"){
next() //放行
}else{
alert("权限不足,无法访问!")
}
}else{
next()
}
})
//全局后置路由守卫—初始化的时候被调用、每次路由切换之后被调用
router.afterEach((to,from)=>{
console.log("后置守卫:",to);
console.log("后置守卫:",from);
document.title = to.meta.title || "hellovue" //修改网页标题
})
独享守卫
{
path:"/home",
component:Home,
meta:{
title:"主页"
},
beforeEnter: (to, from, next) => {
if(sessionStorage.getItem("name") === "lyx"){
next()
}else{
alert("权限不足,无法访问!")
}
}
}
组件内守卫
export default {
name:"Home",
//进入守卫:通过路由规则,进入该组件时被调用
beforeRouteEnter (to, from, next) {
console.log("beforeRouteEnter");
if(sessionStorage.getItem("name") == "lyx"){
next()
}
},
//离开守卫:通过路由规则,离开该组件时被调用
beforeRouteLeave (to, from, next) {
console.log("beforeRouteLeave");
next()
}
}
项目打包
npm run build
初始化服务器
npm init
使用express
npm i express
解决history模式404问题的模块
npm i connect-history-api-fallback
创建server.js
const express = require("express")
const app = express()
const history = require('connect-history-api-fallback');
app.get('/person', (req, res)=>{
res.send({
name:'tom',
age:18
})
})
app.use(history)
app.use(express.static(__dirname+'/public'))
app.listen(8888, (err)=>{
if(!err){
console.log("server 8888 启动成功");
}
})
启动服务器
node server