Top Qs
Timeline
Chat
Perspective
Criticism of C++
Criticism of the C++ programming language From Wikipedia, the free encyclopedia
Remove ads
Although C++ is one of the most widespread programming languages,[1] many prominent software engineers criticize C++ (the language and its compilers) arguing that it is overly complex[2] and fundamentally flawed.[3] Among the critics have been: Rob Pike,[2] Joshua Bloch, Linus Torvalds,[3] Donald Knuth, Richard Stallman, and Ken Thompson. C++ has been widely adopted and implemented as a systems language through most of its existence. It has been used to build many pieces of important software such as operating systems, runtime systems, programming language interpreters, parsers, lexers, compilers, etc.
| This article lacks an overview of its topic.  (September 2021) | 
Remove ads
Complexity
Summarize
Perspective
One of the most often criticized points of C++ is its perceived complexity as a language, with the criticism that a large number of non-orthogonal features in practice necessitates restricting code to a subset of C++, thus eschewing the readability benefits of common style and idioms. As expressed by Joshua Bloch:[4]
I think C++ was pushed well beyond its complexity threshold, and yet there are a lot of people programming it. But what you do is you force people to subset it. So almost every shop that I know of that uses C++ says, "Yes, we're using C++ but we're not doing multiple-implementation inheritance and we're not using operator overloading." There are just a bunch of features that you're not going to use because the complexity of the resulting code is too high. And I don't think it's good when you have to start doing that. You lose this programmer portability where everyone can read everyone else's code, which I think is such a good thing.
Donald Knuth (1993, commenting on pre-standardized C++), who said of Edsger Dijkstra that "to think of programming in C++" "would make him physically ill":[5][6]
The problem that I have with them today is that... C++ is too complicated. At the moment, it's impossible for me to write portable code that I believe would work on lots of different systems, unless I avoid all exotic features. Whenever the C++ language designers had two competing ideas as to how they should solve some problem, they said "OK, we'll do them both". So the language is too baroque for my taste.
Ken Thompson, who was a colleague of Bjarne Stroustrup at Bell Labs, gives his assessment:[7][4]
It certainly has its good points. But by and large I think it's a bad language. It does a lot of things half well and it's just a garbage heap of ideas that are mutually exclusive. Everybody I know, whether it's personal or corporate, selects a subset and these subsets are different. So it's not a good language to transport an algorithm—to say, "I wrote it; here, take it." It's way too big, way too complex. And it's obviously built by a committee. Stroustrup campaigned for years and years and years, way beyond any sort of technical contributions he made to the language, to get it adopted and used. And he sort of ran all the standards committees with a whip and a chair. And he said "no" to no one. He put every feature in that language that ever existed. It wasn't cleanly designed—it was just the union of everything that came along. And I think it suffered drastically from that.
Remove ads
Slow compile times
Summarize
Perspective
The natural interface between source files in C and C++ are header files. Each time a header file is modified, all source files that include the header file should recompile their code. Header files are slow because they are textual and context-dependent as a consequence of the preprocessor.[8] C only has limited amounts of information in header files, the most important being struct declarations and function prototypes. C++ stores its classes in header files and they not only expose their public variables and public functions (like C with its structs and function prototypes) but also their private functions. This forces unnecessary recompilation of all source files which include the header file each time these private functions are edited. This problem is magnified where the classes are written as templates, forcing all of their code into the slow header files, which is the case with much of the C++ standard library. Large C++ projects can therefore be relatively slow to compile.[9]
The problem is largely solved by precompiled headers in modern compilers or using the module system that was added in C++20; C++23 exposes the functionality of standard library through the standard modules.[10]
Remove ads
Global format state of <iostream>
Summarize
Perspective
C++ <iostream>, unlike C <stdio.h>, relies on a global format state. This fits very poorly together with exceptions, when a function must interrupt the control flow, after an error but before resetting the global format state. One fix for this is to use resource acquisition is initialization (RAII), which is implemented in the Boost[11] libraries and part of the C++ Standard Library.
<iostream> uses static constructors which causes overhead if included, even if the library is not used.[12] Another source of bad performance is the misuse of std::endl instead of \n when doing output, as it also calls .flush(). C++ <iostream> is by default synchronized with <stdio.h> which can cause performance problems in command-line I/O intensive applications. Shutting it off can improve performance but forces giving up some ordering guarantees.
Here follows an example where an exception interrupts the function before std::cout can be restored from hexadecimal to decimal. The error number in the catch statement will be written out in hexadecimal which probably is not what one wants:  
#include <iostream>
#include <vector>
int main() {
    try {
        std::cout << std::hex << 0xFFFFFFFF << '\n';
        // std::bad_alloc will be thrown here:
        std::vector<int> v(0xFFFFFFFFFFFFFFFFull);
        std::cout << std::dec; // Never reached
        // (using scopes guards would have fixed that issue 
        // and made the code more expressive)
    } catch (const std::exception& e) {
        std::cout << "Error number: " << 10 << '\n';  // Not in decimal
    }
}
It is even acknowledged by some members of the C++ standards body[13] that <iostream> is an aging interface that eventually needs to be replaced.
C++20 added std::format that eliminated the global formatting state and addressed other issues in iostreams.[14] For example, the catch clause can now be written as
std::cout << std::format("Error number: {}\n", 10);
which is not affected by the stream state. The design of std::format permits more performant implementations, comparable or even faster (because of locale independence) to that of printf.[14]
C++23 added std::print and std::println which are both formatted, now no longer relying on direct calls to std::cout and std::cerr and not relying on repetitive string concatenations. This example now becomes:
std::println("Error number: {}", 10);
Remove ads
Iterators
Summarize
Perspective
The philosophy of the Standard Template Library (STL) embedded in the C++ Standard Library is to use generic algorithms in the form of templates using iterators. Early compilers optimized small objects such as iterators poorly, which Alexander Stepanov characterized as the "abstraction penalty", although modern compilers optimize away such small abstractions well.[15] The interface using pairs of iterators to denote ranges of elements has also been criticized.[16][17] The C++20 standard library's introduction of the std::ranges library solves this problem.[18]
One big problem is that iterators often deal with heap allocated data in the C++ containers and become invalid if the data is independently moved by the containers. Functions that change the size of the container often invalidate all iterators pointing to it, creating dangerous cases of undefined behavior.[19][20] Here is an example where the iterators in the for loop get invalidated because of the std::string container changing its size on the heap:
import std;
using std::string;
int main() {
    string text = "One\nTwo\nThree\nFour\n";
    // Let's add an '!' where we find newlines
    for (auto it = text.begin(); it != text.end(); ++it) {
        if (*it == '\n') {
            // it =
            text.insert(it, '!') + 1;
            // Without updating the iterator this program has
            // undefined behavior and will likely crash
        }
    }
    std::print("{}", text);
}
Remove ads
Uniform initialization syntax
The C++11 uniform initialization syntax and std::initializer_list share the same syntax which are triggered differently depending on the internal workings of the classes. If there is a std::initializer_list constructor then this is called. Otherwise the normal constructors are called with the uniform initialization syntax. This can be confusing for beginners and experts alike.[21][12]
import std;
using std::vector;
int main() {
    int i1{10}; // int
    int i2(10); // int
    vector<int> v1{10, 0}; // std::initializer_list
    vector<int> v2(10, 0); // std::size_t, int
    std::println("Will print 10:\n{}, i1);
    std::println("Will print 10:\n{}, i2);
    std::println("Will print 10,0,");
    for (const int& i: v1) {
        std::print("{},", i);
    }
    std::println("\nWill print 0,0,0,0,0,0,0,0,0,0,");
    for (const int& i: v2) {
        std::print("{},", i);
    }
}
Remove ads
Exceptions
There have been concerns that the zero-overhead principle[22] is not compatible with exceptions.[12] Most modern implementations have a zero performance overhead when exceptions are enabled but not used, but do have an overhead during exception handling and in binary size due to the need to unwind the call stack. Many compilers support disabling exceptions from the language to save the binary overhead. Exceptions have also been criticized for being unsafe for state-handling. This safety issue has led to the invention of the RAII idiom,[23] which has proven useful beyond making C++ exceptions safe.
Remove ads
Encoding of string literals in source-code
Summarize
Perspective
C++ string literals, like those of C, do not consider the character encoding of the text within them: they are merely a sequence of bytes, and the C++ string class follows the same principle. Although source code can (since C++11) request an encoding for a literal, the compiler does not attempt to validate that the chosen encoding of the source literal is "correct" for the bytes being put into it, and the runtime does not enforce character encoding. Programmers who are used to other languages such as Java, Python or C# which try to enforce character encodings often consider this to be a defect of the language.[citation needed]
The example program below illustrates the phenomenon. However, this code is not valid since C++20.
#include <iostream>
#include <string>
int main() {
    // all strings are declared with the UTF-8 prefix
    // file encoding determines the encoding of å and Ö
    std::string auto_enc = u8"Vår gård på Öland!";
    // this text is well-formed in both ISO-8859-1 and UTF-8
    std::string ascii = u8"Var gard pa Oland!";
    // explicitly use the ISO-8859-1 byte-values for å and Ö
    // this is invalid UTF-8
    std::string iso8859_1 = u8"V\xE5r g\xE5rd p\xE5 \xD6land!";
    // explicitly use the UTF-8 byte sequences for å and Ö
    // this will display incorrectly in ISO-8859-1
    std::string utf8 = u8"V\xC3\xA5r g\xC3\xA5rd p\xC3\xA5 \xC3\x96land!";
    std::cout << "byte-count of automatically-chosen, [" << auto_enc
              << "] = " << auto_enc.length() << '\n';
    std::cout << "byte-count of ASCII-only [" << ascii << "] = " << ascii.length()
              << '\n';
    std::cout << "byte-count of explicit ISO-8859-1 bytes [" << iso8859_1
              << "] = " << iso8859_1.length() << '\n';
    std::cout << "byte-count of explicit UTF-8 bytes [" << utf8
              << "] = " << utf8.length() << '\n';
}
Despite the presence of the C++11 'u8' prefix, meaning "Unicode UTF-8 string literal", the output of this program actually depends on the source file's text encoding (or the compiler's settings - most compilers can be told to convert source files to a specific encoding before compiling them). When the source file is encoded using UTF-8, and the output is run on a terminal that's configured to treat its input as UTF-8, the following output is obtained:
byte-count of automatically-chosen, [Vår gård på Öland!] = 22 byte-count of ASCII-only [Var gard pa Oland!] = 18 byte-count of explicit ISO-8859-1 bytes [Vr grd p land!] = 18 byte-count of explicit UTF-8 bytes [Vår gård på Öland!] = 22
The output terminal has stripped the invalid UTF-8 bytes from display in the ISO-8859 example string. Passing the program's output through a Hex dump utility will reveal that they are still present in the program output, and it is the terminal application that removed them.
However, when the same source file is instead saved in ISO-8859-1 and re-compiled, the output of the program on the same terminal becomes:
byte-count of automatically-chosen, [Vr grd p land!] = 18 byte-count of ASCII-only [Var gard pa Oland!] = 18 byte-count of explicit ISO-8859-1 bytes [Vr grd p land!] = 18 byte-count of explicit UTF-8 bytes [Vår gård på Öland!] = 22
One proposed solution is to make the source encoding reliable across all compilers.
Remove ads
Miscellaneous
- C++ lacks a central ecosystem, similar to that of Rust. For example, CMake is often criticised for its verbosity and complexity, compared to the simpler Cargo build system and package manager for Rust.[citation needed]
- C++ does not separate the standard library into finer namespaces. While this has gradually changed, such as with the introduction of namespaces std::chrono(C++11),std::filesystem(C++17),std::ranges(C++20), andstd::meta(C++26), traditionally the C++ standard library placed all of its symbols in namespacestdwithout further division, unlike Rust which has namespaces such asstd::collectionsandstd::ioor Java which hasjava.utilandjava.io.
- C++ naming conventions are not unified.[24] The C++ Standard Library and Boost libraries use snake_case, however camelCase and PascalCase (similar to Java) is often the more widely used convention. Few modern programming languages use snake_case for naming non-primitive object types.
Remove ads
See also
References
Further reading
External links
Wikiwand - on
Seamless Wikipedia browsing. On steroids.
Remove ads
