New rule: predicate name

This commit is contained in:
Vitalii Elenhaupt 2017-11-01 15:20:04 +02:00
parent 348496ab9d
commit 0ca990dd5c
No known key found for this signature in database
GPG Key ID: 7558EF3A4056C706
3 changed files with 83 additions and 0 deletions

View File

@ -0,0 +1,45 @@
require "../../spec_helper"
module Ameba::Rules
subject = PredicateName.new
describe PredicateName do
it "passes if predicate name is correct" do
s = Source.new %q(
def valid?(x)
end
class Image
def picture?(x)
end
end
)
subject.catch(s).valid?.should be_true
end
it "fails if predicate name is wrong" do
s = Source.new %q(
def is_valid?(x)
end
)
subject.catch(s).valid?.should be_false
end
it "reports rule, pos and message" do
s = Source.new %q(
class Image
def has_picture?(x)
true
end
end
)
subject.catch(s).valid?.should be_false
error = s.errors.first
error.rule.should_not be_nil
error.pos.should eq 3
error.message.should eq(
"Favour method name 'picture?' over 'has_picture?'")
end
end
end

View File

@ -4,6 +4,7 @@ module Ameba::AST
NODE_VISITORS = [
Call,
Case,
Def,
If,
StringInterpolation,
Unless,

View File

@ -0,0 +1,37 @@
module Ameba::Rules
# A rule that disallows tautological predicate names, meaning those that
# start with the prefix `has_` or the prefix `is_`.
#
# Favour these:
#
# ```
# def valid?(x)
# end
#
# def picture?(x)
# end
# ```
#
# Over these:
#
# ```
# def is_valid?(x)
# end
#
# def has_picture?(x)
# end
# ```
#
struct PredicateName < Rule
def test(source)
AST::DefVisitor.new self, source
end
def test(source, node : Crystal::Def)
if node.name =~ /(is|has)_(\w+)\?/
source.error self, node.location.try &.line_number,
"Favour method name '#{$2}?' over '#{node.name}'"
end
end
end
end