Here are 24 C++ pitfalls to avoid.

Here are 24 C++ pitfalls to avoid.

[[396092]]

This article is reprinted from the WeChat public account "Program Cat Adult", the author is Program Cat Adult. Please contact Program Cat Adult's public account to reprint this article.

The following is the table of contents of this article:

First, what is the difference between C++ and C? Let me share an answer I saw on Zhihu:

  • C++ ≈ C with classes, C with STL
  • C: Machine-Oriented Programming
  • C++: Compiler-Oriented Programming

C++ has a very important feature called RAII. I think it can be used a lot and is quite convenient. For more information about the clever use of RAII, you can read my two articles "The Magic of RAII: ScopeExit" and "The Magic of RAII: Calculating Function Time Consumption".

Now, let me list the common pitfalls in using C++ one by one:

Incorrect use of unsigned integers

  1. for (unsigned int i = 10; i >= 0; --i) { ... }  

What will happen in the above code? It will go into an infinite loop. Pay attention to the use of unsigned integers here.

The size() return type of a container is an unsigned integer

  1. std::vector< int > vec;
  2. vec.push_back(1);
  3. for (auto idx = vec. size (); idx >= 0; idx --) {  
  4. cout << "===== \n" ;
  5. }

This code will still have an infinite loop, refer to the previous one for the reason.

memcpy and memset are only applicable to POD structures

As for what a POD type is, it is actually quite difficult to explain. If you are interested, you can directly look at cppreference https://en.cppreference.com/w/cpp/named_req/PODType

Pay attention to iterator invalidation when traversing and deleting STL

  1. void erase(std::vector< int > &vec, int a) {
  2. for (auto iter = vec.begin (); iter != vec.end ( ) ; ) { // This is correct
  3. if (*iter == a) {
  4. iter = vec.erase(iter);
  5. } else {
  6. ++iter;
  7. }
  8. }
  9.  
  10. for (auto iter = vec. begin (); iter != vec. end (); ++iter) { // error
  11. if (*iter == a) {
  12. vec.erase(iter); // error
  13. }
  14. }
  15. }

std::list sorting using own member methods

General container sorting uses std::sort(), but list is special.

  1. int main() {
  2. std::list< int > list{1, 2, 3, 2};
  3. list.sort();
  4. // std::sort(list. begin (), list. end ());
  5. for (auto i : list) {
  6. std::cout << i << " " ;
  7. }
  8. std::cout << "\n" ;
  9. return 0;
  10. }

Strict pairing of new/delete, new[]/delete[], malloc/free

These must be used in pairs. For the reason, you can read my previous article "Why should new[] and delete[] be used in pairs?"

The base class destructor must be a virtual function

If it is not a virtual function, there may be a memory leak problem

Comments are written with /**/ instead of //

Using /**/ for comments may cause problems. Reason: After the encoding of utf-8 and ANSC (GB2312) is confused, Chinese comments are garbled. The garbled characters contain */, which is mismatched. As a result, the actual commented part of the IDE is not visible to the naked eye, making it extremely difficult to locate. This is common in Windows.

Member variable initialization

Member variables have no default initialization behavior and need to be initialized manually.

Do not return pointers or references to local variables

  1. char * func() {
  2. char a[3] = { 'a' , 'b' , 'c' };
  3. return a;
  4. }

Stack memory is easily polluted.

Floating point number equality problem

  1. float f;
  2. if (f == 0.2) {} // Incorrect usage
  3. if ( abs (f - 0.2) < 0.00001) {} // Correct usage

Vector clear and swap issues

To clear a vector, you can use swap instead of its clear method, which can release the internal memory of the vector earlier.

  1. vector< int > vec;
  2. vector< int >().swap(vec);
  3. vec.clear();

Vector Problem

Try not to store bool types in vectors. For optimization purposes, vectors don’t actually store bools inside.

Condition variables

There are two major problems with the use of conditional variables: signal loss and false wakeup, which are quite important. For details, please refer to my article "Do you know the pitfalls of using conditional variables?"

Type conversion

In C++, try to use the four C++ style type conversions instead of C language style forced type conversions.

Use of async in asynchronous operations

  1. std::async(std::launch::async, []{ f(); }); // The destructor of the temporary waits for f()
  2. std::async(std::launch::async, []{ g(); }); // does not start until f() completes

The future returned by std::async behaves differently from the future obtained through promise. The future object returned by async will block and wait for the thread in async to complete execution when it is destroyed. This means that in most scenarios, async cannot achieve the purpose you intuitively think it can achieve.

Smart Pointers

Do not wrap a raw pointer with multiple smart pointers, and use make_unique and make_shared as much as possible.

When you need to use this as a smart pointer in the internal interface of a class, you need to derive this class from enable_shared_from_this

Stack memory usage

Reasonable use of stack memory, especially arrays. Array out-of-bounds problems can easily lead to stack space damage. You can consider using std::array instead of ordinary arrays.

Use of std::thread

Be sure to remember to join or detach, otherwise it will crash.

  1. void func() {}
  2. int main() {
  3. std::thread t(func);
  4. if (t.joinable()) {
  5. t.join (); // or t.detach();
  6. }
  7. return 0;
  8. }

Enum usage

Try to use enum class instead of enum. Enum class is an enumeration type with a scope.

For null pointers, use nullptr instead of NULL

As for why it is used this way, you can read my article "You must read this article about nullptr"

  1. void func( char *) {
  2. cout << "char*" ;
  3. }
  4. void func( int ) {
  5. cout << "int" ;
  6. }
  7.  
  8. int main() {
  9. func( NULL ); // Compilation failed error: call of overloaded 'func( NULL )' is ambiguous
  10. func(nullptr); // char *
  11. return 0;
  12. }

Use of std::remove

This remove does not actually delete the element. It needs to be used in conjunction with erase. You will know it by running this code.

  1. bool isOdd( int i) { return i & 1; }
  2.  
  3. void print(const std::vector< int >& vec) {
  4. for (const auto& i : vec) {
  5. std::cout << i << ' ' ;
  6. }
  7. std::cout << std::endl;
  8. }
  9.  
  10. int main() {
  11. std::vector< int > v = {0, 1, 2, 3, 4, 5, 6, 7, 8, 9};
  12. print(v);
  13.  
  14. std::remove(v. begin (), v. end (), 5); // error
  15. print(v);
  16.  
  17. v.erase(std::remove(v. begin (), v. end (), 5), v. end ());
  18. print(v);
  19.  
  20. v.erase(std::remove_if(v. begin (), v. end (), isOdd), v. end ());
  21. print(v);
  22. }

Global variable initialization problem

The order of initialization of global variables in different files is not fixed. Global variables should not depend on each other as much as possible. Otherwise, bugs may occur due to the problem of unstable initialization order.

<<:  5G commercialization two years review: Operators spent 175.7 billion yuan last year and have built the world's largest 5G mobile network

>>:  Three-minute review! A quick overview of 5G industry development trends in April 2021

Recommend

How can the CDN industry break through the era of negative gross profit?

Since the Ministry of Industry and Information Te...

Differences between Single Mode Fiber and Multimode Fiber

What is Fiber Optic? Fiber optics is a type of ne...

Things about UDP protocol

UDP (User Datagram Protocol) protocol, translated...

5G has nothing to do with WiFi

A quick note: the Wi-Fi that all of our connected...

What will be the future of the Internet after the heyday?

On April 19, it was reported that the current Int...

IoT and 5G: A blessing or a curse?

The UK's recent decision to phase out Huawei ...

A must-read for professionals! Intuitive diagrams of weak current subsystems!

The most direct and effective way to get familiar...

From darling to outcast, is Huawei's 5G journey in the UK really over?

On July 14, with the announcements made by Britis...