利用
nds.indexOf(parseInt(el,10))
wherends
是一个数组并且el
是一个数字(或应该是一个数字)
编辑:
来自msdn:
JavaScript 是一种松散类型的语言,这意味着您无需显式声明变量的数据类型。在许多情况下,JavaScript 在需要时会自动执行转换。例如,如果您向包含文本(字符串)的项目添加数字,则该数字将转换为文本。
我猜这种转换是indexOf
返回的原因,-1
因为您的数组之一包含数字和其他包含的字符串。
例如:
old_array = ["10", "20", "30"];
new_array = [10, 20, 30];
以下是我尝试回答您的问题:
为什么 indexOf() 不起作用?
它确实有效,我想它也适用于你的情况。-1
当el
字符串,例如"100"
,在数字数组中找不到时返回,例如,nds=[100,200]
这是真的。因为"100"
字符串与100
数字不同。
indexOf() 是否适用于字符串、数组等?
是的,indexOf()
适用于数组(数字、字符串或任何对象)以及字符串。但是你必须确保检查相同的类型。
parseInt() 是做什么的?
为了避免数字与字符串的意外比较,我们可以使用parseInt()
,例如parseInt("123", 10)
返回数字123
。
第二个参数10
称为radix。表示要使用的数字系统的数字(从 2 到 36)。
概括:
> "javascript is awesome".indexOf('v')
2
> [10, 20, 30].indexOf("20")
-1
> [10, 20, 30].indexOf(20)
1
> [10, 20, 30].indexOf( parseInt("20", 10) )
1
> typeof (100)
number
> typeof ("100")
string
> typeof( parseInt( "100", 10))
number
> parseInt( "100", 10)
100
> parseInt("100", 2)
4
> parseInt(11.3, 10)
11
> parseInt(11.3, 2)
3
> [10.3, 11.3, 12.3, 11].indexOf( parseInt(11.3, 10) )
3
要查看以上所有内容:
检查下面的代码片段,但要注意alert();
以及console.log();
何时运行它。
function createChangeRecord( old_array, new_array ) {
var nds = new_array.slice( 0, new_array.length ); // this seems to be redundant
var el, idx, msg;
if ( old_array.length == new_array.length ) {
for ( var i=0; i<old_array.length; i++ ) {
el = old_array[i];
idx = nds.indexOf(el);
if ( idx != -1 ) {
msg = "Found: el: " + el + "; nds: " + nds + "; nds.indexOf(el): " + idx + "\n typeof el: " + (typeof el) + "; typepf nds[" + i + "]: " + (typeof nds[i]);
} else {
msg = "Not Found: el: " + el + "; nds: " + nds + "; nds.indexOf(el): " + idx + "\n typeof el: " + (typeof el) + "; typepf nds[" + i + "]: " + (typeof nds[i]);
}
console.log( msg );
alert( msg );
}
}
else {
var err = 'Array lengths are not same';
console.log( err );
alert( err );
}
}
// this will work
var old_array_g = [ 10, 20 ];
var new_array_g = [ 10, 20 ];
createChangeRecord( old_array_g, new_array_g );
// this will not work
var old_array_g = [ "10", "20" ];
var new_array_g = [ 10, 20 ];
createChangeRecord( old_array_g, new_array_g );
// Yes: indesOf works with strings too
var withStrings = "'javascript is awesome'.indexOf('v'): " + "javascript is awesome".indexOf('v');
console.log( withStrings );
alert( withStrings );
// parseInt() returns a number or say integer
var usingParse = "typeof(123): " + typeof( 123 ) + "; typeof( parseInt('123', 10) ): " + typeof ( parseInt('123', 10) ) + "; typeof ('123'): " + typeof('123');
console.log( usingParse );
alert( usingParse );
// parseInt() with base 2
var parseBase2 = "parseInt( '100', 2 ): " + parseInt('100', 2) + "; parseInt( '100' , 10): " + parseInt('100', 10);
console.log( parseBase2 );
alert( parseBase2 );