在Java中,当每个块开头的分隔符与每个块末尾的分隔符不同时,将字符串拆分为块数组的最佳方法是什么?
例如,假设我有String string = "abc 1234 xyz abc 5678 xyz"
。
我想应用某种复杂的split
来获取{"1234","5678"}
。
首先想到的是:
String[] parts = string.split("abc");
for (String part : parts)
{
String[] blocks = part.split("xyz");
String data = blocks[0];
// Do some stuff with the 'data' string
}
是否有更简单/更清洁/更有效的方式?
我的目的(正如您可能已经猜到的)是解析XML文档。
我想将给定的XML字符串拆分为给定标记的Inner-XML块。
例如:
String xml = "<tag>ABC</tag>White Spaces Only<tag>XYZ</tag>";
String[] blocks = Split(xml,"<tag>","</tag>"); // should be {"ABC","XYZ"}
您将如何实施String[] Split(String str,String prefix,String suffix)
?
由于
答案 0 :(得分:1)
\s*((^abc)|(xyz\s*abc)|(\s*xyz$))\s*
之类的内容在开头是abc
,最后是xyz
,中间是abc xyz
(以某些空格为模)?这会在开始时产生一个空值,但除此之外,似乎它会做你想要的。
import java.util.Arrays;
public class RegexDelimitersExample {
public static void main(String[] args) {
final String string = "abc 1234 xyz abc 5678 xyz";
final String pattern = "\\s*((^abc)|(xyz\\s*abc)|(\\s*xyz$))\\s*";
final String[] parts_ = string.split( pattern );
// parts_[0] is "", because there's nothing before ^abc,
// so a copy of the rest of the array is what we want.
final String[] parts = Arrays.copyOfRange( parts_, 1, parts_.length );
System.out.println( Arrays.deepToString( parts ));
}
}
[1234, 5678]
根据您想要处理空格的方式,您可以根据需要进行调整。例如,
\s*((^abc)|(xyz\s*abc)|(\s*xyz$))\s* # original
(^abc\s*)|(\s*xyz\s*abc\s*)|(\s*xyz$) # no spaces on outside
... # ...
正如我在评论中所指出的,这将用于拆分具有这些类别分隔符的非嵌套字符串。您将无法使用正则表达式处理嵌套案例(例如abc abc 12345 xyz xyz
),因此您将无法处理通用XML(这似乎是您的意图)。如果您确实需要解析XML,请使用专为XML设计的工具(例如,解析器,XPath查询等)。
答案 1 :(得分:1)
不要在这里使用正则表达式。但是,您也不必完成全面的XML解析。使用XPath。要在您的示例中搜索的表达式为
//tag/text()
所需的代码是:
import org.w3c.dom.NodeList;
import org.xml.sax.*;
import javax.xml.xpath.*;
public class Test {
public static void main(String[] args) throws Exception {
InputSource ins = new InputSource("c:/users/ndh/hellos.xml");
XPath xpath = XPathFactory.newInstance().newXPath();
NodeList list = (NodeList)xpath.evaluate("//bar/text()", ins, XPathConstants.NODESET);
for (int i = 0; i < list.getLength(); i++) {
System.out.println(list.item(i).getNodeValue());
}
}
}
我的示例xml文件是
<?xml version="1.0"?>
<foo>
<bar>hello</bar>
<bar>ohayoo</bar>
<bar>hola</bar>
</foo>
这是最具说服力的方式。
答案 2 :(得分:1)
最好的方法是使用一个专用的XML解析器。 请参阅this discussion关于Java的最佳XML解析器。
我发现这个DOM XML parser example是一个简单而好的。
答案 3 :(得分:1)
恕我直言,最好的解决方案是解析XML文件,这不是一行的......
看here
这里有来自SO的另一个问题的示例代码来解析文档,然后使用XPATH移动:
String xml = "<resp><status>good</status><msg>hi</msg></resp>";
InputSource source = new InputSource(new StringReader(xml));
DocumentBuilderFactory dbf = DocumentBuilderFactory.newInstance();
DocumentBuilder db = dbf.newDocumentBuilder();
Document document = db.parse(source);
XPathFactory xpathFactory = XPathFactory.newInstance();
XPath xpath = xpathFactory.newXPath();
String msg = xpath.evaluate("/resp/msg", document);
String status = xpath.evaluate("/resp/status", document);
System.out.println("msg=" + msg + ";" + "status=" + status);
此帖here
的完整主题