將字串陣列轉換為浮點數陣列

itchaindev發表於2022-04-06

問題

我正在編寫一個圍繞從檔案中獲取數值資料集的應用程式。 但是,由於資料是以字串形式獲取的,所以我必須將其轉換為浮點數,這就是有趣的開始。 我的程式碼的相關部分如圖所示(第 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
    endft.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>'

對此的任何幫助將不勝感激。



解決方案

閱讀檔案後,您應該檢視“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+/)    endendtmp = []ft.each do |line|
    line.each do |number|
        tmp << number.to_f
    endendputs tmp

這只是一個猜測,因為我不知道您的檔案格式是什麼樣的。

編輯:

這裡作為一個單行:

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

 

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+/)    endendft = ft.flatten.collect { |i| i.to_f }




 原文連線:
將字串陣列轉換為浮點數陣列


來自 “ ITPUB部落格 ” ,連結:http://blog.itpub.net/70016198/viewspace-2885754/,如需轉載,請註明出處,否則將追究法律責任。

相關文章