1.charAt( index )------根据索引值查找对应的字符串
const str = "hello world";
const result = str.charAt(1)
colsole.log( result ) //h
const otherstr = " ";
const otherresult = otherstr.charAt(1);
console.log( otherresult ) // 返回空字符串,并不返回null
console.log( typeof otherresult) //String
2.indexOf()------根据所提供的子字符串,返回子字符串所在位置
(1)
const str = "hello world";
const result = str.indexOf("e") //查找方式也要是一个字符串( 子字符串 )
console.log( result ) //1,返回的是对应字串的索引
(2)
//可以设定开始查找的索引的位置
const str = "hello world hello world"
const result = str.indexOf("h",6);//从第六个索引开始查找
console.log(result) //12
//ES6中可以根据includes查找子字符串是否在另一个子字符串中,
const str = " hello world";
const result = str.includes('hello');
console.log( result ) //true
(3).截取类方法:
substring(value1,value2)
value1: 起始位置
value2:结束位置
const str = "hello World!"
const newstr = str.substring(1,2)
console.log(newstr) // hell
//也可以接受一个参数
console.log(str.substring(1))//ello world
//不支持负数,如果传入负数则视为0
console.log(str.substring(-1))//hello world
//注:当传入两个参数时,若两个参数中的其中一个为负数,则不会返回任何值
slice()
该方法跟substring()方法很类似
区别是:slice()方法可以接受两个参数都为负数,
const str = "hello World"
console.log(str.slice(1));//ello world
console.log(str.slice(-1))//d
//两个参数时并截取的到第二个参数所对应的字符串
console.log(str.slice(1,2))//e
console.log(str.slice(1,3));//el
(4).split()
作用:split() 方法用于把一个字符串分割成字符串数组
const str = " ABC";
console.log(str.split("")) //[ "A","B","C"]
console.log(str.split("",1)) //["A"] 只截取一个从第零个开始截取
//以某个字符为零界点进行分割
const str = "!A!B!C!D!"
const newstr = str.split("!") //
console.log(newstr) //["", "A", "B", "C", "D", ""] 以!号为基准进行"左右"分割
const newArr = newstr.filter(item => {
return item != ""
})
console.log(newArr); //["A", "B", "C", "D"]
例子:
const str = " ABC "
const a = str.split("")
const b = a.map(item => ({
d: "I" + item
}))
console.log(b)
//0: {d: "IA"}
// 1: {d: "IB"}
// 2: {d: "IC"}