How to select all other values in an array except the ith element?

You can use ECMAScript 5 Array.prototype.filter:

var items = [1, 2, 3, 4, 5, 6];
var current = 2;

var itemsWithoutCurrent = items.filter(function(x) { return x !== current; });

There can be any comparison logics instead of x !== current. For example, you can compare object properties.

If you work with primitives, you can also create a custom function like except which will introduce this functionality:

Array.prototype.except = function(val) {
    return this.filter(function(x) { return x !== val; });        
}; 

// Usage example:
console.log([1, 2, 3, 4, 5, 6].except(2)); // 1, 3, 4, 5, 6

Use Array​.prototype​.splice to get an array of elements excluding this one.

This affects the array permanently, so if you don't want that, create a copy first.

var origArray = [0,1,2,3,4,5];
var cloneArray = origArray.slice();
var i = 3;

cloneArray.splice(i,1);

console.log(cloneArray.join("---"));