1、concat()
concat() 方法用于连接两个或多个字符串,并返回连接后的字符串。stringObject.concat() 与 Array.concat() 很相似。
var str1="Hello " var str2="world!" console.log(str1.concat(str2)) //Hello world!
2、indexOf 和 lastIndexOf
都接受两个参数:查找的值、查找起始位置
不存在,返回 -1 ;存在,返回位置。indexOf 是从前往后查找, lastIndexOf 是从后往前查找。
indexOf
var a = [2, 9, 9]; a.indexOf(2); // 0 a.indexOf(7); // -1 if (a.indexOf(7) === -1) {} lastIndexOf var numbers = [2, 5, 9, 2]; numbers.lastIndexOf(2); // 3 numbers.lastIndexOf(7); // -1 numbers.lastIndexOf(2, 3); // 3 numbers.lastIndexOf(2, 2); // 0 numbers.lastIndexOf(2, -2); // 0 numbers.lastIndexOf(2, -1); // 3
3、substring() 和 substr()
相同点:如果只是写一个参数,两者的作用都一样:都是是截取字符串从当前下标以后直到字符串最后的字符串片段。
substr(startIndex); substring(startIndex); var str = '123456789'; console.log(str.substr(2)); // "3456789" console.log(str.substring(2)) ;// "3456789"
不同点:第二个参数
substr(startIndex,lenth): 第二个参数是截取字符串的长度(从起始点截取某个长度的字符串); substring(startIndex, endIndex): 第二个参数是截取字符串最终的下标 (截取2个位置之间的字符串,‘含头不含尾’)。 console.log("123456789".substr(2,5)); // "34567" console.log("123456789".substring(2,5)) ;// "345"
4、slice()
slice()方法可提取字符串的某个部分,并以新的字符串返回被提取的部分。还要注意的是,String.slice() 与 Array.slice() 相似。
var str="Hello world!" console.log(str.slice(6)) //world! (包括空格字符)
5、split()
split() 方法用于把一个字符串分割成字符串数组。
"hello".split("") //可返回 ["h", "e", "l", "l", "o"] "hello".split("", 3)//可返回 ["h", "e", "l"]
6、match()
match()方法可在字符串内检索指定的值,或找到一个或多个正则表达式的匹配。
var str="1 plus 2 equal 3" console.log(str.match(/d+/g))//["1", "2", "3"]
7、replace()
replace() 方法用于在字符串中用一些字符替换另一些字符,或替换一个与正则表达式匹配的子串。
var str="Hello world!" console.log(str.replace(/world/, "World"))//Hello World!
8、search()
search() – 执行一个正则表达式匹配查找。如果查找成功,返回字符串中匹配的索引值。否则返回 -1 。
var str="Hello world!" console.log(str.search(/world/))//6 console.log(str.search(/World/))//-1
9、charAt()
charAt() – 返回指定位置的字符。
var str="Hello world!" console.log(str.charAt(1))//e
10、toLowerCase()
toLowerCase()把字符串转换为小写。
var str="HELLO WORLD!" console.log(str.toLowerCase());//hello world!
11、toUpperCase()
toUpperCase() 把字符串转换为大写。
var str="hello world!" console.log(str.toUpperCase() );//HELLO WORLD!