我们也可将字符串常用的操作方法归纳为增、删、改、查,需要知道字符串的特点是一旦创建了,就不可变。
并不是说直接增添内容,而是创建字符串的一个副本,再进行操作。除了常用的 + 以及 ${}进行字符串拼接之外,还可以通过concat
用于将一个或多个字符串拼接成一个新字符串
let stringValue = 'hello';
let res = stringValue.concat("三体");
console.log(res);//"hello 三体"
console.log(stringValue);//"hello"
这里的删的意思并不是说删除原字符串的内容,而是创建字符串的一个副本,再进行操作
常见的有:
let stringValue = "hello";
console.log(stringValue.slice(3));// lo
这里改的意思也不是改变原字符串,而是创建字符串的一个副本,再进行操作
常见的有:
let stringValue = " hello ";
let trimmedStringValue = stringValue.trim();
console.log(stringValue);
console.log(trimmedStringValue);
repeat()
接收一个整数参数,表示要将字符串复制多少次,然后返回拼接所有副本后的结果
let stringValue = "hell";
let copyResult = stringValue.repeat(2)
padEnd()
复制字符串,如果小于指定长度,则在相应一边填充字符,直至满足长度条件
let stringValue = "foo";
console.log(stringValue.padStart(6));
console.log(stringValue.padStart(5,':')
toLowerCase()、toUpperCase()
大小写转化
let stringValue = "hello";
console.log(stringValue.toLowerCase());
console.log(stringValue.toUpperCase());
除了通过索引的方式获取字符串的值,还可通过:
chatAt()
返回给定索引位置的字符,由传给方法的整数参数指定
let message = '我是土豆';
console.log(message.chatAt(2));
indexOf()
从字符串开头去搜索传入的字符串,返回位置(如没有,返回 -1)
let stringValue = "我是地瓜";
console.log(stringValue.indexOf("是"))
startWith()、includes()
从字符串中搜索传入的字符串,并返回一个表示是否包含的布尔值
let message = "我是01";
console.log(message.startWith("01"))
split
let str = "1+2+3+我";
let arr = str.split("+");
针对正则表达式,字符串设计了几个方法:
match()
接收一个参数,可以是一个正则表达式字符串,也可以是一个RegExp对象,返回数组
let text = "cat,bat,sat,fat";
let pattern = "/.at/"
let matches = text.match(pattern);
console.log(matches[0]);
search()
接收一个参数,可以是一个正则表达式字符串,也可以是一个RegExp对象,找到则返回匹配索引,否则返回 -1
let text = "cat,bat,sat,fat";
let pos = text.search(/at/);
console.log(pos)
replace()
接收两个参数,第一个参数为匹配的内容,第二个参数为替换的元素(可用函数
let text = "cat,bat,sat,fat";
let result = text.replace("at","ont")
console.log(result)