1、字符方法
charAt()和charCodeAt(),都接收一个参数,charAt()返回的是给定位置的字符,charCodeAt()返回的是给定位置字符的字符编码。
如:
<script> var code = "helloworld"; console.log(code.charAt(0)); //h console.log(code.charAt(1)); //e </script>
还可以通过方括号去访问特定位置的字符,如:
<script> var code = "helloworld"; console.log(code[4]); //o </script>
使用方括号的方法在IE8,Firefox,Safari,Chrome和Opera中都可以支持,但是在IE7及更早版本中不支持,返回的值为undefined.
2、字符串操作方法
1、字符串拼接:concact()方法。
var a = "my "; console.log(a.concat("name"));//my name console.log(a.concat("name ", "tom"));//my name tom
2、截取字符串:slice()、substr()和substring(),都接收一到两个参数。
第一个参数指定字符串的开始位置,第二个参数(可省略)表示子字符串到哪里结束。slice()和substring()的第二个参数指定的是子字符串最后一个字符后面的位置,而substr()的第二个参数指定的是返回的字符个数。如果省略第二个参数,则截取到字符串最后一个位置。
var str = "hello world"; console.log(str.slice(2,5)); // llo(从第2个位置开始,不包含第5个位置) console.log(str.slice(1)); //ello world(从第1个位置开始,一直到最后) console.log(str.substring(3)); //lo world(从第3个位置开始,一直到最后) console.log(str.substring(3,5));//lo(从第3个位置开始,不包含第5个位置) console.log(str.substr(2)); // llo world(从第2个位置开始,一直到最后) console.log(str.substr(2,6)); // llo wo(从第2个位置开始,截取6个字符)
slice()和substring()方法在正值情况下,实现的功能一致,但是在传递的值为负值时,行为就不相同了。
slice()方法会将传入的负值与字符串的长度相加(因此,如果两个参数都会负值,第二个参数必须要大于第一个参数,否则返回的是空字符串)
substr()方法会将负的第一个参数加上字符串的长度,将将第二个参数转换为0。(如果第二个参数为负值,返回空的字符串)
substring()方法将所有的负值参数都转换为0,substring始终会将较小的参数作为开始位置。
var str = "Wearefamily"; //length为11 console.log(str.slice(-3,-8));//相当于str.slice(8,3)//返回空字符串 console.log(str.slice(-5,-1));//相当于str.slice(6,10)//返回ami console.log(str.substring(3,-4));//相当于str.substring(3,0)//返回Wea console.log(str.substring(-3,-5));//相当于str.substring(0,0)//返回空字符串 console.log(str.substr(-4,3));//相当于substr(7,3)//返回mil console.log(str.substr(-4,-3));//相当于substr(7,0)//返回空字符串
3、字符串的位置方法
字符串的位置方法:indexOf()和lastIndexOf()。这两个方法都是从一个字符串中搜索给定的子字符串,然后返回子字符串的位置,没有找到,返回-1.
indexOf()从字符串的开头向后搜索子字符串,而lastIndexOf()从字符串的末尾向前搜索子字符串。
var str = "WEAREFAMILY"; console.log(str.indexOf("A"));//2 console.log(str.lastIndexOf("A"));//6
4.trim()方法
trim()去掉字符串首尾的空格
5、字符串大小写转换方法
转换为大写:toUpperCase()和toLocalUpperCase()
转换为小写:toLowerCase()和toLocalLowerCase()
6、字符串的模式匹配
match()方法只接收一个参数,要么是一个正则表达式,要么是一个RegExp对象。在字符串上调用match()方法,本质上和调用RegExp的exec()方法相同,返回的是一个数组
var str = "hello world"; var pattern = /he/; var matches = str.match(pattern); console.log(matches);//["he", index: 0, input: "hello world"] console.log(pattern.exec(str));//["he", index: 0, input: "hello world"] console.log(matches.index);//0 console.log(matches[0]);//he
search()的参数与match()相同,不同在于search()返回的是字符串中第一个匹配项的索引;如果没有找到匹配项,返回-1.
replace()方法,接收2个参数,第一个参数可以是一个RegExp对象或者是一个字符串,第二个参数是一个字符串或者是一个函数,如果第一个参数是字符串,那么只会替换第一个字符串,如果想要替换所有的字符串,那么必须使用正则表达式,并指定全局标志(g)
var str = "cat, fat, sat, bat"; console.log(str.replace("at","ooo"));//cooo, fat, sat, bat console.log(str.replace(/at/g,"ooo"));//cooo, fooo, sooo, booo
split()方法接收一个参数作为分隔符,将字符串转变为数组。
与之相对应的方法是join(),用作将数组转变为字符串。