Files
growstuff/spec/models/comment_spec.rb
google-labs-jules[bot] 406286d07a Implement blocking feature
This commit introduces a blocking feature that allows members to block other members.

A blocked member is prevented from:
- following the blocker
- sending private messages to the blocker
- replying to the blocker's posts
- liking the blocker's content

The implementation includes:
- A new `Block` model and a corresponding database table.
- Updates to the `Member` model to include associations for blocks.
- A new `BlocksController` to handle blocking and unblocking actions.
- New routes for the `BlocksController`.
- UI changes to add block/unblock buttons to the member profile page.
- Validations in the `Follow`, `Comment`, and `Like` models to enforce the blocking rules.
- A check in the `MessagesController` to prevent sending messages to a member who has blocked the sender.
- A callback in the `Block` model to destroy the follow relationship when a block is created.
- New feature and model specs to test the blocking functionality.
2025-09-01 22:07:41 +00:00

72 lines
2.0 KiB
Ruby

# frozen_string_literal: true
require 'rails_helper'
describe Comment do
context "basic" do
let(:comment) { FactoryBot.create(:comment) }
it "belongs to a post" do
comment.commentable.should be_an_instance_of Post
end
it "belongs to an author" do
comment.author.should be_an_instance_of Member
end
end
context "notifications" do
it "sends a notification when a comment is posted" do
expect do
FactoryBot.create(:comment)
end.to change(Notification, :count).by(1)
end
it "sets the notification fields" do
@c = FactoryBot.create(:comment)
@n = Notification.first
@n.sender.should eq @c.author
@n.recipient.should eq @c.commentable.author
@n.subject.should include 'commented on'
@n.body.should eq @c.body
@n.notifiable.should eq @c.commentable # polymorphic association, this is a Post.
end
it "doesn't send notifications to yourself" do
@m = FactoryBot.create(:member)
@p = FactoryBot.create(:post, author: @m)
expect do
FactoryBot.create(:comment, commentable: @p, author: @m)
end.not_to change(Notification, :count)
end
end
context "when the post author has blocked the comment author" do
let(:post_author) { create(:member) }
let(:comment_author) { create(:member) }
let(:post) { create(:post, author: post_author) }
before do
post_author.blocks.create(blocked: comment_author)
end
it "is not valid" do
comment = build(:comment, commentable: post, author: comment_author)
expect(comment).not_to be_valid
end
end
context "ordering" do
before do
@m = FactoryBot.create(:member)
@p = FactoryBot.create(:post, author: @m)
@c1 = FactoryBot.create(:comment, commentable: @p, author: @m)
@c2 = FactoryBot.create(:comment, commentable: @p, author: @m)
end
it 'has a scope for ASC order for displaying on post page' do
described_class.post_order.should eq [@c1, @c2]
end
end
end