38b8ae641f
This refactors the TodoService class according to our code reuse guidelines. The resulting code is a wee bit more verbose, but it allows us to decouple the column names from the input, resulting in fewer changes being necessary when we change the schema. One particular noteworthy line in TodoService is the following: todos_ids = todos.update_state(state) Technically this is a violation of the guidelines, because `update_state` is a class method, which services are not supposed to use (safe for a few allowed ones). I decided to keep this, since there is no alternative. `update_state` doesn't produce a relation so it doesn't belong in a Finder, and we can't move it to another Service either. As such I opted to just use the method directly. Cases like this may happen more frequently, at which point we should update our documentation with some sort of recommendation. For now, I want to refrain from doing so until we have a few more examples.
63 lines
1.7 KiB
Ruby
63 lines
1.7 KiB
Ruby
# frozen_string_literal: true
|
|
|
|
require 'spec_helper'
|
|
|
|
describe PendingTodosFinder do
|
|
let(:user) { create(:user) }
|
|
|
|
describe '#execute' do
|
|
it 'returns only pending todos' do
|
|
create(:todo, :done, user: user)
|
|
|
|
todo = create(:todo, :pending, user: user)
|
|
todos = described_class.new(user).execute
|
|
|
|
expect(todos).to eq([todo])
|
|
end
|
|
|
|
it 'supports retrieving of todos for a specific project' do
|
|
project1 = create(:project)
|
|
project2 = create(:project)
|
|
|
|
create(:todo, :pending, user: user, project: project2)
|
|
|
|
todo = create(:todo, :pending, user: user, project: project1)
|
|
todos = described_class.new(user, project_id: project1.id).execute
|
|
|
|
expect(todos).to eq([todo])
|
|
end
|
|
|
|
it 'supports retrieving of todos for a specific todo target' do
|
|
issue = create(:issue)
|
|
note = create(:note)
|
|
todo = create(:todo, :pending, user: user, target: issue)
|
|
|
|
create(:todo, :pending, user: user, target: note)
|
|
|
|
todos = described_class.new(user, target_id: issue.id).execute
|
|
|
|
expect(todos).to eq([todo])
|
|
end
|
|
|
|
it 'supports retrieving of todos for a specific target type' do
|
|
issue = create(:issue)
|
|
note = create(:note)
|
|
todo = create(:todo, :pending, user: user, target: issue)
|
|
|
|
create(:todo, :pending, user: user, target: note)
|
|
|
|
todos = described_class.new(user, target_type: issue.class).execute
|
|
|
|
expect(todos).to eq([todo])
|
|
end
|
|
|
|
it 'supports retrieving of todos for a specific commit ID' do
|
|
create(:todo, :pending, user: user, commit_id: '456')
|
|
|
|
todo = create(:todo, :pending, user: user, commit_id: '123')
|
|
todos = described_class.new(user, commit_id: '123').execute
|
|
|
|
expect(todos).to eq([todo])
|
|
end
|
|
end
|
|
end
|