R2-D2's_Father
R2-D2's_Father

Reputation: 173

Remove a tag but keep the text

So I have this <a> tag in a xml file

<a href="/www.somethinggggg.com">Something 123</a>

My desired result is to use Nokogiri and completely remove its tag so it is no longer a clickable link e.g

Something 123

My attempt:

content = Nokogiri::XML.fragment(page_content)
content.search('.//a').remove

But this removes the text too.

Any suggestions on how to achieve my desired result using Nokogiri?

Upvotes: 5

Views: 3996

Answers (2)

Lev Lukomskyi
Lev Lukomskyi

Reputation: 6667

Generic way to unwrap tag is — node.replace(node.children), eg.:

doc = Nokogiri::HTML.fragment('<div>A<i>B</i>C</div>')
doc.css('div').each { |node| node.replace(node.children) }
doc.inner_html #=> "A<i>B</i>C"

Upvotes: 12

Arup Rakshit
Arup Rakshit

Reputation: 118271

Here is what I would do :

require 'nokogiri'

doc = Nokogiri::HTML.parse <<-eot
<a href="/www.somethinggggg.com">Something 123</a>
eot

node = doc.at("a")
node.replace(node.text)

puts doc.to_html

output

<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN" "http://www.w3.org
   /TR/REC-html40/loose.dtd">
<html>
   <body>Something 123</body>
</html>

Update

What if I have an array that holds content with links?

Hint

require 'nokogiri'

doc = Nokogiri::HTML.parse <<-eot
<a href="/www.foo.com">foo</a>
<a href="/www.bar.com">bar</a>
<a href="/www.baz.com">baz</a>
eot

arr = %w(foo bar baz)
nodes = doc.search("a")
nodes.each {|node| node.replace(node.content) if arr.include?(node.content) }

puts doc.to_html

output

<!DOCTYPE html PUBLIC "-//W3C//DTD HTML 4.0 Transitional//EN" "http://www.w3.org
   /TR/REC-html40/loose.dtd">
<html>
   <body>foo
      bar
      baz
   </body>
</html>

Upvotes: 8

Related Questions