连字符到驼峰JavaScript中的字符串

假设我们有一个字符串,其中包含由连字符分隔的单词,如下所示:

const str = 'this-is-an-example';

我们需要编写一个JavaScript函数,该函数接受一个这样的字符串并将其转换为camelCase字符串。

对于上述字符串,输出应为-

const output = 'thisIsAnExample';

为此的代码将是-

const str = 'this-is-an-example';
const changeToCamel = str => {
   let newStr = '';
   newStr = str
   .split('-')
   .map((el, ind) => {
      return ind && el.length ? el[0].toUpperCase() + el.substring(1)
      : el;
   })
   .join('');
   return newStr;
};
console.log(changeToCamel(str));

以下是控制台上的输出-

thisIsAnExample