10

我不知道这是什么名字,这使我的搜索变得复杂。

我的数据文件OX.session.xml是(旧的?)形式

<?xml version="1.0" encoding="utf-8"?>
<CAppLogin xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns="http://oxbranch.optionsxpress.com">
  <SessionID>FE5E27A056944FBFBEF047F2B99E0BF6</SessionID>
  <AccountNum>8228-5500</AccountNum>
  <AccountID>967454</AccountID>
</CAppLogin>

那个 XML 数据格式到底叫什么?

无论如何,我想要的只是在我的 Ruby 代码中得到一个哈希,如下所示:

CAppLogin = { :SessionID => "FE5E27A056944FBFBEF047F2B99E0BF6", :AccountNum => "8228-5500", etc. }   # Doesn't have to be called CAppLogin as in the file, may be fixed

什么可能是最短、最内置的 Ruby 方法来自动化该哈希读取,以一种我可以更新 SessionID 值并将其轻松存储回文件以供以后程序运行的方式?

我玩过 YAML、REXML,但不想打印我的(坏的)示例试验。

4

2 回答 2

20

您可以在 Ruby 中使用一些库来执行此操作。

Ruby 工具箱对其中一些有很好的覆盖:

https://www.ruby-toolbox.com/categories/xml_mapping

我使用 XMLSimple,只需要 gem 然后使用 xml_in 加载到您的 xml 文件中:

require 'xmlsimple'
hash = XmlSimple.xml_in('session.xml')

如果您在 Rails 环境中,则可以使用 Active Support:

require 'active_support' 
session = Hash.from_xml('session.xml')
于 2012-06-21T14:20:11.630 回答
8

使用Nokogiri解析带有命名空间的 XML:

require 'nokogiri'

dom = Nokogiri::XML(File.read('OX.session.xml'))

node = dom.xpath('ox:CAppLogin',
                 'ox' => "http://oxbranch.optionsxpress.com").first

hash = node.element_children.each_with_object(Hash.new) do |e, h|
  h[e.name.to_sym] = e.content
end

puts hash.inspect
# {:SessionID=>"FE5E27A056944FBFBEF047F2B99E0BF6",
#  :AccountNum=>"8228-5500", :AccountID=>"967454"}

如果您知道CAppLogin 是根元素,您可以简化一下:

require 'nokogiri'

dom = Nokogiri::XML(File.read('OX.session.xml'))

hash = dom.root.element_children.each_with_object(Hash.new) do |e, h|
  h[e.name.to_sym] = e.content
end

puts hash.inspect
# {:SessionID=>"FE5E27A056944FBFBEF047F2B99E0BF6",
#  :AccountNum=>"8228-5500", :AccountID=>"967454"}
于 2012-06-21T14:18:21.500 回答