1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93
|
# frozen_string_literal: true
require 'spec_helper'
require 'ostruct'
describe Grape::Exceptions::ValidationErrors do
let(:validation_message) { 'FooBar is invalid' }
let(:validation_error) { instance_double Grape::Exceptions::Validation, params: [validation_message], message: '' }
context 'initialize' do
subject do
described_class.new(errors: [validation_error], headers: headers)
end
let(:headers) do
{
'A-Header-Key' => 'A-Header-Value'
}
end
it 'assigns headers through base class' do
expect(subject.headers).to eq(headers)
end
end
context 'message' do
context 'is not repeated' do
subject(:message) { error.message.split(',').map(&:strip) }
let(:error) do
described_class.new(errors: [validation_error, validation_error])
end
it { expect(message).to include validation_message }
it { expect(message.size).to eq 1 }
end
end
describe '#full_messages' do
context 'with errors' do
subject { described_class.new(errors: [validation_error_1, validation_error_2]).full_messages }
let(:validation_error_1) { Grape::Exceptions::Validation.new(params: ['id'], message: :presence) }
let(:validation_error_2) { Grape::Exceptions::Validation.new(params: ['name'], message: :presence) }
it 'returns an array with each errors full message' do
expect(subject).to contain_exactly('id is missing', 'name is missing')
end
end
context 'when attributes is an array of symbols' do
subject { described_class.new(errors: [validation_error]).full_messages }
let(:validation_error) { Grape::Exceptions::Validation.new(params: [:admin_field], message: 'Can not set admin-only field') }
it 'returns an array with an error full message' do
expect(subject.first).to eq('admin_field Can not set admin-only field')
end
end
end
context 'api' do
subject { Class.new(Grape::API) }
def app
subject
end
it 'can return structured json with separate fields' do
subject.format :json
subject.rescue_from described_class do |e|
error!(e, 400)
end
subject.params do
optional :beer
optional :wine
optional :juice
exactly_one_of :beer, :wine, :juice
end
subject.get '/exactly_one_of' do
'exactly_one_of works!'
end
get '/exactly_one_of', beer: 'string', wine: 'anotherstring'
expect(last_response.status).to eq(400)
expect(JSON.parse(last_response.body)).to eq(
[
'params' => %w[beer wine],
'messages' => ['are mutually exclusive']
]
)
end
end
end
|