Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Using a string inside the DocumentBuilder parse method (need it for parsing XML using XPath) [duplicate]

Tags:

java

rest

xml

I'm trying to create a RESTful webservice using a Java Servlet. The problem is I have to pass via POST method to a webserver a request. The content of this request is not a parameter but the body itself.

So I basically send from ruby something like this:

url = URI.parse(@host)
req = Net::HTTP::Post.new('/WebService/WebServiceServlet')
req['Content-Type'] = "text/xml"
# req.basic_auth 'account', 'password'
req.body = data
response = Net::HTTP.start(url.host, url.port){ |http| puts http.request(req).body }

Then I have to retrieve the body of this request in my servlet. I use the classic readline, so I have a string. The problem is when I have to parse it as XML:

private void useXML( final String soft, final PrintWriter out) throws ParserConfigurationException, SAXException, IOException, XPathExpressionException, FileNotFoundException {
  DocumentBuilderFactory domFactory = DocumentBuilderFactory.newInstance();
  domFactory.setNamespaceAware(true); // never forget this!
  DocumentBuilder builder = domFactory.newDocumentBuilder();
  Document doc = builder.parse(soft);

  XPathFactory factory = XPathFactory.newInstance();
  XPath xpath = factory.newXPath();
  XPathExpression expr = xpath.compile("//software/text()");

  Object result = expr.evaluate(doc, XPathConstants.NODESET);
  NodeList nodes = (NodeList) result;
  for (int i = 0; i < nodes.getLength(); i++) {
    out.println(nodes.item(i).getNodeValue()); 
  }
}

The problem is that builder.parse() accepts: parse(File f), parse(InputSource is), parse(InputStream is).

Is there any way I can transform my xml string in an InputSource or something like that? I know it could be a dummy question but Java is not my thing, I'm forced to use it and I'm not very skilled.

like image 664
dierre Avatar asked May 13 '10 10:05

dierre


2 Answers

You can create an InputSource from a string by way of a StringReader:

Document doc = builder.parse(new InputSource(new StringReader(soft)));
like image 194
Don Roby Avatar answered Oct 08 '22 13:10

Don Roby


With your string, use something like :

ByteArrayInputStream input = 
 new ByteArrayInputStream(yourString.getBytes(perhapsEncoding));
builder.parse(input);

ByteArrayInputStream is an InputStream.

like image 25
Istao Avatar answered Oct 08 '22 13:10

Istao