Search code examples
vue.jsvuejs2vue-componentv-for

How would I make the button hide the incomplete tasks


This is the Jsfiddle: https://jsfiddle.net/zxo35mts/1/

Essentially I'm trying to make the button hide all incomplete tasks when clicked and show them again when clicked again yet i have no idea what to do

<div id="root">

    <h1>
        All Tasks
    </h1>

    <ul>
        <li v-for="task in tasks" v-text="task.description"></li>
    </ul>
    <button @click="hideIncompleteTasks">show only completed</button>

</div>

<script src="https://cdn.jsdelivr.net/npm/vue@2.6.14/dist/vue.js"></script>

<script>
    new Vue({

        el: "#root",

        data: {

            tasks: [

                { description: "go to the store", completed: true },
                { description: "finish screencast", completed: false },
                { description: "make donation", completed: false },
                { description: "clear inbox", completed: false },
                { description: "make dinner ", completed: false },
                { description: "clean room", completed: true },

            ]

        },
        methods: {

            hideIncompleteTasks() {
                if (!this.tasks.completed) {

                }
            }

        },

    })
</script>

Solution

  • Add another property called showCompleted which could be updated by the button click event, then add another computed property called shownTasks based on the first property :

    
        new Vue({
    
            el: "#root",
    
            data: {
    
                tasks: [
    
                    { description: "go to the store", completed: true },
                    { description: "finish screencast", completed: false },
                    { description: "make donation", completed: false },
                    { description: "clear inbox", completed: false },
                    { description: "make dinner ", completed: false },
                    { description: "clean room", completed: true },
    
                ],
              showCompleted:false
    
            },
            computed:{
              shownTasks(){ return this.showCompleted?this.tasks.filter(task=>task.completed):this.tasks;}
            },
            methods: {
    
                hideIncompleteTasks() {
                   this.showCompleted=!this.showCompleted
                }
    
            },
    
        })
    
    

    then render the shownTasks like :

    
     <ul>
            <li v-for="task in shownTasks" v-text="task.description"></li>
        </ul>
        <button @click="hideIncompleteTasks">show only completed</button>