[clang][modules] Don't prevent translation of FW_Private includes when explicitly...
[llvm-project.git] / clang-tools-extra / docs / clang-tidy / checks / bugprone / branch-clone.rst
blob0ca34c2bc23209104b229bb36c290f16be626b51
1 .. title:: clang-tidy - bugprone-branch-clone
3 bugprone-branch-clone
4 =====================
6 Checks for repeated branches in ``if/else if/else`` chains, consecutive
7 repeated branches in ``switch`` statements and identical true and false
8 branches in conditional operators.
10 .. code-block:: c++
12     if (test_value(x)) {
13       y++;
14       do_something(x, y);
15     } else {
16       y++;
17       do_something(x, y);
18     }
20 In this simple example (which could arise e.g. as a copy-paste error) the
21 ``then`` and ``else`` branches are identical and the code is equivalent the
22 following shorter and cleaner code:
24 .. code-block:: c++
26     test_value(x); // can be omitted unless it has side effects
27     y++;
28     do_something(x, y);
31 If this is the intended behavior, then there is no reason to use a conditional
32 statement; otherwise the issue can be solved by fixing the branch that is
33 handled incorrectly.
35 The check also detects repeated branches in longer ``if/else if/else`` chains
36 where it would be even harder to notice the problem.
38 In ``switch`` statements the check only reports repeated branches when they are
39 consecutive, because it is relatively common that the ``case:`` labels have
40 some natural ordering and rearranging them would decrease the readability of
41 the code. For example:
43 .. code-block:: c++
45     switch (ch) {
46     case 'a':
47       return 10;
48     case 'A':
49       return 10;
50     case 'b':
51       return 11;
52     case 'B':
53       return 11;
54     default:
55       return 10;
56     }
58 Here the check reports that the ``'a'`` and ``'A'`` branches are identical
59 (and that the ``'b'`` and ``'B'`` branches are also identical), but does not
60 report that the ``default:`` branch is also identical to the first two branches.
61 If this is indeed the correct behavior, then it could be implemented as:
63 .. code-block:: c++
65     switch (ch) {
66     case 'a':
67     case 'A':
68       return 10;
69     case 'b':
70     case 'B':
71       return 11;
72     default:
73       return 10;
74     }
76 Here the check does not warn for the repeated ``return 10;``, which is good if
77 we want to preserve that ``'a'`` is before ``'b'`` and ``default:`` is the last
78 branch.
80 Switch cases marked with the ``[[fallthrough]]`` attribute are ignored.
82 Finally, the check also examines conditional operators and reports code like:
84 .. code-block:: c++
86     return test_value(x) ? x : x;
88 Unlike if statements, the check does not detect chains of conditional
89 operators.
91 Note: This check also reports situations where branches become identical only
92 after preprocessing.