Railsのファイルアップロード

2618 ワード

Webサイトpublicディレクトリの下でuploadディレクトリを作成する
コントローラを作成するには、ファイルをアップロードした後、そのmd 5値をファイル名として使用します.
class TestController < ApplicationController
  def index
  end

  def uploadFile(file)
    if !file.original_filename.empty?
      content=file.read
      @filename=Digest::MD5.hexdigest(content) + "." + file.original_filename.split('.').last.downcase
      File.open("#{Rails.root}/public/upload/#{@filename}", "wb") do |f|
        f.write(content)
      end
      return @filename
    end
  end

  def upload
    unless request.get?
      if filename=uploadFile(params[:file]['file'])
        @pic = filename
      end
    end
  end 
end

アップロードページindex.html.erb
<h1>Upload File</h1>
<%= form_tag({:action => 'upload'}, :multipart => true) do %>
Upload your file: <%= file_field("file", "file") %>
<br/>
<%= submit_tag("Upload file") %>
<% end %>

ページを表示します.html.erb
<img src="<%= root_url + "upload/" + @pic %>" alt="df" />

モデルベースでform_を使うとfor方式はアップロードフォームを作成して、コードは以下の通りです
rails generate scaffold item name:string img_url:string

#item.rb
class Item < ActiveRecord::Base
  attr_accessible :img_url, :name, :load_photo_file
  
  PHOTO_STORE = File.join Rails.root, 'public', 'upload'
  
  after_save :save_photo

   # "f.file_field :load_photo_file" in the view triggers Rails to invoke this method
   # This method only store the information
   # The file saving is done in after_save
   def load_photo_file=(data)
     # Store the data for later use
     @photo_data = data.read
	 self.img_url = Digest::MD5.hexdigest(@photo_data) + "." + data.original_filename.split('.').last.downcase
   end

   # Called when save is completed
   def save_photo
     if @photo_data
       # Write the data out to a file
       name = File.join PHOTO_STORE, self.img_url
       File.open(name, 'wb') do |f|
         f.write(@photo_data)
       end
       @photo_data = nil
     end
   end
end

#_form.html.erb

<%= f.file_field :load_photo_file %>