1

我有一组输入字段,每个字段都有“smarty_address_check”类

<input type="text" class="smarty_address_check" value="this is a new value" />
<input type="text" class="smarty_address_check" value="this value has been unchanged" />
etc

我需要做的是

  • 对于每个输入字段值
  • 将该值与数组中的每个值进行比较(数组称为 smarty_address_check)
  • 如果匹配,做点什么。

数组中的值是输入字段的原始默认值/示例值,如果用户没有更改它们,我想对此采取行动。

var exampleAddressPresent = false;
    for (var i = 0; i<smarty_address_check.length; i++) {
        $('.smarty_address_check').each(function() { //For each of inputs
            if (smarty_address_check[i].match($(this).val())) { //if match against array
                var exampleAddressPresent = true; //Example address present
                console.log($(this).attr("id")); //store id of unchanged input

            }
        });
    }

我觉得这是糟糕的编程逻辑,更不用说我无法弄清楚它为什么不能正常工作。我基本上想做的就是将一个字符串与另一个字符串进行比较。有谁知道更好的方法来解决这个问题?

4

2 回答 2

3

您不需要match()比较两个字符串。有常见的===比较运算符

if(smarty_address_check[i] === $(this).val()) {

编辑:如果数组的索引与输入的索引/位置匹配,则可以通过使用相同的索引来避免外循环

$('.smarty_address_check').each(function(index) { //For each of inputs
    if (smarty_address_check[index] === $(this).val()) { //if match against array
        exampleAddressPresent = true; //Example address present
        console.log($(this).attr("id")); //store id of unchanged input
    }
});
于 2013-04-25T10:48:38.240 回答
0

如果array您要检查的是an Array of strings,可能的解决方案是:

将 Array 中的值转换为一个字符串:

var myArray = ['apples', 'mangoes', 'bananas'] // example Array of strings
var string = myArray.join(':'); // we'll get "apples:mangoes:bananas"

接下来,我们可以检查我们的值是否在该字符串上

var myValue = 'apples' // example input value
if(string.indexOf(myValue) !== -1) 
  // do something (i.e. myValue matches with one of the values on myArray)

祝你好运

于 2017-01-28T06:19:52.943 回答