题目:一个字符串由字母(大小写都可能有)、和数字组成。写一个程序,统计出现不止一次的字符个数(大小写算一个字符)。如“AaBB121cc”返回4因为Aa出现2次,BB两2,1两次,cc两次。
涉及知识点:字符大小写转换;字符串的遍历;map元素是否存在的判断;map的遍历
我的解答:
function duplicateCount(text){ const map = new Map() var iMax = 0 for(var str of text){ if(!(str >= '0' && str <= '9')){ str = str.toUpperCase() } if(map.has(str)){ map.set(str, map.get(str) + 1) } else{ map.set(str, 1) } } for(const [key, val] of map){ if(val > 1) iMax = iMax + 1 } return iMax }
字符串遍历:for(var str of text)
字符串大小写转换:str.toUpperCase()//转化为大写
字符是否是数字:str >= '0' && str <= '9'
Map含有某元素:map.has(str)
Map根据键获取值:map.get(str)
Map设置/修改某键值对:map.set(str, 1)
遍历Map:for(const [key, val] of map)