-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy path03-ComponentSocks.js
102 lines (91 loc) · 2.57 KB
/
03-ComponentSocks.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
const app = Vue.createApp({
data() {
return {
premium: true, // Premium users get free shipping
cart: []
};
},
methods: {
updateCart(product, variant) {
console.log('Adding to cart:', product);
this.cart.push(product);
}
}
});
app.component('product', {
// https://vuejs.org/v2/guide/components-props.html
// Props with validation
props: {
premium: {type: Boolean, required: true, default: false},
// Types: String, Number, Array, Object, Function, Promise, any ctor
// Null and undefined always pass validation
// nameOfProp: [String, Number],
// nameOfAnotherProp: {
// default() { return 'calculatedValue'; },
// validator(value) { return true; }
// }
},
// Without validation
// props: ['premium'],
// Encouraged to define events
emits: ['add-to-cart'],
template: `
<!-- 'class="main-prod"' will only be applied if there is a single root element -->
<!-- There will be a bunch of warnings in the console if you do on multiple roots -->
<div class="product">
<div class="product-image">
<img :src="image">
</div>
<div class="product-info">
<h1 v-text="product" />
<p v-if="premium" v-html="'<b>FREE Shipping</b>'"></p>
<p v-else>Shipping: $4.99</p>
<button @click="addToCart" class="add-to-cart" :class="inventory ? '' : 'disabledButton'">
Add to Cart
</button>
<div v-for="(variant, index) in variants"
:key="variant.id"
class="color-box"
:class="{active: selectedVariantIndex === index}"
:style="{backgroundColor: variant.color}"
@mouseover="selectedVariantIndex = index"
></div>
</div>
</div>
`,
data() {
// Return a new object reference each time.
return {
product: 'Socks',
selectedVariantIndex: 0,
variants: [
{id: 1, color: 'green'},
{id: 2, color: 'blue'}
],
inventory: 3,
};
},
methods: {
addToCart() {
this.inventory--;
const selectedVariant = this.variants[this.selectedVariantIndex];
this.$emit('add-to-cart', {product: this.product, variant: selectedVariant});
}
},
computed: {
image() {
const color = this.variants[this.selectedVariantIndex].color;
return `./assets/socks-${color}.jpg`;
},
// If you also need a setter:
// title: {
// get() {
// return this.product;
// },
// set(newValue) {
// this.product = newValue;
// }
// }
}
});
app.mount("#app");