Hands-on the tutorial vue-crash-2021.
- hands-on-vue
yarn # install dependencies
yarn backend # run the json-server
yarn serve # Compiles and hot-reloads for development
yarn build # Compiles and minifies for production
yarn lint # Lints and fixes files
// vue ts
import Vue from "vue";
export default Vue.extend({
name: "Square",
// -----------
// COMPONENTS
// -----------
components: {
/* ... */
},
// ------
// PROPS
// ------
props: {
a: String,
b: { type: Function},
},
// -----
// DATA
// -----
data: function() {
return {
firstName: String,
lastName: String,
}
}
// ----------
// LIFECYCLE
// ----------
created: function() {
console.log("created. " + this.a);
},
// ---------
// COMPUTED
// ---------
computed: {
reversedMessage: function() {
return this.a.split('').reverse().join('');
},
// GETTER AND SETTER
fullName: {
get: function() {
return this.firstName + ' ' + this.lastName;
},
set: function(newVal) {
let names = newVal.split(' ');
this.firstName = names[0];
this.lastName = names[1];
}
},
},
// --------
// WATCHER
// --------
watch: {
a: function(val) {
this.doSomething();
}
}
// --------
// METHODS
// --------
methods: {
doSomething: function() {
console.log("doSomething");
},
}
});
- beforeCreate
- created : props, data, methods, watch, computed
- beforeMount : $el with {{}}
- mounted : $el with actual value in {{}}
- beforeUpdate
- updated
- beforeDestroy
- destroyed
v-bind:class co-exist with the plain class attribute.
<div
class="static"
v-bind:class="{ active: isActive, 'text-danger': hasError }"
></div>
data: {
isActive: true,
hasError: false
}
with object.
<div v-bind:class="classObject"></div>
data: {
classObject: {
active: true,
'text-danger': false
}
}
with computed.
<div v-bind:class="classObject"></div>
data: {
isActive: true,
error: null
},
computed: {
classObject: function () {
return {
active: this.isActive && !this.error,
'text-danger': this.error && this.error.type === 'fatal'
}
}
}
list of classes.
<div v-bind:class="[activeClass, errorClass]"></div>
data: {
activeClass: 'active',
errorClass: 'text-danger'
}
ternary.
<div v-bind:class="[isActive ? activeClass : '', errorClass]"></div>
object syntax inside array syntax.
<div v-bind:class="[{ active: isActive }, errorClass]"></div>
When using the class attribute on a custom components, those classes will be added the the component's root element. Existing classes on this element will not be overwritten.
declare a component:
Vue.component('my-component', {
template: '<p class="foo bar">Hi</p>'
})
add some classes:
<my-component class="baz boo"></my-component>
render:
<p class="foo bar baz boo">Hi</p>
<div v-bind:style="{ color: activeColor, fontSize: fontSize + 'px' }"></div>
data: {
activeColor: 'red',
fontSize: 30
}
bind to a style object directly is better:
<div v-bind:style="styleObject"></div>
data: {
styleObject: {
color: 'red',
fontSize: '13px'
}
}
<div v-bind:style="[baseStyles, overridingStyles]"></div>
- push
- pop
- shift
- unshift
- splice
- sort
- reverse
example1.items = example1.items.filter(function (item) {
return item.message.match(/Foo/)
})
Vue does not allow dynamically adding new root-level reactive properties to an already created instance.
Vue cannot detect the following changes to an array:
- When you directly set an item with the index, e.g.
vm.items[indexOfItem] = newValue
- When you modify the length of the array, e.g.
vm.items.length = newLength
To overcome caveat 1:
// Vue.set
Vue.set(vm.items, indexOfItem, newValue)
// Array.prototype.splice
vm.items.splice(indexOfItem, 1, newValue)
To overcome caveat 2:
vm.items.splice(newLength)
We can pass original DOM event into a method using the special $event
variable:
<button v-on:click="warn('something', $event)">
Submit
</button>
inline:
<button v-on:click="$emit('enlarge-text')">
Enlarge text
</button>
method:
methods: {
handleClick() {
this.$emit('enlarge-text');
},
},
emitting a value with event. we can use $emit‘s 2nd parameter:
<button v-on:click="$emit('enlarge-text', 0.1)">
Enlarge text
</button>
props: {
title: String,
likes: Number,
isPublished: Boolean,
commentIds: Array,
author: Object,
callback: Function,
contactsPromise: Promise // or any other constructor
}
Vue.component('my-component', {
props: {
// Basic type check (`null` and `undefined` values will pass any type validation)
propA: Number,
// Multiple possible types
propB: [String, Number],
// Required string
propC: {
type: String,
required: true
},
// Number with a default value
propD: {
type: Number,
default: 100
},
// Object with a default value
propE: {
type: Object,
// Object or array defaults must be returned from
// a factory function
default: function () {
return { message: 'hello' }
}
},
// Custom validator function
propF: {
validator: function (value) {
// The value must match one of these strings
return ['success', 'warning', 'danger'].indexOf(value) !== -1
}
}
}
})