在 JavaScript 中更改大小写,不使用 String.prototype.toUpperCase()
问题
我们需要编写一个 JavaScript 函数,它存在于字符串类的原型对象上。
此函数应简单地将字符串中所有存在的字母的字母大小写更改为大写并返回新字符串。
示例
以下是代码 −
const str = 'This is a lowercase String'; String.prototype.customToUpperCase = function(){ const legend = 'abcdefghijklmnopqrstuvwxyz'; const UPPER = 'ABCDEFGHIJKLMNOPQRSTUVWXYZ'; let res = ''; for(let i = 0; i < this.length; i++){ const el = this[i]; const index = legend.indexOf(el); if(index !== -1){ res += UPPER[index]; }else{ res += el; }; }; return res; }; console.log(str.customToUpperCase());
输出
以下是控制台输出 −
THIS IS A LOWERCASE STRING
广告