2021-02-11 16:09:00 -05:00
# frozen_string_literal: true
2017-07-27 16:54:48 -04:00
require_relative '../../migration_helpers'
module RuboCop
module Cop
module Migration
# This cop requires a default value and disallows nulls for boolean
# columns on small tables.
#
# In general, this prevents 3-state-booleans.
# https://robots.thoughtbot.com/avoid-the-threestate-boolean-problem
#
# In particular, for the `application_settings` table, this ensures that
# upgraded installations get a proper default for the new boolean setting.
# A developer might otherwise mistakenly assume that a value in
# `ApplicationSetting.defaults` is sufficient.
#
2019-09-18 10:02:45 -04:00
# See https://gitlab.com/gitlab-org/gitlab/issues/2750 for more
2017-07-27 16:54:48 -04:00
# information.
class SaferBooleanColumn < RuboCop :: Cop :: Cop
include MigrationHelpers
2021-03-23 08:09:33 -04:00
DEFAULT_OFFENSE = 'Boolean columns on the `%s` table should have a default. You may wish to use `add_column_with_default`.'
NULL_OFFENSE = 'Boolean columns on the `%s` table should disallow nulls.'
DEFAULT_AND_NULL_OFFENSE = 'Boolean columns on the `%s` table should have a default and should disallow nulls. You may wish to use `add_column_with_default`.'
2017-07-27 16:54:48 -04:00
def_node_matcher :add_column? , << ~ PATTERN
2017-09-19 11:25:42 -04:00
( send nil ? :add_column $. .. )
2017-07-27 16:54:48 -04:00
PATTERN
def on_send ( node )
return unless in_migration? ( node )
matched = add_column? ( node )
return unless matched
table , _ , type = matched . to_a . take ( 3 ) . map ( & :children ) . map ( & :first )
opts = matched [ 3 ]
2020-09-01 08:11:01 -04:00
return unless SMALL_TABLES . include? ( table ) && type == :boolean
2017-07-27 16:54:48 -04:00
no_default = no_default? ( opts )
nulls_allowed = nulls_allowed? ( opts )
offense = if no_default && nulls_allowed
DEFAULT_AND_NULL_OFFENSE
elsif no_default
DEFAULT_OFFENSE
elsif nulls_allowed
NULL_OFFENSE
end
2017-09-19 11:25:42 -04:00
add_offense ( node , location : :expression , message : format ( offense , table ) ) if offense
2017-07-27 16:54:48 -04:00
end
def no_default? ( opts )
return true unless opts
each_hash_node_pair ( opts ) do | key , value |
2018-04-18 05:19:40 -04:00
break value == 'nil' if key == :default
2017-07-27 16:54:48 -04:00
end
end
def nulls_allowed? ( opts )
return true unless opts
each_hash_node_pair ( opts ) do | key , value |
2018-04-18 05:19:40 -04:00
break value != 'false' if key == :null
2017-07-27 16:54:48 -04:00
end
end
def each_hash_node_pair ( hash_node , & block )
hash_node . each_node ( :pair ) do | pair |
key = hash_pair_key ( pair )
value = hash_pair_value ( pair )
yield ( key , value )
end
end
def hash_pair_key ( pair )
pair . children [ 0 ] . children [ 0 ]
end
def hash_pair_value ( pair )
pair . children [ 1 ] . source
end
end
end
end
end