5

我无法使用神社播种我的图像,与carrierwave 不同,下面的代码不起作用。

Profile.create! id: 2,
                user_id: 2, 
                brand: "The Revengers", 
                location: "Azgaurd", 
                phone_number: "send a raven",
                image_data: File.open(Rails.root+"app/assets/images/seed/thor.png")

我也试过

image_data: ImageUploader.new(:store).upload(File.open(Rails.root+"app/assets/images/seed/thor.png"))

但它返回

JSON::ParserError in Profiles#show
743: unexpected token at '#<ImageUploader::UploadedFile:0x007fd8bc3142e0>'

有神社方式吗?我似乎无法在任何地方找到它。

神社.rb

require "cloudinary"
require "shrine/storage/cloudinary"


Cloudinary.config(
  cloud_name: ENV['CLOUD_NAME'],
  api_key:ENV['API_KEY'],
  api_secret:ENV['API_SECRET'],
)

Shrine.storages = {
  cache: Shrine::Storage::Cloudinary.new(prefix: "cache"), # for direct 
uploads
  store: Shrine::Storage::Cloudinary.new(prefix: "store"),
}

配置文件.rb

class Profile < ApplicationRecord
  include ImageUploader[:image]
  belongs_to :user
  has_and_belongs_to_many :genres
  scoped_search on: [:brand]
end

image_uploader.rb

class ImageUploader < Shrine
end
4

1 回答 1

11

使用,模型(例如 )上Shrine的附件属性(例如)是数据库中的文本列(您可以将其定义为或也可以)。现在应该清楚该列不能接受对象(您正在尝试这样做)。image_dataProfilejsonjsonbFile

首先,您需要使用上传器(例如ImageUploader)将目标文件上传到您配置的 Shrine 存储(例如:cache:store)中:

uploader = ImageUploader.new(:store)
file = File.new(Rails.root.join('app/assets/images/seed/thor.png'))
uploaded_file = uploader.upload(file)

这里上传器的主要方法是#upload,它在输入上接受一个类似 IO 的对象,并在输出上返回上传文件 ( ImageUploader::UploadedFile) 的表示。

此时,您已经掌握了上传的文件。现在模型 ( Profile) 将只需要在其附件属性列 ( image_data) 中上传文件的 json 表示,如下所示:

Profile.create! id: 2,
                user_id: 2, 
                brand: "The Revengers", 
                location: "Azgaurd", 
                phone_number: "send a raven",
                image_data: uploaded_file.to_json
于 2017-11-15T07:58:13.323 回答