4

ID の配列を含むクラスで Ruby スクリプト (レールなし) を書きたいだけです。これが私の元のクラスです:

# define a "Person" class to represent the three expected columns
class Person <

  # a Person has a first name, last name, and city
  Struct.new(:first_name, :last_name, :city)

  # a method to print out a csv record for the current Person.
  # note that you can easily re-arrange columns here, if desired.
  # also note that this method compensates for blank fields.
  def print_csv_record
    last_name.length==0 ? printf(",") : printf("\"%s\",", last_name)
    first_name.length==0 ? printf(",") : printf("\"%s\",", first_name)
    city.length==0 ? printf("") : printf("\"%s\"", city)
    printf("\n")
  end
end

ここで、ids という配列をクラスに追加したいと思います。それを Struct.new(:first_name, :last_name, :city, :ids = Array.new) のような Struct.new ステートメントに含めるか、インスタンス配列を作成できますか?変数または別のメソッドまたは何かを定義しますか?

次に、次のようなことができるようにしたいと思います。

p = Person.new
p.last_name = "Jim"
p.first_name = "Plucket"
p.city = "San Diego"

#now add things to the array in the object
p.ids.push("1")
p.ids.push("55")

配列を反復処理します

p.ids.each do |i|
  puts i
end
4

2 に答える 2

3
# define a "Person" class to represent the three expected columns
class Person
 attr_accessor :first_name,:last_name,:city ,:ids
#  Struct.new(:first_name, :last_name, :city ,:ids) #used attr_accessor instead  can be used this too 

def initialize
     self.ids = [] # on object creation initialize this to an array
end
  # a method to print out a csv record for the current Person.
  # note that you can easily re-arrange columns here, if desired.
  # also note that this method compensates for blank fields.
  def print_csv_record
    print last_name.empty? ? "," : "\"#{last_name}\","
    print first_name.empty? ? "," : "\"#{first_name}\","
    print city.empty? ? "" : "\"#{city}\","
    p "\n"
  end
end

p = Person.new
p.last_name = ""
p.first_name = "Plucket"
p.city = "San Diego"

#now add things to the array in the object
p.ids.push("1")
p.ids.push("55")

#iterate
p.ids.each do |i|
  puts i
end
于 2012-07-10T20:32:58.547 に答える
3

あなたが何を望んでいるかを私が理解していると仮定すると、それはとても簡単です。Personこれをクラスに追加します。

def initialize(*)
  super
  self.ids = []
end
于 2012-07-10T20:24:13.980 に答える