forked from rubocop/rubocop-performance
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathredundant_block_call.rb
93 lines (77 loc) · 2.4 KB
/
redundant_block_call.rb
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
# frozen_string_literal: true
module RuboCop
module Cop
module Performance
# This cop identifies the use of a `&block` parameter and `block.call`
# where `yield` would do just as well.
#
# @example
# # bad
# def method(&block)
# block.call
# end
# def another(&func)
# func.call 1, 2, 3
# end
#
# # good
# def method
# yield
# end
# def another
# yield 1, 2, 3
# end
class RedundantBlockCall < Cop
MSG = 'Use `yield` instead of `%<argname>s.call`.'
YIELD = 'yield'
OPEN_PAREN = '('
CLOSE_PAREN = ')'
SPACE = ' '
def_node_matcher :blockarg_def, <<~PATTERN
{(def _ (args ... (blockarg $_)) $_)
(defs _ _ (args ... (blockarg $_)) $_)}
PATTERN
def_node_search :blockarg_calls, <<~PATTERN
(send (lvar %1) :call ...)
PATTERN
def_node_search :blockarg_assigned?, <<~PATTERN
(lvasgn %1 ...)
PATTERN
def on_def(node)
blockarg_def(node) do |argname, body|
next unless body
calls_to_report(argname, body).each do |blockcall|
add_offense(blockcall, message: format(MSG, argname: argname))
end
end
end
# offenses are registered on the `block.call` nodes
def autocorrect(node)
_receiver, _method, *args = *node
new_source = String.new(YIELD)
unless args.empty?
new_source += if parentheses?(node)
OPEN_PAREN
else
SPACE
end
new_source << args.map(&:source).join(', ')
end
new_source << CLOSE_PAREN if parentheses?(node) && !args.empty?
->(corrector) { corrector.replace(node.source_range, new_source) }
end
private
def calls_to_report(argname, body)
return [] if blockarg_assigned?(body, argname)
calls = to_enum(:blockarg_calls, body, argname)
return [] if calls.any? { |call| args_include_block_pass?(call) }
calls
end
def args_include_block_pass?(blockcall)
_receiver, _call, *args = *blockcall
args.any?(&:block_pass_type?)
end
end
end
end
end