使用 Prawn 和 Carrierwave 上传 PDF 而不将文件保存在磁盘上

Uploading PDF with Prawn and Carrierwave without saving the file on disk

我在后台作业中生成发票的 PDF 文件,我想将其附加到发票上。我使用 Carrierwave 进行文件上传,但这里我没有从 UI 上传它。我希望能够附加文件而不将其保存在磁盘上。

invoice.rb

mount_uploader :file, InvoiceFileUploader

后台作业

class GeneratePdfJob < ApplicationJob
  queue_as :default

  def perform(invoice)
    pdf = InvoiceServices::PdfGenerator.new(invoice)
    file_name = [invoice.number.gsub('/','-'), invoice.due_date.to_s, SecureRandom.urlsafe_base64].join('-') + '.pdf'
    pdf.render_file(file_name)
    file = File.new(file_name)
    invoice.file = file
    File.delete(file_name)
  end
end

所以现在我调用 render_file 方法来实际创建文件,但是这个文件保存在我的应用程序的根文件夹中,所以我需要在之后删除它。有没有更好的办法?有没有办法附加文件而不实际将其保存在磁盘上?

您要归档的内容确实令人印象深刻。谢谢你的想法。这将减少 PDF 生成中与磁盘 IO 相关的大量问题。

第一名:Renders the PDF document to a string

而不是 render_file 方法使用 Prawn::Document#render 方法 returns PDF 的字符串表示。

第二名:use that string to upload to carrier wave without any tempory file.

# define class that extends IO with methods that are required by carrierwave
class CarrierStringIO < StringIO
  def original_filename
    "invoice.pdf"
  end

  def content_type
    "application/pdf"
  end
end

class InvoiceFileUploader < CarrierWave::Uploader::Base
  def filename
    [model.number.gsub('/','-'), model.due_date.to_s, SecureRandom.urlsafe_base64].join('-') + '.pdf'
  end
end

class Invoice
  mount_uploader :file, InvoiceFileUploader

  def pdf_data=(data)
    self.file = CarrierStringIO.new(data)
  end
end

class GeneratePdfJob < ApplicationJob
  queue_as :default

  def perform(invoice)
    pdf = InvoiceServices::PdfGenerator.new(invoice)        
    invoice.pdf_data = pdf.render
  end
end