ruby-on-rails – 截断Markdown?

前端之家收集整理的这篇文章主要介绍了ruby-on-rails – 截断Markdown?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
我有一个Rails网站,内容是以降价书写的.我希望显示每个的片段,并附上“阅读更多..”链接.

我该怎么做?简单的截断原始文本将无法正常工作,例如..

  1. >> "This is an [example](http://example.com)"[0..25]
  2. => "This is an [example](http:"

理想情况下,我想允许作者(可选)插入一个标记来指定要用作“片段”的内容,如果不是250字,并附加“…” – 例如..

  1. This article is an example of something or other.
  2.  
  3. This segment will be used as the snippet on the index page.
  4.  
  5. ^^^^^^^^^^^^^^^
  6.  
  7. This text will be visible once clicking the "Read more.." link

标记可以被认为是像EOF标记(当显示完整的文档时可以忽略)

我正在使用maruku的Markdown处理(RedCloth非常偏向纺织品,BlueCloth是非常糟糕的,我想要一个本机的Ruby解析器,排除了peg-markdown和RDiscount)

或者(由于Markdown被翻译成HTML,无论如何)正确地截断HTML将是一个选项 – 尽管最好不要对整个文档进行markdown(),只是为了获得前几行.

所以,我可以想到的选择是(按优先顺序)..

>添加一个“truncate”选项到maruku解析器,这将仅解析第一个x字,或直到“摘录”标记.
>写/找到一个解析器不可知的Markdown truncate’r
>写/找到一个智能的HTML截断功能

解决方法

  • Write/find an intelligent HTML truncating function

以下从http://mikeburnscoder.wordpress.com/2006/11/11/truncating-html-in-ruby/,通过一些修改将正确地截断HTML,并且容易地允许在结束标签之前附加一个字符串.

  1. >> puts "<p><b><a href=\"hi\">Something</a></p>".truncate_html(5,at_end = "...")
  2. => <p><b><a href="hi">Someth...</a></b></p>

修改后的代码

  1. require 'rexml/parsers/pullparser'
  2.  
  3. class String
  4. def truncate_html(len = 30,at_end = nil)
  5. p = REXML::Parsers::PullParser.new(self)
  6. tags = []
  7. new_len = len
  8. results = ''
  9. while p.has_next? && new_len > 0
  10. p_e = p.pull
  11. case p_e.event_type
  12. when :start_element
  13. tags.push p_e[0]
  14. results << "<#{tags.last}#{attrs_to_s(p_e[1])}>"
  15. when :end_element
  16. results << "</#{tags.pop}>"
  17. when :text
  18. results << p_e[0][0..new_len]
  19. new_len -= p_e[0].length
  20. else
  21. results << "<!-- #{p_e.inspect} -->"
  22. end
  23. end
  24. if at_end
  25. results << "..."
  26. end
  27. tags.reverse.each do |tag|
  28. results << "</#{tag}>"
  29. end
  30. results
  31. end
  32.  
  33. private
  34.  
  35. def attrs_to_s(attrs)
  36. if attrs.empty?
  37. ''
  38. else
  39. ' ' + attrs.to_a.map { |attr| %{#{attr[0]}="#{attr[1]}"} }.join(' ')
  40. end
  41. end
  42. end

猜你在找的Ruby相关文章