13

AndroidクライアントからRailsJSONAPIサーバーにファイルをアップロードしたい。

次のようなAndroidクライアントからMultipart/formリクエストを送信しています。

Content-Type: multipart/form-data; boundary=d99ArGa2SaAsrXaGL_AdkNlmGn2wuflo5
Host: 10.0.2.2:3000
Connection: Keep-Alive
User-Agent: Apache-HttpClient/UNAVAILABLE (java 1.4)

--d99ArGa2SaAsrXaGL_AdkNlmGn2wuflo5
Content-Disposition: form-data; name="POSTDATA"
Content-Type: application/json; charset=UTF-8
Content-Transfer-Encoding: 8bit

{"tags":["test"],"location_id":1,"post":{"content":"test"}}
--d99ArGa2SaAsrXaGL_AdkNlmGn2wuflo5
Content-Disposition: form-data; name="IMAGEDATA"; filename="testimage.jpg"
Content-Type: image/jpeg
Content-Transfer-Encoding: binary

<BINARY DATA?
--d99ArGa2SaAsrXaGL_AdkNlmGn2wuflo5--

Railsコントローラーで、次のコードを使用して新しい投稿を作成しています。

@parsed_json = JSON(params[:POSTDATA])
@post = @current_user.posts.new(@parsed_json["post"]) 

ペーパークリップにマルチパートフォームから添付ファイルを保存させるにはどうすればよいですか?

私はこのようなものでそれを行うことができます:

if params.has_key?(:IMAGEDATA)
    photo = params[:IMAGEDATA]
    photo.rewind

    @filename = "/tmp/tempfile"
    File.open(@filename, "wb") do |file|
      file.write(photo.read)
    end

    @post.photo = File.open(@filename)
  end

ただし、最善の解決策とは思えません。また、マルチパートリクエストで渡されるファイル名は使用されません。

4

2 に答える 2

12

これを行う純粋な json の方法は、content-type multipart-form を渡さず、JSON で base64 でエンコードされた文字列としてファイルを渡すことです。

この投稿のおかげでこれを理解しました:http://www.rqna.net/qna/xyxun-paperclip-throws-nohandlererror-with-base64-photo.html

json の例を次に示します。

"{\"account\":{\"first_name\":\"John\",\"last_name\":\"Smith\",\"email\":\"john@test.com\",\"password\":\"testtest\",\"avatar\":{\"data\":\"INSERT BASE64 ENCODED STRING OF FILE HERE\",\"filename\":\"avatar.jpg\",\"content_type\":\"image/jpg\"}}}"

次に、モデルを保存する前に、コントローラーで着信アバターをこのように処理します。

def process_avatar
  if params[:account] && params[:account][:avatar]
    data = StringIO.new(Base64.decode64(params[:account][:avatar][:data]))
    data.class.class_eval { attr_accessor :original_filename, :content_type }
    data.original_filename = params[:account][:avatar][:filename]
    data.content_type = params[:account][:avatar][:content_type]
    params[:account][:avatar] = data
  end
end
于 2013-03-29T16:49:56.823 に答える
4

So, I'm guessing your Post model looks something like this:

class Post < ActiveRecord::Base
  has_attached_file :photo, :styles => { ... }
  ...
end

So you should be able to do something as simple as this:

@post.photo = params[:IMAGEDATA] if params[:IMAGEDATA].present?
@post.save if @post.valid?

And it should save the photo.

If you need to do something more complicated, try re-arranging the form data into the data that the format Paperclip expects. And if you need to dig deeper, take a look inside Paperclip's Paperclip::Attachment class.

Stack Overflow Cross-Reference

于 2012-06-20T01:42:20.813 に答える