0

我在尝试在 Carrierwave 上传上运行的 rspec 测试时遇到一些问题。基本上,我正在尝试测试处理以确保图像是否已上传和处理。我创建了一个后处理示例文件,该文件应与后上传和处理的测试文件相同。但是,我收到以下警告:


ImageUploader the greyscale version should remove color from the image and make it greyscale
 Failure/Error: @uploader.should be_identical_to(@pregreyed_image)
 TypeError:
   can't convert ImageUploader into String
 # ./spec/uploaders/image_uploader_spec.rb:24:in `block (3 levels) in <top (required)>'

这是我的测试文件:

image_uploader_spec.rb

require File.dirname(__FILE__) + '/../spec_helper'
require 'carrierwave/test/matchers'

describe ImageUploader do
  include CarrierWave::Test::Matchers
  include ActionDispatch::TestProcess

  before do
    ImageUploader.enable_processing = true
    @uploader_attr = fixture_file_upload('/test_images/testimage.jpg',    'image/jpeg')
    @uploader = ImageUploader.new(@uploader_attr)
    @uploader.store!
    @pregreyed_image =             fixture_file_upload('/test_images/testimage_GREY.jpg', 'image/jpeg')
  end

  after do
    @uploader.remove!
    ImageUploader.enable_processing = false
  end

  context 'the greyscale version' do
    it "should remove color from the image and make it greyscale" do

      @uploader.should be_identical_to(@pregreyed_image)
    end
  end
  end

image_uploader.rb

class ImageUploader < CarrierWave::Uploader::Base

  # Include RMagick or MiniMagick support:
  include CarrierWave::RMagick
  # include CarrierWave::MiniMagick

  # Include the Sprockets helpers for Rails 3.1+ asset pipeline compatibility:
  include Sprockets::Helpers::RailsHelper
  include Sprockets::Helpers::IsolatedHelper

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


  # 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/#{model.class.to_s.underscore}/#{mounted_as}/#{model.id}"
  end


  # Process files as they are uploaded:
   process :convert_to_grayscale

  def convert_to_grayscale
    manipulate! do |img|
      img.colorspace = Magick::GRAYColorspace
      img.quantize(256, Magick::GRAYColorspace)
      img = yield(img) if block_given?
      img
    end
  end
4

1 回答 1

0

在封面之下be_identical_to使用FileUtils.identical?了两个论点。所以你的期望:

@uploader.should be_identical_to(@pregreyed_image)

实际上是在调用:

FileUtils.identcal?(@uploader, @pregreyed_image)

因为在我的测试环境中我使用的是文件存储系统,所以我通过传入#current_path而不是像这样的上传器本身来解决这个问题:

@uploader.current_path.should be_identical_to(@pregreyed_image)

我实际上最终需要直接比较上传器并==在我的上传器上实现:

class MyUploader < CarrierWave::Uploader::Base
  ...

  def ==(other)
    return true if !present? && !other.present?
    FileUtils.identical?(current_path, other.current_path)
  end
end
于 2014-02-05T18:32:26.893 回答