Ruby接口,对象集合

时间:2016-08-24 23:23:39

标签: ruby activerecord interface sinatra

我创建了一个名为Collection的接口,用于保存项目模型中任何对象的集合。我想要这个集合与一个数组,因为我想要Collection中的其他字段。

    module Collection
      def self.included(klass)
        klass.attr_writer :list, type: Array
        klass.attr_writer :class_type,   type: Class
        # Other fields go in here, along with their validations
        klass.validate :validate_list

        def validate_list
          self.list.each { |o|
            if(!o.instance_of? self.class_type)
              klass.errors.add :list, 'Objects in list must be of the same type'
              return
            end
          }
        end
      end
    end

除了我将来添加到投资组合模型的其他列表之外,我想使用此Collection来保存Models :: Company&#39的对象列表。我希望这些公司列表只是投资组合模型的一部分。

class Portfolio
  include Model::Collection

  @schema = {
      'type' => 'object',
      'properties' => {
          'id'                       => { 'type' => 'string' },
          'title'                    => { 'type' => 'string'  },
          'description'              => { 'type' => 'string'  },
          'companies_list'          =>  {'type' => '?'}, # 1. Should this be array or Collections?
      }
  }
  @modelName      = 'portfolios'
  @collectionName = 'portfolios'


  store_in collection: 'portfolios'

  field :title,                     type: String
  field :description,               type: String
  field :companies_list,            type: Array # 2. Should this be array or array of Collections?

  embeds_many :companies

end

感谢任何帮助。

1 个答案:

答案 0 :(得分:2)

我看到你来自Java世界,我想你想把Java的泛型带到Ruby。但是,首先,为什么Java有泛型?让我们来历史课。

在Java早期(1.5之前),没有泛型类型,因此程序员必须编写如下代码:

List list = new ArrayList();
// add some strings to the list
list.add("foo");
list.add("bar");

// we have to iterate over each element as an Object
for (Object obj : list) {
  // and then cast it to String
  String str = (String) obj;
  // in order to call String methods on it.
  String uppercased = str.toUpperCase();

  // ...
}

这当然不是干的。为了减轻强制转换的痛苦,Java 1.5引入了泛型。

List<String> list = new ArrayList<String>();
// add some strings to the list
list.add("foo");
list.add("bar");

// now we can iterate over the elements as strings
for (String str : list) {
  // no more casting, yay!
  String uppercased = str.toUpperCase();

  // ...
}

但是等一下,非通用版本首先出现在哪里?

在Java中,变量类型确定可以在对象上调用哪些方法,而不是对象本身。如果以更通用的类型(即超类)声明变量,则不能调用属于更特殊类型(即子类)的方法。如果你想调用这些方法,你必须强制转换。

但是如果对象本身可以决定可以调用哪些方法呢?突然间仿制药变得毫无用处。 Ruby和许多其他动态语言都遵循这种方式。 Rubyists称之为鸭子打字 - 如果有些东西像鸭子一样走路而且像鸭子一样嘎嘎叫,那就是鸭子。

list = ['foo', 'bar']
list.each do |str|
  # we don't care what type str is,
  # as long as it has the method upcase.
  str.upcase if str.respond_to?(:upcase)
end

因此,rubyists通常不会定义容器类,它们只是使用数组。如果应该应用类型限制,它们只是在将对象添加到数组时应用它。

list = []
list << something if something.is_a? Portfolio

坚持使用数组的另一个原因是数组具有令人敬畏的文字,如['foo', 'bar']%w(foo bar)以及%i(foo bar),这些自定义容器类型不具备。