9

How can I get specific number when I make a loop, in my case I want only to get 5 and above numbers or within a range that I want.

<select name="" id="input" class="form-control" v-model="selectcompetitionyear">
    <option v-for="n in 8" :value="n">Previous {{n}} games</option>
</select>

Result would be

<select name="" id="input" class="form-control" v-model="selectcompetitionyear">
    <option value="5">Previous 5 games</option>
<option value="6">Previous 6 games</option>
<option value="7">Previous 7 games</option>
<option value="8">Previous 8 games</option>
</select>
PenAndPapers
  • 2,018
  • 9
  • 31
  • 59

4 Answers4

9

It depends on use case, but one of methods would be:

var vm = new Vue({
el: '#app',
    data: {
        selectcompetitionyear:5
    },
    methods:{
        getNumbers:function(start,stop){
            return new Array(stop-start).fill(start).map((n,i)=>n+i);
        }
    }
});
<script src="https://cdnjs.cloudflare.com/ajax/libs/vue/2.3.3/vue.min.js"></script>
<div id="app" class="l-container l-vPad--mid">
    <select name="" id="input" class="form-control" v-model="selectcompetitionyear">
    <option v-for="n in getNumbers(5,9)" :value="n">Previous {{n}} games</option>
</select>
</div>
Michał Sałaciński
  • 2,256
  • 1
  • 11
  • 10
6

My solution was just to add a number on the current loop value

<select name="" id="input" class="form-control" v-model="selectcompetitionyear">
    <option v-for="n in 5" :value="n+5">Previous {{ n + 5 }} games</option>
</select>
PenAndPapers
  • 2,018
  • 9
  • 31
  • 59
1

If you'd like to control the step, you could use the following:

<option v-for="n in getNumbers(5,25,5)" :value="n">{{ n }}</option>

methods: {
      getNumbers:function(start,stop,step = 1){
        return new Array(stop / step).fill(start).map((n,i)=>(i+1)*step);
      },
}

And the result would be: enter image description here

Grant
  • 5,709
  • 2
  • 38
  • 50
0

Easiest way is to use v-if inside the option loop:

<option v-for="n in 8" v-if="n >=5" :value="n">Previous {{n}} games</option>
hbokmann
  • 9
  • 1
  • 2