将字符串数组转换为浮点数组

时间:2009-05-29 17:40:37

标签: ruby arrays string floating-point

我正在编写一个围绕从文件中获取数值集的应用程序。但是,由于数据是以字符串形式获取的,因此我必须将其转换为浮点数,这是乐趣开始的地方。我的代码的相关部分如图所示(第65-73行):

    ft = []
    puts "File Name: #{ARGV[0]}"
    File.open(ARGV[0], "r") do |file|
        file.each_line do |line|
            ft << line.scan(/\d+/)
        end
    end

ft.collect! {|i| i.to_f}

这在irb中运行得很好,也就是说,最后一行将数组更改为浮点数。

irb(main):001:0> ft = ["10", "23", "45"]
=> ["10", "23", "45"]
irb(main):002:0> ft.collect! {|i| i.to_f}
=> [10.0, 23.0, 45.0]

然而,当我运行我的应用程序时,我收到此错误:

ruby-statistics.rb:73:in `block in <main>': undefined method `to_f' for #<Array:
0x50832c> (NoMethodError)
        from ruby-statistics.rb:73:in `collect!'
        from ruby-statistics.rb:73:in `<main>'

对此有任何帮助将不胜感激。

2 个答案:

答案 0 :(得分:12)

line.scan返回一个数组,因此您将数组插入数组中。最简单的方法是在将字符串转换为浮点数之前在数组上调用flatten

ft = []
puts "File Name: #{ARGV[0]}"
File.open(ARGV[0], "r") do |file|
    file.each_line do |line|
            ft << line.scan(/\d+/)
    end
end

ft = ft.flatten.collect { |i| i.to_f }

答案 1 :(得分:6)

阅读文件后,您应该看看“ft”的格式。

每一行都存储在另一个数组中,所以实际上“ft”看起来像这样:

[["1","2"],["3","4"]]

所以你必须做这样的事情:

ft = []
puts "File Name: #{ARGV[0]}"
File.open(ARGV[0], "r") do |file|
    file.each_line do |line|
            ft << line.scan(/\d+/)
    end
end

tmp = []

ft.each do |line|
    line.each do |number|
        tmp << number.to_f
    end
end

puts tmp

这只是猜测,因为我不知道你的文件格式是什么样的。

编辑:

这里作为单行:

ft.flatten!.collect! { |i| i.to_f }