Click here to Skip to main content
15,885,546 members
Articles / Desktop Programming / MFC
Article

MFC Windows Coding Guidelines

Rate me:
Please Sign up or sign in to vote.
4.68/5 (45 votes)
14 Sep 200513 min read 128.1K   102   41
An article on how to write better readable code.

Contents

Prerequisites

By function I mean:

  • global function
  • static/instance method

Carefully read the documentation/Press F1 (Ctrl-F1) if you are not sure about something

Image 1

Switch these options on in your Visual Studio project options

  • C++ - General
    • Warning level - Level 4 (All builds)
      • Make sure your code compiles without any single warning.
    • Detect 64-portability issues – Yes (All builds)
  • C++ - Code generation
    • Smaller type check – Yes (Debug builds only)
      • Helps detect constructs in which there is data loss. Works during run time.
    • Basic runtime checks – Both (Debug builds only)
      • Helps avoid buffer overruns and uninitialized parameters. Works during run time.
    • Buffer security check - Yes (Release builds only)
      • Helps avoid buffer overruns.
    • Runtime library - Multithreaded Debug DLL (Debug), Multithreaded DLL (Release)
      • Compilation is faster and code is shared.
  • C++ - Language
    • Treat wchar_t as built-in type (All builds)
      • ISO C++ conformance (default in VS2005)
    • Force conformance in for loop scope - Yes (All builds)
      • ISO C++ conformance (default in VS2005)

After switching to warning level 4 (or, what is worse even before) you may encounter many warnings. You can get rid of them by:

  • Rewriting some code (recommended)
  • Using casting – but be very, I repeat very careful with it.
  • Commenting out unreferenced parameters.
  • Deleting unreferenced local variables (Why aren’t they used any more?).
  • Using #pragma warning for particular warning (but use it with comment).
    • Do not disable warning for the whole file, only the smallest part you have to handle.
    • Remember to switch to default warning.

Image 2

Image 3

Use ASSERT macro as often as possible

_ASSERTE, ASSERT (MFC/ATL), assert (standard C++)

These macros are removed during preprocessing in release builds along with expressions passed to them so they don’t hurt performance in final build at all.

They take boolean expression as parameters or any expression than can be implicitly converted to boolean.

Always check for correctness of parameters passed to the function (especially pointers). In methods, also check the internal state of the object the function was called on. Trust no one (including you). Check the results of your calculations. Use these macros even for things that you believe are ‘obvious’. Be prepared for invalid parameters, but remember – these macros are removed in the final build so you should also consider the usual checking and don’t pass to assert expressions that have to be evaluated in release builds as well. Remember – assert lines are removed during preprocessing in release builds.

Favor _ASSERTE over other types of assertions when possible, because when assertion fails it will provide a richer message to the tester.

You can also use _ASSERTE in a tricky way. If you just want to signal an unusual state of the application, try using _ASSERTE(!"Some text to display"); instead of _ASSERTE(false); or _ASSERTE(0);.

Image 4

Image 5

Image 6

When assertion (_ASSERTE in this case) fails, you will see a window like this:

Image 7

Now you can press ‘Retry’ and go to the debugger, check parameters, call stack etc. and find the bug. You can also choose to press ‘Ignore’. In this case further control flow will be exactly as in builds without the assert macro and you can find out what will happen.

But remember – these macros exist only in debug builds. Don’t do like this:

Image 8

If you want the expression to be evaluated in all builds, use the MFC VERIFY macro. Read more about ASSERT/VERIFY macro in the Visual Studio documentation.

Use exceptions to signal errors: don’t write functions that return special values to signal error, even if this value is false. Some day you will forget to check the returned value!

However, don’t use exceptions as a control-flow mechanism. Do not throw exceptions in destructors, and do not call anything that might throw an exception unless you're prepared to catch it and deal with it.

Improperly used exception mechanism can lead to resource leaks and bugs.

Image 9

Remember – every C++ function, including [], = operators, constructors, copy constructors can throw an exception unless explicitly declared with throw(). So be prepared!

Check returned values from WinAPI /MFC calls

Check all such values and react somehow - throw exception, return false etc. - on failure. It is tiring? I told you exceptions are better.

Image 10

If there is nothing you can do when a function fails just use the VERIFY macro. It works exactly the same as ASSERT macro in debug builds. In release builds parameters passed to the macro are still evaluated.

For example, there is nothing you can do if CloseFile fails but at least in debug builds you will know about such an event and you can think a little and figure out why this happened and maybe find some bug(s) in your code…

Image 11

CString::LoadString(nID) is good for VERIFY macro because it returns FALSE on failure so when it fails you will know that (probably) nID string table entry was not defined.

You can create a Visual Studio macro for fast adding of VERIFY/_ASSERTE.

Use exact type

If documentation says that function returns BOOL, don’t write:

Image 12

Even if it compiles without any message. Write instead:

Image 13

This is very important for types like:

  • All pointers
  • HWND
  • HANDLE
  • HINSTANCE
  • UINT_PTR
  • SIZE_T, size_t
  • DWORD_PTR
  • LONG_PTR
  • LPARAM
  • WPARAM

It is important because some types’ size changes when compiled for different platforms, like 64 bit. Don’t cast these types to similar ones, e.g. UINT_PTR to UINT, these casts will result in a serious error on 64 bit platforms.

Avoid casting

If you have to cast - use C++ style casting. Are you sure you have to?

Image 14

If you really have to cast, use static_cast. Avoid other casting types, especially reinterpret_cast.

Avoid ‘magic’ numbers

Don’t use constant numbers in your code. Use only values like 0, 1, -1. Don’t use string literals either.

Image 15

If you really have to use such numbers, use descriptive names and the following solution:

Image 16

Avoid making these constants global. Limit their scope by declaring them inside the class or inside an anonymous namespace in your CPP file.

Avoid using #define as much as possible. You should replace #define with something that the C++ compiler actually understands so that it can do better error checking: instead of macros use const for constants, enum for related constants, and inline functions.

Change your coloring scheme that numbers are displayed in red so it’s easier to find and avoid such numbers.

Are you sure you really have to use constants at all?

Enclose string literals in _T macro

To make sure that your project compiles and works also in Unicode builds, enclose all your string literals in _T() macro. In MBCS builds, this macro does nothing. In Unicode builds, this macro adds a ‘L’ at the beginning of the literal so it is treated by the compiler as a Unicode string.

Use _tcsXXX functions instead of strXXX, but the best way is just use CString methods. Use TCHAR instead of char and const TCHAR* instead of const char*.

Build your project with Unicode switched on sometimes. The best way is just add new Unicode configurations to your project.

Windows NT, 2000, XP, Server 2003, Vista and later Windows operating systems are all Unicode based. MBCS applications run slower on those systems.

Read the documentation about the _T macro in MSDN.

Use code comments

Also use comments when something unusual is done for purpose.

Image 17

In general, comments should be:

  • Brief
  • Clear
  • Don’t contain information that could be easily found in the code
  • Explain why instead of how
  • Close to the code they refer to as possible

Remember to update comments while updating code!

Pass ‘bigger’ parameters to functions by const reference

If the function only reads such a parameter (of type class or struct) it should be passed by const reference. If the function needs to change it/call non const methods on it, consider using a pointer.

Parameters such as built-in integral types, floating point values etc. should be passed by value unless the function needs to change it.

Image 18

Avoid copy/paste - code duplication

Don’t copy/paste your code! Consider making a function and call it from different places. If it is small you can mark it as inline, the compiler is smart enough to super optimize it.

Image 19

Even the smallest function can change so it will be easier and faster to update the project.

Avoid complexity!

Don’t make your functions lengthy. One/two full screens are enough. Prefer simplicity and readability. Split the function if it’s too long/complex.

Strictly separate interface and implementation, UI and actual logic (at various levels)

Don’t make your program logic in CDialog-derived classes. Try separate actual logic (maybe a class or group of classes) in separate cpp/h pair and just use it in your interface class.

Don’t use public variables in classes/structs

Use inline getters/setters instead (but generally such design should be omitted). By doing that, future code changes will be easier + you can check whether a parameter is valid. Do the same with protected variables. Mark getters as const. Avoid extensive use of global/static variables.

Image 20

Don’t overdo with these functions. Try hiding implementation as much as possible.

Avoid long switch instructions

Try using Object Orientation/loops instead Avoid also something like this:

  • Make the loop/OO do the job!

Don’t design like this:

Image 21

Do this::

Image 22

Image 23

Use as much of OO as possible

If classes have something in common – just create a base class for them. For example, all CDialog-derived classes in your application should be derived from a common class – CMyApplicationCommonDialogBase. Even if you don’t add new functionality, maybe you will in the future – it will be easy (for example, make all your dialogs have white background).

Class definitions

Every class definition should be structured so that the public section appears first, followed by the protected and finally the private section. When inlining functions, don’t put them inside the class definition unless they fit in only one line of code. If not, put them at the end of the header file.

Always declare a copy constructor and assignment operator in your class to protect it from shallow copy (protect classes from shallow copy). If they are not needed in the code, make them private and don’t define a body.

Consider using explicit keyword on constructors taking only one parameter. This helps avoiding some class of bugs:

Image 24

Make only non-explicit constructors. If you want, its parameter type can be ‘converted’ to your type.

If there is possibility that a class may be inherited (almost always is), make for that class a virtual destructor.

Image 25

Use constructor initialization lists

Beware of the order in constructor initialization lists – it is the same as they were declared in the class not as they appear in the list.

Image 26

Instead of:

Image 27

This is important when m_var1 or m_var2 are not built-in types.

There are at least two reasons for doing that:

  • If m_var1 (or m_var2) throws an exception in the constructor – resources are properly cleaned.
  • Initialization list is faster in many cases.

Avoid returning from the middle of functions

Avoid returning from the middle of functions; this creates “jumps” in the code logic and makes the code more difficult to understand and modify. Try to always return either from the beginning or from the end of functions. Return from the beginning if, after checking the parameters, you find that the call was unnecessary; otherwise arrange the function logic so that the function will return from the end.

If you do such returns, maybe the design is wrong – consider splitting the function.

Declare and initialize variables where they are first used

Declare variables that are only assigned a value once and they don’t change as const.

Image 28

Don’t shadow variables

It can be hard to detect bugs.

Image 29

Other

  • In MFC dependant files, put this at the beginning of every CPP file after #include directives (if it’s not there already).

    Image 30

  • Don’t use many inline functions/__fastcall functions – they really don’t speed up an application so much but causes slower compilation and make code more dependant because they have to be put in a header file (interface is not well separated from implementation). Try using Inline Function Expansion – any suitable compiler option instead (in release builds only). If you think that the whole application will be faster by using such functions you are very wrong. In fact it could be slower… How is this possible? Try figuring it out… Try to address the system performance in a higher level.
  • Don’t use custom-but-already-defined functions – if you think you can do something better than standard C++/MFC/ATL library, you are probably wrong.
  • Your code should be self-documented – use descriptive variable/class/function names. Choose a name so that the reader will understand variable/class/function purpose without additional comments.
  • Embed enums in your class.
  • Declare variables that don’t change as const. Use the keyword “const” for formal function parameters when the function is not supposed to change them. Use also const after function declarations in a class when the functions are not supposed to change the object they belong to. Use const also on local function variables (for example, when they don’t change during the function/loop).

    Image 31

  • Names of identifiers should be chosen so that they enhance readability and writeability.
  • Do not #include a header file for a class that is referred to by pointer or reference only. Instead use a forward class declaration. Avoid code dependencies.
  • Avoid deeply nested code.
  • Once a method is declared as virtual in a base class, all derived class methods with the same type signature are virtual, even without the virtual keyword. However, you should carry the “virtual” keyword through derived classes even though it is redundant (it helps readability).
  • Avoid multiple inheritance, it can cause problems.
  • Use classes instead of structures. The only difference is that structure data members are public by default
  • When deleting an array, use the brackets [ ]. When deleting something that is not an array, don’t use [ ]. This is a common mistake, and the result is undefined.

    Image 32

  • Don’t use base class pointers to access an array of derived objects. Try to avoid arrays of polymorphic objects. Use an array (better: std::vector) of pointers to objects.
  • Most classes should declare (but not necessarily define) the following methods: default constructor, copy constructor, assignment operator, and destructor (possibly virtual). The reason is to protect against the compiler providing default definitions. You don’t have to define these methods unless these are used in the code, in which case it’s better to have your own methods instead of letting the compiler provide default definitions that are sometimes dangerous bit-wise copy of your objects.
  • Implement correctly, the assignment operator and the copy constructor.

    Image 33

  • Put always default in a switch statement. If the code is not supposed to ever execute the default statement, use tricky assert macro and throw an exception. Don’t forget about break!

    Image 34

  • Prefer quality over quantity. Think about the future. Favor extensibility.
  • Carefully read the documentation!!!

License

This article has no explicit license attached to it but may contain usage terms in the article text or the download files themselves. If in doubt please contact the author via the discussion board below.

A list of licenses authors might use can be found here


Written By
Web Developer
India India
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralMy vote of 5 Pin
sowbhagya sanjeev6-Jun-12 2:00
sowbhagya sanjeev6-Jun-12 2:00 
GeneralMy vote of 5 Pin
Anand K Reddy13-Apr-11 9:12
Anand K Reddy13-Apr-11 9:12 
GeneralNicely Written Pin
Zac Howland31-May-06 9:13
Zac Howland31-May-06 9:13 
GeneralAnd - above all - use LINT! Pin
gjr6-Mar-06 11:33
gjr6-Mar-06 11:33 
GeneralNice Idea! Pin
ThatsAlok20-Sep-05 18:41
ThatsAlok20-Sep-05 18:41 
Joke"Use as much of OO as possible" Pin
Nemanja Trifunovic20-Sep-05 7:15
Nemanja Trifunovic20-Sep-05 7:15 
GeneralRoom for improvement Pin
its_andyw20-Sep-05 6:09
its_andyw20-Sep-05 6:09 
General#ifdef _DEBUG in Other section Pin
Kevin D Sorensen20-Sep-05 5:44
Kevin D Sorensen20-Sep-05 5:44 
GeneralContradiction Pin
David Crow20-Sep-05 3:29
David Crow20-Sep-05 3:29 
GeneralMany good guidlines but... Pin
HumanOsc16-Sep-05 11:01
HumanOsc16-Sep-05 11:01 
GeneralVery good Pin
Trollslayer16-Sep-05 1:03
mentorTrollslayer16-Sep-05 1:03 
GeneralNoobs... Pin
Blake Miller15-Sep-05 4:17
Blake Miller15-Sep-05 4:17 
QuestionGood work Pin
Rob Caldecott14-Sep-05 21:22
Rob Caldecott14-Sep-05 21:22 
QuestionWhy avoid reinterpret_cast? Pin
Jim Crafton14-Sep-05 15:03
Jim Crafton14-Sep-05 15:03 
AnswerRe: Why avoid reinterpret_cast? Pin
Anonymous14-Sep-05 18:58
Anonymous14-Sep-05 18:58 
GeneralRe: Why avoid reinterpret_cast? Pin
Jim Crafton15-Sep-05 3:20
Jim Crafton15-Sep-05 3:20 
GeneralEquating NULL and false Pin
Ravi Bhavnani14-Sep-05 10:52
professionalRavi Bhavnani14-Sep-05 10:52 
GeneralRe: Equating NULL and false Pin
armentage14-Sep-05 11:20
armentage14-Sep-05 11:20 
GeneralRe: Equating NULL and false Pin
Ravi Bhavnani14-Sep-05 11:34
professionalRavi Bhavnani14-Sep-05 11:34 
GeneralRe: Equating NULL and false Pin
armentage14-Sep-05 12:01
armentage14-Sep-05 12:01 
GeneralRe: Equating NULL and false Pin
Ravi Bhavnani14-Sep-05 12:05
professionalRavi Bhavnani14-Sep-05 12:05 
GeneralRe: Equating NULL and false Pin
Trollslayer16-Sep-05 1:00
mentorTrollslayer16-Sep-05 1:00 
Do you mind if I play with the troll? Big Grin | :-D

The tigress is here Big Grin | :-D
GeneralRe: Equating NULL and false Pin
Ravi Bhavnani16-Sep-05 2:02
professionalRavi Bhavnani16-Sep-05 2:02 
GeneralRe: Equating NULL and false Pin
HumanOsc16-Sep-05 11:24
HumanOsc16-Sep-05 11:24 
GeneralRe: Equating NULL and false Pin
Jim Crafton14-Sep-05 14:58
Jim Crafton14-Sep-05 14:58 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.