Подтвердить что ты не робот

Любой способ сделать jQuery.inArray() нечувствительным к регистру?

Название суммирует его.

4b9b3361

Ответ 1

Вы можете использовать каждый ()...

// Iterate over an array of strings, select the first elements that 
// equalsIgnoreCase the 'matchString' value
var matchString = "MATCHME".toLowerCase();
var rslt = null;
$.each(['foo', 'bar', 'matchme'], function(index, value) { 
  if (rslt == null && value.toLowerCase() === matchString) {
    rslt = index;
    return false;
  }
});

Ответ 2

В случае, если кому-то нужен более интегрированный подход, используя jquery:

(function($){
    $.extend({
        // Case insensative $.inArray (http://api.jquery.com/jquery.inarray/)
        // $.inArrayIn(value, array [, fromIndex])
        //  value (type: String)
        //    The value to search for
        //  array (type: Array)
        //    An array through which to search.
        //  fromIndex (type: Number)
        //    The index of the array at which to begin the search.
        //    The default is 0, which will search the whole array.
        inArrayIn: function(elem, arr, i){
            // not looking for a string anyways, use default method
            if (typeof elem !== 'string'){
                return $.inArray.apply(this, arguments);
            }
            // confirm array is populated
            if (arr){
                var len = arr.length;
                    i = i ? (i < 0 ? Math.max(0, len + i) : i) : 0;
                elem = elem.toLowerCase();
                for (; i < len; i++){
                    if (i in arr && arr[i].toLowerCase() == elem){
                        return i;
                    }
                }
            }
            // stick with inArray/indexOf and return -1 on no match
            return -1;
        }
    });
})(jQuery);

Ответ 3

Спасибо @Drew Wills.

Я переписал его так:

function inArrayCaseInsensitive(needle, haystackArray){
    //Iterates over an array of items to return the index of the first item that matches the provided val ('needle') in a case-insensitive way.  Returns -1 if no match found.
    var defaultResult = -1;
    var result = defaultResult;
    $.each(haystackArray, function(index, value) { 
        if (result == defaultResult && value.toLowerCase() == needle.toLowerCase()) {
            result = index;
        }
    });
    return result;
}

Ответ 4

Нет. Вам придется возиться со своими данными, я обычно делаю все строки строчными буквами для удобного сравнения. Существует также возможность использования пользовательской функции сравнения, которая сделает необходимые преобразования, чтобы сделать регистр сравнения нечувствительным.

Ответ 5

может проходить через массив и toLower каждый элемент и toLower, что вы ищете, но в этот момент вы можете просто сравнить его, а не использовать inArray()

Ответ 6

Похоже, вам, возможно, придется реализовать свое собственное решение. Здесь - хорошая статья о добавлении пользовательских функций в jQuery. Вам просто нужно написать настраиваемую функцию для циклизации и нормализации данных, а затем сравнить.

Ответ 7

В эти дни я предпочитаю использовать underscore для таких задач:

a = ["Foo","Foo","Bar","Foo"];

var caseInsensitiveStringInArray = function(arr, val) {
    return _.contains(_.map(arr,function(v){
        return v.toLowerCase();
    }) , val.toLowerCase());
}

caseInsensitiveStringInArray(a, "BAR"); // true