Chcę zastosować arkusz stylów XSLT do dokumentu XML za pomocą C # i zapisać dane wyjściowe w pliku.
Chcę zastosować arkusz stylów XSLT do dokumentu XML za pomocą C # i zapisać dane wyjściowe w pliku.
Odpowiedzi:
Znalazłem możliwą odpowiedź tutaj: http://web.archive.org/web/20130329123237/http://www.csharpfriends.com/Articles/getArticle.aspx?articleID=63
Z artykułu:
XPathDocument myXPathDoc = new XPathDocument(myXmlFile) ;
XslTransform myXslTrans = new XslTransform() ;
myXslTrans.Load(myStyleSheet);
XmlTextWriter myWriter = new XmlTextWriter("result.html",null) ;
myXslTrans.Transform(myXPathDoc,null,myWriter) ;
Edytować:
Ale mój zaufany kompilator mówi, że XslTransform
jest przestarzały: XslCompiledTransform
Zamiast tego użyj :
XPathDocument myXPathDoc = new XPathDocument(myXmlFile) ;
XslCompiledTransform myXslTrans = new XslCompiledTransform();
myXslTrans.Load(myStyleSheet);
XmlTextWriter myWriter = new XmlTextWriter("result.html",null);
myXslTrans.Transform(myXPathDoc,null,myWriter);
Na podstawie doskonałej odpowiedzi Darena zauważ, że ten kod można znacznie skrócić, stosując odpowiednie przeciążenie XslCompiledTransform.Transform :
var myXslTrans = new XslCompiledTransform();
myXslTrans.Load("stylesheet.xsl");
myXslTrans.Transform("source.xml", "result.html");
(Przepraszamy za podanie tego jako odpowiedzi, ale code block
wsparcie w komentarzach jest raczej ograniczone).
W VB.NET nie potrzebujesz nawet zmiennej:
With New XslCompiledTransform()
.Load("stylesheet.xsl")
.Transform("source.xml", "result.html")
End With
Oto samouczek dotyczący wykonywania transformacji XSL w języku C # w witrynie MSDN:
http://support.microsoft.com/kb/307322/en-us/
a tutaj jak pisać pliki:
http://support.microsoft.com/kb/816149/en-us
tak na marginesie: jeśli chcesz przeprowadzić walidację, oto kolejny samouczek (dla DTD, XDR i XSD (= Schemat)):
http://support.microsoft.com/kb/307379/en-us/
dodałem to tylko po to, aby podać więcej informacji.
To może ci pomóc
public static string TransformDocument(string doc, string stylesheetPath)
{
Func<string,XmlDocument> GetXmlDocument = (xmlContent) =>
{
XmlDocument xmlDocument = new XmlDocument();
xmlDocument.LoadXml(xmlContent);
return xmlDocument;
};
try
{
var document = GetXmlDocument(doc);
var style = GetXmlDocument(File.ReadAllText(stylesheetPath));
System.Xml.Xsl.XslCompiledTransform transform = new System.Xml.Xsl.XslCompiledTransform();
transform.Load(style); // compiled stylesheet
System.IO.StringWriter writer = new System.IO.StringWriter();
XmlReader xmlReadB = new XmlTextReader(new StringReader(document.DocumentElement.OuterXml));
transform.Transform(xmlReadB, null, writer);
return writer.ToString();
}
catch (Exception ex)
{
throw ex;
}
}