如何在Ruby on Rails中“漂亮”格式化JSON输出


626

我希望Ruby on Rails中的JSON输出是“漂亮的”或格式正确的。

现在,我打电话给to_json我,而我的JSON都在一行上。有时很难发现JSON输出流中是否存在问题。

有没有办法配置使我的JSON“漂亮”或在Rails中很好地格式化?


2
不确定您在哪里看,但是在webkit的控制台中,它会根据记录或请求的JSON创建一个漂亮的树。
Ryan Florence

8
执行此操作时要记住的一件事是,由于额外的空白,JSON内容的大小将膨胀。在开发环境中,使JSON易于阅读通常会很有帮助,但是在生产环境中,您希望内容尽可能精简,以提高用户浏览器的速度和响应能力。
Tin Man

2
y my_json如果您想快速解决问题,可以使用格式化内容。
randomor

5
@randomorundefined method 'y' for main:Object
nurettin

y在Rails控制台中可用。
索菲亚·冯

Answers:


999

使用pretty_generate()内置于更高版本JSON中的函数。例如:

require 'json'
my_object = { :array => [1, 2, 3, { :sample => "hash"} ], :foo => "bar" }
puts JSON.pretty_generate(my_object)

这使您:

{
  "array": [
    1,
    2,
    3,
    {
      "sample": "hash"
    }
  ],
  "foo": "bar"
}

32
好漂亮!我已将其放入我的〜/ .irbrc中:def json_pp(json)将JSON.pretty_generate(JSON.parse(json))结尾
TheDeadSerious

10
为了使它在Rails中有用,您似乎应该给出一个答案,其中包括可以在与format.json { render :json => @whatever }
iconoclast

9
当然,prettyprinting应该只用于服务器端调试吗?如果将上面的代码粘贴在控制器中,则所有响应中都会有大量无用的空白,客户端调试甚至不需要,因为任何有价值的工具(例如Firebug)已经可以处理JSON了。
lambshaanxy 2011年

8
@jpatokal:您可能认为还有其他更好的选择,但是问题是如何使它在Rails中工作。说“您不想在Rails中那样做”是无法回答的。显然,很多人都想在Rails中做到这一点。
iconoclast

39
原始海报没有说明他想在Rails应用程序中的哪个位置使用它,所以我回答了一系列适用于任何地方的Ruby。要使用它在Rails 控制器中生成JSON响应,您已经回答了自己的问题:format.json { render :json => JSON.pretty_generate(my_json) }
lambshaanxy 2011年

78

借助Rack Middleware和Rails 3,您可以为每个请求输出漂亮的JSON,而无需更改应用程序的任何控制器。我已经编写了这样的中间件代码片段,并且在浏览器和curl输出中得到了很好的打印JSON 。

class PrettyJsonResponse
  def initialize(app)
    @app = app
  end

  def call(env)
    status, headers, response = @app.call(env)
    if headers["Content-Type"] =~ /^application\/json/
      obj = JSON.parse(response.body)
      pretty_str = JSON.pretty_unparse(obj)
      response = [pretty_str]
      headers["Content-Length"] = pretty_str.bytesize.to_s
    end
    [status, headers, response]
  end
end

上面的代码应该放在app/middleware/pretty_json_response.rbRails项目中。最后一步是在以下位置注册中间件config/environments/development.rb

config.middleware.use PrettyJsonResponse

我不建议在中使用它production.rb。JSON重新解析可能会降低响应时间和生产应用程序的吞吐量。最终可能会引入额外的逻辑,例如“ X-Pretty-Json:true”标头,以触发按需手动卷曲请求的格式化。

(经过Rails 3.2.8-5.0.0,Ruby 1.9.3-2.2.0,Linux的测试)


2
您如何解决ActiveSupport对to_json的重新定义?存在ActiveSupport时,这使我无法进行漂亮的打印。
2013年

1
我不在乎,to_json,as_json,jbuilder是我最常使用的-不管怎样,中间件都会转换任何JSON输出。我尽量避免打开课程。
gertas

1
我必须更改分析行obj = JSON.parse(response.body.first)才能使其正常工作。
Kimmo Lehto

5
在Rails 4中也很好用...谢谢!我更喜欢这种特定于库的方法(如公认的答案)。由于无论如何您只应在开发人员模式下使用此功能,因此对性能的影响并不大。
elsurudo 2014年

3
在Rails 5中,我不得不更改Rack::Utils.bytesize(pretty_str).to_spretty_str.bytesize.to_s它,并且效果很好!
panteo '16

77

<pre>与结合使用的HTML中的标记JSON.pretty_generate将在您的视图中呈现JSON。当我杰出的老板向我展示这一点时,我感到非常高兴:

<% if @data.present? %>
   <pre><%= JSON.pretty_generate(@data) %></pre>
<% end %>

5
如此简洁明了!
肖恩·祖尔科

23

如果你想:

  1. 自动美化应用程序中的所有传出JSON响应。
  2. 避免污染Object#to_json /#as_json
  3. 避免使用中间件来解析/重新渲染JSON(YUCK!)
  4. 做它的铁路方式!

然后...将ActionController :: Renderer替换为JSON!只需将以下代码添加到您的ApplicationController中:

ActionController::Renderers.add :json do |json, options|
  unless json.kind_of?(String)
    json = json.as_json(options) if json.respond_to?(:as_json)
    json = JSON.pretty_generate(json, options)
  end

  if options[:callback].present?
    self.content_type ||= Mime::JS
    "#{options[:callback]}(#{json})"
  else
    self.content_type ||= Mime::JSON
    json
  end
end

这很棒,但实际上导致日期/时间的呈现方式有所不同:gist.github.com/nornagon/9c24b68bd6d3e871add3
nornagon 2015年

与此相关的几个问题:(1)JSON.pretty_generate需要json.respond_to?(:to_h)or :to_hash。(2)pretty_generate可能会阻塞to_json所没有的事情。
Christopher Oezbek

@nornagon我尚未应用此更改,并且得到了与.to_json和pretty_generate之间相同的区别。我只在Rails控制台中看到它,而不是普通的irb。我认为这可能是一般问题,与该补丁无关。此外,将字符串转换为两种格式的时间时,Time.parse会返回相同的结果。当在日志中搜索时间戳时,这只是一个小麻烦,但是如果您反正添加几个\ s +并不是什么大问题。
con--

@nornagon似乎您看到的问题是ActiveSupport对to_json的重新定义,正如Ammo Goettsch的评论中
con--

17

请查看Awesome Print。将JSON字符串解析为Ruby哈希,然后ap像这样显示它:

require "awesome_print"
require "json"

json = '{"holy": ["nested", "json"], "batman!": {"a": 1, "b": 2}}'

ap(JSON.parse(json))

通过以上操作,您将看到:

{
  "holy" => [
    [0] "nested",
    [1] "json"
  ],
  "batman!" => {
    "a" => 1,
    "b" => 2
  }
}

超赞的打印效果还将添加一些颜色,这些颜色会使Stack Overflow无法显示。


2
同意你!awesome_print很简​​单!
阿什什

2
我们还在我们的项目中使用awesome_print,它的工作方式就像名字-> awesome
Simon Franzen

13

将ActiveRecord对象转储为JSON(在Rails控制台中):

pp User.first.as_json

# => {
 "id" => 1,
 "first_name" => "Polar",
 "last_name" => "Bear"
}

3
要获取字符串pp而不是打印到标准输出,请使用User.first.as_json.pretty_inspect。对我来说效果很好。
Johnny Wong

12

使用<pre>HTML代码pretty_generate是个好窍门:

<%
  require 'json'

  hash = JSON[{hey: "test", num: [{one: 1, two: 2, threes: [{three: 3, tthree: 33}]}]}.to_json] 
%>

<pre>
  <%=  JSON.pretty_generate(hash) %>
</pre>

12

如果您发现pretty_generateRuby的JSON库中内置的选项不够“漂亮”,我建议使用自己的NeatJSON gem作为格式。

要使用它:

gem install neatjson

然后使用

JSON.neat_generate

代替

JSON.pretty_generate

像Ruby一样,pp当对象和数组适合时,它会将对象和数组保持在一行上,但是根据需要包装为多个。例如:

{
  "navigation.createroute.poi":[
    {"text":"Lay in a course to the Hilton","params":{"poi":"Hilton"}},
    {"text":"Take me to the airport","params":{"poi":"airport"}},
    {"text":"Let's go to IHOP","params":{"poi":"IHOP"}},
    {"text":"Show me how to get to The Med","params":{"poi":"The Med"}},
    {"text":"Create a route to Arby's","params":{"poi":"Arby's"}},
    {
      "text":"Go to the Hilton by the Airport",
      "params":{"poi":"Hilton","location":"Airport"}
    },
    {
      "text":"Take me to the Fry's in Fresno",
      "params":{"poi":"Fry's","location":"Fresno"}
    }
  ],
  "navigation.eta":[
    {"text":"When will we get there?"},
    {"text":"When will I arrive?"},
    {"text":"What time will I get to the destination?"},
    {"text":"What time will I reach the destination?"},
    {"text":"What time will it be when I arrive?"}
  ]
}

它还支持各种格式设置选项,以进一步自定义输出。例如,冒号之前/之后有多少空格?逗号之前/之后?在数组和对象的括号内?您想对对象的键进行排序吗?您是否希望所有结肠都排成一列?


2
这种宝石-结肠上的排列特别甜蜜!
webdevguy

8

这是@gertas的出色回答所修改的中间件解决方案。该解决方案不是特定于Rails的,它可以与任何Rack应用程序一起使用。

Eifion Bedford 在ASCIIcasts 151:Rack Middleware中解释了此处使用的使用#each的中间件技术。

这段代码在app / middleware / pretty_json_response.rb中

class PrettyJsonResponse

  def initialize(app)
    @app = app
  end

  def call(env)
    @status, @headers, @response = @app.call(env)
    [@status, @headers, self]
  end

  def each(&block)
    @response.each do |body|
      if @headers["Content-Type"] =~ /^application\/json/
        body = pretty_print(body)
      end
      block.call(body)
    end
  end

  private

  def pretty_print(json)
    obj = JSON.parse(json)  
    JSON.pretty_unparse(obj)
  end

end

要打开它,请将其添加到config / environments / test.rb和config / environments / development.rb:

config.middleware.use "PrettyJsonResponse"

正如@gertas在其解决方案版本中警告的那样,请避免在生产环境中使用它。有点慢。

经过Rails 4.1.6的测试。



4

这是我在自己的搜索过程中从其他帖子中获得的解决方案。

这使您可以根据需要将pp和jj输出发送到文件。

require "pp"
require "json"

class File
  def pp(*objs)
    objs.each {|obj|
      PP.pp(obj, self)
    }
    objs.size <= 1 ? objs.first : objs
  end
  def jj(*objs)
    objs.each {|obj|
      obj = JSON.parse(obj.to_json)
      self.puts JSON.pretty_generate(obj)
    }
    objs.size <= 1 ? objs.first : objs
  end
end

test_object = { :name => { first: "Christopher", last: "Mullins" }, :grades => [ "English" => "B+", "Algebra" => "A+" ] }

test_json_object = JSON.parse(test_object.to_json)

File.open("log/object_dump.txt", "w") do |file|
  file.pp(test_object)
end

File.open("log/json_dump.txt", "w") do |file|
  file.jj(test_json_object)
end

3

我使用了宝石CodeRay,效果很好。格式包括颜色,并且可以识别许多不同的格式。

我已经在可用于调试Rails API的gem上使用了它,并且效果很好。

顺便说一下,该宝石被命名为'api_explorer'(http://www.github.com/toptierlabs/api_explorer


3

如果您希望在Rails控制器操作中快速实现此功能以发送JSON响应,请执行以下操作:

def index
  my_json = '{ "key": "value" }'
  render json: JSON.pretty_generate( JSON.parse my_json )
end

2

如果您使用的是RABL,则可以按此处所述配置它以使用JSON.pretty_generate:

class PrettyJson
  def self.dump(object)
    JSON.pretty_generate(object, {:indent => "  "})
  end
end

Rabl.configure do |config|
  ...
  config.json_engine = PrettyJson if Rails.env.development?
  ...
end

使用JSON.pretty_generate的问题是JSON模式验证器将不再对您的日期时间字符串感到满意。您可以使用以下方法在config / initializers / rabl_config.rb中修复这些问题:

ActiveSupport::TimeWithZone.class_eval do
  alias_method :orig_to_s, :to_s
  def to_s(format = :default)
    format == :default ? iso8601 : orig_to_s(format)
  end
end

2

# example of use:
a_hash = {user_info: {type: "query_service", e_mail: "my@email.com", phone: "+79876543322"}, cars_makers: ["bmw", "mitsubishi"], car_models: [bmw: {model: "1er", year_mfc: 2006}, mitsubishi: {model: "pajero", year_mfc: 1997}]}
pretty_html = a_hash.pretty_html

# include this module to your libs:
module MyPrettyPrint
    def pretty_html indent = 0
        result = ""
        if self.class == Hash
            self.each do |key, value|
                result += "#{key}

: #{[Array, Hash].include?(value.class) ? value.pretty_html(indent+1) : value}

" end elsif self.class == Array result = "[#{self.join(', ')}]" end "#{result}" end end class Hash include MyPrettyPrint end class Array include MyPrettyPrint end

1

我使用以下命令,因为我发现标头,状态和JSON输出作为一组有用。在以下位置的railscasts演示的推荐下,可以打破呼叫例程的要求:http ://railscasts.com/episodes/151-rack-middleware?autoplay=true

  class LogJson

  def initialize(app)
    @app = app
  end

  def call(env)
    dup._call(env)
  end

  def _call(env)
    @status, @headers, @response = @app.call(env)
    [@status, @headers, self]
  end

  def each(&block)
    if @headers["Content-Type"] =~ /^application\/json/
      obj = JSON.parse(@response.body)
      pretty_str = JSON.pretty_unparse(obj)
      @headers["Content-Length"] = Rack::Utils.bytesize(pretty_str).to_s
      Rails.logger.info ("HTTP Headers:  #{ @headers } ")
      Rails.logger.info ("HTTP Status:  #{ @status } ")
      Rails.logger.info ("JSON Response:  #{ pretty_str} ")
    end

    @response.each(&block)
  end
  end

1

漂亮的印刷版本:

my_object = { :array => [1, 2, 3, { :sample => "hash"}, 44455, 677778, 9900 ], :foo => "bar", rrr: {"pid": 63, "state": false}}
puts my_object.as_json.pretty_inspect.gsub('=>', ': ')

结果:

{"array": [1, 2, 3, {"sample": "hash"}, 44455, 677778, 9900],
 "foo": "bar",
 "rrr": {"pid": 63, "state": false}}

0

最简单的例子,我想到:

my_json = '{ "name":"John", "age":30, "car":null }'
puts JSON.pretty_generate(JSON.parse(my_json))

Rails控制台示例:

core dev 1555:0> my_json = '{ "name":"John", "age":30, "car":null }'
=> "{ \"name\":\"John\", \"age\":30, \"car\":null }"
core dev 1556:0> puts JSON.pretty_generate(JSON.parse(my_json))
{
  "name": "John",
  "age": 30,
  "car": null
}
=> nil
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.