web-dev-qa-db-ja.com

Rubyのクラスから作成されたすべてのオブジェクトを一覧表示するにはどうすればよいですか?

Rubyにクラスのインスタンスがいくつ存在するかを知り、それらをリストできる方法はありますか?

ここにサンプルクラスがあります:

class Project

  attr_accessor :name, :tasks

  def initialize(options)
    @name = options[:name]
    @tasks = options[:tasks]
  end

  def self.all
    # return listing of project objects
  end

    def self.count
          # return a count of existing projects
    end


end

次に、このクラスのプロジェクトオブジェクトを作成します。

options1 = {
  name: 'Building house',
  priority: 2,
  tasks: []
}

options2 = {
  name: 'Getting a loan from the Bank',
  priority: 3,
  tasks: []
}

@project1 = Project.new(options1)
@project2 = Project.new(options2)

私が望むのは、Project.allおよびProject.count現在のプロジェクトのリストと数を返します。

どうすればよいですか?

32
Amit Erandole

これを行うには、ObjectSpaceモジュール、具体的には each_object メソッド。

ObjectSpace.each_object(Project).count

完全を期すために、クラスでこれをどのように使用するかを示します(sawaのヒント)。

class Project
  # ...

  def self.all
    ObjectSpace.each_object(self).to_a
  end

  def self.count
    all.count
  end
end
43
Andrew Haines

そのための1つの方法は、新しいインスタンスを作成するときと、それを追跡することです。

class Project

    @@count = 0
    @@instances = []

    def initialize(options)
           @@count += 1
           @@instances << self
    end

    def self.all
        @@instances.inspect
    end

    def self.count
        @@count
    end

end

ObjectSpaceを使用する場合は、

def self.count
    ObjectSpace.each_object(self).count
end

def self.all
    ObjectSpace.each_object(self).to_a
end
7
rohit89
class Project
    def self.all; ObjectSpace.each_object(self).to_a end
    def self.count; all.length end
end
4
sawa

多分これはうまくいくでしょう:

class Project
  class << self; attr_accessor :instances; end

  attr_accessor :name, :tasks

  def initialize(options)
    @name = options[:name]
    @tasks = options[:tasks]

    self.class.instances ||= Array.new
    self.class.instances << self
  end

  def self.all
    # return listing of project objects
    instances ? instances.dup : []
  end

  def self.count
    # return a count of existing projects
    instances ? instances.count : 0 
  end

  def destroy
    self.class.instances.delete(self)
  end
end

ただし、これらのオブジェクトは手動で破棄する必要があります。 ObjectSpaceモジュールに基づいて他のソリューションを構築できる場合があります。

2
yattering