I am trying to iterate the object using v-for.
JavaScript
x
3
1
exampleObject =[a,b,c,d]
2
Requirement = if a exist in exampleObject, show only a, else show b, c, d.
3
JavaScript
1
11
11
1
<div v-if="checklist.types">
2
<div v-for="type in checklist.types">
3
<div v-if="type.Name == 'Module1'">
4
show module 1
5
</div>
6
<div v-else>
7
<span>{{type.Name }}</span>
8
</div>
9
</div>
10
</div>
11
The above shows all values as the condition is checked within For Loop. Is there a way to iterate and check the object at the beginning.
Advertisement
Answer
I’d use a computed property that returns an array containing…
- Only
a
/Module1
if it exists - The entire
exampleObject
/checklist.types
otherwise
Then you can just iterate that computed property
JavaScript
1
14
14
1
export default {
2
data: () => ({
3
checklist: {
4
types: [/* whatever */]
5
}
6
}),
7
computed: {
8
modules: ({ checklist: { types } }) => {
9
const module1 = types.find(({ Name }) => Name === "Module1")
10
return module1 ? [ module1 ] : types
11
}
12
}
13
}
14
JavaScript
1
4
1
<div v-for="module in modules" :key="module.Name">
2
<span>{{ module.Name }}</span>
3
</div>
4