Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to render a PDF in the browser that is retrieve via rails controller

I have a rails app that uses Recurly. I am attempting to download a PDF and render it in the browser. I currently have a link:

link_to 'Download', get_invoice_path(:number => invoice.invoice_number)

The associated controller has the get_invoice method that looks like so:

def get_invoice
    begin
      @pdf = Recurly::Invoice.find(params[:number], :format => 'pdf')
    rescue Recurly::Resource::NotFound => e
      flash[:error] = 'Invoice not found.'
    end
  end

When I click the link I get the PDF rendered in my console in binary form. How do I make this render the PDF in the browser?

like image 502
Zack Avatar asked Nov 05 '14 22:11

Zack


Video Answer


2 Answers

You don't render the PDF to the browser, you send it as a file. Like so:

# GET /something/:id[.type]
def show
  # .. set @pdf variable
  respond_to do |format|
    format.html { # html page }
    format.pdf do
      send_file(@pdf, filename: 'my-awesome-pdf.pdf', type: 'application/pdf')
    end
  end
end

The HTML response isn't needed if you aren't supporting multiple formats.

If you want to show the PDF in the browser instead of starting a download, add disposition: :inline to the send_file call.

like image 139
Nick Veys Avatar answered Oct 17 '22 16:10

Nick Veys


Assuming the PDF is saved in memory, use the send_data to send the data stream back in the browser.

def get_invoice
  @pdf = Recurly::Invoice.find(params[:number], :format => 'pdf')
  send_data @pdf, filename: "#{params[:number]}.pdf", type: :pdf
end

If the file is stored somewhere (but this doesn't seem to be your case), use send_file.

like image 12
Simone Carletti Avatar answered Oct 17 '22 15:10

Simone Carletti