常用方法
1. char charAt(int index) 返回索引处的char值
String str = "abc";
System.out.println(str.charAt(0));
//输出 a
2. int codePointAt(int index) 返回指定索引处的字符(Unicode代码点)
String str = "abc";
int codepoint = str.codePointAt(1);
char c = (char) codepoint;
System.out.println(c);
//输出 b
3. int compareTo(String anotherString) 按字典顺序比较两个字符串
String a = new String("abc");
String b = new String("abcd");
System.out.println(a.compareTo(b));
//输出-1,如果a在b前,则返回<0,相等返回0,大于返回>0
4. int compareToIgnoreCase(String str)按字典顺序比较两个字符串,不考虑大小写
String a = new String("abc");
String b = new String("ABC");
System.out.println(a.compareToIgnoreCase(b));
//输出0
5. String concat(String str) 将指定字符串连接到此字符串的结尾
此处看一下源码
public String concat(String str) {
int otherLen = str.length();
if (otherLen == 0) {
return this;
}
int len = value.length;
char buf[] = Arrays.copyOf(value, len + otherLen);
// str.getChars 这里实际调用System.System.arraycopy(value, 0, dst, dstBegin, value.length);
str.getChars(buf, len);
return new String(buf, true);
}
6. void getChars(char dst[], int dstBegin),在dst数组的第dstBegin开始插入string(java.lang包内的类才能使用该方法,该方法没有标明具体的访问类型,默认default即在包范围内可见)
查看源码
void getChars(char dst[], int dstBegin) {
System.arraycopy(value, 0, dst, dstBegin, value.length);
}
System.arraycopy解释:
public static void arraycopy(Object src, int srcPos,
Object dest,int destPos, int length)
src:源数组; srcPos:源数组要复制的起始位置;
dest:目的数组; destPos:目的数组放置的起始位置;
length:复制的长度。
注意:src and dest都必须是同类型或者可以进行转换类型的数组.
有趣的是这个函数可以实现自己到自己复制,比如:
int[] fun ={0,1,2,3,4,5,6};
System.arraycopy(fun,0,fun,3,3);
则结果为:{0,1,2,0,1,2,6};
7. public void getChars(int srcBegin, int srcEnd, char dst[], int dstBegin)同6所示
String str = "abc";
char []c = {'e','f'};
str.getChars(0, 2, c, 0);
System.out.println(new String(c));
//输出:ab
/*
需要注意的是,复制的长度(srcEnd - srcBegin)不要超过目的数组的长度
*/
8. int indexOf 返回指定字符或者字符串出现的位置
- int indexOf(int ch) //返回ch字符出现的位置
- int indexOf(int ch, int fromIndex)//从第fromIndex开始找,ch出现的位置
- int indexOf(String str) //返回str字符串出现的位置
- int indexOf(String str, int fromIndex)//同上
String str = "abcabc";
System.out.println("indexOf('a') :" + str.indexOf('a'));
System.out.println("indexOf('a',2) :" + str.indexOf('a',2));
System.out.println("indexOf(\"ab\") :" + str.indexOf("ab"));
System.out.println("indexOf(\"ab\",3) :" + str.indexOf("ab",3));
/*
输出:
indexOf('a') :0
indexOf('a',2) :3
indexOf("ab") :0
indexOf("ab",3) :3
*/