背景问题
在处理用户姓名的时候,我们希望截取最后一个字,有生僻字的时候,使用常规的截取会出现的问题,例如:赵𠮷等,"赵𠮷".length !=2,是等于3的。这样就会有问题,
'吉'.length
// 1
'𠮷'.length
// 2
'❤'.length
// 1
'💩'.length
// 2
text(str, start, end){
//slice(),substring(),substr()截取字符串
return src.slice(start,end)
},
//假设我们要截取字符串第一个字
let str = "𠮷祥"
text(str, 0,1)
//结果是 �
这里我们可以看到,有些生僻字他的长度是2,就会导致截取不出来,乱码。具体原因可以看看UTF-16 的编码逻辑。
解决方法
方法一
将字符串变成数组,然后再对字符串进行操作。这用Array.from
//假设我们要截取字符串最后一个字
text1(str) {
let array = Array.from(str)
return array.splice(array.length-1, 1).join('')
},
let str = "赵𠮷"
text1(str)
//结果是 𠮷
方法二
在String定义一个新的函数处理,使用ES6的新特性String.fromCodePoint()和String.codePointAt(),将文本转换成Unicode十六进制,判断是否大于0xffff。
text2(str, pStart, pEnd) {
String.prototype.sliceByPoint = function (pStart, pEnd) {//给String添加新的函数,分割字符串
let result = '';//截取结果
let pIndex = 0;//码点的指针
let cIndex = 0;//码元的指针
while (1) {
if (pIndex >= pEnd || cIndex >= this.length) {//码点超过需要截取的点,码元指向超过字符串长度,跳出循环
break;
}
const point = this.codePointAt(cIndex); //返回 一个 Unicode 编码点值的非负整数
if (pIndex >= pStart) {
result += String.fromCodePoint(point) //String.fromCodePoint(point)返回使用指定的代码点序列创建的字符串,(一串 Unicode 编码位置,即“代码点”)。
}
pIndex++
cIndex += point > 0xffff ? 2 : 1;
}
return result;
}
return str.sliceByPoint(pStart,pEnd)
},
//通过字符串获取字符索引,与indexOf功能类似
getIndex(str, char) {
String.prototype.indexByStr = function (char) {//给String添加新的函数(‘indexByStr ’可以换一个名),通过字符串获取字符索引,与indexOf功能类似
let result = '';//截取结果
let pIndex = 0;//码点的指针
let cIndex = 0;//码元的指针
while (1) {
if (cIndex >= this.length) {//码元指向超过字符串长度,跳出循环
break;
}
const point = this.codePointAt(cIndex); //返回 一个 Unicode 编码点值的非负整数
console.log()
if (String.fromCodePoint(point) == char) {
result = pIndex
break;
}
pIndex++
cIndex += point > 0xffff ? 2 : 1;
}
return result;
}
return str.indexByStr(char)
},
//获取字符串长度,与length功能相似
getLength(str) {
String.prototype.LengthByStr = function () {//给String添加新的函数(‘LengthByStr ’可以随便取),获取字符串长度,与length功能相似
let pIndex = 0;//码点的指针
let cIndex = 0;//码元的指针
while (1) {
if (cIndex >= this.length) {//码点超过需要截取的点,码元指向超过字符串长度,跳出循环
break;
}
const point = this.codePointAt(cIndex); //返回 一个 Unicode 编码点值的非负整数
pIndex++
cIndex += point > 0xffff ? 2 : 1;
}
return pIndex;
}
return str.LengthByStr(str)
}
//假设我们要截取字符串最后一个字
let str = "赵𠮷"
text2(str, this.getLength(str)-1, this.getLength(str))
//返回结果是 𠮷
总结
let str = "";
for (let i = 0; i < 10000000; i++) {
str = str + '你'
}
str = str+ "💩𠮷💩𠮷"
console.time('global')
console.log("text1==",this.text1(str))
console.timeEnd('global')
console.time('global')
console.log("text2==",this.text2(str, this.getLength(str)-1, this.getLength(str)))
console.timeEnd('global')
//控制台打印
text1== 𠮷
global: 3342.0859375 ms
text2== 𠮷
global: 111.992919921875 ms
1、通用的字符串操作,能解决大多数问题。
2、方法一灵活性高,代码少,大多数情况下这种都能解决。
3、如果字符串长度很长很长,字符串转数组就会很慢很慢,方法二性能高,运行速度快。