java中split使用

来源:互联网 发布:云计算应用举例 编辑:程序博客网 时间:2024/05/29 07:15
split 方法
将一个字符串分割为子字符串,然后将结果作为字符串数组返回。
stringObj.split([separator,[limit]])
参数
stringObj
必选项。要被分解的 String 对象或文字。该对象不会被 split 方法修改。
separator
可选项。字符串或 正则表达式 对象,它标识了分隔字符串时使用的是一个还是多个字符。如果忽

略该选项,返回包含整个字符串的单一元素数组。
limit
可选项。该值用来限制返回数组中的元素个数。

说明
split 方法的结果是一个字符串数组,在 stingObj 中每个出现 separator 的位置都要进行分解

。separator 不作为任何数组元素的部分返回。

示例1:
public class SplitDemo {
 public static String[] ss=new String[20];
 public SplitDemo() {
  
     String s = "The rain in Spain falls mainly in the plain.";
     // 在每个空格字符处进行分解。
     ss = s.split(" ");     
 } 
 public static void main(String[] args) {
 
  SplitDemo demo=new SplitDemo();
  for(int i=0;i<ss.length;i++)
  System.out.println(ss[i]);
 }

}

 

public static void main(string[] args) {
string value = "192.168.128.33";
string[] names = value.split(".");
for (int i = 0; i < names.length; i++) {
system.out.println(names[i]);
}

}
运行结果:

对,没看错!没有任何输出!
让我们来看看 split 方法的方法签名吧:
public string[] split(string regex)
这里的参数的名称是 regex ,也就是 regular expression (正则表达式)。这个参数并不是一个简单的分割用的字符,而是一个正则表达式

,看了 split 方法的实现代码就更坚定了我们的信心:
public string[] split(string regex, int limit) {
return pattern.compile(regex).split(this, limit);
}
split 的实现直接调用的 matcher 类的 split 的方法。读者已经知道,“ . ”在正则表达式中有特殊的含义,因此我们使用的时候必须进行转义。
public static void main(string[] args) {
string value = "192.168.128.33";
string[] names = value.split("//.");
for (int i = 0; i < names.length; i++) {
system.out.println(names[i]);
}

}
输出结果:
192
168
128
33

 
原创粉丝点击