将 `border-left-width` 转换为 `borderLeftWidth`
重要性: 5
编写函数 `camelize(str)`,它将用连字符分隔的单词(如“my-short-string”)转换为驼峰式命名(如“myShortString”)。
也就是说:删除所有连字符,连字符后的每个单词都变为大写。
示例
camelize("background-color") == 'backgroundColor';
camelize("list-style-image") == 'listStyleImage';
camelize("-webkit-transition") == 'WebkitTransition';
P.S. 提示:使用 `split` 将字符串拆分为数组,对其进行转换,然后使用 `join` 重新组合。
function camelize(str) {
return str
.split('-') // splits 'my-long-word' into array ['my', 'long', 'word']
.map(
// capitalizes first letters of all array items except the first one
// converts ['my', 'long', 'word'] into ['my', 'Long', 'Word']
(word, index) => index == 0 ? word : word[0].toUpperCase() + word.slice(1)
)
.join(''); // joins ['my', 'Long', 'Word'] into 'myLongWord'
}