1.Java中什么是字符串
从概念上讲,Java字符串就是Unicode字符序列。例如,串“Java\u2122
”由5个Unicode字符组成
每个用双引号括起来的字符串都是String类的一个实例
2.子串
String类的substring方法可以从一个较大的字符串提取出一个子串。例如:
public class StringTest { public static void main(String[] args) { String hackerSay = "heihei - youppp"; System.out.println(hackerSay.substring(0, 3)); // hei } }
3.拼接
如果需要把多个字符串放在一起,用一个定界符分隔,可以使用静态join
方法:
String all = String.join(";", "H", "E", "L", "L", "O"); System.out.println(all); // H;E;L;L;O
4.检测字符串是否相等
可以使用equals
方法检测两个字符串是否相等
String great = "happy"; System.out.println("happy".equals(great)); // true
要想检测两个字符串是否相等,而不区分大小写,可以使用equalsIgnoreCase
方法
String great = "happy"; System.out.println("Happy".equalsIgnoreCase(great)); // true
注意:一定不要使用==运算符检测两个字符串是否相等!这个运算符只能够确定两个字符串是否放置在同一个位置上❌
如果虚拟机始终将相同的字符串共享,就可以使用==运算符检测是否相等。但实际上只有字符串常量是共享的,而+或substring等操作产生的结果并不是共享的
5.码点与代码单元
Java字符串由char值序列组成。char数据类型是一个采用UTF-16编码表示Unicode码点的代码单元。大多数的常用Unicode字符使用一个代码单元就可以表示,而辅助字符需要一对代码单元表示
码点:具体的Unicode字符
代码单元:码点的组成部分(大多数的常用Unicode字符使用一个代码单元就可以表示,但是也存在需要两个才能表示的)
length方法将返回采用UTF-16编码表示的给定字符串所需要的代码单元数量:
String hello = "time!"; System.out.println(hello.length()); // 5 String s = "nihao®"; System.out.println(s.length()); // 6 (因为®占用两个代码单元)
调用s.charAt(n)将返回位置n的代码单元:
String hello = "time!"; char s = hello.charAt(1); System.out.println(s); // i
6.其他重要String API
int compareTo(String other):
字符串比较
按照字典顺序,如果字符串位于other之前,返回一个负数;如果字符串位于other之后,返回一个正数;如果两个字符串相等,返回0
String great = "happy"; String hey = "hey"; int comRes = great.compareTo(hey); System.out.println(comRes); // -4
boolean startsWith(String prefix)/boolean endsWith(String suffix):
判断字符串开头/结尾
String url = "https://xxx.com/"; String urlo = "http://yyy.com/"; System.out.println(url.startsWith("https")); // true System.out.println(urlo.endsWith("com")); // false
int index0f(String str)/int index0f(String str, int fromIndex):
字符串查找(带第二个参数则表示在某处开始查找)
index0f从前往后查找,lastIndex0f从后向前查找
String url = "https://xxx.com/"; System.out.println(url.indexOf("http")); // 0 System.out.println(url.indexOf("http", 2)); // -1
String replace(CharSequence oldString, CharSequence newString):
字符串替换
String url = "http://xxx.com/"; String newUrl = url.replace("http", "https"); System.out.println(newUrl); // https://xxx.com/
String toLowerCase()/String toUpperCase():
返回一个新字符串。这个字符串将原始字符串中的大写字母改为小写,或者将原始字符串中的所有小写字母改成了大写字母
String s = "nihao"; System.out.println(s.toUpperCase()); // NIHAO
String trim():
返回一个新字符串。这个字符串将删除了原始字符串头部和尾部的空格
String s = " nihao "; System.out.println(s); // nihao System.out.println(s.trim()); // nihao