0.0
There's a lot of open issues
RecycleBin provides soft delete functionality with a user-friendly trash/recycle bin interface for any Rails application. Easily restore deleted records with a simple web interface.
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
 Dependencies

Development

Runtime

>= 6.0, < 9.0
 Project Readme

๐Ÿ—‘๏ธ RecycleBin

RecycleBin Logo

Elegant soft delete solution for Ruby on Rails applications

Gem Version CI Status GitHub Discussions MIT License

๐Ÿ“– Documentation โ€ข ๐Ÿ“‹ Changelog โ€ข ๐Ÿ’ฌ Discussions โ€ข ๐Ÿ’Ž RubyGems

A simple and elegant soft delete solution for Rails applications with a beautiful web interface to manage your deleted records.

RecycleBin provides a "trash can" or "recycle bin" functionality where deleted records are marked as deleted instead of being permanently removed from your database. You can easily restore them or permanently delete them through a clean web interface.

๐Ÿ†• What's New in Version 1.2.0

โœจ Enhanced Analytics Dashboard - Complete redesign with comprehensive statistics, visual charts, and weekly activity tracking
๐Ÿ” Intelligent Search System - Priority-based search with exact matching, starts-with matching, and precision filtering
๐ŸŽ›๏ธ Advanced Filtering UI - Modern card-based layout with collapsible advanced filters and active filter display
๐Ÿ“Š Separate Dashboard & List Views - Distinct pages optimized for overview vs detailed management
๐ŸŽจ Modern UI/UX - Responsive design with gradients, better spacing, and intuitive navigation
โšก Performance Improvements - Faster searches, optimized memory usage, and better handling of large datasets

Features โœจ

  • Soft Delete: Records are marked as deleted instead of being permanently removed
  • Web Interface: Beautiful, responsive dashboard to view and manage deleted items
  • Easy Integration: Simple module inclusion in your models
  • Bulk Operations: Restore or permanently delete multiple items at once
  • Model Filtering: Filter deleted items by model type and time
  • Rails Generators: Automated setup with generators
  • Configurable: Flexible configuration options
  • Statistics Dashboard: Overview of your deleted items
  • ๐Ÿ” Enhanced Search: Full-text search across all fields with highlighting
  • ๐Ÿ“Š Advanced Filtering: Filter by user, size, date ranges, and more
  • ๐Ÿ“ค Export Functionality: Export to CSV and JSON formats
  • ๐Ÿ“ Better Error Handling: Comprehensive logging and error tracking

Installation ๐Ÿ“ฆ

Add this line to your application's Gemfile:

gem 'recycle_bin', '~> 1.2'

And then execute:

$ bundle install

Or install it yourself as:

$ gem install recycle_bin

Quick Setup ๐Ÿš€

1. Run the install generator

$ rails generate recycle_bin:install

This will:

  • Create a configuration file at config/initializers/recycle_bin.rb
  • Add the mount point to your routes
  • Display setup instructions

2. Add deleted_at column to your models

For each model you want to soft delete, run:

$ rails generate recycle_bin:add_deleted_at ModelName

For example:

$ rails generate recycle_bin:add_deleted_at User
$ rails generate recycle_bin:add_deleted_at Post
$ rails generate recycle_bin:add_deleted_at Comment

This generates a migration to add the deleted_at column and index.

3. Run the migrations

$ rails db:migrate

4. Include the module in your models

Add RecycleBin::SoftDeletable to any model you want to soft delete:

class User < ApplicationRecord
  include RecycleBin::SoftDeletable
end

class Post < ApplicationRecord
  include RecycleBin::SoftDeletable
end

class Comment < ApplicationRecord
  include RecycleBin::SoftDeletable
end

5. Visit the web interface

Navigate to /recycle_bin in your Rails application to see the web interface!

Usage ๐Ÿ’ก

Basic Operations

Once you've included the RecycleBin::SoftDeletable module in your models:

# Create a record
user = User.create(name: "John Doe", email: "john@example.com")

# Soft delete (goes to trash)
user.destroy
# or
user.soft_delete

# Check if deleted
user.deleted? # => true

# Restore from trash
user.restore

# Permanently delete (careful!)
user.destroy!

Querying Records

The module provides several useful scopes:

# Get all active (non-deleted) records (default scope)
User.all

# Get only deleted records
User.deleted

# Get all records including deleted ones
User.with_deleted

# Get only deleted records (alias)
User.only_deleted

# Get non-deleted records explicitly
User.not_deleted

# Restore a deleted record by ID
User.restore(123)

Web Interface Features

The web interface (/recycle_bin) provides:

  • Dashboard Overview: Statistics about deleted items
  • Item Listing: View all deleted records with details
  • Filtering: Filter by model type (User, Post, Comment, etc.)
  • Time Filters: View items deleted today, this week, or this month
  • Individual Actions: Restore or permanently delete single items
  • Bulk Actions: Select multiple items to restore or delete
  • Item Details: Click on any item to see full details and history

Configuration โš™๏ธ

Configure RecycleBin in config/initializers/recycle_bin.rb:

RecycleBin.configure do |config|
  # Enable/disable web interface (default: true)
  config.enable_web_interface = true

  # Items per page in web interface (default: 25)
  config.items_per_page = 50

  # Auto-cleanup items after specified time (default: nil - disabled)
  config.auto_cleanup_after = 30.days

  # Method to get current user for audit trail (default: :current_user)
  config.current_user_method = :current_user

  # Authorization callback - restrict access to admins only
  config.authorize_with do |controller|
    # Example: Only allow admins
    controller.current_user&.admin?
  end
end

Authorization

To restrict access to the web interface, use the authorize_with configuration:

RecycleBin.configure do |config|
  config.authorize_with do |controller|
    # Only allow admins
    controller.current_user&.admin?
  end
end

If authorization fails, users will be redirected with an "Access denied" message.

Advanced Usage ๐Ÿ”ง

Custom Title Display

By default, RecycleBin tries to use title, name, or email fields for display. You can customize this:

class User < ApplicationRecord
  include RecycleBin::SoftDeletable

  def recyclable_title
    "#{first_name} #{last_name} (#{email})"
  end
end

Associations and Dependencies

RecycleBin works with Rails associations. The web interface will show related items:

class User < ApplicationRecord
  include RecycleBin::SoftDeletable
  has_many :posts, dependent: :destroy
end

class Post < ApplicationRecord
  include RecycleBin::SoftDeletable
  belongs_to :user
  has_many :comments, dependent: :destroy
end

Statistics and Reporting

Get statistics about your deleted items:

# Get overall statistics
RecycleBin.stats
# => { deleted_items: 45, models_with_soft_delete: ["User", "Post", "Comment"] }

# Count deleted items across all models
RecycleBin.count_deleted_items # => 45

# Get models that have soft delete enabled
RecycleBin.models_with_soft_delete # => ["User", "Post", "Comment"]

API Reference ๐Ÿ“š

Instance Methods

  • soft_delete - Mark record as deleted
  • restore - Restore deleted record
  • deleted? - Check if record is deleted
  • destroy - Soft delete (overrides Rails default)
  • destroy! - Permanently delete from database
  • recyclable_title - Display title for web interface

Class Methods

  • .deleted - Scope for deleted records only
  • .not_deleted - Scope for active records only
  • .with_deleted - Scope for all records including deleted
  • .only_deleted - Alias for .deleted
  • .restore(id) - Restore a record by ID
  • .deleted_records - Get all deleted records

Configuration Options

  • enable_web_interface - Enable/disable web UI (default: true)
  • items_per_page - Pagination limit (default: 25)
  • auto_cleanup_after - Auto-delete after time period (default: nil)
  • current_user_method - Method to get current user (default: :current_user)
  • authorize_with - Authorization callback block

Generators ๐Ÿ› ๏ธ

Install Generator

$ rails generate recycle_bin:install

Sets up RecycleBin in your Rails application.

Add DeletedAt Generator

$ rails generate recycle_bin:add_deleted_at ModelName

Adds the deleted_at column to the specified model.

Web Interface Routes ๐Ÿ›ฃ๏ธ

The gem adds these routes to your application:

GET    /recycle_bin              # Dashboard/index
GET    /recycle_bin/trash        # List all deleted items
GET    /recycle_bin/trash/:model_type/:id # Show specific item
PATCH  /recycle_bin/trash/:model_type/:id/restore # Restore item
DELETE /recycle_bin/trash/:model_type/:id # Permanently delete
PATCH  /recycle_bin/trash/bulk_restore    # Bulk restore
DELETE /recycle_bin/trash/bulk_destroy    # Bulk delete

Requirements ๐Ÿ“‹

  • Ruby: >= 2.7.0
  • Rails: >= 6.0
  • Database: Any database supported by Rails (PostgreSQL, MySQL, SQLite, etc.)

Examples ๐Ÿ’ผ

E-commerce Store

class Product < ApplicationRecord
  include RecycleBin::SoftDeletable

  def recyclable_title
    "#{name} - #{sku}"
  end
end

# Soft delete a product
product = Product.find(1)
product.destroy # Goes to trash, can be restored

# View deleted products in admin panel at /recycle_bin

Blog System

class Post < ApplicationRecord
  include RecycleBin::SoftDeletable
  belongs_to :author, class_name: 'User'

  def recyclable_title
    title.truncate(50)
  end
end

class Comment < ApplicationRecord
  include RecycleBin::SoftDeletable
  belongs_to :post
  belongs_to :user

  def recyclable_title
    "Comment by #{user.name}: #{body.truncate(30)}"
  end
end

User Management

class User < ApplicationRecord
  include RecycleBin::SoftDeletable

  def recyclable_title
    "#{name} (#{email})"
  end
end

# Admin can restore accidentally deleted users
User.deleted.each do |user|
  puts "Deleted user: #{user.recyclable_title}"
end

Troubleshooting ๐Ÿ”

Common Issues

1. "uninitialized constant RecycleBin" error

  • Make sure you've added the gem to your Gemfile and run bundle install
  • Restart your Rails server

2. Routes not working

  • Ensure you've run rails generate recycle_bin:install
  • Check that mount RecycleBin::Engine => '/recycle_bin' is in your config/routes.rb

3. Records not appearing in trash

  • Verify you've included RecycleBin::SoftDeletable in your model
  • Ensure the deleted_at column exists (run the migration)
  • Check that you're calling .destroy not .delete

4. Web interface shows "Access denied"

  • Check your authorization configuration in the initializer
  • Ensure the current user meets your authorization requirements

Debugging

Enable debug logging to see what's happening:

# In development.rb or console
Rails.logger.level = :debug

Contributing ๐Ÿค

Bug reports and pull requests are welcome on GitHub at https://github.com/R95-del/recycle_bin.

License ๐Ÿ“„

The gem is available as open source under the terms of the MIT License.

Changelog ๐Ÿ“

[1.2.0] - 2025-09-08

Added

  • ๐ŸŽจ Enhanced Analytics Dashboard: Complete redesign with comprehensive statistics and visual charts
  • ๐Ÿ” Improved Search System: Priority-based search with exact matching, starts-with matching, and intelligent filtering
  • ๐ŸŽ›๏ธ Advanced Filtering UI: Modern card-based layout with collapsible advanced filters
  • ๐Ÿ“Š Dashboard vs All Items Pages: Distinct pages with different purposes - overview vs detailed management
  • ๐Ÿ“ˆ Weekly Activity Charts: Visual representation of deletion activity over the past 7 days
  • ๐Ÿฅง Model Breakdown Statistics: Pie chart showing distribution of deleted items by model type
  • ๐Ÿท๏ธ Active Filters Display: Shows currently applied filters with individual removal options
  • ๐Ÿ“ฑ Responsive Design: Mobile-friendly interface with proper spacing and typography
  • โšก Collection Method Enhancement: Added reject method to DeletedItemsCollection for better compatibility

Fixed

  • ๐ŸŽฏ Search Precision: Fixed search showing irrelevant results by implementing priority-based matching
  • ๐Ÿฅ‡ Primary Field Priority: Search now prioritizes title/name/subject fields over content fields
  • ๐Ÿšซ False Match Reduction: Removed broad content field searches that caused incorrect results
  • ๐Ÿ‘ฎโ€โ™‚๏ธ RuboCop Compliance: Fixed code style issues and improved code quality
  • ๐Ÿงช Test Coverage: Added comprehensive tests for new search functionality

Changed

  • ๐Ÿ”„ Search Algorithm: Complete rewrite with 5-tier priority system (exact match โ†’ starts with โ†’ contains โ†’ ID โ†’ class name)
  • โœจ UI/UX Improvements: Modern gradient design, better spacing, and intuitive navigation
  • ๐Ÿ—๏ธ Dashboard Architecture: Separated dashboard overview from detailed item management
  • ๐Ÿ“‚ Filter Organization: Grouped filters logically with expandable sections
  • ๐Ÿ“ Search Term Length: Applied minimum length requirements for different search types
  • ๐Ÿ† Code Quality: Improved method organization and reduced complexity

Performance

  • ๐Ÿš€ Search Optimization: Reduced false matches and improved search relevance
  • โšก UI Responsiveness: Faster page loads with optimized CSS and layout
  • ๐Ÿง  Memory Efficiency: Better handling of large datasets in search results

[1.1.1] - 2025-05-26

Fixed

  • Fixed critical bug in user authentication flow
  • Resolved memory leak in background job processing
  • Corrected deprecation warnings for Rails 7.1 compatibility
  • Fixed race condition in concurrent database writes

Changed

  • Improved error handling in API responses
  • Updated dependency versions for security patches
  • Enhanced logging for better debugging experience

Security

  • Patched potential XSS vulnerability in form helpers
  • Updated vulnerable dependencies to secure versions

[1.1.0] - 2025-05-25

Added

  • Proper pagination: Navigate through all deleted records with page controls
  • Configurable page sizes: Choose 25, 50, 100, or 250 items per page
  • Accurate item counting: Shows real total counts instead of limited counts
  • Enhanced statistics: Added today/week deletion counts
  • Better performance: Optimized handling of large datasets
  • Per-page controls: User-selectable items per page options
  • Memory optimization: DeletedItemsCollection class for efficient data handling

Fixed

  • Removed artificial limits: No more 25/100 item display limits that prevented showing all records
  • Pagination persistence: Filters maintained across page navigation
  • Memory usage: Better handling of large datasets without loading all into memory
  • Count accuracy: Total counts now reflect actual database records
  • Performance bottlenecks: Eliminated inefficient loading of all records at once

Changed

  • TrashController: Complete rewrite with proper pagination logic
  • Index view: Enhanced UI with comprehensive pagination controls and statistics
  • RecycleBin module: Improved counting methods and performance optimizations
  • Statistics calculation: More efficient counting without loading full record sets

Performance

  • Large dataset support: Now efficiently handles 5000+ deleted records
  • Lazy loading: Only loads current page items, not all records
  • Optimized queries: Better database query patterns for counting and filtering
  • Memory efficient: Reduced memory footprint for large trash collections

Technical Details

  • Added DeletedItemsCollection class for efficient pagination
  • Implemented proper offset/limit handling
  • Enhanced filtering with maintained pagination state
  • Improved error handling for large datasets

[1.0.0] - 2025-05-24

Added

  • Initial release of RecycleBin gem
  • Soft delete functionality for ActiveRecord models
  • Web interface for managing trashed items
  • Restore functionality for deleted records
  • Bulk operations for multiple items
  • JSON API support for programmatic access

Contributors

  • Rishi Somani
  • Shobhit Jain
  • Raghav Agrawal

Made with โค๏ธ for the Rails community

Need help? Open an issue on GitHub or check out the web interface at /recycle_bin in your Rails app.

Advanced Features ๐Ÿš€

Enhanced Search & Discovery

RecycleBin now provides powerful search capabilities across all your deleted items:

# Search across all fields including title, name, email, content, etc.
# Visit /recycle_bin?search=john@example.com

# Search results are highlighted in the interface
# Search works across all model types and attributes

Search Features:

  • Full-text Search: Search across all item fields and attributes
  • Smart Highlighting: Search terms are highlighted in results
  • Cross-model Search: Find items across all soft-deleted models
  • Real-time Results: Instant search with live filtering

Advanced Filtering Options

Go beyond basic filtering with advanced options:

# Filter by user who deleted the item
/recycle_bin?deleted_by=123

# Filter by item size
/recycle_bin?size=large  # small, medium, large

# Filter by date range
/recycle_bin?date_from=2024-01-01&date_to=2024-12-31

# Combine multiple filters
/recycle_bin?search=john&type=User&size=medium&time=month

Filter Types:

  • Model Type: Filter by specific model (User, Post, Comment, etc.)
  • Time Periods: Today, This Week, This Month, This Year
  • User Filtering: Find items deleted by specific users
  • Size Classification: Small (< 1KB), Medium (1KB-100KB), Large (> 100KB)
  • Date Ranges: Custom from/to date filtering
  • Active Filter Display: See all active filters with easy removal

Export Functionality

Export your filtered results in multiple formats:

# Export current results to CSV
/recycle_bin?format=csv&search=john&type=User

# Export current results to JSON
/recycle_bin?format=json&time=month

# Export includes all current filters and search terms
# Filenames include filter information and timestamps

Export Features:

  • CSV Export: Structured data for spreadsheet applications
  • JSON Export: Programmatic access to your data
  • Filter Preservation: Exports respect all current filters
  • Smart Filenames: Include search terms and filter info
  • Large Dataset Support: Efficient export of thousands of items

Improved Error Handling & Logging

Enhanced error tracking and debugging capabilities:

RecycleBin.configure do |config|
  # Enable external error logging (e.g., Sentry)
  config.error_logging_service = ->(error_context) {
    Sentry.capture_exception(error_context[:error], extra: error_context)
  }

  # Configure search settings
  config.enable_full_text_search = true
  config.searchable_fields = %w[title name email content body description]
  config.max_search_length = 100

  # Configure export settings
  config.enable_csv_export = true
  config.enable_json_export = true
  config.max_export_items = 10000
end

Logging Features:

  • Structured Logging: JSON-formatted error logs with context
  • External Integration: Support for Sentry, LogRocket, etc.
  • Debug Information: Comprehensive debugging data
  • Performance Tracking: Monitor search and export performance
  • User Context: Track which users perform which actions

Configuration Options

# config/initializers/recycle_bin.rb
RecycleBin.configure do |config|
  # Search configuration
  config.enable_full_text_search = true
  config.searchable_fields = %w[title name email content body description]
  config.max_search_length = 100
  config.search_timeout = 30.seconds
  config.enable_fuzzy_search = false
  config.min_search_length = 2

  # Export configuration
  config.enable_csv_export = true
  config.enable_json_export = true
  config.max_export_items = 10000
  config.export_timeout = 5.minutes
  config.include_metadata = true
  config.compress_large_exports = true

  # Advanced features
  config.enable_advanced_filters = true
  config.enable_search_highlighting = true
  config.max_search_results = 10000
  config.enable_audit_logging = false
end