How can I handle namespaces in XML documents using Nokogiri?
XML namespaces are a fundamental concept in XML document processing that help avoid element name conflicts and provide context for elements. When working with XML documents using Nokogiri, proper namespace handling is crucial for accurate data extraction and manipulation. This comprehensive guide will show you how to effectively handle namespaces in XML documents using Nokogiri.
Understanding XML Namespaces
XML namespaces provide a way to uniquely identify elements and attributes in an XML document by associating them with a URI. They're particularly important when dealing with complex XML documents that combine elements from different vocabularies or when processing standardized formats like RSS, SOAP, or custom APIs.
<?xml version="1.0" encoding="UTF-8"?>
<root xmlns="http://example.com/default" 
      xmlns:custom="http://example.com/custom"
      xmlns:api="http://api.example.com/v1">
  <title>Sample Document</title>
  <custom:metadata>
    <custom:author>John Doe</custom:author>
    <api:timestamp>2024-01-15T10:30:00Z</api:timestamp>
  </custom:metadata>
</root>
Basic Namespace Handling in Nokogiri
Parsing XML with Namespaces
When parsing XML documents with namespaces, Nokogiri automatically recognizes and preserves namespace information:
require 'nokogiri'
xml_content = <<~XML
  <?xml version="1.0" encoding="UTF-8"?>
  <books xmlns="http://example.com/library" 
         xmlns:isbn="http://isbn.org/ns">
    <book>
      <title>Ruby Programming</title>
      <isbn:number>978-0123456789</isbn:number>
    </book>
  </books>
XML
doc = Nokogiri::XML(xml_content)
puts doc.namespaces
# Output: {"xmlns"=>"http://example.com/library", "xmlns:isbn"=>"http://isbn.org/ns"}
Using XPath with Namespaces
To query elements with namespaces using XPath, you need to register the namespaces and use them in your queries:
# Register namespaces for XPath queries
namespaces = {
  'lib' => 'http://example.com/library',
  'isbn' => 'http://isbn.org/ns'
}
# Query using registered namespace prefixes
titles = doc.xpath('//lib:title', namespaces)
isbn_numbers = doc.xpath('//isbn:number', namespaces)
titles.each { |title| puts title.text }
isbn_numbers.each { |isbn| puts isbn.text }
CSS Selectors and Namespaces
CSS selectors in Nokogiri require a different approach for namespaced elements. You need to use the pipe notation (|) to specify namespaces:
# Using CSS selectors with namespaces
# Note: CSS selectors require namespace prefixes to be declared
doc.css('lib|title').each { |title| puts title.text }
doc.css('isbn|number').each { |isbn| puts isbn.text }
Working with Default Namespaces
Default namespaces (declared with xmlns="...") require special handling since they don't have an explicit prefix:
xml_with_default_ns = <<~XML
  <?xml version="1.0"?>
  <feed xmlns="http://www.w3.org/2005/Atom">
    <title>My Blog</title>
    <entry>
      <title>First Post</title>
      <content>Hello World!</content>
    </entry>
  </feed>
XML
doc = Nokogiri::XML(xml_with_default_ns)
# Method 1: Register the default namespace with a custom prefix
namespaces = { 'atom' => 'http://www.w3.org/2005/Atom' }
entries = doc.xpath('//atom:entry', namespaces)
# Method 2: Use local-name() function to ignore namespaces
entries = doc.xpath('//*[local-name()="entry"]')
# Method 3: Remove namespaces (use with caution)
doc.remove_namespaces!
entries = doc.xpath('//entry')
Advanced Namespace Techniques
Handling Multiple Namespace Versions
When dealing with APIs or feeds that may use different namespace versions, you can handle multiple possibilities:
xml_content = <<~XML
  <?xml version="1.0"?>
  <rss version="2.0" 
       xmlns:content="http://purl.org/rss/1.0/modules/content/"
       xmlns:dc="http://purl.org/dc/elements/1.1/">
    <channel>
      <item>
        <title>Article Title</title>
        <dc:creator>Author Name</dc:creator>
        <content:encoded><![CDATA[<p>Article content</p>]]></content:encoded>
      </item>
    </channel>
  </rss>
XML
doc = Nokogiri::XML(xml_content)
namespaces = {
  'content' => 'http://purl.org/rss/1.0/modules/content/',
  'dc' => 'http://purl.org/dc/elements/1.1/'
}
# Extract content with fallback options
items = doc.xpath('//item')
items.each do |item|
  title = item.at_xpath('title')&.text
  author = item.at_xpath('dc:creator', namespaces)&.text
  content = item.at_xpath('content:encoded', namespaces)&.text
  puts "Title: #{title}"
  puts "Author: #{author}" if author
  puts "Content: #{content}" if content
end
Creating XML Documents with Namespaces
When creating new XML documents, you can define and use namespaces:
builder = Nokogiri::XML::Builder.new do |xml|
  xml.root('xmlns' => 'http://example.com/default',
           'xmlns:meta' => 'http://example.com/metadata') do
    xml.title 'Document Title'
    xml['meta'].author 'John Doe'
    xml['meta'].created '2024-01-15'
    xml.content do
      xml.paragraph 'First paragraph'
      xml.paragraph 'Second paragraph'
    end
  end
end
puts builder.to_xml
Namespace-Aware Element Modification
When modifying elements in namespaced documents, preserve the namespace context:
# Add new elements with proper namespaces
doc.at_xpath('//atom:feed', { 'atom' => 'http://www.w3.org/2005/Atom' }).tap do |feed|
  new_entry = Nokogiri::XML::Node.new('entry', doc)
  new_entry.namespace = feed.namespace
  title = Nokogiri::XML::Node.new('title', doc)
  title.namespace = feed.namespace
  title.content = 'New Entry Title'
  new_entry.add_child(title)
  feed.add_child(new_entry)
end
Common Namespace Scenarios
SOAP Web Services
SOAP documents heavily rely on namespaces for envelope structure and service-specific elements:
soap_response = <<~XML
  <?xml version="1.0"?>
  <soap:Envelope xmlns:soap="http://schemas.xmlsoap.org/soap/envelope/"
                 xmlns:api="http://api.example.com/v2">
    <soap:Body>
      <api:GetUserResponse>
        <api:User>
          <api:Id>12345</api:Id>
          <api:Name>John Doe</api:Name>
          <api:Email>john@example.com</api:Email>
        </api:User>
      </api:GetUserResponse>
    </soap:Body>
  </soap:Envelope>
XML
doc = Nokogiri::XML(soap_response)
namespaces = {
  'soap' => 'http://schemas.xmlsoap.org/soap/envelope/',
  'api' => 'http://api.example.com/v2'
}
user_data = {}
user_element = doc.at_xpath('//api:User', namespaces)
if user_element
  user_data[:id] = user_element.at_xpath('api:Id', namespaces)&.text
  user_data[:name] = user_element.at_xpath('api:Name', namespaces)&.text
  user_data[:email] = user_element.at_xpath('api:Email', namespaces)&.text
end
puts user_data
RSS and Atom Feeds
RSS and Atom feeds use namespaces for extended functionality and metadata:
def parse_feed(xml_content)
  doc = Nokogiri::XML(xml_content)
  # Handle both RSS and Atom feeds
  if doc.at_xpath('//rss')
    parse_rss_feed(doc)
  elsif doc.at_xpath('//atom:feed', { 'atom' => 'http://www.w3.org/2005/Atom' })
    parse_atom_feed(doc)
  end
end
def parse_atom_feed(doc)
  namespaces = { 'atom' => 'http://www.w3.org/2005/Atom' }
  feed_title = doc.at_xpath('//atom:feed/atom:title', namespaces)&.text
  entries = doc.xpath('//atom:entry', namespaces)
  entries.map do |entry|
    {
      title: entry.at_xpath('atom:title', namespaces)&.text,
      link: entry.at_xpath('atom:link/@href', namespaces)&.value,
      published: entry.at_xpath('atom:published', namespaces)&.text
    }
  end
end
Error Handling and Best Practices
Robust Namespace Handling
Always implement proper error handling when working with namespaced XML:
def safe_namespace_query(doc, xpath_query, namespaces = {})
  begin
    doc.xpath(xpath_query, namespaces)
  rescue Nokogiri::XML::XPath::SyntaxError => e
    puts "XPath syntax error: #{e.message}"
    []
  rescue => e
    puts "Error querying document: #{e.message}"
    []
  end
end
# Usage
result = safe_namespace_query(doc, '//invalid:xpath', namespaces)
Performance Considerations
When processing large XML documents with namespaces, consider these optimization strategies:
# Cache namespace declarations
@cached_namespaces ||= doc.collect_namespaces
# Use at_xpath for single element queries instead of xpath
single_element = doc.at_xpath('//atom:entry', namespaces)
# Prefer CSS selectors for simple queries when namespace complexity is low
simple_elements = doc.css('title')
Working with APIs and Dynamic Content
When building web scraping applications that need to handle XML documents with namespaces, proper namespace handling becomes even more critical. For complex scenarios involving AJAX responses or dynamically generated XML content, you might need to combine Nokogiri with other tools. In situations where XML content is generated by JavaScript or loaded asynchronously, understanding how to handle AJAX requests using Puppeteer can help you capture the complete XML data before processing it with Nokogiri.
For applications that need to process XML from multiple pages or sources, implementing proper error handling strategies ensures your namespace processing remains robust even when dealing with malformed or unexpected XML structures.
Troubleshooting Common Issues
Namespace Prefix Not Found
If you encounter "Undefined namespace prefix" errors, ensure all namespaces are properly registered:
# Always check available namespaces first
puts doc.namespaces
# Register all required namespaces
all_namespaces = doc.collect_namespaces
filtered_namespaces = all_namespaces.transform_keys { |k| k.gsub('xmlns:', '') }
Empty Results with Namespaced Queries
When queries return empty results unexpectedly, verify namespace URIs and consider using local-name():
# Debug namespace issues
puts doc.root.namespace&.href
puts doc.root.name
# Fallback query ignoring namespaces
fallback_results = doc.xpath('//*[local-name()="target-element"]')
Console Commands for Testing
Test your namespace handling with these useful Ruby console commands:
# Install Nokogiri if not already available
gem install nokogiri
# Start an IRB session to test namespace handling
irb -r nokogiri
# Quick namespace inspection
doc = Nokogiri::XML(xml_string)
puts doc.namespaces.inspect
# Test XPath with namespaces
doc.xpath('//prefix:element', { 'prefix' => 'http://namespace.uri' })
# Validate namespace usage
doc.root.namespace_definitions.each { |ns| puts "#{ns.prefix}: #{ns.href}" }
Understanding namespace handling in Nokogiri is essential for working with modern web APIs, RSS feeds, and complex XML data structures. By following these patterns and best practices, you can build robust XML processing applications that handle namespaces correctly and efficiently, ensuring accurate data extraction even from the most complex XML documents.