将样式应用于特定的v-for元素

时间:2019-02-26 06:05:01

标签: javascript css list vue.js html-framework-7

我正在制作一个简单的待办事项列表应用程序,想知道如何在个特定的动态v-for元素上应用样式。

<f7-list-item v-for="(listItem, index) in activeList.listItems" :key="index" :class="(checked) ? 'checked':'not-checked'">
 {{ index+1 }}. {{ listItem }}
  <span @click="checkTaskDone(index)">
    <i class="f7-icons" id="check-task-btn">check_round</i>
  </span>
</f7-list-item>
export default {
 data() {
  return {
   checked: false
  }
 },
 methods: {
  checkTaskDone(item) {
   if (this.checked == false) {
    this.checked = true;
   } else if (this.checked == true) {
    this.checked = false;
   }
  }
 }
}
.checked {
 text-decoration: line-through;
 color: #444;
}

使用此代码,可以将类添加到每个v-for列表元素中,而不管按预期单击了哪个元素。我想知道解决这个问题的最佳方法是什么。我已经尝试过用index制作道具,并尝试将其定位为应用样式,但是我无法使其起作用。

谢谢!

2 个答案:

答案 0 :(得分:0)

通常,您希望在各个待办事项上具有“完成”或“已选中”标志,例如:

const todoList = [
  {
    name: 'Grab some food',
    done: false
  },
  {
    name: 'Start coding',
    done: false
  }
];

在Vue.js中,您可以使用v-bind:class而不是三元运算符来进行类切换:

export default {
  data() {
    return {
      //checked: false,

      activeList: {
        listItems: [
          {
            name: 'Grab some food',
            done: false
          },
          {
            name: 'Start coding',
            done: false
          }
        ]  
      }
    }
  },
  methods: {
    checkTaskDone(item) {
      //if (this.checked == false) {
      //  this.checked = true;
      //} 
      //else if (this.checked == true) {
      //  this.checked = false;
      //}

      // Check/uncheck
      item.done = !item.done;
    }
  }
}
<f7-list-item 
  v-for="(listItem, index) in activeList.listItems" 
  :key="index"
  :class="{ 'checked': listItem.done }">

 {{ index + 1 }}. {{ listItem }}

  <span @click="checkTaskDone(listItem)">
    <i class="f7-icons" :id="`check-task-btn${index}`">check_round</i>
  </span>
</f7-list-item>

顺便说一句,由于ID应该是唯一的,因此我要在各个i.f7-icons元素上附加一个索引,否则请使用class

答案 1 :(得分:0)

首先,您需要根据activeList.listItems的长度创建动态检查的数组!然后,您可以检查索引,并可以通过this.$set(array,index,value) ...

更新数组数据

new Vue({
 el: "#app",
 data: {
   checked: [],
   activeList : {listItems:[1,2,3,5]}
 },
 created: function() {
   for(var i = 0; i < this.activeList.listItems.length; i++) {
     this.checked.push(false);
   }
 },
 methods: {
  checkTaskDone(item) {
   if (this.checked[item] == false) {
    this.$set(this.checked,item, true);
   } else if (this.checked[item] == true) {
    this.$set(this.checked,item, false);
   }
  }
 }
 });
.checked {
 text-decoration: line-through;
 color: red;
}
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.5.17/vue.js"></script>
<div id="app">
<div v-for="(listItem, index) in activeList.listItems" :key="index" :class="{checked: checked[index]}">
 {{ index+1 }}. {{ listItem }}
  <span @click="checkTaskDone(index)">
    <i class="f7-icons" id="check-task-btn">check_round</i>
  </span>
</div>

</div>