我正在编写一个从字符串中获取数字字符串的函数,其工作原理如下:
0
到9
的数字a0b109mmn5
,则函数应返回01095
。function stringToDigit(string) {
if (string.length == 1) {
switch (string) {
case "0":
return 0;
case "0":
return 0;
case "1":
return 1;
case "1":
return 1;
case "2":
return 2;
case "2":
return 2;
case "3":
return 3;
case "3":
return 3;
case "4":
return 4;
case "4":
return 4;
case "5":
return 5;
case "5":
return 5;
case "6":
return 6;
case "6":
return 6;
case "7":
return 7;
case "7":
return 7;
case "8":
return 8;
case "8":
return 8;
case "9":
return 9;
case "9":
return 9;
}
}
}
function stringToNum(string) {
var numString = "";
for (var i = 0; i < string.length; i++) {
if (stringToDigit(string[i])) numString += string[i];
}
return numString;
}
// $.writeln(stringToDigit("0"));
// $.writeln(stringToNum("000"));
console.log(stringToDigit("0")); // gets 0, good
console.log(stringToDigit("00")); // gets undefined, good
console.log(stringToDigit("a")); // gets undefined, good
console.log(stringToNum("a000b1c2d3e4f5g6h7i8j9")); // gets 123456789, not 000123456789, NOT GOOD!
但是,由于某种原因,我不能在结果中包括“ 0”。我已经尝试了Visual Studio Code(带有我忘记了其名称的控制台插件)和Adobe ExtendScript Toolkit CC,所以我想知道这是否就是JavaScript的工作方式。
答案 0 :(得分:3)
if (stringToDigit(string[i]))
-类似于if(0)
,其中0
被强制转换为false
。请改用if (stringToDigit(string[i]) !== null)
。
if
语句默认使用==
(不是===
)。因此,我们进行了一些转换,例如:
null
至false
和0
至false
。请注意,在某些情况下,您应检查到undefined
。在您的情况下,没有默认值,因此可以将null
添加为默认值,或者选中未定义的值:if (stringToDigit(string[i]) !== undefined)
答案 1 :(得分:1)
虽然Alex完美地回答了您的问题,但我花了几分钟时间,并对需要完成的任务进行了一些重构。
function stringToNum(str) {
// Object with all the string numbers and their digit equivalent
var replacements = {
"0": 0,
"0": 0,
"1": 1,
"1": 1,
"2": 2,
"2": 2,
"3": 3,
"3": 3,
"4": 4,
"4": 4,
"5": 5,
"5": 5,
"6": 6,
"6": 6,
"7": 7,
"7": 7,
"8": 8,
"8": 8,
"9": 9,
"9": 9,
};
var re = new RegExp(Object.keys(replacements).join("|"),"gi");
// Do all the replacements on characters matching object keys
return str.replace(re, function(matched){
return replacements[matched];
})
// Remove all the characters that are not a digit
.replace(/\D+/g, '');
}
console.log(stringToNum("a000b1c2d3e4f5g6h7i8j9"));
这种方式应该更快,并避免虚假的0陷阱。