-
length() 字符串长度
char[] chars = {'a','b','c'}; String s = new String(chars); int len = s.length();
-
charAt() 截取一个字符
String s; char ch; s = "abc"; ch = s.charAt(1); //返回'b'
-
getChars() 截取多个字符
void getChars(int sourceStart, int sourceEnd, char target[],int targetStart) //sourceStart指定了子串开始字符的下标,sourceEnd指定了子串结束后的下一个字符的下标。因此, 子串包含从sourceStart到sourceEnd-1的字符。接收字符的数组由target指定,target中开始复制子串的下标值是targetStart。
-
getBytes() 替代getChars()的一种方法是将字符存在字节数组中
-
toCharArray()
-
equals()和equalsIgnoreCase() 比较两个字符串(前者不区分大小写,后者区分大小写)。
-
regionMatches() 用于比较一个字符串中特定区域与另一特定区域,它有一个重载的形式允许在比较中忽略大小写
boolean regionMatches(int startIndex,String str2,int str2StartIndex,int numChars) boolean regionMatches(boolean ignoreCase,int startIndex,String str2,int str2StartIndex,int numChars)
-
startsWith()和endsWith() 前者决定是否以特定的字符串开始,后者决定是否以特定的字符串结束
-
equals和== 前者是比较字符串对象中的字符,后者是比较两个对象是否引用同一实例
String s1="Hello"; String s2=new String(s1); s1.eauals(s2); //true s1==s2;//false
-
compareTo()和compareToIgnoreCase() 从字符串的第一位开始比较,如果遇到不同的字符,则马上返回这两个字符的ascii值差值..返回值是int类型。前者不忽略大小写,后者忽略大小写,其他一样。
String s = "abcdefg"; System.out.println(s.compareTo("fabcd")); //输出的结果是-5.因为a的ascii码值-f的ascii码值=-5.
-
indexOf()和lastIndexOf() 前者用来查找字符或者子串第一次办出现的下标,后者用来查找字符或者子串最后一次出现的地方
-
subString() 用来提取子字符串。它有两种参数形式
String.substring(int startIndex) String.substring(int startIndex, int endIndex) //前者表示子串是从父串的第startIndex个下标开始取,一直到父串的最后一个下标。 //后者是表示从父串的第StartInde个下标开始取,一直到父串的第endIndex - 1个下标。
-
concat() 连接两个字符串,和"+"的作用相同
-
replace() 替换,它有两种参数形式
//用一个字符在调用字符串中所有出现某个字符的地方进行替换 String.replace(char original, char replacement) String s = "Hello".replace('l', 'w'); //用一个字符序列替换另一个字符序列 String.replace(CharSquence original, CharSquence replacement)
-
trim() 去掉起始和结尾的空格
-
valueOf() 转换为字符串
-
toLowerCase() 转换为小写
-
toUpperCase() 转换为大写
-
StringBuffer构造函数
//StringBuffer定义了三个构造函数
StringBuffer();
StringBuffer(int size);
StringBuffer(String str);
StringBuffer(CharSequence cahrs);
(1) length()和capacity() 一个StringBuffer的当前长度可通过length()方法得到,而整个可分配空间通过capacity()方法得到。
(2) ensureCapacity() 设置缓存区的大小
void ensureCapacity(int capacity);
(3)setLength() 设置缓存区的长度
void setLength(int length);
(4)charAt()和setCharAt()
char charAt(int where);
void setCharAt(int where, char ch)
(5)getchars()
void getChars(int sourceStart, int sourceEnd, char target[], int targetStart)
(6)append() 可把任意类型的数据字符串表示连接到调用的StringBuffer对象的末尾。
int a = 42;
StringBuffer sb = new StringBuffer(40);
String s = sb.append("a=").apppend(a).append("!").toString();
(7)insert() 插入字符串
insert(int index, String str);
insert(int index, char ch);
insert(int index, Object obj);
//index指定将字符串插入到StringBuffer对象中的位置的下标
(8)reverse() 颠倒StringBuffer对象中的字符
(9)delete()和deleteCharAt() 删除字符
delete(int startIndex, int EndIndex);
deleteCharAt(int loc);
(10)replace() 替换
replace(int startIndex, int endIndex, String str);
(11)subString 截取字符串
StringBuffer和StringBuilder的区别:
前者有加锁,不容易发生意外状况(比如在多线程操作的时候)。后者不加锁,可能会发生意外状况(比如在多线程操作的时候)
网友评论