https://github.com/thoughtbot/shoulda-matchers
Simple one-liner tests for common Rails functionality
https://github.com/thoughtbot/shoulda-matchers
Keywords
rails rspec ruby testing
Keywords from Contributors
activerecord mvc activejob rubygems crash-reporting rack sinatra sidekiq factories factory-bot
Last synced: about 20 hours ago
JSON representation
Repository metadata
Simple one-liner tests for common Rails functionality
- Host: GitHub
- URL: https://github.com/thoughtbot/shoulda-matchers
- Owner: thoughtbot
- License: mit
- Created: 2010-12-15T22:41:52.000Z (almost 15 years ago)
- Default Branch: main
- Last Pushed: 2025-11-28T13:55:14.000Z (12 days ago)
- Last Synced: 2025-12-05T20:27:46.758Z (5 days ago)
- Topics: rails, rspec, ruby, testing
- Language: Ruby
- Homepage: https://matchers.shoulda.io
- Size: 15.2 MB
- Stars: 3,559
- Watchers: 76
- Forks: 911
- Open Issues: 46
- Releases: 25
-
Metadata Files:
- Readme: README.md
- Changelog: CHANGELOG.md
- Contributing: CONTRIBUTING.md
- License: LICENSE
- Codeowners: CODEOWNERS
- Security: SECURITY.md
README.md
Shoulda Matchers

Shoulda Matchers provides RSpec and Minitest-compatible one-liners to test
common Rails functionality that, if written by hand, would be much longer, more
complex, and error-prone.
Quick links
π Read the documentation for the latest version.
π’ See what's changed in recent versions.
Table of contents
- Getting started
- Usage
- Matchers
- Extensions
- Contributing
- Compatibility
- Versioning
- Team
- Copyright/License
- About thoughtbot
Getting started
RSpec
Start by including shoulda-matchers in your Gemfile:
group :test do
gem 'shoulda-matchers', '~> 6.0'
end
Then run bundle install.
Now you need to configure the gem by telling it:
- which matchers you want to use in your tests
- that you're using RSpec so that it can make those matchers available in
your example groups
Rails apps
If you're working on a Rails app, simply place this at the bottom of
spec/rails_helper.rb (or in a support file if you so choose):
Shoulda::Matchers.configure do |config|
config.integrate do |with|
with.test_framework :rspec
with.library :rails
end
end
Non-Rails apps
If you're not working on a Rails app, but you still make use of ActiveRecord or
ActiveModel in your project, you can still use this gem too! In that case,
you'll want to place the following configuration at the bottom of
spec/spec_helper.rb:
Shoulda::Matchers.configure do |config|
config.integrate do |with|
with.test_framework :rspec
# Keep as many of these lines as are necessary:
with.library :active_record
with.library :active_model
end
end
Minitest
If you're using our umbrella gem Shoulda, then make sure that you're using the
latest version:
group :test do
gem 'shoulda', '~> 4.0'
end
Otherwise, add shoulda-matchers to your Gemfile:
group :test do
gem 'shoulda-matchers', '~> 6.0'
end
Then run bundle install.
Now you need to configure the gem by telling it:
- which matchers you want to use in your tests
- that you're using Minitest so that it can make those matchers available in
your test case classes
Rails apps
If you're working on a Rails app, simply place this at the bottom of
test/test_helper.rb:
Shoulda::Matchers.configure do |config|
config.integrate do |with|
with.test_framework :minitest
with.library :rails
end
end
Non-Rails apps
If you're not working on a Rails app, but you still make use of ActiveRecord or
ActiveModel in your project, you can still use this gem too! In that case,
you'll want to place the following configuration at the bottom of
test/test_helper.rb:
Shoulda::Matchers.configure do |config|
config.integrate do |with|
with.test_framework :minitest
# Keep as many of these lines as are necessary:
with.library :active_record
with.library :active_model
end
end
Usage
Most of the matchers provided by this gem are useful in a Rails context, and as
such, can be used for different parts of a Rails app:
- database models backed by ActiveRecord
- non-database models, form objects, etc. backed by
ActiveModel - controllers
- routes (RSpec only)
- Rails-specific features like
delegate
As the name of the gem indicates, most matchers are designed to be used in
"one-liner" form using the should macro, a special directive available in both
RSpec and Shoulda. For instance, a model test case may look something like:
# RSpec
RSpec.describe MenuItem, type: :model do
describe 'associations' do
it { should belong_to(:category).class_name('MenuCategory') }
end
describe 'validations' do
it { should validate_presence_of(:name) }
it { should validate_uniqueness_of(:name).scoped_to(:category_id) }
end
end
# Minitest (Shoulda)
class MenuItemTest < ActiveSupport::TestCase
context 'associations' do
should belong_to(:category).class_name('MenuCategory')
end
context 'validations' do
should validate_presence_of(:name)
should validate_uniqueness_of(:name).scoped_to(:category_id)
end
end
See below for the full set of matchers that you can use.
On the subject of subject
For both RSpec and Shoulda, the subject is an implicit reference to the
object under test, and through the use of should as demonstrated above, all of
the matchers make use of subject internally when they are run. A subject is
always set automatically by your test framework in any given test case; however,
in certain cases it can be advantageous to override it. For instance, when
testing validations in a model, it is customary to provide a valid model instead
of a fresh one:
# RSpec
RSpec.describe Post, type: :model do
describe 'validations' do
# Here we're using FactoryBot, but you could use anything
subject { build(:post) }
it { should validate_presence_of(:title) }
end
end
# Minitest (Shoulda)
class PostTest < ActiveSupport::TestCase
context 'validations' do
subject { build(:post) }
should validate_presence_of(:title)
end
end
When overriding the subject in this manner, then, it's important to provide the
correct object. When in doubt, provide an instance of the class under test.
This is particularly necessary for controller tests, where it is easy to
accidentally write something like:
RSpec.describe PostsController, type: :controller do
describe 'GET #index' do
subject { get :index }
# This may work...
it { should have_http_status(:success) }
# ...but this will not!
it { should permit(:title, :body).for(:post) }
end
end
In this case, you would want to use before rather than subject:
RSpec.describe PostsController, type: :controller do
describe 'GET #index' do
before { get :index }
# Notice that we have to assert have_http_status on the response here...
it { expect(response).to have_http_status(:success) }
# ...but we do not have to provide a subject for render_template
it { should render_template('index') }
end
end
Availability of RSpec matchers in example groups
Rails projects
If you're using RSpec, then you're probably familiar with the concept of example
groups. Example groups can be assigned tags to assign different behaviors
to different kinds of example groups. This comes into play especially when using
rspec-rails, where, for instance, controller example groups, tagged with
type: :controller, are written differently than request example groups, tagged
with type: :request. This difference in writing style arises because
rspec-rails mixes different behaviors and methods into controller example
groups vs. request example groups.
Relying on this behavior, Shoulda Matchers automatically makes certain matchers
available in certain kinds of example groups:
- ActiveRecord and ActiveModel matchers are available only in model example
groups, i.e., those tagged withtype: :modelor in files located under
spec/models. - ActionController matchers are available only in controller example groups,
i.e., those tagged withtype: :controlleror in files located under
spec/controllers. - The
routematcher is available in routing example groups, i.e., those
tagged withtype: :routingor in files located underspec/routing. - Independent matchers are available in all example groups.
As long as you're using Rails, you don't need to worry about these details β
everything should "just work".
Non-Rails projects
What if you are using ActiveModel or ActiveRecord outside of Rails, however,
and you want to use model matchers in a certain example group? Then you'll
need to manually include the module that holds those matchers into that example
group. For instance, you might have to say:
RSpec.describe MySpecialModel do
include Shoulda::Matchers::ActiveModel
include Shoulda::Matchers::ActiveRecord
end
If you have a lot of similar example groups in which you need to do this, then
you might find it more helpful to tag your example groups appropriately, then
instruct RSpec to mix these modules into any example groups that have that tag.
For instance, you could add this to your rails_helper.rb:
RSpec.configure do |config|
config.include(Shoulda::Matchers::ActiveModel, type: :model)
config.include(Shoulda::Matchers::ActiveRecord, type: :model)
end
And from then on, you could say:
RSpec.describe MySpecialModel, type: :model do
# ...
end
should vs is_expected.to
In this README and throughout the documentation, you'll notice that we use the
should form of RSpec's one-liner syntax over is_expected.to. Besides being
the namesake of the gem itself, this is our preferred syntax as it's short and
sweet. But if you prefer to use is_expected.to, you can do that too:
RSpec.describe Person, type: :model do
it { is_expected.to validate_presence_of(:name) }
end
A Note on Testing Style
If you inspect the source code, you'll notice quickly that shoulda-matchers
is largely implemented using reflections and other introspection methods that
Rails provides. At first sight, this might seem to go against the common
practice of testing behavior rather than implementation. However, as the
available matchers indicate, we recommend that you treat shoulda-matchers as
a tool to help you ensure correct configuration and adherence to best practices
and idiomatic Rails in your models and controllers - especially for aspects
that in your experience are often insufficiently tested, such as ActiveRecord
validations or controller callbacks (a.k.a. the "framework-y" parts).
For testing your application's unique business logic, however, we recommend focusing on
behavior and outcomes over implementation details. This approach will better support
refactoring and ensure that your tests remain resilient to changes in how your code
is structured. While no generalized testing tool can fully capture the nuances of your
specific domain, you can draw inspiration from shoulda-matchers to write custom
matchers that align more closely with your application's needs.
Matchers
Here is the full list of matchers that ship with this gem. If you need details
about any of them, make sure to consult the documentation!
ActiveModel matchers
- allow_value
tests that an attribute is valid or invalid if set to one or more values.
(Aliased as #allow_values.) - have_secure_password
tests usage ofhas_secure_password. - validate_absence_of
tests usage ofvalidates_absence_of. - validate_acceptance_of
tests usage ofvalidates_acceptance_of. - validate_confirmation_of
tests usage ofvalidates_confirmation_of. - validate_exclusion_of
tests usage ofvalidates_exclusion_of. - validate_inclusion_of
tests usage ofvalidates_inclusion_of. - validate_length_of
tests usage ofvalidates_length_of. - validate_numericality_of
tests usage ofvalidates_numericality_of. - validate_presence_of
tests usage ofvalidates_presence_of. - validate_comparison_of
tests usage ofvalidates_comparison_of.
ActiveRecord matchers
- accept_nested_attributes_for
tests usage of theaccepts_nested_attributes_formacro. - belong_to
tests yourbelongs_toassociations. - define_enum_for
tests usage of theenummacro. - have_and_belong_to_many
tests yourhas_and_belongs_to_manyassociations. - have_delegated_type
tests usage of thedelegated_typemacro. - have_db_column
tests that the table that backs your model has a specific column. - have_db_index
tests that the table that backs your model has an index on a specific column. - have_implicit_order_column
tests usage ofimplicit_order_column. - have_many
tests yourhas_manyassociations. - have_many_attached
tests yourhas_many_attachedassociations. - have_one
tests yourhas_oneassociations. - have_one_attached
tests yourhas_one_attachedassociations. - have_readonly_attribute
tests usage of theattr_readonlymacro. - have_rich_text
tests yourhas_rich_textassociations. - serialize tests
usage of theserializemacro. - validate_uniqueness_of
tests usage ofvalidates_uniqueness_of. - normalize tests
usage of thenormalizemacro - encrypt
tests usage of theencryptsmacro.
ActionController matchers
- filter_param
tests parameter filtering configuration. - permit tests
that an action restricts theparamshash. - redirect_to
tests that an action redirects to a certain location. - render_template
tests that an action renders a template. - render_with_layout
tests that an action is rendered with a certain layout. - rescue_from
tests usage of therescue_frommacro. - respond_with
tests that an action responds with a certain status code. - route tests
your routes. - set_session
makes assertions on thesessionhash. - set_flash
makes assertions on theflashhash. - use_after_action
tests that anafter_actioncallback is defined in your controller. - use_around_action
tests that anaround_actioncallback is defined in your controller. - use_before_action
tests that abefore_actioncallback is defined in your controller.
Routing matchers
- route tests
your routes.
Independent matchers
- delegate_method
tests that an object forwards messages to other, internal objects by way of
delegation.
Extensions
Over time our community has created extensions to Shoulda Matchers. If you've
created something that you want to share, please let us know!
- shoulda-matchers-cucumber β Adds support for using Shoulda Matchers in
Cucumber tests.
Contributing
Have a fix for a problem you've been running into or an idea for a new feature
you think would be useful? Take a look at the Contributing
document for instructions on setting up the repo on your
machine, understanding the codebase, and creating a good pull request.
Compatibility
Shoulda Matchers is tested and supported against Ruby 3.0+, Rails
6.1+, RSpec 3.x, and Minitest 5.x.
- For Ruby < 2.4 and Rails < 4.1 compatibility, please use v3.1.3.
- For Ruby < 3.0 and Rails < 6.1 compatibility, please use v4.5.1.
Versioning
Shoulda Matchers follows Semantic Versioning 2.0 as defined at
https://semver.org.
Team
Shoulda Matchers is currently maintained by Pedro Paiva and Matheus
Sales. Previous maintainers include Elliot Winkler,
Gui Albuk, Jason Draper, Melissa Xie,
Gabe Berke-Williams, Ryan McGeary, Joe Ferris, and
Tammer Saleh.
Copyright/License
Shoulda Matchers is copyright Β© Tammer Saleh and thoughtbot,
inc. It is free and open-source software and may be
redistributed under the terms specified in the LICENSE file.
About thoughtbot
This repo is maintained and funded by thoughtbot, inc.
The names and logos for thoughtbot are trademarks of thoughtbot, inc.
We love open source software!
See our other projects.
We are available for hire.
Owner metadata
- Name: thoughtbot, inc.
- Login: thoughtbot
- Email: hello@thoughtbot.com
- Kind: organization
- Description: We work with organizations of all sizes to design, develop, and grow their web and mobile products.
- Website: https://thoughtbot.com
- Location:
- Twitter:
- Company:
- Icon url: https://avatars.githubusercontent.com/u/6183?v=4
- Repositories: 434
- Last ynced at: 2024-04-14T06:41:37.100Z
- Profile URL: https://github.com/thoughtbot
GitHub Events
Total
- Create event: 7
- Release event: 2
- Issues event: 15
- Watch event: 62
- Delete event: 9
- Issue comment event: 37
- Push event: 37
- Pull request review comment event: 8
- Pull request review event: 10
- Pull request event: 21
- Fork event: 11
Last Year
- Create event: 7
- Release event: 2
- Issues event: 14
- Watch event: 44
- Delete event: 9
- Issue comment event: 28
- Push event: 37
- Pull request review comment event: 8
- Pull request review event: 10
- Pull request event: 20
- Fork event: 9
Committers metadata
Last synced: 4 days ago
Total Commits: 2,031
Total Committers: 336
Avg Commits per committer: 6.045
Development Distribution Score (DDS): 0.709
Commits in past year: 23
Committers in past year: 10
Avg Commits per committer in past year: 2.3
Development Distribution Score (DDS) in past year: 0.478
| Name | Commits | |
|---|---|---|
| Elliot Winkler | e****r@g****m | 592 |
| Joe Ferris | j****s@g****m | 152 |
| tsaleh | t****h@7****a | 119 |
| Gabe Berke-Williams | g****e@t****m | 117 |
| Pedro Paiva | p****a@g****m | 77 |
| Ryan McGeary | r****t@m****g | 77 |
| Dan Croak | d****k@t****m | 50 |
| Matheus Sales | m****s@h****m | 46 |
| Tammer Saleh | t****h@t****m | 36 |
| Melissa Xie | m****a@t****m | 35 |
| Prem Sichanugrist | s@s****m | 32 |
| Mauro George | m****t@g****m | 31 |
| Jason Draper | j****n@d****m | 27 |
| Matt Jankowski | m****i@t****m | 22 |
| Mike Burns | m****s@t****m | 20 |
| Gui Albuk | g****e@n****m | 20 |
| Kapil Sachdev | k****3@g****m | 18 |
| Joshua Clayton | j****n@t****m | 16 |
| Gui Vieira | g****k@g****m | 13 |
| Reade Harris | r****s@g****m | 11 |
| Josh Nichols | j****h@t****m | 10 |
| Derek Prior | d****r@g****m | 9 |
| Erik Michaels-Ober | s****k@g****m | 9 |
| github-actions[bot] | 4****] | 9 |
| Matthew Daubert | m****t@g****m | 9 |
| dependabot-preview[bot] | 2****] | 8 |
| Markus Schwed | m****d@g****m | 8 |
| Chris O'Sullivan | t****w@g****m | 6 |
| Mathieu Martin | w****t@g****m | 6 |
| George Millo | g****o@g****m | 5 |
| and 306 more... | ||
Committer domains:
- thoughtbot.com: 19
- me.com: 2
- apprentice.io: 2
- suse.de: 2
- ebay.com: 1
- buytruckload.com: 1
- lightyearsoftware.com: 1
- antw.me: 1
- softwarelivre.org: 1
- softweb.net.au: 1
- alumni.tufts.edu: 1
- ismailov.info: 1
- aiming-inc.com: 1
- playelite.net: 1
- attrition.org: 1
- mlsdev.com: 1
- realdigitalmedia.com: 1
- tickitsystems.com.au: 1
- sj26.com: 1
- modeltwozero.com: 1
- crac.cl: 1
- mergulhao.info: 1
- restorm.com: 1
- gopago.com: 1
- adyton.net: 1
- llp.pl: 1
- liquidcodeworks.com: 1
- paypal.com: 1
- anahoret.com: 1
- fullbridge.com: 1
- codefluency.com: 1
- 4-dogs.biz: 1
- gophilosophie.com: 1
- whitepages.com: 1
- koulikoff.ru: 1
- github.com: 1
- mintdigital.com: 1
- thelevelup.com: 1
- gustavocunha.dev: 1
- evolutionhost.nl: 1
- atlanware.com: 1
- lucianosousa.net: 1
- mutual.io: 1
- powow.no: 1
- redhat.com: 1
- creativesoapbox.com: 1
- boonedocks.net: 1
- openssl.it: 1
- technicalpickles.com: 1
- n-pix.com: 1
- drapergeek.com: 1
- sikachu.com: 1
- zenspider.com: 1
- bk.tsukuba.ac.jp: 1
- quaran.to: 1
- lesseverything.com: 1
- tomlea.co.uk: 1
- teoljungberg.com: 1
- elliterate.com: 1
- nvald.es: 1
- ezid.ru: 1
- cellabus.com: 1
- alyssa.is: 1
- weedmaps.com: 1
- vinsol.com: 1
- luithle.net: 1
- debian.org: 1
- bloy.org: 1
- danieltamiosso.com: 1
- honestempire.com: 1
- che.lu: 1
- clemenskofler.com: 1
- codeminer42.com: 1
- hacksocke.de: 1
- chendry.org: 1
- chowie.net: 1
- bjhess.com: 1
- packetmonkey.org: 1
- iki.fi: 1
- kundigo.pro: 1
- blacksquaremedia.com: 1
- pragprog.com: 1
- tysongach.com: 1
- havelick.com: 1
- tonum.no: 1
- lazyatom.com: 1
- watuhq.com: 1
- zappistore.com: 1
- iliana.dev: 1
- ezabel.com: 1
- quarantainenet.nl: 1
- makandra.de: 1
- intrepica.com.au: 1
- lnikki.la: 1
- marburger.cc: 1
- metaskills.net: 1
- infused.org: 1
- customink.com: 1
- jxf.me: 1
- developwithstyle.com: 1
- jessetoth.com: 1
- schweisguth.org: 1
- mdeering.com: 1
- yahoo.com.br: 1
- fedoraproject.org: 1
- lootbox.org: 1
- lucaguidi.com: 1
- virgilio.eti.br: 1
- layer22.com: 1
- phlippers.net: 1
- fleetio.com: 1
- oscardelben.com: 1
- idlepattern.com: 1
- skroutz.gr: 1
- lucasdavi.la: 1
- akra.net: 1
- gute-botschafter.de: 1
- sevenwire.com: 1
- obduk.com: 1
- gitter.im: 1
- yelvert.io: 1
- squareup.com: 1
- steveklabnik.com: 1
- proton.me: 1
- apache.org: 1
- deemaze.com: 1
- oriontransfer.co.nz: 1
- octanner.com: 1
- jpcutler.net: 1
- ojab.ru: 1
- jonathanmoss.me: 1
- runawaybit.com: 1
- nickcharlton.net: 1
- reallymy.email: 1
- mwdesilva.com: 1
- mike.is: 1
- mcgeary.org: 1
Issue and Pull Request metadata
Last synced: 6 days ago
Total issues: 90
Total pull requests: 191
Average time to close issues: 10 months
Average time to close pull requests: 4 months
Total issue authors: 81
Total pull request authors: 64
Average comments per issue: 3.22
Average comments per pull request: 1.72
Merged pull request: 145
Bot issues: 0
Bot pull requests: 7
Past year issues: 11
Past year pull requests: 24
Past year average time to close issues: about 1 month
Past year average time to close pull requests: 16 days
Past year issue authors: 11
Past year pull request authors: 9
Past year average comments per issue: 0.91
Past year average comments per pull request: 1.04
Past year merged pull request: 17
Past year bot issues: 0
Past year bot pull requests: 3
Top Issue Authors
- VSPPedro (6)
- mochetts (2)
- sarobakhtiyari (2)
- matsales28 (2)
- fabriciobonjorno (2)
- calebhearth (1)
- sirwolfgang (1)
- chiperific (1)
- aripollak (1)
- gruschis (1)
- rubendinho (1)
- lioneldebauge (1)
- Mekajiki (1)
- ollie-nye (1)
- garrettgregor (1)
Top Pull Request Authors
- matsales28 (51)
- VSPPedro (26)
- github-actions[bot] (7)
- technicalpickles (6)
- HeitorMC (5)
- voxik (5)
- theodorton (4)
- stefannibrasil (4)
- neilvcarvalho (3)
- amalrik (3)
- mjankowski (2)
- freesteph (2)
- Earlopain (2)
- clemens (2)
- franlocus (2)
Top Issue Labels
- π· Issue: Bug (8)
- π Issue: PR Welcome (4)
- π‘Issue: Feature Request (4)
- πββοΈPR: In Progress (2)
- PR: Feature (1)
- Dependent on PR (1)
- π€ Issue: Need to Investigate (1)
- π€ Shoulda (1)
Top Pull Request Labels
- πββοΈPR: In Progress (3)
- π PR: Needs Tests (3)
- β©οΈ Needs Revisiting (2)
- π PR: Needs Documentation (1)
- β± PR: In Queue for Review (1)
- PR: Feature (1)
- π PR: Needs Further Updates (1)
Package metadata
- Total packages: 3
-
Total downloads:
- rubygems: 474,689,736 total
- Total docker downloads: 1,188,477,524
- Total dependent packages: 765 (may contain duplicates)
- Total dependent repositories: 69,221 (may contain duplicates)
- Total versions: 181
- Total maintainers: 5
gem.coop: shoulda-matchers
Shoulda Matchers provides RSpec- and Minitest-compatible one-liners to test common Rails functionality that, if written by hand, would be much longer, more complex, and error-prone.
- Homepage: https://matchers.shoulda.io
- Documentation: http://www.rubydoc.info/gems/shoulda-matchers/
- Licenses: MIT
- Latest release: 7.0.1 (published about 1 month ago)
- Last Synced: 2025-12-08T23:00:46.534Z (2 days ago)
- Versions: 63
- Dependent Packages: 0
- Dependent Repositories: 0
- Downloads: 237,393,847 Total
- Docker Downloads: 594,238,762
-
Rankings:
- Dependent repos count: 0.0%
- Dependent packages count: 0.0%
- Average: 0.065%
- Downloads: 0.107%
- Docker downloads count: 0.154%
- Maintainers (5)
rubygems.org: shoulda-matchers
Shoulda Matchers provides RSpec- and Minitest-compatible one-liners to test common Rails functionality that, if written by hand, would be much longer, more complex, and error-prone.
- Homepage: https://matchers.shoulda.io
- Documentation: http://www.rubydoc.info/gems/shoulda-matchers/
- Licenses: MIT
- Latest release: 7.0.1 (published about 1 month ago)
- Last Synced: 2025-12-08T09:30:20.192Z (2 days ago)
- Versions: 63
- Dependent Packages: 765
- Dependent Repositories: 69,221
- Downloads: 237,295,889 Total
- Docker Downloads: 594,238,762
-
Rankings:
- Dependent packages count: 0.061%
- Downloads: 0.106%
- Dependent repos count: 0.138%
- Docker downloads count: 0.192%
- Average: 0.315%
- Stargazers count: 0.613%
- Forks count: 0.776%
- Maintainers (5)
proxy.golang.org: github.com/thoughtbot/shoulda-matchers
- Homepage:
- Documentation: https://pkg.go.dev/github.com/thoughtbot/shoulda-matchers#section-documentation
- Licenses: mit
- Latest release: v7.0.1+incompatible (published about 1 month ago)
- Last Synced: 2025-12-05T22:01:22.784Z (5 days ago)
- Versions: 55
- Dependent Packages: 0
- Dependent Repositories: 0
-
Rankings:
- Forks count: 0.908%
- Stargazers count: 1.145%
- Average: 5.598%
- Dependent packages count: 9.56%
- Dependent repos count: 10.779%
Dependencies
- actions/cache v3 composite
- actions/checkout v3 composite
- ruby/setup-ruby v1 composite
- postgres * docker
- actions/cache v3 composite
- actions/checkout v3 composite
- ruby/setup-ruby v1 composite
- appraisal = 2.2.0
- bundler ~> 2.0
- fssm >= 0
- pry >= 0
- pry-byebug >= 0
- rake = 13.0.1
- redcarpet >= 0
- rouge >= 0
- rspec ~> 3.9
- rubocop >= 0
- rubocop-packaging >= 0
- rubocop-rails >= 0
- warnings_logger >= 0
- yard >= 0
- zeus >= 0
- activesupport 7.0.4
- appraisal 2.2.0
- ast 2.4.2
- byebug 11.1.3
- coderay 1.1.3
- concurrent-ruby 1.1.10
- diff-lcs 1.3
- fssm 0.2.10
- i18n 1.12.0
- json 2.6.2
- method_source 1.0.0
- minitest 5.16.3
- parallel 1.22.1
- parser 3.1.2.1
- pry 0.13.1
- pry-byebug 3.9.0
- rack 3.0.0
- rainbow 3.1.1
- rake 13.0.1
- redcarpet 3.5.0
- regexp_parser 2.5.0
- rexml 3.2.5
- rouge 3.22.0
- rspec 3.9.0
- rspec-core 3.9.0
- rspec-expectations 3.9.0
- rspec-mocks 3.9.0
- rspec-support 3.9.0
- rubocop 1.36.0
- rubocop-ast 1.21.0
- rubocop-packaging 0.5.2
- rubocop-rails 2.16.1
- ruby-progressbar 1.11.0
- thor 0.20.0
- tzinfo 2.0.5
- unicode-display_width 2.3.0
- warnings_logger 0.1.1
- yard 0.9.25
- zeus 0.15.14
- activesupport >= 5.2.0
Score: 35.23922036888805
