How can I change the position of a specific element in an array?

I'm trying to change the index position of an element in an array, but I can't figure out a way.

{
   "items": [
        1,
        3,
        2
   ]  
}

      

+3


source to share


2 answers


You can use splice

to move an item into an array:

var arr = [
        1,
        3,
        2
   ];
var oldIndex = 2,
    newIndex = 1;


arr.splice(newIndex, 0, arr.splice(oldIndex, 1)[0]);

      

It does [1, 2, 3]

The inner splice removes and returns an element, while the outer one inserts it back.




Just for fun, I've defined a generic function that can move a slice, not just an element, and perform an index calculation:

Object.defineProperty(Array.prototype, "move", {
    value:function(oldIndex, newIndex, nbElements){
        this.splice.apply(
            this, [newIndex-nbElements*(newIndex>oldIndex), 0].concat(this.splice(oldIndex, nbElements))
        );
    }
});

var arr = [0, 1, 2, 7, 8, 3, 4, 5, 6, 9];
arr.move(5, 3, 4);
console.log('1:', arr) // [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] 

var arr = [0, 1, 2, 7, 8, 3, 4, 5, 6, 9];
arr.move(3, 9, 2);
console.log('2:', arr); // [0, 1, 2, 3, 4, 5, 6, 7, 8, 9] 

var arr = [0, 1, 2, 4, 5, 3, 6, 7];
arr.move(5, 3, 1);
console.log('3:', arr); // [0, 1, 2, 3, 4, 5, 6, 7] 

var arr = [0, 3, 1, 2, 4, 5, 6, 7];
arr.move(1, 4, 1);
console.log('3:', arr); // [0, 1, 2, 3, 4, 5, 6, 7] 

      

JS Bin

+6


source


If you want to sort them in Unicode order (where the numbers become strings), you can use sort () .

items.sort();

      

If you have your own order, you need to provide the sort function to the sort function.



function compare(a, b) {
  if (a is less than b by some ordering criterion) {
    return -1;
  }
  if (a is greater than b by the ordering criterion) {
    return 1;
  }
  // a must be equal to b
  return 0;
}

      

and you use it like this:

items.sort(compare(a, b));

      

-1


source







All Articles