StringBuffer的构造方法:
StringBuffer() :无参构造的形式,初始容量16
StringBuffer(int capacity) :指定容量构造一个字符串缓冲区StringBuffer sb3 = new StringBuffer("hello");
System.out.println("sb3:"+sb3);
System.out.println("length():"+sb3.length());
System.out.println("capacity():"+sb3.capacity());//初始容量+当前字符数
StringBuffer的获取功能:
StringBuffer sb3=new StringBuffer("weffaa");
System.out.println(sb3.length());
StringBuffer的添加功能:(实际开发中用的多)
StringBuffer sb=new StringBuffer("l love");
StringBuffer sb2=new StringBuffer("java");
System.out.println(sb.append(sb2));
StringBuffer sb3=new StringBuffer("helloworld");
StringBuffer sb4=new StringBuffer("java");
System.out.println(sb3.insert(5, sb4));
举例:
/**public StringBuffer deleteCharAt(int index):移除指定位置处的字符..
public StringBuffer delete(int start,int end):移除从指定位置处到end-1处的子字符串...
* @author 田伟
*
*/
public class Demo2 {
public static void main(String[] args) {
StringBuffer sb=new StringBuffer("helloworld");
System.out.println(sb.deleteCharAt(5));
StringBuffer sb2=new StringBuffer("helloworld");
System.out.println(sb2.delete(2, 4));
}
}
举例:
StringBuffer sb3=new StringBuffer("helloworld");
System.out.println(sb3.reverse());
/**public String substring(int start):从指定位置开始截取,默认截取到末尾,返回值不在是缓冲区本身,而是一个新的字符串
public String substring(int start,int end) :
从指定位置开始到指定位置结束截取,包前不包后,返回值不在是缓冲区本身,而是一个新的字符串
* @author 田伟
*
*/
public class Demo3 {
public static void main(String[] args) {
StringBuffer sb=new StringBuffer("shishuoxinyu");
System.out.println(sb.substring(3));
StringBuffer sb2=new StringBuffer("shishuoxinyu");
System.out.println(sb2.substring(3,7));
}
}
注释:两种截取都是取的是截取的部分,而且遵循包前不包后。
/**public StringBuffer replace(int start,int end,String str)
从指定位置到指定位置结束,用新的str字符串去替换,返回值是字符串缓冲区本身
* @author 田伟
*
*/
public class Demo4 {
public static void main(String[] args) {
StringBuffer sb=new StringBuffer("shishuoxinyu");
System.out.println(sb.replace(3, 7, "说"));
}
}
String和StringBuffer之间的相互转换:
public class StringBufferTest {
public static void main(String[] args) {
//String---StringBuffer
//定义了一个
String s = "hello";
// StringBuffer sb = s ;不行
// StringBuffer sb = "hello";
// 方式1 :带参构造,StringBuffer(String str)
StringBuffer sb = new StringBuffer(s) ;//非常重要
//方式2:可以通过无参构造创建字符串缓冲区对象,给缓冲区中追加内容
StringBuffer sb2 = new StringBuffer() ;
sb2.append(s) ;
System.out.println("sb:"+sb);
System.out.println("sb2:"+sb2);
System.out.println("----------------------------");
//StringBuffer---String
StringBuffer buffer = new StringBuffer("world") ;
//方式1:public String(StringBuffer buffer)分配一个新的字符串,它包含字符串缓冲区参数中当前包含的字符序列
String str = new String(buffer) ;
//方式2:StringBuffer的功能:public String toString()返回此序列中数据的字符串表示形式
String str2 = buffer.toString() ;
System.out.println("str:"+str);
System.out.println("str2:"+str2);
}
}
1 StringBuffer,String,StringBuilder的区别: