我无法重新分配 javascript 字符串变量

i can't reassign an javascript string variable

我有一个练习来编写一个函数,该函数将一个字符串作为参数,return一个字符串,每个单词的首字母大写。但它不起作用:(我不知道为什么。

 function titleCase(str) {
  var arr = str.split(" ")
      arr.forEach(e => 
      {
        let a = (e.charAt(0).toUpperCase() + e.slice(1))
        e = a
        console.log(e)
      })
      console.log(arr)
      return arr.join(" ")
}

console.log(titleCase("I'm a little tea pot"));

您可以使用 map 代替 foreach 和 return 映射中的值。

拆分后也可以直接运行映射,不用e = a

function titleCase(str) {
  var arr = str.split(" ").map(e => {
    e = (e.charAt(0).toUpperCase() + e.slice(1))
    return e;
  })
  return arr.join(" ")
}

console.log(titleCase("I'm a little tea pot"));

或简化版

const titleCase = str => str.split(" ").map(e => e.charAt(0).toUpperCase() + e.slice(1)).join(" ");
console.log(titleCase("I'm a little tea pot"));

forEach 不改变数组。你需要 map.

function titleCase(str) {
  var arr = str.split(" ").map(e => 
      {
        let a = (e.charAt(0).toUpperCase() + e.slice(1))
        e = a
        console.log(e)
        return e
      })
      console.log(arr)
      return arr.join(" ")
}

console.log(titleCase("I'm a little tea pot"));

toUppoerCase 不会就地更新。这意味着它不会更新源字符串。你可以使用地图做这样的事情,

 function titleCase(str) {
  var arr = str.split(" ")
      let res = arr.map(e => 
      {
        let a = (e.charAt(0).toUpperCase() + e.slice(1))
        e = a
        console.log(e)
        return e;
      })
      console.log(res)
      return res.join(" ")
}

console.log(titleCase("I'm a little tea pot"));

点击相同功能的浏览器控制台。

    function titleCase(str) {
   var newStr = str.toLowerCase().split(' ');
   for (let i = 0; i < newStr.length; i++) {
       newStr[i] = newStr[i].charAt(0).toUpperCase() + newStr[i].substring(1);     
   }
   return newStr.join(' '); 
}
console.log(titleCase("I'm a little tea pot"));

输出:我是一个小茶壶

编码愉快!

我们必须使用 map() 而不是 forEach()。

首先使用 split() 将句子转换为单词数组。

使用map()将单词的第一个字符大写,单词的其余字符转为小写。

最终使用 join() 将单词数组转换为字符串。

function titleCase(str) {
  const words = str
    .split(" ")
    .map((word) => word[0].toUpperCase() + word.slice(1).toLowerCase());
  return words.join(" ");
}

console.log(titleCase("I'm a little tea pot"));