2

我正在使用 Ruby 1.9.2 和 Ruby on Rails 3.2.2。我有以下陈述:

class Category < ActiveRecord::Base
  include Commentable

  acts_as_list :scope => 'category_comment_id'

  has_many :comments, :class_name => 'CategoryComment'

  # ...
end

module Commentable
  extend ActiveSupport::Concern

  included do
    acts_as_list :scope => 'comment_id'

    has_many :comments, :class_name => 'Comment'

    # Other useful method statements...
  end

  # Other useful method statements...
end

在上面的代码中,我试图覆盖包含模块添加到类中的acts_as_something和方法。这两种方法都被声明为“在范围内” ,因此上面的代码不能按预期工作:方法不会被覆盖。has_manyCategoryCommentableCategory

是否可以覆盖这些方法?如果是这样,怎么做?

4

1 回答 1

4

您应该在类定义的末尾包含您的模块。就像现在一样,模块中的方法在类定义其方法之前被注入。之所以如此,是因为 ruby​​ 以自上而下的方式处理和评估代码。因此,稍后它会遇到类自己的方法定义并覆盖那些来自模块的定义。

所以,根据你的意图使用这些知识:谁应该覆盖谁。如果模块中的方法应该优先于类中的方法,请将其包含在最后。

编辑

鉴于此代码

require 'active_support/core_ext'

class Base
  def self.has_many what, options = {}
    define_method "many_#{what}" do
      "I am having many #{what} with #{options}"
    end
  end
end

module Commentable
  extend ActiveSupport::Concern

  included do
    has_many :comments, class_name: 'Comment'
  end
end

然后

class Foo < Base
  include Commentable
  has_many :comments
end

# class overrides module
Foo.new.many_comments # => "I am having many comments with {}"

class Foo < Base
  has_many :comments
  include Commentable
end

# module overrides class 
Foo.new.many_comments # => "I am having many comments with {:class_name=>\"Comment\"}"
于 2012-10-28T13:54:12.560 回答