4

Awesome Print 通常在 Rails 中非常适合我。

但是ap Post.all在 Rails 控制台中进行操作时,我只能得到标准的全行输出。

它与返回的ActiveRecord_Relation类或其他东西有关,因为当返回一个数组时,比如 in ap Post.all.each {|p| p},Awesome Print 就可以了。

4

2 回答 2

6

为什么不直接将其转换为数组?

ap Post.all.to_a

或者你可以创建一个补丁:

alias :old_ap :ap
def ap(object, option={})
  if object.class == ActiveRecord::Relation::ActiveRecord_Relation_Post
    old_ap object.to_a, option
  else
    old_ap object, option
  end
end


你说的对。也许这是与 Rails4 不兼容的问题,因为 github 上的最后一次提交是 6 个月前。这是问题所在:

awesome_print-1.2.0/lib/awesome_print/ext/active_record.rb@24

def cast_with_active_record(object, type)
  cast = cast_without_active_record(object, type)
  return cast if !defined?(::ActiveRecord)

  if object.is_a?(::ActiveRecord::Base)
    cast = :active_record_instance
  elsif object.is_a?(Class) && object.ancestors.include?(::ActiveRecord::Base)
    cast = :active_record_class
  elsif type == :activerecord_relation #HERE the problem
    cast = :array
  end
  cast
end

type当是时,该方法将强制转换设置为数组:activerecord_relation

awesome_print-1.2.0/lib/awesome_print/inspector.rb@151

def printable(object)
  case object
  when Array  then :array
  when Hash   then :hash
  when File   then :file
  when Dir    then :dir
  when Struct then :struct
  else object.class.to_s.gsub(/:+/, "_").downcase.to_sym #HERE gets the type
  end
end

但是 rails4 中的 Relation 对象类是这样的:

> Post.all.class
=> ActiveRecord::Relation::ActiveRecord_Relation_Post

所以条件cast_with_active_record得到一个类型“activerecord_relation_activerecord_relation_post”而不是“activerecord_relation”。然后条件失败,并且没有进行强制转换。

这是一个可能有效的新补丁:

module AwesomePrint
  class Inspector
    alias_method :old_printable, :printable
    private
    def printable(object)
      if object.class.to_s.downcase.include?("activerecord_relation")
        return :activerecord_relation
      end
      old_printable(object)
    end
  end
end
于 2014-04-25T10:51:46.310 回答
0

我正在做的是把它放在你的~/.pryrc

class Class
  def list_all
    self.all.each { |s| puts s }
  end
end
于 2014-07-01T00:27:38.920 回答