目的是自己做一个笔记,方便以后查~
1. 字符串
1. 查
方法一: indexOf()
查找某个字符,有则返回第一次匹配到的位置,否则返回-1
let str = 'abccefg';
let res = str.indexOf('c'); // 2
方法二: charAt()
返回第n个位置字符
let str = 'abccefg';
let res = str.charAt('2'); //c
方法三:charCodeAt()
返回第n个位置字符的ASCII值
let str = 'abccefg';
let res = str.charCodeAt('2'); // 99
对于 charAt()
方法来说,如果参数不在 0
和字符串的 length-1
之间,则返回空字符串
;而对于 charCodeAt()
方法来说,则返回 NaN
,而不是 0
或空字符串
。
方法四:lastIndexOf()
从后向前检索一个字符串
let str = 'abccefg';
let res = str.lastIndexOf('c'); // 3
方法五:search()
检索字符串中指定的子字符串,或检索与正则表达式相匹配的子字符串。如果没有找到任何匹配的子串,则返回 -1。
let str = "123";
console.log(str.search("3") != -1 ); // true
方法六:includes()
返回布尔值,表示是否找到了参数字符串。
let s = 'Hello world!';
s.includes('o') // true
2. 增
方法一:concat()
用于将一个或多个字符串拼接成一个新字符串
let str = 'hello'
let res = str.concat(' 可以任意添加多个参数',' world')
console.log(str); // hello
console.log(res); // hello 可以任意添加多个参数 world
3. 删
这里的删的意思并不是说删除原字符串的内容,而是创建字符串的一个副本,再进行操作。
方法一:slice()
方法二:substr()
参数含义和其余两个有些不同
方法三:substring()
let str = "hello world";
console.log(str.slice(3)); // "lo world"
console.log(str.substring(3)); // "lo world"
console.log(str.substr(3)); // "lo world"
console.log(str.slice(3, 7)); // "lo w"
console.log(str.substring(3,7)); // "lo w"
console.log(str.substr(3, 7)); // "lo worl"
4. 其他
方法一:startsWith()
endsWith()
startsWith()
:返回布尔值,表示参数字符串是否在原字符串的头部。endsWith()
:返回布尔值,表示参数字符串是否在原字符串的尾部。
let s = 'Hello world!';
s.startsWith('Hello') // true
s.endsWith('!') // true
这三个方法都支持第二个参数,表示开始搜索的位置。
let s = 'Hello world!';
s.startsWith('world', 6) // true
s.endsWith('Hello', 5) // true
上面代码表示,使用第二个参数n
时,endsWith
的行为与其他两个方法有所不同。它针对前n
个字符,而其他两个方法针对从第n
个位置直到字符串结束。
方法二:repeat()
repeat
方法返回一个新字符串,表示将原字符串重复n
次。
'x'.repeat(3) // "xxx"
'hello'.repeat(2) // "hellohello"
'na'.repeat(0) // ""
参数如果是小数,会被取整。
'na'.repeat(2.9) // "nana"
如果repeat的参数是字符串,则会先转换成数字。
'na'.repeat('na') // ""
'na'.repeat('3') // "nanana"
方法三:padStart()
,padEnd()
padStart()
用于头部补全,padEnd()
用于尾部补全。
'x'.padStart(5, 'ab') // 'ababx'
'x'.padStart(4, 'ab') // 'abax'
'x'.padEnd(5, 'ab') // 'xabab'
'x'.padEnd(4, 'ab') // 'xaba'
padStart()
和padEnd()
一共接受两个参数,第一个参数是字符串补全生效的最大长度,第二个参数是用来补全的字符串。
如果原字符串的长度,等于或大于最大长度,则字符串补全不生效,返回原字符串。
'xxx'.padStart(2, 'ab') // 'xxx'
'xxx'.padEnd(2, 'ab') // 'xxx'
方法四:trimStart()
,trimEnd()
trimStart()
消除字符串头部的空格,trimEnd()
消除尾部的空格。它们返回的都是新字符串,不会修改原始字符串。
const s = ' abc ';
s.trim() // "abc"
s.trimStart() // "abc "
s.trimEnd() // " abc"
方法五:replaceAll()
字符串的实例方法replace()
只能替换第一个匹配。
// replace()只将第一个b替换成了下划线。
'aabbcc'.replace('b', '_')
// 'aa_bcc'
// 如果要替换所有的匹配,不得不使用正则表达式的g修饰符。
'aabbcc'.replace(/b/g, '_')
// 'aa__cc'
'aabbcc'.replaceAll('b', '_')
// 'aa__cc'
未完待续…