我有一个包含值的字符串字段:
String a = "Local/5028@from-queue-bd7f,1";
现在根据我的需要,我需要从上面的字符串字段中提取值“5028”。
/
这会在每个和 上拆分字符串@
。
String a = "Local/5028@from-queue-bd7f,1";
System.out.println(a.split("[/@]")[1]);
使用String#substring
函数检索值。您需要将开始和结束索引作为参数传递。
String a = "Local/5028@from-queue-bd7f,1";
System.out.println(a.substring(a.indexOf('/')+1, a.indexOf('@')));
如果您知道您的格式是一致的,那么您可以使用 substring 方法,也可以使用 / 和 @ 拆分字符串,然后从 tokens 数组中获取第二个值。
如果此字符串始终采用给定格式,那么您可以尝试以下操作:
String temp=a.split("@")[0];
System.out.println(temp.substring(temp.length()-4,temp.length()));
使用正则表达式:
String a = "Local/5028@from-queue-bd7f,1";
Pattern p = Pattern.compile("\\d+");
Matcher m = p.matcher(a);
System.out.println(m.find() + " " + m.group());
使用 String.Split:
String a = "Local/5028@from-queue-bd7f,1";
String[] split = a.split("/");
System.out.println(split[1].split("@")[0]);
如果您的字符串格式是固定的,您可以使用:
String a = "Local/5028@from-queue-bd7f,1";
a = a.substring(a.indexOf('/') + 1, a.indexOf('@'));
System.out.println(a);