vue v-for循环某一数组,div中显示循环的每一个对象的name值,例如ie,循环的item.name横向排列,若超出指定的宽度则自动换行,第一行与第二行之间的间距margin-bottom为30px点击item.name时会使用v-show展示对应的div,例女item.name流程: 点击第一行item.name时,V-show展示的divmargin-bottom变为80px,再次点击item.name时会变回30px,如何控制点击第一行item.name时,第二行的margin-bottom还是为30px;点击其他行的item.name时,例如第5行,v-show展示出的div,第五行的margin-bottom为80px,其他行的margin-bottom为30px
时间: 2024-03-01 19:50:17 浏览: 182
解决vue v-for 遍历循环时key值报错的问题
你可以使用以下代码实现你的需求:
```html
<template>
<div class="container">
<div
v-for="(item, index) in items"
:key="index"
class="item"
:style="{ marginBottom: index === activeIndex ? '80px' : '30px' }"
>
<div class="name" @click="toggleActive(index)">
{{ item.name }}
</div>
<div class="details" v-show="index === activeIndex">
{{ item.details }}
</div>
</div>
</div>
</template>
<script>
export default {
data() {
return {
items: [
{ name: 'ie', details: 'Internet Explorer' },
{ name: 'firefox', details: 'Mozilla Firefox' },
{ name: 'chrome', details: 'Google Chrome' },
{ name: 'safari', details: 'Apple Safari' },
{ name: 'opera', details: 'Opera Browser' },
],
activeIndex: -1,
};
},
methods: {
toggleActive(index) {
if (this.activeIndex === index) {
this.activeIndex = -1;
} else {
this.activeIndex = index;
}
},
},
};
</script>
<style scoped>
.container {
display: flex;
flex-wrap: wrap;
}
.item {
flex: 0 0 auto;
margin-right: 20px;
margin-bottom: 30px;
width: 100px;
height: 100px;
background-color: #ccc;
display: flex;
flex-direction: column;
justify-content: center;
align-items: center;
}
.name {
cursor: pointer;
}
.details {
margin-top: 10px;
}
</style>
```
上述代码中,我们使用了 `v-for` 循环展示了一组数据,并且使用了 `:style` 来动态控制每个 item 的 `margin-bottom` 属性。同时,我们在在 `toggleActive` 方法中使用了 `v-show` 来展示或隐藏每个 item 对应的详细信息。当点击某个 item 的 name 时,我们会将该 item 的 index 赋值给 `activeIndex`,并且通过计算属性动态修改 `v-show` 的状态。最后,我们使用了 flex 布局来实现横向排列,并且使用了 `flex-wrap` 属性来处理超出宽度自动换行的情况。
阅读全文