Good sirs. How can I force the request.body (or any other non-JSON string) to print out in a nice multi-lined JSON or yaml style?
I have seen fancy methods to convert such strings to real JSON but was hoping to avoid putting in another method.
def request_token_from_google
uri = URI.parse('https://www.googleapis.com/oauth2/v3/token')
http = Net::HTTP.new(uri.host, uri.port)
http.use_ssl = true
http.verify_mode = OpenSSL::SSL::VERIFY_NONE
request = Net::HTTP::Post.new(uri.request_uri)
request.set_form_data(self.to_params)
puts "request body is"
puts request.body.to_yaml # doesn't work
puts request.body.to_json # doesn't work
http.request(request)
end
The problem with this:
...and your other attempts is that you're trying to pretty-print something that's already a string. The purpose of awesome_print (and
inspect
and their ilk) is to take an object that has some structure and print it such that you can see its structure, but a string has no structure—it's just character, character, character. When you give awesome_print a string like"request body is {"foo":...
it has no way of knowing that there's anything special about the part after "is."If you had an object with structure, the solution would be to give it directly to awesome_print:
Unfortunately, in this case it's not going to help, because
request.body
is just a string, too—it's form-encoded data, like this (stolen from Wikipedia):Just like the
"request body is..."
example, awesome_print has no way of knowing that this is anything special. One really simple thing you could do is just put a newline between each key/value pair:This has the downside that the values are still percent-encoded, as you can see in the case of
Formula
. If that's a problem you can parse the form data usingCGI.parse
orRack::Utils.parse_query
, both of which are available in Rails. They both return a Hash that you can give to awesome_print, but slightly different formats (CGI returns all values as Arrays, Rack::Utils only does if they're in "array" format, e.g.foo[]=1&foo[]=2
). Here's Rack::Utils (you'll just have to imagine that the output is colored):Finally, a little unsolicited advice:
puts
andap
, which write to STDOUT, tend to work fine in development because Rails' logger is also writing to STDOUT, so you see theputs
output in the same terminal window as the Rails server log. In production, however, data written to STDOUT might not be written to a file anywhere, and even if it is, if you change theRails.logger
configuration at some point,ap
's output may still be going somewhere else. What you probably want is to use Rails' logger instead ofputs
orap
, so you can be sure that all of your output goes to the same place. Fortunately, awesome_print adds anawesome_inspect
method to every object, which returns the same pretty string you see when you useap
, so you can still use awesome_print withRails.logger
: