public boolean equalsIgnoreCase(String anotherString)
与equals方法相似,但忽略大小写
public class StringTest { public static void main(String[] args) { String str1 = new String("abc"); String str2 = new String("ABC"); int a = str1.compareTo(str2);//a>0 int b = str1.compareToIgnoreCase(str2);//b=o boolean c = str1.equals(str2);//c=false boolean d = str2.equalsIgnoreCase(str2);//d=true } }
5.字符串连接:concat()
public String concat(String str)//将参数中的字符串str连接到当前字符串的后面,效果等价于"+"
public class StringTest { public static void main(String[] args) { String str1 = new String("啦啦啦"); String str2 = str1.concat("我是豆豆"); System.out.println(str2); } } //结果:啦啦啦我是豆豆
public int indexOf(int ch/String str, int fromIndex)
改方法与第一种类似,区别在于该方法从fromIndex位置向后查找。
public int lastIndexOf(int ch/String str)
该方法与第一种类似,区别在于该方法从字符串的末尾位置向前查找。
public int lastIndexOf(int ch/String str, int fromIndex)
该方法与第二种方法类似,区别于该方法从fromIndex位置向前查找。
public class StringTest { public static void main(String[] args) { String str = new String("啦啦啦,我是豆豆"); int a = str.indexOf('是');//5 int b = str.indexOf("我是");//4 int c = str.indexOf('啦',1);//1 int d = str.lastIndexOf('啦');//2 int e = str.lastIndexOf('豆',1);//-1 } }
7.字符串中字符的大小写转换:toLowerCase()、toUpperCase()
public String toLowerCase()
返回将当前字符串中所有字符转换成小写后的新串
public String toUpperCase()
返回将当前字符串中所有字符转换成大写后的新串
public class StringTest { public static void main(String[] args) { String str = new String("MynameisSHENJIANTAO"); System.out.println(str.toLowerCase()); System.out.println(str.toUpperCase()); } } //结果:mynameisshenjiantao //结果:MYNAMEISSHENJIANTAO
8.字符串中字符的替换:replace()
public String replace(char oldChar, char newChar)
用字符newChar替换当前字符串中所有的oldChar字符,并返回一个新的字符串。
public String replaceFirst(String regex, String replacement)
public class StringTest { public static void main(String[] args) { String str = new String("啦啦啦,我是豆豆"); System.out.println(str.replace('是','叫')); System.out.println(str.replaceFirst("啦","嘿")); System.out.println(str.replaceAll("啦","嘿")); } } //结果:啦啦啦,我叫豆豆 //结果:嘿啦啦,我是豆豆 //结果:嘿嘿嘿,我是豆豆
9.是否包含:contains()
public boolean contains(String str)
判断字符串中是否有子字符串,如果有则返回true,没有则返回false
public class StringTest { public static void main(String[] args) { String str = new String("啦啦啦,我是豆豆"); System.out.println(str.contains("豆豆")); } } //结果:true