用vue写出一个按钮匹配一个勾选框,写四行。第一行延时0.1秒触发。第二行0.2秒依次类推。然后有个开始按钮。勾选后按钮后。比如勾选了第一行。第三行。分别在每0.1秒点击下第一行按钮。每0.3秒点击下第三行按钮,并变色
时间: 2023-08-23 21:03:36 浏览: 205
以下是用Vue实现的代码:
```html
<template>
<div>
<button v-for="(item, index) in buttonList" :key="index" :class="{ active: item.isActive }" @click="handleClick(index)">
{{ item.text }}
</button>
<input type="checkbox" v-model="isChecked" @change="handleChange" />
<button v-if="isChecked" class="start" @click="start">开始</button>
</div>
</template>
<script>
export default {
data() {
return {
buttonList: [
{ text: '按钮1', isActive: false },
{ text: '按钮2', isActive: false },
{ text: '按钮3', isActive: false },
{ text: '按钮4', isActive: false }
],
isChecked: false,
timer: null
};
},
methods: {
handleClick(index) {
this.buttonList[index].isActive = !this.buttonList[index].isActive;
},
handleChange() {
this.buttonList.forEach(item => {
item.isActive = false;
});
},
start() {
let count = 0;
this.timer = setInterval(() => {
if (count >= this.buttonList.length) {
clearInterval(this.timer);
return;
}
if (this.buttonList[count].isActive) {
setTimeout(() => {
this.handleClick(count);
}, count * 100);
setTimeout(() => {
this.handleClick(count);
}, count * 300);
}
count++;
}, 100);
}
}
};
</script>
<style>
.active {
background-color: green;
}
.start {
margin-left: 20px;
}
</style>
```
解释一下代码:
1. 在`data`中定义了`buttonList`数组,用于存储按钮的文本和状态,`isChecked`变量表示勾选框是否选中,`timer`为计时器。
2. 在`methods`中,`handleClick`方法用于切换按钮状态,`handleChange`方法用于清除所有按钮的状态,`start`方法用于开始循环遍历按钮数组,判断按钮是否选中,如果选中则在指定时间间隔内点击。
3. 在模板中,使用`v-for`指令遍历`buttonList`数组,生成对应的按钮,使用`:class`绑定样式类,使用`@click`绑定点击事件。使用`v-model`指令绑定勾选框的状态,使用`@change`绑定状态改变事件。使用`v-if`指令判断勾选框是否选中,如果选中则显示开始按钮。
4. 在样式中,为选中状态的按钮添加了背景色,为开始按钮添加了左边距。
阅读全文