2

我想用三行打开一个文本文件

722.49 的 3 台电视

1 箱鸡蛋 14.99

2 双鞋 34.85

并将其变成这样:

hash = {
      "1"=>{:item=>"televisions", :price=>722.49, :quantity=>3},    
      "2"=>{:item=>"carton of eggs", :price=>14.99, :quantity=>1},
      "3"=>{:item=>"pair of shoes", :price=>34.85, :quantity=>2}
       }

我很困惑,不知道该怎么做。这是我到目前为止所拥有的:

f = File.open("order.txt", "r")
lines = f.readlines
h = {}
n = 1
while n < lines.size
lines.each do |line|
  h["#{n}"] = {:quantity => line[line =~ /^[0-9]/]}
  n+=1
end
end
4

4 回答 4

9

没有理由让这么简单的东西看起来很丑!

h = {}
lines.each_with_index do |line, i|
  quantity, item, price = line.match(/^(\d+) (.*) at (\d+\.\d+)$/).captures
  h[i+1] = {quantity: quantity.to_i, item: item, price: price.to_f}
end
于 2013-02-02T01:37:11.200 回答
1
hash = File.readlines('/path/to/your/file.txt').each_with_index.with_object({}) do |(line, idx), h|
  /(?<quantity>\d+)\s(?<item>.*)\sat\s(?<price>\d+(:?\.\d+)$)/ =~ line
  h[(idx + 1).to_s] = {:item => item, :price => price.to_f, :quantity => quantity.to_i}
end
于 2013-02-01T05:04:45.063 回答
1
File.open("order.txt", "r") do |f|
  n,h = 0,{}
  f.each_line do |line|
    n += 1
    line =~ /(\d) (.*) at (\d*\.\d*)/
    h[n.to_s] = { :quantity => $1.to_i, :item => $2, :price => $3 }
  end
end
于 2013-02-01T05:05:37.940 回答
0

我不知道 ruby​​,所以请随意忽略我的回答,因为我只是根据文档做出假设,但我想我会提供一个非正则表达式解决方案,因为在这种情况下它似乎有点矫枉过正。

我假设您可以使用line.split(" ")并将位置分配[0]给数量,将位置分配[-1]给价格,然后将项目分配给[1..-3].join(" ")

根据我能找到的第一个 ruby​​ 控制台:

test = "3 telev­isions at 722.4­9"
foo = test.­split(" ")
hash = {1=>{:item=>foo[1..-3]­.join(" "),:q­uantity=>foo[0], :price=>foo[-1]}}

=> {1=>{:item=>"televisions", :quantity=>"3", :price=>"722.49"}}
于 2013-02-01T05:08:55.147 回答