我试图在使用Java创建xml树。
我在JAVA完全新鲜。
我为此找到一些代码。
package ep;
import java.io.File;
import javax.xml.parsers.DocumentBuilder;
import javax.xml.parsers.DocumentBuilderFactory;
import javax.xml.parsers.ParserConfigurationException;
import javax.xml.transform.Transformer;
import javax.xml.transform.TransformerException;
import javax.xml.transform.TransformerFactory;
import javax.xml.transform.dom.DOMSource;
import javax.xml.transform.stream.StreamResult;
import org.w3c.dom.Attr;
import org.w3c.dom.Document;
import org.w3c.dom.Element;
import org.w3c.dom.Node;
public class Tclass {
public static void main(String argv[]) {
try {
DocumentBuilderFactory docFactory = DocumentBuilderFactory.newInstance();
DocumentBuilder docBuilder = docFactory.newDocumentBuilder();
// root elements
Document doc = docBuilder.newDocument();
Element rootElement = doc.createElement("products");
doc.appendChild(rootElement);
for(int x = 1; x < 20; x = x+1) {
// staff elements
Element staff = doc.createElement("product_id");
rootElement.appendChild(staff);
// set attribute to staff element
Attr attr = doc.createAttribute("value");
// shorten way
staff.setAttribute("value", x);
}
// write the content into xml file
TransformerFactory transformerFactory = TransformerFactory.newInstance();
Transformer transformer = transformerFactory.newTransformer();
DOMSource source = new DOMSource(doc);
StreamResult result = new StreamResult(new File("file.xml"));
// Output to console for testing
// StreamResult result = new StreamResult(System.out);
transformer.transform(source, result);
System.out.println("File saved!");
} catch (ParserConfigurationException pce) {
pce.printStackTrace();
} catch (TransformerException tfe) {
tfe.printStackTrace();
}
}
}
其工作成果。
但是我尝试在它们上使用for循环创建多个元素,然后在第40行返回我错误
The method setAttribute(String, String) in the type Element is not applicable for the arguments (String, int)
我怎么办?
请帮忙。
谢谢...
最佳答案
Element#setAttribute(name,value)
,这里的值是一个简单的string
,在设置时不会被解析。因此,任何标记(例如将被识别为实体引用的语法)都被视为原义文本。
因此,请使用String
作为值,而不是其他任何类型。因此,将您的int
值转换为字符串。
staff.setAttribute("value", Integer.toString(i)); // preferable as static
要么
staff.setAttribute("value", new Integer(i).toString());
要么
staff.setAttribute("value", ""+i);
要么
staff.setAttribute("value", String.valueOf(i)); // preferable as static