C#のスタイルシートからcssをインライン化する必要があります。
これがどのように機能するかのように。
http://www.mailchimp.com/labs/inlinecss.php
Cssは単純で、クラスだけで、派手なセレクターはありません。
正規表現(?<rule>(?<selector>[^{}]+){(?<style>[^{}]+)})+
を使用してcssからルールを削除し、クラスが呼び出される場所で単純な文字列置換を実行しようと考えていましたが、一部のhtml要素にはすでにスタイルタグが付いているので、それも説明します。
より簡単なアプローチはありますか?または、すでにc#で記述されているものですか?
あなたのhtmlも有効なxmlであるならば、私は簡単なCSSインライナーを思いつくことができました。正規表現を使用して、<style />
要素のすべてのスタイルを取得します。次に、cssセレクターをxpath式に変換し、既存のインラインスタイルの前に、一致する要素にスタイルをインラインで追加します。
CssToXpathは完全には実装されていないことに注意してください。まだ、実行できないことがいくつかあります。
CssInliner.cs
using System.Collections.Generic;
using System.Text.RegularExpressions;
using System.Xml.Linq;
using System.Xml.XPath;
namespace CssInliner
{
public class CssInliner
{
private static Regex _matchStyles = new Regex("\\s*(?<rule>(?<selector>[^{}]+){(?<style>[^{}]+)})",
RegexOptions.IgnoreCase
| RegexOptions.CultureInvariant
| RegexOptions.IgnorePatternWhitespace
| RegexOptions.Compiled
);
public List<Match> Styles { get; private set; }
public string InlinedXhtml { get; private set; }
private XElement XhtmlDocument { get; set; }
public CssInliner(string xhtml)
{
XhtmlDocument = ParseXhtml(xhtml);
Styles = GetStyleMatches();
foreach (var style in Styles)
{
if (!style.Success)
return;
var cssSelector = style.Groups["selector"].Value.Trim();
var xpathSelector = CssToXpath.Transform(cssSelector);
var cssStyle = style.Groups["style"].Value.Trim();
foreach (var element in XhtmlDocument.XPathSelectElements(xpathSelector))
{
var inlineStyle = element.Attribute("style");
var newInlineStyle = cssStyle + ";";
if (inlineStyle != null && !string.IsNullOrEmpty(inlineStyle.Value))
{
newInlineStyle += inlineStyle.Value;
}
element.SetAttributeValue("style", newInlineStyle.Trim().NormalizeCharacter(';').NormalizeSpace());
}
}
XhtmlDocument.Descendants("style").Remove();
InlinedXhtml = XhtmlDocument.ToString();
}
private List<Match> GetStyleMatches()
{
var styles = new List<Match>();
var styleElements = XhtmlDocument.Descendants("style");
foreach (var styleElement in styleElements)
{
var matches = _matchStyles.Matches(styleElement.Value);
foreach (Match match in matches)
{
styles.Add(match);
}
}
return styles;
}
private static XElement ParseXhtml(string xhtml)
{
return XElement.Parse(xhtml);
}
}
}
CssToXpath.cs
using System.Text.RegularExpressions;
namespace CssInliner
{
public static class CssToXpath
{
public static string Transform(string css)
{
#region Translation Rules
// References: http://ejohn.org/blog/xpath-css-selectors/
// http://code.google.com/p/css2xpath/source/browse/trunk/src/css2xpath.js
var regexReplaces = new[] {
// add @ for attribs
new RegexReplace {
Regex = new Regex(@"\[([^\]~\$\*\^\|\!]+)(=[^\]]+)?\]", RegexOptions.Multiline),
Replace = @"[@$1$2]"
},
// multiple queries
new RegexReplace {
Regex = new Regex(@"\s*,\s*", RegexOptions.Multiline),
Replace = @"|"
},
// , + ~ >
new RegexReplace {
Regex = new Regex(@"\s*(\+|~|>)\s*", RegexOptions.Multiline),
Replace = @"$1"
},
//* ~ + >
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*])~([a-zA-Z0-9_\-\*])", RegexOptions.Multiline),
Replace = @"$1/following-sibling::$2"
},
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*])\+([a-zA-Z0-9_\-\*])", RegexOptions.Multiline),
Replace = @"$1/following-sibling::*[1]/self::$2"
},
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*])>([a-zA-Z0-9_\-\*])", RegexOptions.Multiline),
Replace = @"$1/$2"
},
// all unescaped stuff escaped
new RegexReplace {
Regex = new Regex(@"\[([^=]+)=([^'|""][^\]]*)\]", RegexOptions.Multiline),
Replace = @"[$1='$2']"
},
// all descendant or self to //
new RegexReplace {
Regex = new Regex(@"(^|[^a-zA-Z0-9_\-\*])(#|\.)([a-zA-Z0-9_\-]+)", RegexOptions.Multiline),
Replace = @"$1*$2$3"
},
new RegexReplace {
Regex = new Regex(@"([\>\+\|\~\,\s])([a-zA-Z\*]+)", RegexOptions.Multiline),
Replace = @"$1//$2"
},
new RegexReplace {
Regex = new Regex(@"\s+\/\/", RegexOptions.Multiline),
Replace = @"//"
},
// :first-child
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*]+):first-child", RegexOptions.Multiline),
Replace = @"*[1]/self::$1"
},
// :last-child
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*]+):last-child", RegexOptions.Multiline),
Replace = @"$1[not(following-sibling::*)]"
},
// :only-child
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*]+):only-child", RegexOptions.Multiline),
Replace = @"*[last()=1]/self::$1"
},
// :empty
new RegexReplace {
Regex = new Regex(@"([a-zA-Z0-9_\-\*]+):empty", RegexOptions.Multiline),
Replace = @"$1[not(*) and not(normalize-space())]"
},
// |= attrib
new RegexReplace {
Regex = new Regex(@"\[([a-zA-Z0-9_\-]+)\|=([^\]]+)\]", RegexOptions.Multiline),
Replace = @"[@$1=$2 or starts-with(@$1,concat($2,'-'))]"
},
// *= attrib
new RegexReplace {
Regex = new Regex(@"\[([a-zA-Z0-9_\-]+)\*=([^\]]+)\]", RegexOptions.Multiline),
Replace = @"[contains(@$1,$2)]"
},
// ~= attrib
new RegexReplace {
Regex = new Regex(@"\[([a-zA-Z0-9_\-]+)~=([^\]]+)\]", RegexOptions.Multiline),
Replace = @"[contains(concat(' ',normalize-space(@$1),' '),concat(' ',$2,' '))]"
},
// ^= attrib
new RegexReplace {
Regex = new Regex(@"\[([a-zA-Z0-9_\-]+)\^=([^\]]+)\]", RegexOptions.Multiline),
Replace = @"[starts-with(@$1,$2)]"
},
// != attrib
new RegexReplace {
Regex = new Regex(@"\[([a-zA-Z0-9_\-]+)\!=([^\]]+)\]", RegexOptions.Multiline),
Replace = @"[not(@$1) or @$1!=$2]"
},
// ids
new RegexReplace {
Regex = new Regex(@"#([a-zA-Z0-9_\-]+)", RegexOptions.Multiline),
Replace = @"[@id='$1']"
},
// classes
new RegexReplace {
Regex = new Regex(@"\.([a-zA-Z0-9_\-]+)", RegexOptions.Multiline),
Replace = @"[contains(concat(' ',normalize-space(@class),' '),' $1 ')]"
},
// normalize multiple filters
new RegexReplace {
Regex = new Regex(@"\]\[([^\]]+)", RegexOptions.Multiline),
Replace = @" and ($1)"
},
};
#endregion
foreach (var regexReplace in regexReplaces)
{
css = regexReplace.Regex.Replace(css, regexReplace.Replace);
}
return "//" + css;
}
}
struct RegexReplace
{
public Regex Regex;
public string Replace;
}
}
そしていくつかのテスト
[TestMethod]
public void TestCssToXpathRules()
{
var translations = new Dictionary<string, string>
{
{ "*", "//*" },
{ "p", "//p" },
{ "p > *", "//p/*" },
{ "#foo", "//*[@id='foo']" },
{ "*[title]", "//*[@title]" },
{ ".bar", "//*[contains(concat(' ',normalize-space(@class),' '),' bar ')]" },
{ "div#test .note span:first-child", "//div[@id='test']//*[contains(concat(' ',normalize-space(@class),' '),' note ')]//*[1]/self::span" }
};
foreach (var translation in translations)
{
var expected = translation.Value;
var result = CssInliner.CssToXpath.Transform(translation.Key);
Assert.AreEqual(expected, result);
}
}
[TestMethod]
public void HtmlWithMultiLineClassStyleReturnsInline()
{
#region var html = ...
var html = XElement.Parse(@"<html>
<head>
<title>Hello, World Page!</title>
<style>
.redClass {
background: red;
color: purple;
}
</style>
</head>
<body>
<div class=""redClass"">Hello, World!</div>
</body>
</html>").ToString();
#endregion
#region const string expected ...
var expected = XElement.Parse(@"<html>
<head>
<title>Hello, World Page!</title>
</head>
<body>
<div class=""redClass"" style=""background: red; color: purple;"">Hello, World!</div>
</body>
</html>").ToString();
#endregion
var result = new CssInliner.CssInliner(html);
Assert.AreEqual(expected, result.InlinedXhtml);
}
他にもテストはありますが、入力と期待される出力用にhtmlファイルをインポートするため、すべてを投稿しているわけではありません。
しかし、私はNormalize拡張メソッドを投稿する必要があります!
private static readonly Regex NormalizeSpaceRegex = new Regex(@"\s{2,}", RegexOptions.None);
public static string NormalizeSpace(this string data)
{
return NormalizeSpaceRegex.Replace(data, @" ");
}
public static string NormalizeCharacter(this string data, char character)
{
var normalizeCharacterRegex = new Regex(character + "{2,}", RegexOptions.None);
return normalizeCharacterRegex.Replace(data, character.ToString());
}
現在の実装ではすでに90%の道のりを進んでいるので、既存のフレームワークを使用せずに、代わりにXML解析をHTMLパーサーに置き換えてみませんか?そこにある最も人気のあるものの1つは HTML Agility Pack です。 XPathクエリをサポートし、XML用に提供されている標準の.NETインターフェイスと同様のLINQインターフェイスも備えているため、かなり簡単に置き換えることができます。
CSSをインライン化するプロジェクトがGithubにあります。非常にシンプルで、モバイルスタイルをサポートします。私のブログでもっと読む: http://martinnormark.com/move-css-inline-premailer-net
正規表現ではなく、実際のCSSパーサーを使用することをお勧めします。主に複製に関心があるため、完全な言語を解析する必要はありませんが、いずれの場合でも、そのようなパーサーを使用できます(.NETでも使用できます)。たとえば、antlrの 文法のリスト 、具体的には CSS 2.1文法 または CSS 文法を見てください。インラインスタイルに重複する定義が含まれる可能性がある次善の結果を気にしない場合は、両方の文法の大部分を取り除くことができますが、これをうまく行うには、some短縮属性を解決できるようにするための内部CSSロジックのアイデア。
ただし、長期的には、これは確かにlotの作業が、終わりのない一連のアドホック正規表現修正よりも少なくなります。
このオプションは他の返信ではあまり明確ではないので、簡単な答えに値すると思います。
使用 PreMailer.Net。
あなたがしなければならないのは:
これを入力します:
var inlineStyles = PreMailer.Net.PreMailer.MoveCssInline(htmlSource, false);
destination = inlineStyles.Html;
そして、あなたは完了です!
ところで、その行を短くするためにusing
ディレクティブを追加することをお勧めします。
もちろん、上記のリンクでより多くの使用法情報。
私はこのような辞書をお勧めします:
private Dictionary<string, Dictionary<string, string>> cssDictionary = new Dictionary<string, Dictionary<string, string>();
このcssDictionaryを埋めるためにcssを解析します。
(「style-type」、「style-property」、「value」を追加します。例:
Dictionary<string,string> bodyStyleDictionary = new Dictionary<string, string();
bodyStyleDictionary.Add("background", "#000000");
cssDictionary.Add("body", bodyStyleDictionary);
その後、HTMLをXmlDocumentに変換することが望ましいです。
子によってドキュメントノードを再帰的に実行し、親を検索することもできます(これにより、セレクターを使用できるようになります)。
各要素で、要素タイプ、ID、およびクラスを確認します。次に、cssDictionaryを参照して、この要素のスタイルをスタイル属性に追加します(もちろん、プロパティが重複している場合は、出現順に配置することをお勧めします(最後に既存のインラインスタイルを追加します)。
完了したら、xmlDocumentを文字列として出力し、最初の行(<?xml version="1.0"?>
)これにより、インラインcssを含む有効なhtmlドキュメントが残ります。
確かに、半分はハックのように見えるかもしれませんが、最終的には、安定性を確保し、あなたが探しているように見えることを完全に実行するかなり堅実なソリューションだと思います。
ここにアイデアがあります。c#を使用して http://www.mailchimp.com/labs/inlinecss.php にポストコールを送信しないのはなぜですか。 Firebugを使用した分析から、ポストコールには2つのパラメータhtmlとstripが必要なようです。 -)値(オン/オフ)をとる結果は、textと呼ばれるパラメーターにあります。
c#を使用したポストコール の作成方法のサンプルを次に示します。
チャド、CSSをインラインで追加する必要がありますか?または、<style>
に<head>
ブロックを追加することで、より良い結果が得られるでしょうか。これは本質的に、CSSファイルへの参照の必要性を置き換えるだけでなく、実際のインラインルールがヘッダー/参照されたcssファイルで設定されたルールをオーバーライドするというルールを維持します。
(申し訳ありませんが、コードの引用符を追加するのを忘れました)