为什么我在调用数组时得到 "undefined method `flatten'"?

Why am I getting "undefined method `flatten'" when calling on an array?

问题

我正在构建一个脚本,该脚本从可以包含 0 个或多个 ID 号的 CSV 中获取一列。 我创建了一个列数组,但是,由于有些单元格没有 ID 号,有些单元格有多个,所以我有一个数组数组。

我想创建一个数组,其中每个元素都是一个 ID(即将数组中每个元素的 ID 拆分为一个元素)。

到目前为止,这是我的代码:

require 'csv'
class MetadataTherapyParser

    def initialize (csv)
        @csv = csv
    end

    def parse_csv
        therapy_array = []
        CSV.foreach(@csv) do |csv_row|
            therapy_array << csv_row[0] 
        end
    end

    def parse_therapies(therapy_array) 
        parsed_therapy_array = therapy_array.flatten!
        puts parsed_therapy_array   
    end
end

metadata_parse = MetadataTherapyParser.new ("my_csv_path")
metadata_parse.parse_csv
metadata_parse.parse_therapies(metadata_parse)

实际结果

我收到以下错误:

in `parse_therapies': undefined method `flatten' for #<MetadataTherapyParser:0x00007fd31a0b75a8> (NoMethodError)

从我在网上找到的,flatten是使用的方法。但是我似乎无法弄清楚为什么我会收到未定义的方法错误。我已经检查以确保 therapy_array 确实是一个数组。

如果有人以前遇到过这个问题并能提供一些建议,将不胜感激!

提前致谢。

在调用方法 parse_therapies 时,您传递的不是数组,而是 metedata_parse,它是 MetadataTherapyParser

的一个对象

试试这个:

def parse_csv
    therapy_array = []
    CSV.foreach(@csv) do |csv_row|
        therapy_array << csv_row[0] 
    end
    therapy_array
end

然后在调用方法时:

metadata_parse = MetadataTherapyParser.new ("my_csv_path")
therapy_array = metadata_parse.parse_csv
metadata_parse.parse_therapies(therapy_array)

这应该将数组而不是 MetadataTherapyParser 对象传递给您的解析方法。