SonarSource Rules
  • Products

    In-IDE

    Code Quality and Security in your IDE with SonarQube Ide

    IDE extension that lets you fix coding issues before they exist!

    Discover SonarQube for IDE

    SaaS

    Code Quality and Security in the cloud with SonarQube Cloud

    Setup is effortless and analysis is automatic for most languages

    Discover SonarQube Cloud

    Self-Hosted

    Code Quality and Security Self-Hosted with SonarQube Server

    Fast, accurate analysis; enterprise scalability

    Discover SonarQube Server
  • SecretsSecrets
  • ABAPABAP
  • AnsibleAnsible
  • ApexApex
  • AzureResourceManagerAzureResourceManager
  • CC
  • C#C#
  • C++C++
  • CloudFormationCloudFormation
  • COBOLCOBOL
  • CSSCSS
  • DartDart
  • DockerDocker
  • FlexFlex
  • GitHub ActionsGitHub Actions
  • GoGo
  • HTMLHTML
  • JavaJava
  • JavaScriptJavaScript
  • JSONJSON
  • JCLJCL
  • KotlinKotlin
  • KubernetesKubernetes
  • Objective CObjective C
  • PHPPHP
  • PL/IPL/I
  • PL/SQLPL/SQL
  • PythonPython
  • RPGRPG
  • RubyRuby
  • RustRust
  • ScalaScala
  • ShellShell
  • SwiftSwift
  • TerraformTerraform
  • TextText
  • TypeScriptTypeScript
  • T-SQLT-SQL
  • VB.NETVB.NET
  • VB6VB6
  • XMLXML
  • YAMLYAML
C++

C++ static code analysis

Unique rules to find Bugs, Vulnerabilities, Security Hotspots, and Code Smells in your C++ code

  • All rules 674
  • Vulnerability13
  • Bug139
  • Security Hotspot19
  • Code Smell503

  • Quick Fix 91
Filtered: 24 rules found
since-c++17
    Impact
      Clean code attribute
        1. The optional init-statement in a control statements should only be used to declare variables

           Code Smell
        2. Assigning to an optional should directly target the optional

           Bug
        3. "try_emplace" should be used with "std::map" and "std::unordered_map"

           Code Smell
        4. "auto" should be used for non-type template parameter

           Code Smell
        5. Use "std::variant" instead of unions with non-trivial types.

           Code Smell
        6. "std::optional" member function "value_or" should be used

           Code Smell
        7. "std::byte" should be used when you need byte-oriented memory access

           Code Smell
        8. Inline variables should be used to declare global variables in header files

           Code Smell
        9. "if constexpr" should be preferred to overloading for metaprogramming

           Code Smell
        10. "[*this]" should be used to capture the current object by copy

           Code Smell
        11. "std::uncaught_exception" should not be used

           Code Smell
        12. "static_assert" with no message should be used over "static_assert" with empty or redundant message

           Code Smell
        13. Redundant class template arguments should not be used

           Code Smell
        14. "std::filesystem::path" should be used to represent a file path

           Code Smell
        15. "std::string_view" should be used to pass a read-only string to a function

           Code Smell
        16. Fold expressions should be used instead of recursive template instantiations

           Code Smell
        17. [[nodiscard]] should be used when the return value of a function should not be ignored

           Code Smell
        18. "as_const" should be used to make a value constant

           Code Smell
        19. Structured binding should be used

           Code Smell
        20. "if" and "switch" initializer should be used to reduce scope of variables

           Code Smell
        21. "std::visit" should be used to switch on the type of the current value in a "std::variant"

           Code Smell
        22. "std::scoped_lock" should be created with constructor arguments

           Bug
        23. "std::scoped_lock" should be used instead of "std::lock_guard"

           Code Smell
        24. Concise syntax should be used for concatenatable namespaces

           Code Smell

        "if" and "switch" initializer should be used to reduce scope of variables

        intentionality - clear
        maintainability
        Code Smell
        Quick FixIDE quick fixes available with SonarQube for IDE
        • since-c++17
        • clumsy

        Why is this an issue?

        C++17 introduced a construct to create and initialize a variable within the condition of if and switch statements and C++20 added this construct to range-based for loops. Using this new feature simplifies common code patterns and helps in giving variables the right scope.

        Previously, variables were either declared before the statement, hence leaked into the ambient scope, or an explicit scope was used to keep the scope tight, especially when using RAII objects. This was inconvenient as it would lead to error-prone patterns.

        For example, this verbose error-prone initialization:

        bool error_prone_init() {
          { // explicit scope
            std::unique_lock<std::mutex> lock(mtx, std::try_to_lock);
            if (lock.owns_lock()) {
               //...
             }
          } // mutex unlock
          // ... code
          return true;
        }
        

        can now be replaced by the following code, which is safer and more readable:

        bool better_init() {
          if (std::unique_lock<std::mutex> lock(mtx, std::try_to_lock); lock.owns_lock()) {
             //...
          } // mutex unlock
          // ... code
          return true;
        }
        

        This rule raises an issue when:

        • a variable is declared just before a statement that allows variable declaration (if, switch),
        • this variable is used in the statement header,
        • there are other statements after this statement where this variable might be used,
        • yet, it is never used after the statement.

        Noncompliant code example

        void handle(std::string_view s);
        void ifStatement() {
          std::map<int, std::string> m;
          int key = 1;
          std::string value = "str1";
          auto [it, inserted] = m.try_emplace(key, value); // Noncompliant
          if (!inserted) {
            std::cout << "Already registered";
          } else {
            handle(it->second);
          }
          process(m);
        }
        
        enum class State { True, False, Maybe, MaybeNot };
        std::pair<std::string, State> getStatePair();
        
        void switchStatement() {
          auto state = getStatePair(); // Noncompliant
          switch (state.second) {
            case State::True:
            case State::Maybe:
              std::cout << state.first;
              break;
            case State::False:
            case State::MaybeNot:
              std::cout << "No";
              break;
          }
          std::cout << "\n";
        }
        

        Compliant solution

        void handle(std::string_view s);
        void ifStatement() {
          std::map<int, std::string> m;
          int key = 1;
          std::string value = "str1";
          if (auto [it, inserted] = m.try_emplace(key, value); !inserted) { // Compliant
            std::cout << "Already registered";
          } else {
            handle(it->second);
          }
          process(m);
        }
        
        enum class State { True, False, Maybe, MaybeNot };
        std::pair<std::string, State> getStatePair();
        
        void switchStatement() {
          switch (auto state = getStatePair(); state.second) { // Compliant
            case State::True:
            case State::Maybe:
              std::cout << state.first;
              break;
            case State::False:
            case State::MaybeNot:
              std::cout << "No";
              break;
          }
          std::cout << "\n";
        }
        

        Exceptions

        While an if with both an initializer and a condition variable is valid, it is confusing. The rule does not raise an issue if the if statement already has a condition variable:

        void confusing() {
          if (int a = 42; std::optional<int> b = lookup(a)) { // Valid but confusing
            // ...
          }
        }
        
        void exception() {
          int a = 42; // Compliant by exception
          if (std::optional<int> b = lookup(a)) {
            // ...
          }
        }
        
          Available In:
        • SonarQube IdeCatch issues on the fly,
          in your IDE
        • SonarQube CloudDetect issues in your GitHub, Azure DevOps Services, Bitbucket Cloud, GitLab repositories
        • SonarQube ServerAnalyze code in your
          on-premise CI
          Developer Edition
          Available Since
          9.1

        © 2008-2025 SonarSource SA. All rights reserved.

        Privacy Policy | Cookie Policy | Terms of Use