Page tree

Versions Compared

Key

  • This line was added.
  • This line was removed.
  • Formatting was changed.

Table of Contents


Warning
titleCaution

Among the following codes provided as the guide, file upload part is a sample code and has insufficient security.

As for the file upload, please use the code used within your project and refer the following code to handle the system link.


Info
  • 아래의 예제는 ruby는 The following example is based on ruby for '2.5.1' , rails는 and '5.2.3' 버전을 기준으로 작성되었습니다.파일 업로드를 위해 gem에서 제공하는 'carrierwave'라는 업로더를 사용하였습니다for rails.
  • For the file upload, an uploader called 'carrierwave' provided by gem.


Expand
titleHow to Install carrierwave

설치 방법 Installing Method 1

  • gem install carrierwave

설치 방법 Installing Method 2

  • Gemfile에 Enter gem 'carrierwave' 입력to Gemfile
  • bundle install


아래 예제에서는 이미지, 동영상, 파일 업로드에는 In the following example, '/upload' API를, 임포트에는 API was used for uploading images, videos and files and '/import' API를 사용하였습니다API was used for imports.

Code Block
languagejs
themeEmacs
titlesynapeditor.config.js
{ 
    'editor.import.api': '/import',
    'editor.upload.image.api': '/upload',
    'editor.upload.video.api': '/upload',
    'editor.upload.file.api': '/upload',
}


1.

 파일 업로더 생성

 Generating File Uploader

Code Block
languagebash
> rails generate uploader File


Code Block
languageruby
title./app/uploaders/file_uploader.rb
Class FileUploader < CarrierWave::Uploader::Base
# Include RMagick or MiniMagick support:
  # include CarrierWave::RMagick
  # include CarrierWave::MiniMagick


  # Choose what kind of storage to use for this uploader:
  storage :file
  # storage :fog

  # Override the directory where uploaded files will be stored.
  # This is a sensible default for uploaders that are meant to be mounted:
  def store_dir
    "uploads/"
  end

  # Provide a default URL as athe default if there hasn't been a file uploaded:
  # def default_url(*args)
  #   # For Rails 3.1+ asset pipeline compatibility:
  #   # ActionController::Base.helpers.asset_path("fallback/" + [version_name, "default.png"].compact.join('_'))
  #
  #   "/images/fallback/" + [version_name, "default.png"].compact.join('_')
  # end

  # Process files as they are uploaded:
  # process scale: [200, 300]
  #
  # def scale(width, height)
  #   # do something
  # end

  # Create different versions of your uploaded files:
  # version :thumb do
  #   process resize_to_fit: [50, 50]
  # end

  # Add a white list of extensions which are allowed to be uploaded.
  # For images you might use something like this:
  # def extension_whitelist
  #   %w(jpg jpeg gif png)
  # end

  # Override the filename of the uploaded files:
  # Avoid using model.id or version_name here, see uploader/store.rb for details.
  def filename
    "#{secure_token}.#{file.extension}" if original_filename.present?
  end

  protected
  def secure_token
    var = :"@#{mounted_as}_secure_token"
    model.instance_variable_get(var) or model.instance_variable_set(var, SecureRandom.uuid)
  end
end 

2.

모델 생성

Generating Model

Code Block
languagebash
> rails generate model UploadFile


Code Block
languageruby
title./app/models/upload_file.rb
class UploadFile < ApplicationRecord
	mount_uploader :file, FileUploader
end

3.

컨트롤러 생성

Generating Controller

Code Block
languagebash
> rails generate controller UploadFile


Code Block
languageruby
title./app/controller/upload_file_controller.rb
class UploadFileController < ApplicationController
	skip_before_action :verify_authenticity_token # csrf_token
  
	def upload
        uploaded = UploadFile.create(file: params[:file]) 


        render json:{
            "uploadPath": uploaded.file.url
        }
    end

    def import
        root_path = Rails.root

        uploaded = UploadFile.create(file: params[:file])

        # 1. 문서Document 변환conversion
        input_file_path = uploaded.file.path
        input_file_name = File.basename(input_file_path)
        output_dir_name = File.basename(input_file_name, File.extname(input_file_name))
        converter_path = "%s/sedocConverter/sedocConverter_exe" % [root_path]
        font_dir_path = "%s/fonts" % [root_path]
        output_dir_path = "%s/public/output/%s" % [root_path, output_dir_name] 
        tmp_dir_path = "%s/tmp" % [root_path]

        system("%s -pz -f %s %s %s %s" % [converter_path, font_dir_path, input_file_path, output_dir_path, tmp_dir_path])

        # 2. Serializing PB 데이터 직렬화data
        pb_file_path = "%s/document.pb" % [output_dir_path]
        aFile = File.open(pb_file_path, "r")
        aSerialized = Array.new
        
        if aFile
            aFile.sysread(16)
            aFile.each_byte do |byte|
                aSerialized.push(byte & 0xFF)
            end
        end

        # 3. 불필요한Deleting 파일unnecessary 삭제files
        File.delete(input_file_path) if File.exist?(input_file_path)
        File.delete(pb_file_path) if File.exist?(pb_file_path)
        
        render json: {
            "importPath": "/output/%s" % [File.basename(output_dir_path)],
            "serializedData": aSerialized
        }
    end
end

4.

데이터베이스 마이그레이션

Database Migration

Code Block
languagebash
# UploadFile에Adding 파일을 담을 'file' 필드 추가 field to include files in UploadFile
> rails generate migration AddFileToUploadFile file:string 
> rake db:migrate

5.

라우터 연결

Connecting a Router

Code Block
languageruby
title./config/routes.rb
Rails.application.routes.draw do
	post 'import' => 'upload_file#import'
	post 'upload' => 'upload_file#upload'
end


관련정보See also


Children Display
pageIntegration