我在C#中编写了一个非常基本的Markdown到HTML转换器。
我设法编写正则表达式来转换粗体和斜体文本,但我正在努力想出一个正则表达式,它可以将降价链接转换为html中的链接标记。
例如:
This is a [link](/url)
应该成为
This is a <a href='/url'>link</a>
到目前为止,这是我的代码:
var bold = new Regex(@"(\*\*|__) (?=\S) (.+?[*_]*) (?<=\S) \1", // Regex for bold text
RegexOptions.IgnorePatternWhitespace | RegexOptions.Singleline | RegexOptions.Compiled);
var italic = new Regex(@"(\*|_) (?=\S) (.+?) (?<=\S) \1", // Regex for italic text
RegexOptions.IgnorePatternWhitespace | RegexOptions.Singleline | RegexOptions.Compiled);
var anchor = new Regex(@"??????????", // Regex for hyperlink text
RegexOptions.Singleline | RegexOptions.IgnorePatternWhitespace | RegexOptions.Compiled);
content = bold.Replace(content, @"<b>$2</b>");
content = italic.Replace(content, @"<i>$2</i>");
content = anchor.Replace(content, @"<a href='$3'>$2</a>");
什么样的正则表达式可以实现这一目标?
答案 0 :(得分:7)
[sample link](http://example.com/)
[sample link](http://example.com/ "with title")
来自Addison显示的解决方案的正则表达式仅适用于第一种类型,仅适用于以/
开头的网址。例如[link name](http://stackoverflow.com/questions/40177342/regex-convert-a-markdown-inline-link-into-an-html-link-with-c-sharp "link to this question")
无法工作
这里正在使用正则表达式
\[([^]]*)\]\(([^\s^\)]*)[\s\)]
答案 1 :(得分:3)