Reputation: 808
How can I sort an array by name or sex before displaying it in a v-for loop? https://jsfiddle.net/rg50h7hx/
<div id="string">
<ul>
<li v-for="array in arrays">{{ array.name }}</li>
</ul>
</div>
// Vue.js v. 2.1.8
var string = new Vue({
el: '#string',
data: {
arrays: [
{ name: 'kano', sex: 'man' },
{ name: 'striker', sex: 'man' },
{ name: 'sonya', sex: 'woman' },
{ name: 'sindell', sex: 'woman' },
{ name: 'subzero', sex: 'man' }
]
}
})
Do I have to use a "computed", or whatever?
Upvotes: 60
Views: 150674
Reputation: 2880
This works really cool:
sortFunc: function (){
return this.arrays.slice().sort(function(a, b){
return (a.name > b.name) ? 1 : -1;
});
}
call the function from HTML:
<div id="string">
<ul>
<li v-for="array in sortFunc()">{{ array.name }}</li>
</ul>
</div>
Upvotes: 8
Reputation: 439
Easy way; You can use computedArray instead of array
computed: {
computedFonksiyon() {
this.arrays.sort(function(x, y) {
return y.name- x.name;
});
return this.arrays;
}
}
Upvotes: 0
Reputation: 2570
with arrow functions es6:
sortedArray(){
return this.arrays.sort((a, b) => a.name - b.name );
}
Upvotes: 35
Reputation: 2993
Html side
<div id="string">
<ul>
<li v-for="array in sortArrays(arrays)">{{ array.name }}</li>
</ul>
</div>
Vue js code || Using Lodash
var string = new Vue({
el: '#string',
data: {
arrays: [
{ name: 'kano', sex: 'man' },
{ name: 'striker', sex: 'man' },
{ name: 'sonya', sex: 'woman' },
{ name: 'sindell', sex: 'woman' },
{ name: 'subzero', sex: 'man' }
]
},
methods: {
sortArrays(arrays) {
return _.orderBy(arrays, 'name', 'asc');
}
}
})
Upvotes: 19
Reputation: 73609
Yes, an easy way to do this can be create a computed property which can return the sortedArray, like following:
computed: {
sortedArray: function() {
function compare(a, b) {
if (a.name < b.name)
return -1;
if (a.name > b.name)
return 1;
return 0;
}
return this.arrays.sort(compare);
}
}
See working demo.
You can find the documentation of sort here which takes a compareFunction.
compareFunction Specifies a function that defines the sort order. If omitted, the array is sorted according to each character's Unicode code point value, according to the string conversion of each element.
Upvotes: 85