使用 JavaScript 在字符串中重复每个字符的基于索引的次数
问题
我们需要编写一个JavaScript函数,它接收一串英文小写字母。
我们的函数应该构造一个新的字符串,其中每个字符在大写的字符串中重复其从1开始的索引的次数,不同的字符集应该用破折号“-”分隔。
因此,字符串'abcd'应该变成-
"A-Bb-Ccc-Dddd"
示例
以下是代码-
const str = 'abcd';
const repeatStrings = (str) => {
   const res = [];
   for(let i = 0; i < str.length; i++){
      const el = str[i];
      let temp = el.repeat(i + 1);
      temp = temp[0].toUpperCase() + temp.substring(1, temp.length);
      res.push(temp);
   };
   return res.join('-');
};
console.log(repeatStrings(str));输出结果A-Bb-Ccc-Dddd
