Reputation: 39
I want to ask you, if its possible doing this with dynamic class like this.
<div :class="'outofstock.item_' + item.id ? 'bg-green-500' : 'bg-red-500' ">
If exist solution, I cant find a rigth syntax for this. Thank you for a answers.
thats a example what I try to do. I need a result outofstock.item_1, outofstock.item_2 and outofstock.item_3 in :claas
<template>
<ul>
<li v-for="item in items">
<div :class="'outofstock.item_' + item.id ? 'bg-green-500' : 'bg-red-500' ">
{{ item.name }}
</div>
</li>
</ul>
</template>
<script>
export default {
data () {
return {
items: [{id: 1, name: 'monitor'}, {id: 2, name: 'printer'},{id: 3, name: 'scanner'],
outofstock: {item_1: false, item_2: true, item_3: false}
}
}
}
</script>
Upvotes: 3
Views: 816
Reputation: 1
Define a computed
property that returns a function which takes the item id as parameter, then use string template `` to render the right class :
<template>
<ul>
<li v-for="item in items">
<div :class="`${getItemValue(item.id) ? 'bg-green-500' : 'bg-red-500' }`">
{{ item.name }}
</div>
</li>
</ul>
</template>
<script>
export default {
data () {
return {
items: [{id: 1, name: 'monitor'}, {id: 2, name: 'printer'},{id: 3, name: 'scanner'],
outofstock: {item_1: false, item_2: true, item_3: false}
}
},
computed:{
getItemValue(){
return (id)=>this.outofstock[`item_${id}`];
}
}
}
</script>
Upvotes: 2
Reputation: 7021
This works without calling a method: Vue Playground
<template>
<ul>
<li v-for="item in items">
<div :class="outofstock['item_' + item.id] ? 'bg-green-500' : 'bg-red-500' ">
{{ item.name }}
</div>
</li>
</ul>
</template>
<script>
export default {
data() {
return {
items: [{ id: 1, name: 'monitor'}, { id: 2, name: 'printer'}, { id: 3, name: 'scanner'}],
outofstock: {
item_1: false,
item_2: true,
item_3: false
}
}
}
}
</script>
<style>
.bg-green-500 {
background-color: green;
}
.bg-red-500 {
background-color: red
}
</style>
Upvotes: 3
Reputation: 23500
You can create method and return right value:
const app = Vue.createApp({
data() {
return {
items: [{id: 1, name: 'monitor'}, {id: 2, name: 'printer'},{id: 3, name: 'scanner'}],
outofstock: {item_1: false, item_2: true, item_3: false}
};
},
methods: {
getOutofstock(id) {
return this.outofstock[id]
}
}
})
app.mount('#demo')
.bg-green-500 {
color: green;
}
.bg-red-500 {
color: red;
}
<script src="https://unpkg.com/vue@3/dist/vue.global.prod.js"></script>
<div id="demo">
<ul>
<li v-for="item in items">
<div :class="getOutofstock('item_'+item.id) ? 'bg-green-500' : 'bg-red-500' ">
{{ item.name }}
</div>
</li>
</ul>
</div>
Upvotes: 1