字符串、正则表达式

时间:2023-01-15 20:05:00


字符串

常用方法

  1. length() 字符个数
  2. equals equalsIgnoreCase方法
  3. . trim方法
  4. substring方法
  5. concat()方法用于将指定的字符串参数连接到字符串上。
  6. contains() 判断是否包括某字符串
  7. indexOf()返回子串的位置索引,没有返回-1
  8. lastIndexOf() 返回子串的位置索引,没有返回-1
  9. replace()替换返回
  10. split()拆分为String[]
  11. toLowerCase() toUpperCase()转换小写大写
  12. 字符串、正则表达式

开发技巧

String userpwd="123";
String pwd1=null;
//尽量将常量放在前面,这样比较不会出现空字符串异常
if (userpwd.equals(pwd1)){
System.out.println("密码正确");
}else {
System.out.println("密码错误");
}

Sring StringBuffer StringBuilder

String

StringBuffer

StringBuilder

执行速度

最差

其次

最高

线程安全

线程安全

线程安全

线程不安全

使用场景

少量字符串操作

多线程环境下的大量操作

单线程环境下的大量操作

String:

对于String来说,是把数据存放在了常量池中,因为所有的String,默认都是以常量形式保存,且由final修饰,因此在线程池中它是线程安全的。因为每一个String当被创建好了以后,他就不再发生任何变化,但是它的执行速度是最差的。我们要创建String的时候,他在常量池中对这些信息进行处理,如果在程序中出现了大量字符串拼接的工作,效率是非常底下的。因此使用场景是在少量字符串操作的时候才建议直接使用String来操作。

StringBuffer:(效率不如StringBuilder,但远比String要高)

StringBuffer相对于StringBuilder效率要相对低一点,但也远比String要高的多。效率低的原因:对于StringBuffer来说更多的考虑到了多线程的情况,在进行字符串操作的时候,它使用了synchronize关键字,对方法进行了同步处理。

StringBuilder:(没有考虑线程安全问题)

线程安全与线程不安全:
在进行多线程处理的时候,如果多个线程对于这一个对象同时产生操作,会产生预期之外的结果。对于StringBuilder来说,执行效率虽然高,但是因为线程不安全,所以不建议在多线程的环境下对同一个StringBuilder对象进行操作。
因此StringBuilder适用于单线程环境下的大量字符串操作。

正则表达式

正则表达式定义了字符串的模式,本质是一种特殊的字符串对象。

正则表达式可以用来搜索、编辑或处理文本。

正则表达式并不局限于某一种语言,但是在每种语言中有细微的差别。

//判断字符串有没有大写字母
System.out.println("Hello World".matches(".*[A-Z]+.*"));//true
//判断字符串是不是大写字母组成
System.out.println("Hello World".matches("[A-Z]+.*"));//true
//判断字符串中有没有中文
System.out.println("Hello World".matches("\u4e00-\u9fa5"));//false
System.out.println("Hello World 中".matches(".*[\u4e00-\u9fa5].*"));//true
//判断字符串中有没有数字
System.out.println("Hello World 22".matches(".*\\d.*"));//true
System.out.println("Hello World 22".matches(".*[0-9].*"));//true
//判断字符串中有没有手机号
System.out.println("手机号为:13937897962".matches("1[358]\\d{9}.*$"));//true
//ctrl + shift + r 项目查找替换,支持正则表达;
//ctrl + shift + f 项目查找,支持正则表达;
//判断字符串是不是纯中文
System.out.println("Hello world中".matches("^[\u4e00-\u9fa5]+$"));//false
System.out.println("软件工程".matches("^[\u4e00-\u9fa5]+$"));//true
//判断字符串是不是全英文
System.out.println("helloworld".matches("^[a-zA-Z]+$"));//true
System.out.println("helloworld222".matches("^[a-zA-Z]+$"));//false
//判断字符串是不是全是数字
System.out.println("123456789".matches("^[0-9]+$"));//true
System.out.println("123456789a".matches("^[0-9]+$"));//false

字符串、正则表达式