Java中String常用方法总结

时间:2022-09-03 17:09:14
 package cn.zhang.Array;
/**
* String类的一些常用方法
* @author 张涛
*
*/
public class TestString
{
public static void main(String[] args)
{
String s1 = "abcdef";
String s2 = "123456";
String s3 = "abcdef";
String s4 = new String("abcdef");
String s5 = "ABCDEF"; /**
* 方法一 :char charAt(int index)
* 功能:可返回任意索引处的字符
*/
System.out.println(s1.charAt(5));
System.out.println(s2.charAt(5)); /**
* 方法二:boolean equals(Object obj)
* 功能:判断两个字符串是否相同,注意String中的equals方法此时已经重写了父类Object中的equals方法
*
* 31-32行代码的测试中31行代码应用了字符串常量池,使用双引号创建字符串与用new完全不同,
* 他会检测在栈中的字符串存储池中是否有值为abcedf的字符串,
* 如果有则指向它,如果没有,则在栈中创建它。
*/
System.out.println(s1 == s3);//31 true
System.out.println(s1 == s4);//32 false System.out.println(s1.equals(s2));// false
System.out.println(s1.equals(s3));// true /**
* 方法三:int length()
* 功能:返回字符串的长度
*/
System.out.println(s1.length());
System.out.println(s2.length()); /**
* 方法四:String toUpperCase(),将字符串全部转化为大写
* String toLowerCase(),将字符串全部转化为小写
*/
System.out.println(s1.toUpperCase());
System.out.println(s1.toLowerCase());
System.out.println(s2.toUpperCase());//数字也可以大小写,长见识了,但是没卵用
System.out.println(s2.toLowerCase()); /**
* 方法五:boolean equalsIgnoreCase(String str)
* 功能:无视大小,比较两字符串是否相同
*/
System.out.println(s1.equalsIgnoreCase(s5)); /**
* 方法六:int indexOf(String str , int index)
* 功能:返回指定子串的第一次出现的字符串中的索引,从指定的索引开始。
*/
int index1 = s1.indexOf("abc"); //当然索引处可以不填
int index2 = s1.indexOf("e",1);
System.out.println(index1);
System.out.println(index2); /**
* 方法七:String substring(int beginIndex,int endIndex)  
* 功能:截取字符串,左包含,右不包含
*/
String str6 = s1.substring(1,4);
System.out.println(str6); /**
* 方法八:String replace(char oldchar, char newchar)
* 功能:字符(串)替换
*/
String st7 = s1.replace("a","ppap");
System.out.println(st7); /**
* 方法九:char[] toCharArray()
* 功能:将此字符串转化为字符数组,方便使用数组中的一些API
*/
System.out.println(s1.toCharArray());
}
}