此代码似乎仍无效。它不再有错误,但只返回空白括号,如{}
。它应该将str
中的每个字母转换成下一个字母并将每个元音大写。有什么想法吗?
function LetterChanges(str) {
str = str.split("");//split() string into array
for(var i=0;i<str.length;i++){//for loop that checks each letter
if(str[i].match(/[a-y]/i)){
str[i]=String.fromCharCode(str[i].charCodeAt(0)+1);
}else if(str[i].match("z")){
str[i] = "a";
}
if(str[i].match(/[aeiou]/i)){
str[i] = str[i].toUpperCase();
}
}
str = str.join("");
//modifies letter by adding up in alphabet
//capitalizes each vowel
//join() string
return str;
}
答案 0 :(得分:1)
看起来这种方法可以简化为只调用.replace
的几个:
function LetterChanges(str) {
return str
.replace(/[a-y]|(z)/gi, function(c, z) { return z ? 'a' : String.fromCharCode(c.charCodeAt(0)+1); })
.replace(/[aeiou]/g, function(c) { return x.toUpperCase(); });
}
LetterChanges("abcdefgxyz");
// "bcdEfghyzA"
或者,只需拨打一次.replace
,就像这样:
function LetterChanges(str) {
return str.replace(/(z)|([dhnt])|[a-y]/gi, function(c, z, v) {
c = z ? 'A' : String.fromCharCode(c.charCodeAt(0)+1);
return v ? c.toUpperCase() : c;
})
}
LetterChanges("abcdefgxyz");
// "bcdEfghyzA"