如何在C#中应用XSLT样式表


Answers:


177

我在这里找到了可能的答案:http : //web.archive.org/web/20130329123237/http : //www.csharpfriends.com/Articles/getArticle.aspx?articleID=63

从文章:

XPathDocument myXPathDoc = new XPathDocument(myXmlFile) ;
XslTransform myXslTrans = new XslTransform() ;
myXslTrans.Load(myStyleSheet);
XmlTextWriter myWriter = new XmlTextWriter("result.html",null) ;
myXslTrans.Transform(myXPathDoc,null,myWriter) ;

编辑:

但是我可信赖的编译器说过时了XslTransformXslCompiledTransform改用:

XPathDocument myXPathDoc = new XPathDocument(myXmlFile) ;
XslCompiledTransform myXslTrans = new XslCompiledTransform();
myXslTrans.Load(myStyleSheet);
XmlTextWriter myWriter = new XmlTextWriter("result.html",null);
myXslTrans.Transform(myXPathDoc,null,myWriter);

由于我已经采纳了您的一些答案来制作我要链接的课程,因此我想在这里发表评论。希望它可以简化人们的工作:dftr.ca/?p=318
DFTR

我喜欢这种解决方案来代替重载的版本,因为你可以设置XmlReaderSettingsXmlWriterSettings使用DTD,架构等
阿丽娜B.

2
我需要在VB.NET(这是我的“非规范”语言,我更喜欢C#)中执行此操作,而您的回答导致了我的解决方案。谢谢
2014年

137

基于Daren的出色回答,请注意,可以使用适当的XslCompiledTransform.Transform重载来大大缩短此代码:

var myXslTrans = new XslCompiledTransform(); 
myXslTrans.Load("stylesheet.xsl"); 
myXslTrans.Transform("source.xml", "result.html"); 

(很抱歉将其作为答案,但code block评论中的支持非常有限。)

在VB.NET中,您甚至不需要变量:

With New XslCompiledTransform()
    .Load("stylesheet.xsl")
    .Transform("source.xml", "result.html")
End With

16

这是有关如何在MSDN上用C#进行XSL转换的教程:

http://support.microsoft.com/kb/307322/en-us/

这里是如何写文件:

http://support.microsoft.com/kb/816149/en-us

只是作为一个旁注:如果您也想进行验证,这是另一个教程(针对DTD,XDR和XSD(= Schema)):

http://support.microsoft.com/kb/307379/en-us/

我添加此只是为了提供更多信息。


6
这是仅链接的答案。请包括链接页面的相关部分。
Thomas Weller

1

这可能对您有帮助

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;
    }

}   
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.