Click here to Skip to main content
15,890,506 members
Articles / Programming Languages / C#
Article

Coding Standards for C#: Names

Rate me:
Please Sign up or sign in to vote.
3.25/5 (50 votes)
7 Apr 2007CPOL4 min read 170.9K   50   34
Comprehensive and essential facts which we developers sometimes neglect in C#

Introduction

When I was looking for a standard convention for generics, I came across a 50-page manual for coding standards for C#. I am sure that, apart from the author, there are few who actually go through and read all of them. So, I thought of coming up with this article. I have tried to comprehend the essential facts which we developers sometimes neglect in C#. I will also discuss some common pitfalls.

Small, sweet and simple.

That's how I describe it. I hope you enjoy reading.

Why Coding Standards

Simple: maintainability. If, 6 months down the line, your customer isn't too happy with the product and wants an enhancement in the application you have created, you should be able to do it without introducing new bugs. There are a lot of other good reasons, but this is the one which concerns us more than anything else.

Not following any standard is like going with a temporary solution (which might lead to a permanent problem) and, as you will see, it takes less effort to keep in mind a few simple measures than to do haphazard coding.

All you have to do is study good standards once and keep them in the back of your head. Trust me; it's worth it.

Contents

  1. Naming - What is meant by meaningful names
  2. Casing - When to use PascalCase and when camelCase
  3. Generics - Proper usage
  4. Delegates - Proper usage
  5. Miscellaneous - Some short tidbits
  6. Common Pitfalls - Mistakes we should watch out for
  7. References - Where to get more information

Naming

"The beginning of wisdom is to call things by their right names" - Chinese Proverb

"Meaningful" is the keyword in naming. By meaningful names, I mean concise names that accurately describe the variable, method or object. Let's see how this would be in C#:

Namespaces - Names should be meaningful and complete. Indicate your company or name, product and then your utility. Do not abbreviate.

C#
//Good
namespace CompanyName.ProductName.Utility

//Bad
namespace CN.PROD.UTIL

Classes - Class names should always be a noun and, again, should be meaningful. Avoid verbs.

C#
//Good
class Image
{
   ...
}
class Filters
{
   ...
}

//Bad
class Act
{
   ...
}
class Enhance
{
   ...
}

Methods - Always use a verb-noun pair, unless the method operates on its containing class, in which case, use just a verb.

C#
//Good
public void InitializePath();
public void GetPath();
public void ShowChanges();
public void System.Windows.Forms.Form.Show();

//Bad
public void Path();
public void Changes();

Methods with return values - The name should reflect the return value.

C#
//Good
public int GetImageWidth(Bitmap image);

//Bad
public int GetDimensions(Bitmap image);

Variables - Do not abbreviate variable names. Variable names should again be descriptive and meaningful.

C#
//Good
int customerCount = 0;
int index = 0;
string temp = "";

//Bad
int cc = 0;
int i = 0;
string t = "";

Private member variables - Prefix class member variables with m_.

C#
public class Image
{
   private int m_initialWidth;
   private string m_filename;
   ...
}

Interfaces - Prefix all interface names with I. Use a name that reflects an interface's capabilities, either a general noun or an "-able".

C#
interface IClock
{
   DateTime Time { get; set; }
   ...
}

interface IAlarmClock : IClock
{
   void Ring();
   DateTime AlarmTime { get; set; }
   ...
}

interface IDisposable
{
   void Dispose();
}

interface IEnumerable
{
   IEnumerator GetEnumerator();
}

Custom attributes - Suffix all attribute class names with Attribute. The C# compiler recognizes this and allows you to omit it when using it.

C#
public class IsTestedAttribute : Attribute
{
   public override string ToString()
   {
      return "Is Tested";
   }
}

//"Attribute" suffix can be omitted
[IsTested]
public void Ring();

Custom exceptions - Suffix all custom exception names with Exception.

C#
public class UserNotExistentException :
    System.ApplicationException
{
   ...
}

Delegates - Suffix all event handlers with Handler; suffix everything else with Delegate.

C#
public delegate void ImageChangedHandler();
public delegate string StringMethodDelegate();

Casing

C# standards dictate that you use a certain pattern of Pascal Casing (first word capitalized) and Camel Casing (all but first word capitalized).

Pascal Casing - Use PascalCasing for classes, types, methods and constants.

C#
public class ImageClass
{
   const int MaxImageWidth = 100;
   public void ResizeImage();
}

enum Days
{
   Sunday,
   Monday,
   Tuesday,
   ...
}

Camel Casing - Use camelCasing for local variables and method arguments.

C#
int ResizeImage(int imageCount)
{
   for(int index = 0; index < imageCount; index++)
   {
      ...
   }
}

Generics

Generics, introduced in .NET 2.0, are classes that work uniformly on values of different types.

Use capital letters for types; don't use "Type" as a suffix.

C#
//Good
public class Stack ‹T›

//Bad
public class Stack ‹t›
public class Stack ‹Type›

Delegates

Use delegate inference instead of explicit delegate instantiation.

C#
public delegate void ImageChangedDelegate();
public void ChangeImage()
{
   ...
}

//Good
ImageChangedDelegate imageChanged = ChangeImage;

//Bad
ImageChangedDelegate imageChanged =
    new ImageChangedDelegate(ChangeImage);

Use empty parenthesis on anonymous methods without parameters.

C#
public delegate void ImageChangeDelegate();
ImageChangedDelegate imageChanged = delegate()
{
   ...
}

Miscellaneous

  • Avoid putting using statements inside a namespace
  • Check spelling in comments
  • Always start left curly brace { on a new line
  • Group framework namespaces together; add custom and thirdparty namespaces below
  • Use strict indentation (3 or 4 spaces, no tabs)
  • Avoid fully qualified type names
  • Indent comment at the same line as the code
  • All member variables should be declared at the top of classes; properties and methods should be separated by one line each
  • Declare local variables as close as possible to the first time they're used
  • File names should reflect the classes that they contain

Common Pitfalls

Let's face it, we all do these things one time or another. Let's avoid them as best as we can:

Names that make sense to no one but ourselves.

C#
string myVar;
MyFunction();

Single or double letter variable names (this is excusable for local variables).

C#
int a, b, c, a1, j1, i, j, k, ii, jj, kk, etc.

Abstract names.

C#
private void DoThis();
Routine48();
string ZimboVariable;

Acronyms.

C#
//AcronymFunction
AF();
//SuperFastAcronymFunction
SFAT()

Different functions with similar names.

C#
DoThis();
DoThisWillYa();

Names starting with underscores. They look cool, but let's not ;)

C#
int _m1 = 0;
string __m2 = "";
string _TempVariable = "";

Variable names with subtle and context-less meanings.

C#
string asterix = "";
// (this is the best function of all)
void God()
{
   ...
}

Abbreviations.

C#
string num;
int abr;
int i;

References

And Thanks

For reading this far. I am looking forward to your valuable suggestions. Take care!

History

  • 7th April, 2007: Initial post

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Web Developer
United States United States
Biography Whats that ?
lots to do so less time

Comments and Discussions

 
GeneralMy vote of 5 Pin
AteşG26-Sep-11 2:13
AteşG26-Sep-11 2:13 
GeneralMy vote of 3 Pin
hfrmobile19-Jan-11 3:43
hfrmobile19-Jan-11 3:43 
QuestionAre there any standards to cover project structures? Pin
midspace11-Jan-10 17:15
midspace11-Jan-10 17:15 
AnswerRe: Are there any standards to cover project structures? Pin
hfrmobile19-Jan-11 3:49
hfrmobile19-Jan-11 3:49 
General.NET Design Guidelines for Class Library Developers Pin
jim_29-Apr-07 11:54
jim_29-Apr-07 11:54 
GeneralRe: .NET Design Guidelines for Class Library Developers Pin
DavidNohejl16-Apr-07 5:39
DavidNohejl16-Apr-07 5:39 
GeneralLiked it Pin
Raj Lal9-Apr-07 8:37
professionalRaj Lal9-Apr-07 8:37 
GeneralRe: Liked it Pin
LakshmiChava11-Apr-07 11:09
LakshmiChava11-Apr-07 11:09 
QuestionThis is okay? Pin
Syed M Hussain8-Apr-07 12:29
Syed M Hussain8-Apr-07 12:29 
AnswerRe: This is okay? Pin
ryanoc3339-Apr-07 2:13
ryanoc3339-Apr-07 2:13 
AnswerRe: This is okay? Pin
SDragon429-Apr-07 4:21
SDragon429-Apr-07 4:21 
AnswerRe: This is okay? Pin
LakshmiChava11-Apr-07 11:08
LakshmiChava11-Apr-07 11:08 
GeneralMethod parameters Pin
ComplexityChaos8-Apr-07 3:26
ComplexityChaos8-Apr-07 3:26 
GeneralRe: Method parameters Pin
li_robert8-Apr-07 4:28
li_robert8-Apr-07 4:28 
GeneralRe: Method parameters Pin
SDragon429-Apr-07 4:10
SDragon429-Apr-07 4:10 
GeneralSome comments Pin
John C. Turner7-Apr-07 20:40
John C. Turner7-Apr-07 20:40 
GeneralRe: Some comments Pin
LakshmiChava7-Apr-07 21:37
LakshmiChava7-Apr-07 21:37 
QuestionReferencing class methods / variables Pin
Jamie Furtner7-Apr-07 20:22
Jamie Furtner7-Apr-07 20:22 
AnswerRe: Referencing class methods / variables Pin
LakshmiChava7-Apr-07 22:07
LakshmiChava7-Apr-07 22:07 
AnswerRe: Referencing class methods / variables Pin
Kevmeister6817-Apr-07 19:15
Kevmeister6817-Apr-07 19:15 
GeneralTwo more Rules Pin
Uwe Keim7-Apr-07 20:09
sitebuilderUwe Keim7-Apr-07 20:09 
GeneralRe: Two more Rules Pin
LakshmiChava7-Apr-07 21:39
LakshmiChava7-Apr-07 21:39 
GeneralChoose examples more carefuly Pin
DavidNohejl7-Apr-07 12:47
DavidNohejl7-Apr-07 12:47 
GeneralRe: Choose examples more carefuly Pin
LakshmiChava7-Apr-07 13:13
LakshmiChava7-Apr-07 13:13 
GeneralRe: Choose examples more carefuly Pin
DavidNohejl7-Apr-07 13:46
DavidNohejl7-Apr-07 13:46 

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.