Top Related Projects
A Ruby static code analyzer and formatter, based on the community Ruby style guide.
Ruby on Rails
A library for setting up Ruby objects as test data.
A Ruby gem to load environment variables from `.env`.
Quick Overview
Discard is a Ruby gem that provides a simple and efficient way to implement soft deletes in ActiveRecord models. It allows you to mark records as deleted without actually removing them from the database, making it easy to recover or analyze deleted data later.
Pros
- Easy integration with existing ActiveRecord models
- Provides scopes for querying deleted and non-deleted records
- Supports custom column names for the deleted_at timestamp
- Maintains compatibility with ActiveRecord callbacks and validations
Cons
- May increase database size over time if deleted records are not periodically purged
- Could potentially impact query performance on large datasets
- Limited customization options for complex soft delete scenarios
- Requires manual management of associated records in some cases
Code Examples
- Adding soft delete functionality to a model:
class User < ApplicationRecord
include Discard::Model
end
- Soft deleting and restoring a record:
user = User.create(name: "John Doe")
user.discard # Marks the user as deleted
user.undiscard # Restores the user
- Querying discarded and kept records:
User.discarded # Returns only soft-deleted users
User.kept # Returns only non-deleted users
User.with_discarded # Returns all users, including soft-deleted ones
Getting Started
To use Discard in your Ruby on Rails project, follow these steps:
-
Add the gem to your Gemfile:
gem 'discard', '~> 1.2'
-
Run bundle install:
bundle install
-
Generate a migration to add the
discarded_at
column to your model:rails generate migration AddDiscardedAtToUsers discarded_at:datetime:index
-
Run the migration:
rails db:migrate
-
Include Discard in your model:
class User < ApplicationRecord include Discard::Model end
Now you can use Discard's soft delete functionality in your User model.
Competitor Comparisons
A Ruby static code analyzer and formatter, based on the community Ruby style guide.
Pros of RuboCop
- Comprehensive static code analyzer and formatter for Ruby
- Large community support and regular updates
- Extensive configuration options for customizing rules
Cons of RuboCop
- Can be resource-intensive for large codebases
- Learning curve for understanding and configuring all available cops
- May require significant initial setup time for custom configurations
Code Comparison
Discard (simplified usage):
class User < ApplicationRecord
discard_with :deleted_at
end
RuboCop (example configuration):
AllCops:
NewCops: enable
Style/StringLiterals:
EnforcedStyle: single_quotes
Metrics/LineLength:
Max: 120
Summary
Discard is a focused gem for soft-deletes in Ruby on Rails, while RuboCop is a comprehensive static code analyzer and formatter for Ruby. Discard offers a simpler, more specific solution for handling record deletion, whereas RuboCop provides a broader set of tools for maintaining code quality and consistency across Ruby projects. The choice between them depends on the specific needs of your project: soft-delete functionality (Discard) or overall code style enforcement (RuboCop).
Ruby on Rails
Pros of Rails
- Comprehensive web application framework with a vast ecosystem
- Extensive documentation and large community support
- Includes many built-in features for rapid development
Cons of Rails
- Larger codebase and more complex architecture
- Steeper learning curve for beginners
- Can be overkill for smaller projects or specific functionalities
Code Comparison
Rails (Active Record soft delete):
class Post < ApplicationRecord
acts_as_paranoid
end
post = Post.create(title: "Hello")
post.destroy # Soft deletes the record
Post.with_deleted.find(post.id) # Retrieves the soft-deleted record
Discard:
class Post < ApplicationRecord
include Discard::Model
end
post = Post.create(title: "Hello")
post.discard # Soft deletes the record
Post.with_discarded.find(post.id) # Retrieves the soft-deleted record
Rails is a full-featured web application framework, while Discard is a focused gem for handling soft deletes in Ruby on Rails applications. Rails provides a complete solution for building web applications, whereas Discard offers a lightweight alternative to Rails' built-in soft delete functionality, with a simpler API and fewer dependencies.
A library for setting up Ruby objects as test data.
Pros of factory_bot
- Widely adopted and well-maintained testing tool for Ruby applications
- Extensive documentation and community support
- Flexible and powerful for creating complex test data structures
Cons of factory_bot
- Steeper learning curve for beginners
- Can potentially slow down test suites if overused
- Requires more setup and configuration compared to simpler alternatives
Code Comparison
factory_bot:
FactoryBot.define do
factory :user do
name { "John Doe" }
email { "john@example.com" }
end
end
user = FactoryBot.create(:user)
discard:
class User < ApplicationRecord
include Discard::Model
end
user.discard
user.undiscard
Key Differences
- Purpose: factory_bot is for creating test data, while discard is for soft deletion
- Scope: factory_bot is a testing tool, discard is a model enhancement
- Complexity: factory_bot offers more features but is more complex, discard is simpler and focused on a single task
Use Cases
- factory_bot: Ideal for projects requiring extensive test data generation
- discard: Best for applications needing soft delete functionality without complex test data requirements
A Ruby gem to load environment variables from `.env`.
Pros of dotenv
- Widely adopted and well-established in the Ruby ecosystem
- Supports multiple environments (development, test, production)
- Integrates seamlessly with Rails and other Ruby frameworks
Cons of dotenv
- Limited to environment variable management
- Requires manual file creation and management
- May introduce security risks if .env files are not properly gitignored
Code Comparison
dotenv:
require 'dotenv/load'
puts ENV['SECRET_KEY']
discard:
class Post < ApplicationRecord
include Discard::Model
default_scope -> { kept }
end
Key Differences
- Purpose: dotenv manages environment variables, while discard handles soft deletion in ActiveRecord
- Functionality: dotenv loads variables from .env files, discard adds methods for discarding and restoring records
- Integration: dotenv works with any Ruby project, discard is specific to ActiveRecord models
Use Cases
- dotenv: Configuring application settings, managing API keys, and separating sensitive data from code
- discard: Implementing soft delete functionality in Rails applications, allowing for record restoration and maintaining data integrity
Both libraries serve different purposes and can be used together in a Rails application to enhance development workflow and data management.
Convert
designs to code with AI
Introducing Visual Copilot: A new AI model to turn Figma designs to high quality code using your components.
Try Visual CopilotREADME
Discard 
Soft deletes for ActiveRecord done right.

What does this do?
A simple ActiveRecord mixin to add conventions for flagging records as discarded.
Installation
Add this line to your application's Gemfile:
gem 'discard', '~> 1.4'
And then execute:
$ bundle
Usage
Declare a record as discardable
Declare the record as being discardable
class Post < ActiveRecord::Base
include Discard::Model
end
You can either generate a migration using:
rails generate migration add_discarded_at_to_posts discarded_at:datetime:index
or create one yourself like the one below:
class AddDiscardToPosts < ActiveRecord::Migration[5.0]
def change
add_column :posts, :discarded_at, :datetime
add_index :posts, :discarded_at
end
end
Discard a record
Post.all # => [#<Post id: 1, ...>]
Post.kept # => [#<Post id: 1, ...>]
Post.discarded # => []
post = Post.first # => #<Post id: 1, ...>
post.discard # => true
post.discard! # => Discard::RecordNotDiscarded: Failed to discard the record
post.discarded? # => true
post.undiscarded? # => false
post.kept? # => false
post.discarded_at # => 2017-04-18 18:49:49 -0700
Post.all # => [#<Post id: 1, ...>]
Post.kept # => []
Post.discarded # => [#<Post id: 1, ...>]
From a controller
Controller actions need a small modification to discard records instead of deleting them. Just replace destroy
with discard
.
def destroy
@post.discard
redirect_to users_url, notice: "Post removed"
end
Undiscard a record
post = Post.first # => #<Post id: 1, ...>
post.undiscard # => true
post.undiscard! # => Discard::RecordNotUndiscarded: Failed to undiscard the record
post.discarded_at # => nil
From a controller
def update
@post.undiscard
redirect_to users_url, notice: "Post undiscarded"
end
Working with associations
Under paranoia, soft deleting a record will destroy any dependent: :destroy
associations. Probably not what you want! This leads to all dependent records
also needing to be acts_as_paranoid
, which makes restoring awkward: paranoia
handles this by restoring any records which have their deleted_at set to a
similar timestamp. Also, it doesn't always make sense to mark these records as
deleted, it depends on the application.
A better approach is to simply mark the one record as discarded, and use SQL joins to restrict finding these if that's desired.
For example, in a blog comment system, with Post
s and Comment
s, you might
want to discard the records independently. A user's comment history could
include comments on deleted posts.
Post.kept # SELECT * FROM posts WHERE discarded_at IS NULL
Comment.kept # SELECT * FROM comments WHERE discarded_at IS NULL
Or you could decide that comments are dependent on their posts not being
discarded. Just override the kept
scope on the Comment model.
class Comment < ActiveRecord::Base
belongs_to :post
include Discard::Model
scope :kept, -> { undiscarded.joins(:post).merge(Post.kept) }
def kept?
undiscarded? && post.kept?
end
end
Comment.kept
# SELECT * FROM comments
# INNER JOIN posts ON comments.post_id = posts.id
# WHERE
# comments.discarded_at IS NULL AND
# posts.discarded_at IS NULL
SQL databases are very good at this, and performance should not be an issue.
In both of these cases restoring either of these records will do right thing!
Default scope
It's usually undesirable to add a default scope. It will take more effort to work around and will cause more headaches. If you know you need a default scope, it's easy to add yourself â¤.
class Post < ActiveRecord::Base
include Discard::Model
default_scope -> { kept }
end
Post.all # Only kept posts
Post.with_discarded # All Posts
Post.with_discarded.discarded # Only discarded posts
Custom column
If you're migrating from paranoia, you might want to continue using the same column.
class Post < ActiveRecord::Base
include Discard::Model
self.discard_column = :deleted_at
end
Callbacks
Callbacks can be run before, after, or around the discard and undiscard operations. A likely use is discarding or deleting associated records (but see "Working with associations" for an alternative).
class Comment < ActiveRecord::Base
include Discard::Model
end
class Post < ActiveRecord::Base
include Discard::Model
has_many :comments
after_discard do
comments.discard_all
end
after_undiscard do
comments.undiscard_all
end
end
Warning: Please note that callbacks for save and update are run when discarding/undiscarding a record
Performance tuning
discard_all
and undiscard_all
is intended to behave like destroy_all
which has callbacks, validations, and does one query per record. If performance is a big concern, you may consider replacing it with:
scope.update_all(discarded_at: Time.current)
or
scope.update_all(discarded_at: nil)
Working with Devise
A common use case is to apply discard to a User record. Even though a user has been discarded they can still login and continue their session. If you are using Devise and wish for discarded users to be unable to login and stop their session you can override Devise's method.
class User < ActiveRecord::Base
def active_for_authentication?
super && !discarded?
end
end
Non-features
- Special handling of AR counter cache columns - The counter cache counts the total number of records, both kept and discarded.
- Recursive discards (like AR's dependent: destroy) - This can be avoided using queries (See "Working with associations") or emulated using callbacks.
- Recursive restores - This concept is fundamentally broken, but not necessary if the recursive discards are avoided.
Extensions
Discard provides the smallest subset of soft-deletion features that we think are useful to all users of the gem. We welcome the addition of gems that work with Discard to provide additional features.
- discard-rails-observers integrates discard with the rails-observers gem
Why not paranoia or acts_as_paranoid?
I've worked with and have helped maintain paranoia for a while. I'm convinced it does the wrong thing for most cases.
Paranoia and acts_as_paranoid both attempt to emulate deletes by setting a column and adding a default scope on the model. This requires some ActiveRecord hackery, and leads to some surprising and awkward behaviour.
- A default scope is added to hide soft-deleted records, which necessitates
adding
.with_deleted
to associations or anywhere soft-deleted records should be found. :disappointed:- Adding
belongs_to :child, -> { with_deleted }
helps, but doesn't work for joins and eager-loading before Rails 5.2
- Adding
delete
is overridden (really_delete
will actually delete the record) :unamused:destroy
is overridden (really_destroy
will actually delete the record) :pensive:dependent: :destroy
associations are deleted when performing soft-destroys :scream:- requiring any dependent records to also be
acts_as_paranoid
to avoid losing data. :grimacing:
- requiring any dependent records to also be
There are some use cases where these behaviours make sense: if you really did want to almost delete the record. More often developers are just looking to hide some records, or mark them as inactive.
Discard takes a different approach. It doesn't override any ActiveRecord methods and instead simply provides convenience methods and scopes for discarding (hiding), restoring, and querying records.
You can find more information about the history and purpose of Discard in this blog post.
Development
After checking out the repo, run bin/setup
to install dependencies. Then, run rake test
to run the tests. You can also run bin/console
for an interactive prompt that will allow you to experiment.
Contributing
Please consider filing an issue with the details of any features you'd like to see before implementing them. Discard is feature-complete and we are only interested in adding additional features that won't require substantial maintenance burden and that will benefit all users of the gem. We encourage anyone that needs additional or different behaviour to either create their own gem that builds off of discard or implement a new package with the different behaviour.
Discard is very simple and we like it that way. Creating your own clone or fork with slightly different behaviour may not be that much work!
If you find a bug in discard, please report it! We try to keep up with any issues and keep the gem running smoothly for everyone! You can report issues here.
License
The gem is available as open source under the terms of the MIT License.
Acknowledgments
- Ben Morgan who has done a great job maintaining paranoia
- Ryan Bigg, the original author of paranoia (and many things), as a simpler replacement of acts_as_paranoid
- All paranoia users and contributors
Top Related Projects
A Ruby static code analyzer and formatter, based on the community Ruby style guide.
Ruby on Rails
A library for setting up Ruby objects as test data.
A Ruby gem to load environment variables from `.env`.
Convert
designs to code with AI
Introducing Visual Copilot: A new AI model to turn Figma designs to high quality code using your components.
Try Visual Copilot