KEMBAR78
.NET Class Library Design Guide | PDF | Constructor (Object Oriented Programming) | Programming
0% found this document useful (0 votes)
515 views104 pages

.NET Class Library Design Guide

The document provides design guidelines for developing .NET class libraries. It covers naming conventions, type usage guidelines, common design patterns, and other best practices. Key points include using PascalCasing for types and camelCasing for others, avoiding case sensitivity, and following common .NET naming conventions. The guidelines are intended to promote consistency and predictability in public APIs.

Uploaded by

Vijay Arockiaraj
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
0% found this document useful (0 votes)
515 views104 pages

.NET Class Library Design Guide

The document provides design guidelines for developing .NET class libraries. It covers naming conventions, type usage guidelines, common design patterns, and other best practices. Key points include using PascalCasing for types and camelCasing for others, avoiding case sensitivity, and following common .NET naming conventions. The guidelines are intended to promote consistency and predictability in public APIs.

Uploaded by

Vijay Arockiaraj
Copyright
© Attribution Non-Commercial (BY-NC)
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as DOC, PDF, TXT or read online on Scribd
You are on page 1/ 104

Design Guidelines

Version 1.0

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Revision History
Date <dd/mmm/yy> Version <x.x> <details> Description <name> Author

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Table of Contents
1. Design Guidelines for Class Library Developers 2. Relationship to the Common Type System and the Common Language Specification 3. Naming Guidelines 3.1 Capitalization Styles 3.2 Case Sensitivity 3.3 Abbreviations 3.4 Word Choice 3.5 Avoiding Type Name Confusion 3.6 Namespace Naming Guidelines 3.7 Class Naming Guidelines 3.8 Interface Naming Guidelines 3.9 Attribute Naming Guidelines 3.10 Enumeration Type Naming Guidelines 3.11 Static Field Naming Guidelines 3.12 Parameter Naming Guidelines 3.13 Method Naming Guidelines 3.14 Method Naming Guidelines 3.15 Event Naming Guidelines 4. Class Member Usage Guidelines 4.1 Property Usage Guidelines 4.2 Event Usage Guidelines 4.3 Method Usage Guidelines 4.4 Constructor Usage Guidelines 4.5 Field Usage Guidelines 4.6 Parameter Usage Guidelines 5. Type Usage Guidelines 5.1 Base Class Usage Guidelines 5.2 Value Type Usage Guidelines 5.3 Delegate Usage Guidelines 5.4 Attribute Usage Guidelines 5.5 Nested Type Usage Guidelines 6. Guidelines for Exposing Functionality to COM 7. Error Raising and Handling Guidelines 8. Array Usage Guidelines 9. Operator Overloading Usage Guidelines 10. Guidelines for Implementing Equals and the Equality Operator (==) 11. Guidelines for Casting Types 5 5 6 6 9 10 10 12 14 15 16 17 17 18 18 19 19 20 21 21 34 38 43 45 51 53 53 56 61 62 64 65 67 74 78 80 82

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

12. Common Design Patterns 12.1 Implementing Finalize and Dispose to Clean Up Unmanaged Resources 12.2 Implementing the Equals Method 12.3 Callback Function Usage 12.4 Time-Out Usage 13. Security in Class Libraries 14. Threading Design Guidelines 15. Guidelines for Asynchronous Programming

82 82 87 93 94 98 101 103

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Design Guidelines
1. Design Guidelines for Class Library Developers The .NET Framework's managed environment allows developers to improve their programming model to support a wide range of functionality. The goal of the .NET Framework design guidelines is to encourage consistency and predictability in public APIs while enabling Web and crosslanguage integration. It is strongly recommended that you follow these design guidelines when developing classes and components that extend the .NET Framework. Inconsistent design adversely affects developer productivity. Development tools and add-ins can turn some of these guidelines into de facto prescriptive rules, and reduce the value of nonconforming components. Nonconforming components will function, but not to their full potential. These guidelines are intended to help class library designers understand the trade-offs between different solutions. There might be situations where good library design requires that you violate these design guidelines. Such cases should be rare, and it is important that you provide a solid justification for your decision. The section provides naming and usage guidelines for types in the .NET Framework as well as guidelines for implementing common design patterns. 2. Relationship to the Common Type System and the Common Language Specification The Common Type System is the model that defines the rules the common language runtime follows when declaring, using, and managing types. The common type system establishes a framework that enables cross-language integration, type safety, and high-performance code execution. It is the raw material from which you can build class libraries. The Common Language Specification (CLS) defines a set of programmatically verifiable rules that governs the interoperation of types authored in different programming languages. Targeting the CLS is an excellent way to ensure cross-language interoperation. Managed class library designers can use the CLS to guarantee that their APIs are callable from a wide range of programming languages. Note that although the CLS encourages good library design, it does not enforce it. For more information on this topic, see Writing CLS-Compliant Code. You should follow two guiding principles with respect to the CLS when determining which features to include in your class library: 1. Determine whether the feature facilitates the type of API development appropriate to the

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

managed space. The CLS should be rich enough to provide the ability to write any managed library. However, if you provide multiple ways to perform the same task, you can confuse users of your class library about correct design and usage. For example, providing both safe and unsafe constructs forces users to decide which to use. Therefore, the CLS encourages the correct usage by offering only type-safe constructs. 2. Determine whether it is difficult for a compiler to expose the feature. All programming languages will require some modification in order to target the runtime and the common type system. However, in order for developers to make a language CLS-compliant, they should not have to create a large amount of additional work. The goal of the CLS is to be as small as possible while offering a rich set of data types and features. 3. Naming Guidelines

A consistent naming pattern is one of the most important elements of predictability and discoverability in a managed class library. Widespread use and understanding of these naming guidelines should eliminate many of the most common user questions. This topic provides naming guidelines for the .NET Framework types. For each type, you should also take note of some general rules with respect to capitalization styles, case sensitivity and word choice.
3.1 Capitalization Styles

Use the following three conventions for capitalizing identifiers. Pascal case The first letter in the identifier and the first letter of each subsequent concatenated word are capitalized. You can use Pascal case for identifiers of three or more characters. For example: BackColor Camel case The first letter of an identifier is lowercase and the first letter of each subsequent concatenated word is capitalized. For example: backColor

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Uppercase All letters in the identifier are capitalized. Use this convention only for identifiers that consist of two or fewer letters. For example: System.IO System.Web.UI You might also have to capitalize identifiers to maintain compatibility with existing, unmanaged symbol schemes, where all uppercase characters are often used for enumerations and constant values. In general, these symbols should not be visible outside of the assembly that uses them. The following table summarizes the capitalization rules and provides examples for the different types of identifiers. Identifier Class Enum type Enum values Event Exception class Pascal Pascal Pascal Pascal Pascal Case AppDomain ErrorLevel FatalError ValueChange WebException Note Always ends with the suffix Exception. Read-only Static field Interface Method Namespace Parameter Property Protected instance field Public instance Pascal Pascal Pascal Pascal Camel Pascal Camel RedValue IDisposable Note Always begins with the prefix I. ToString System.Drawing typeName BackColor redValue Note Rarely used. A property is preferable to using a protected instance field. Pascal RedValue Example

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

field

Note Rarely used. A property is preferable to using a public instance field.

Design Guidelines Design-Guidelines.doc 3.2 Case Sensitivity

Version: 1.0 Date: 11/18/2003

To avoid confusion and guarantee cross-language interoperation, follow these rules regarding the use of case sensitivity: Do not use names that require case sensitivity. Components must be fully usable from both case-sensitive and case-insensitive languages. Case-insensitive languages cannot distinguish between two names within the same context that differ only by case. Therefore, you must avoid this situation in the components or classes that you create.

Do not create two namespaces with names that differ only by case. For example, a case insensitive language cannot distinguish between the following two namespace declarations.

namespace ee.cummings;

namespace Ee.Cummings; Do not create a function with parameter names that differ only by case. The following example is incorrect.

void MyFunction(string a, string A) Do not create a namespace with type names that differ only by case. In the following example, Point p and POINT p are inappropriate type names because they differ only by case.

System.Windows.Forms.Point p

System.Windows.Forms.POINT p Do not create a type with property names that differ only by case. In the following example, int Color and int COLOR are inappropriate property names because they differ only by case.

int Color {get, set}

int COLOR {get, set} Do not create a type with method names that differ only by case. In the following example, calculate and Calculate are inappropriate method names because they differ only by case.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

void calculate()

void Calculate()
3.3 Abbreviations

To avoid confusion and guarantee cross-language interoperation, follow these rules regarding the use of abbreviations: Do not use abbreviations or contractions as parts of identifier names. For example, use GetWindow instead of GetWin.

Do not use acronyms that are not generally accepted in the computing field.

Where appropriate, use well-known acronyms to replace lengthy phrase names. For example, use UI for User Interface and OLAP for On-line Analytical Processing. When using acronyms, use Pascal case or camel case for acronyms more than two characters long. For example, use HtmlButton or htmlButton. However, you should capitalize acronyms that consist of only two characters, such as System.IO instead of System.Io.

Do not use abbreviations in identifiers or parameter names. If you must use abbreviations, use camel case for abbreviations that consist of more than two characters, even if this contradicts the standard abbreviation of the word.
3.4 Word Choice

Avoid using class names that duplicate commonly used .NET Framework namespaces. For example, do not use any of the following names as a class name: System, Collections, Forms, or UI. See the Class Library for a list of .NET Framework namespaces.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

In addition, avoid using identifiers that conflict with the following keywords.
AddHandler As ByRef Catch CDec CLng CStr Default Each Erase False Friend Handles Inherits Lib Mod MyClass Nothing Option Overrides Protected Region Select Single AddressOf Assembly Byte CBool CDbl CObj CType Delegate Else Error Finalize Function If Integer Like Module Namespace NotInheritable Optional ParamArray Public REM Set Static Alias Auto ByVal CByte Char Const Date Dim ElseIf Event Finally Get Implements Interface Long MustInherit New NotOverridable Or Preserve RaiseEvent RemoveHandler Shadows Step And Base Call CChar CInt CShort Decimal Do End Exit Float GetType Imports Is Loop MustOverride Next Object Overloads Private ReadOnly Resume Shared Stop Ansi Boolean Case CDate Class CSng Declare Double Enum ExternalSource For Goto In Let Me MyBase Not On Overridable Property ReDim Return Short String

Design Guidelines Design-Guidelines.doc Structure To Until WithEvents instanceof Sub True volatile WriteOnly package SyncLock Try When Xor var Then TypeOf While eval

Version: 1.0 Date: 11/18/2003

Throw Unicode With extends

3.5

Avoiding Type Name Confusion

Different programming languages use different terms to identify the fundamental managed types. Class library designers must avoid using language-specific terminology. Follow the rules described in this section to avoid type name confusion. Use names that describe a type's meaning rather than names that describe the type. In the rare case that a parameter has no semantic meaning beyond its type, use a generic name. For example, a class that supports writing a variety of data types into a stream might have the following methods. [C#] void Write(double value); void Write(float value); void Write(long value); void Write(int value); void Write(short value); Do not create language-specific method names, as in the following example. [C#] void Write(double doubleValue); void Write(float floatValue); void Write(long longValue); void Write(int intValue);

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

void Write(short shortValue); In the extremely rare case that it is necessary to create a uniquely named method for each fundamental data type, use a universal type name. The following table lists fundamental data type names and their universal substitutions. C# type name sbyte byte short ushort int uint long ulong float double bool char string object Visual Basic type name SByte Byte Short UInt16 Integer UInt32 Long UInt64 Single Double Boolean Char String Object JScript type name sByte byte short ushort int uint long ulong float double boolean char string object Visual C++ type name char unsigned char short Ilasm.exe representation int8 unsigned int8 int16 Universal type name SByte Byte Int16 UInt16 Int32 UInt32 Int64 UInt64 Single Double Boolean Char String Object

unsigned short unsigned int16 int unsigned int __int64 unsigned __int64 float double bool wchar_t String Object int32 unsigned int32 int64 unsigned int64 float32 float64 bool char string object

For example, a class that supports reading a variety of data types from a stream might have the following methods. [C#] double ReadDouble(); float ReadSingle();

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

long ReadInt64(); int ReadInt32(); short ReadInt16(); The preceding example is preferable to the following language-specific alternative. [C#] double ReadDouble(); float ReadFloat(); long ReadLong(); int ReadInt(); short ReadShort();
3.6 Namespace Naming Guidelines

The general rule for naming namespaces is to use the company name followed by the technology name and optionally the feature and design as follows. CompanyName.TechnologyName[.Feature][.Design] For example: Microsoft.Media Microsoft.Media.Design Prefixing namespace names with a company name or other well-established brand avoids the possibility of two published namespaces having the same name. For example, Microsoft.Office is an appropriate prefix for the Office Automation Classes provided by Microsoft. Use a stable, recognized technology name at the second level of a hierarchical name. Use organizational hierarchies as the basis for namespace hierarchies. Name a namespace that contains types that provide design-time functionality for a base namespace with the .Design suffix. For example, the System.Windows.Forms.Design Namespace contains designers and related classes used to design System.Windows.Forms based applications.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

A nested namespace should have a dependency on types in the containing namespace. For example, the classes in the System.Web.UI.Design depend on the classes in System.Web.UI. However, the classes in System.Web.UI do not depend on the classes in System.Web.UI.Design. You should use Pascal case for namespaces, and separate logical components with periods, as in Microsoft.Office.PowerPoint. If your brand employs nontraditional casing, follow the casing defined by your brand, even if it deviates from the prescribed Pascal case. For example, the namespaces NeXT.WebObjects and ee.cummings illustrate appropriate deviations from the Pascal case rule. Use plural namespace names if it is semantically appropriate. For example, use System.Collections rather than System.Collection. Exceptions to this rule are brand names and abbreviations. For example, use System.IO rather than System.IOs. Do not use the same name for a namespace and a class. For example, do not provide both a Debug namespace and a Debug class. Finally, note that a namespace name does not have to parallel an assembly name. For example, if you name an assembly MyCompany.MyTechnology.dll, it does not have to contain a MyCompany.MyTechnology namespace.
3.7 Class Naming Guidelines

The following rules outline the guidelines for naming classes:


Use a noun or noun phrase to name a class. Use Pascal case. Use abbreviations sparingly.

Do not use a type prefix, such as C for class, on a class name. For example, use the class name FileStream rather than CFileStream.

Do not use the underscore character (_).

Occasionally, it is necessary to provide a class name that begins with the letter I, even though the class is not an interface. This is appropriate as long as I is the first letter of an entire word that is a part of the class name. For example, the class name IdentityStore is appropriate.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Where appropriate, use a compound word to name a derived class. The second part of the derived class's name should be the name of the base class. For example, ApplicationException is an appropriate name for a class derived from a class named Exception, because ApplicationException is a kind of Exception. Use reasonable judgment in applying this rule. For example, Button is an appropriate name for a class derived from Control. Although a button is a kind of control, making Control a part of the class name would lengthen the name unnecessarily. The following are examples of correctly named classes. [C#] public class FileStream public class Button public class String
3.8 Interface Naming Guidelines

The following rules outline the naming guidelines for interfaces: Name interfaces with nouns or noun phrases, or adjectives that describe behavior. For example, the interface name IComponent uses a descriptive noun. The interface name ICustomAttributeProvider uses a noun phrase. The name IPersistable uses an adjective.

Use Pascal case. Use abbreviations sparingly. Prefix interface names with the letter I, to indicate that the type is an interface.

Use similar names when you define a class/interface pair where the class is a standard implementation of the interface. The names should differ only by the letter I prefix on the interface name.

Do not use the underscore character (_).

The following are examples of correctly named interfaces. [C#]

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public interface IServiceProvider public interface IFormatable The following code example illustrates how to define the interface IComponent and its standard implementation, the class Component. [C#] public interface IComponent { // Implementation code goes here. } public class Component: IComponent { // Implementation code goes here. }
3.9 Attribute Naming Guidelines

You should always add the suffix Attribute to custom attribute classes. The following is an example of a correctly named attribute class. [C#] public class ObsoleteAttribute{}
3.10 Enumeration Type Naming Guidelines

The enumeration (Enum) value type inherits from the Enum Class. The following rules outline the naming guidelines for enumerations:

Use Pascal case for Enum types and value names. Use abbreviations sparingly. Do not use an Enum suffix on Enum type names. Use a singular name for most Enum types, but use a plural name for Enum types that are

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

bit fields.
3.11

Always add the FlagsAttribute to a bit field Enum type.


Static Field Naming Guidelines

The following rules outline the naming guidelines for static fields:

Use nouns, noun phrases, or abbreviations of nouns to name static fields. Use Pascal case. Do not use a Hungarian notation prefix on static field names.

It is recommended that you use static properties instead of public static fields whenever possible.
3.12 Parameter Naming Guidelines

It is important to carefully follow these parameter naming guidelines because visual design tools that provide context sensitive help and class browsing functionality display method parameter names to users in the designer. The following rules outline the naming guidelines for parameters:

Use camel case for parameter names.

Use descriptive parameter names. Parameter names should be descriptive enough that the name of the parameter and its type can be used to determine its meaning in most scenarios. For example, visual design tools that provide context sensitive help display method parameters to the developer as they type. The parameter names should be descriptive enough in this scenario to allow the developer to supply the correct parameters. Use names that describe a parameter's meaning rather than names that describe a parameter's type. Development tools should provide meaningful information about a parameter's type. Therefore, a parameter's name can be put to better use by describing meaning. Use type-based parameter names sparingly and only where it is appropriate.

Do not use reserved parameters. Reserved parameters are private parameters that might be exposed in a future version if they are needed. Instead, if more data is needed in a future

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

version of your class library, add a new overload for a method.

Do not prefix parameter names with Hungarian type notation.

The following are examples of correctly named parameters. [C#] Type GetType(string typeName) string Format(string format, object[] args)
3.13 Method Naming Guidelines

The following rules outline the naming guidelines for methods:


Use verbs or verb phrases to name methods. Use Pascal case.

The following are examples of correctly named methods. RemoveAll() GetCharArray() Invoke()
3.14 Method Naming Guidelines

The following rules outline the naming guidelines for methods:


Use verbs or verb phrases to name methods. Use Pascal case.

The following are examples of correctly named methods. RemoveAll() GetCharArray() Invoke()

Design Guidelines Design-Guidelines.doc 3.15 Event Naming Guidelines

Version: 1.0 Date: 11/18/2003

The following rules outline the naming guidelines for events:


Use Pascal case. Do not use Hungarian notation. Use an EventHandler suffix on event handler names.

Specify two parameters named sender and e. The sender parameter represents the object that raised the event. The sender parameter is always of type object, even if it is possible to use a more specific type. The state associated with the event is encapsulated in an instance of an event class named e. Use an appropriate and specific event class for the e parameter type.

Name an event argument class with the EventArgs suffix.

Consider naming events with a verb. For example, correctly named event names include Clicked, Painting, and DroppedDown. Use a gerund (the "ing" form of a verb) to create an event name that expresses the concept of pre-event, and a past-tense verb to represent post-event. For example, a Close event that can be canceled should have a Closing event and a Closed event. Do not use the BeforeXxx/AfterXxx naming pattern.

Do not use a prefix or suffix on the event declaration on the type. For example, use Close instead of OnClose.

In general, you should provide a protected method called OnXxx on types with events that can be overridden in a derived class. This method should only have the event parameter e, because the sender is always the instance of the type.

The following example illustrates an event handler with an appropriate name and parameters. [C#] public delegate void MouseEventHandler(object sender, MouseEventArgs e); The following example illustrates a correctly named event argument class. [C#]

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public class MouseEventArgs : EventArgs { int x; int y; public MouseEventArgs(int x, int y) { this.x = x; this.y = y; } public int X { get { return x; } } public int Y { get { return y; } } }

4.

Class Member Usage Guidelines

This topic provides guidelines for using class members in class libraries.
4.1 Property Usage Guidelines

Determine whether a property or a method is more appropriate for your needs. For details on choosing between properties and methods, see Properties vs. Methods. Choose a name for your property based on the recommended Property Naming Guidelines. When accessing a property using the set accessor, preserve the value of the property before you change it. This will ensure that data is not lost if the set accessor throws an exception. 4.1.1.1 Property State Issues

Allow properties to be set in any order. Properties should be stateless with respect to other properties. It is often the case that a particular feature of an object will not take effect until the developer specifies a particular set of properties, or until an object has a particular state. Until the object is in the correct state, the feature is not active. When the object is in the correct state, the feature automatically activates itself without requiring an explicit call. The semantics are the same regardless of the order in which the developer sets the property values or how the developer gets the object into the active state.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

For example, a TextBox control might have two related properties: DataSource and DataField. DataSource specifies the table name, and DataField specifies the column name. Once both properties are specified, the control can automatically bind data from the table into the Text property of the control. The following code example illustrates properties that can be set in any order. [C#] TextBox t = new TextBox(); t.DataSource = "Publishers"; t.DataField = "AuthorID"; // The data-binding feature is now active. You can set the DataSource and DataField properties in any order. Therefore, the preceding code is equivalent to the following. [C#] TextBox t = new TextBox(); t.DataField = "AuthorID"; t.DataSource = "Publishers"; // The data-binding feature is now active. You can also set a property to null (Nothing in Visual Basic) to indicate that the value is not specified. [C#] TextBox t = new TextBox(); t.DataField = "AuthorID"; t.DataSource = "Publishers"; // The data-binding feature is now active. t.DataSource = null; // The data-binding feature is now inactive.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

The following code example illustrates how to track the state of the data binding feature and automatically activate or deactivate it at the appropriate times. [C#] public class TextBox { string dataSource; string dataField; bool active; public string DataSource { get { return dataSource; } set { if (value != dataSource) { // Update active state. SetActive(value != null && dataField != null); dataSource = value; } } }

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public string DataField { get { return dataField; } set { if (value != dataField) { // Update active state. SetActive(dataSource != null && dataField != null); dataField = value; } } } void SetActive(Boolean value) { if (value != active) { if (value) { Activate(); Text = dataBase.Value(dataField);

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

} else { Deactivate(); Text = ""; } // Set active only if successful. active = value; } } void Activate() { // Open database. }

void Deactivate() { // Close database. } } In the preceding example, the following expression determines whether the object is in a state in which the data-binding feature can activate itself. [C#] value != null && dataField != null

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

You make activation automatic by creating a method that determines whether the object can be activated given its current state, and then activates it as necessary. [C#] void UpdateActive(string dataSource, string dataField) { SetActive(dataSource != null && dataField != null); } If you do have related properties, such as DataSource and DataMember, you should consider implementing the ISupportInitialize Interface. This will allow the designer (or user) to call the ISupportInitialize.BeginInit and ISupportInitialize.EndInit methods when setting multiple properties to allow the component to provide optimizations. In the above example, ISupportInitialize could prevent unnecessary attempts to access the database until setup is correctly completed. The expression that appears in this method indicates the parts of the object model that need to be examined in order to enforce these state transitions. In this case, the DataSource and DataField properties are affected. For more information on choosing between properties and methods, see Properties vs. Methods. 4.1.1.2 Raising Property-Changed Events

Components should raise property-changed events if they want to notify consumers when the component's property changes programmatically. The naming convention for a property-changed event is to add the Changed suffix to the property name, such as TextChanged. For example, a control might raise a TextChanged event when its text property changes. You can use a protected helper routine Raise<Property>Changed, to raise this event. However, it is probably not worth the overhead to raise a property-changed event for a hash table item addition. The following code example illustrates the implementation of a helper routine on a property-changed event. [C#] class Control: Component {

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

string text; public string Text { get { return text; } set { if (!text.Equals(value)) { text = value; RaiseTextChanged(); } } } } Data binding uses this pattern to allow two-way binding of the property. Without <Property>Changed and Raise<Property>Changed events, data binding works in one direction; if the database changes, the property is updated. Each property that raises the <Property>Changed event should provide metadata to indicate that the property supports data binding. It is recommended that you raise changing/changed events if the value of a property changes as a result of external forces. These events indicate to the developer that the value of a property is changing or has changed as a result of an operation, rather than by calling methods on the object. A good example is the Text property of an Edit control. As a user types information into the control, the property value automatically changes. An event is raised before the value of the

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

property has changed. It does not pass the old or new value, and the developer can cancel the event by throwing an exception. The name of the event is the name of the property followed by the suffix Changing. The following code example illustrates a changing event. [C#] class Edit : Control { public string Text { get { return text; } set { if (text != value) { OnTextChanging(Event.Empty); text = value; } } } } An event is also raised after the value of the property has changed. This event cannot be canceled. The name of the event is the name of the property followed by the suffix Changed. The generic PropertyChanged event should also be raised. The pattern for raising both of these events is to

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

raise the specific event from the OnPropertyChanged method. The following example illustrates the use of the OnPropertyChanged method. [C#] class Edit : Control { public string Text { get { return text; } set { if (text != value) { OnTextChanging(Event.Empty); text = value; RaisePropertyChangedEvent(Edit.ClassInfo.text); } } }

protected void OnPropertyChanged(PropertyChangedEventArgs e) { if (e.PropertyChanged.Equals(Edit.ClassInfo.text))

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

OnTextChanged(Event.Empty); if (onPropertyChangedHandler != null) onPropertyChangedHandler(this, e); } } There are cases when the underlying value of a property is not stored as a field, making it difficult to track changes to the value. When raising the changing event, find all the places that the property value can change and provide the ability to cancel the event. For example, the previous Edit control example is not entirely accurate because the Text value is actually stored in the window handle (HWND). In order to raise the TextChanging event, you must examine Windows messages to determine when the text might change, and allow for an exception thrown in OnTextChanging to cancel the event. If it is too difficult to provide a changing event, it is reasonable to support only the changed event. 4.1.1.3 Properties vs. Methods

Class library designers often must decide between implementing a class member as a property or a method. In general, methods represent actions and properties represent data. Use the following guidelines to help you choose between these options. Use a property when the member is a logical data member. In the following member declarations, Name is a property because it is a logical member of the class.

[C#] public string Name get { return name; } set

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ name = value; }

Use a method when:


The operation is a conversion, such as Object.ToString.

The operation is expensive enough that you want to communicate to the user that they should consider caching the result. Obtaining a property value using the get accessor would have an observable side effect.

Calling the member twice in succession produces different results.

The order of execution is important. Note that a type's properties should be able to be set and retrieved in any order.

The member is static but returns a value that can be changed.

The member returns an array. Properties that return arrays can be very misleading. Usually it is necessary to return a copy of the internal array so that the user cannot change internal state. This, coupled with the fact that a user can easily assume it is an indexed property, leads to inefficient code. In the following code example, each call to the Methods property creates a copy of the array. As a result, 2n+1 copies of the array will be created in the following loop.

[Visual Basic] Dim type As Type = ' Get a type. Dim i As Integer For i = 0 To type.Methods.Length - 1 If type.Methods(i).Name.Equals("text") Then ' Perform some operation. End If Next i

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[C#] Type type = // Get a type. for (int i = 0; i < type.Methods.Length; i++) { if (type.Methods[i].Name.Equals ("text")) { // Perform some operation. }

} The following example illustrates the correct use of properties and methods. [C#] class Connection { // The following three members should be properties // because they can be set in any order. string DNSName {get{};set{};} string UserName {get{};set{};} string Password {get{};set{};}

// The following member should be a method // because the order of execution is important. // This method cannot be executed until after the // properties have been set.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

bool Execute (); } 4.1.1.4 Read-Only and Write-Only Properties

You should use a read-only property when the user cannot change the property's logical data member. Do not use write-only properties. 4.1.1.5 Indexed Property Usage

Note An indexed property can also be referred to as an indexer. The following rules outline guidelines for using indexed properties:

Use an indexed property when the property's logical data member is an array.

Consider using only integral values or strings for an indexed property. If the design requires other types for the indexed property, reconsider whether it represents a logical data member. If not, use a method. Consider using only one index. If the design requires multiple indexes, reconsider whether it represents a logical data member. If not, use a method.

Use only one indexed property per class, and make it the default indexed property for that class. This rule is enforced by indexer support in the C# programming language.

Do not use nondefault indexed properties. C# does not allow this.

Name an indexed property Item. For example, see the DataGrid.Item Property. Follow this rule, unless there is a name that is more obvious to users, such as the Chars property on the String class. In C#, indexers are always named Item. Do not provide an indexed property and a method that are semantically equivalent to two or more overloaded methods. In the following code example, the Method property should be changed to GetMethod(string) method. Note that this not allowed in C#.

[C#] // Change the MethodInfo Type.Method property to a method. MethodInfo Type.Method[string name]

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

MethodInfo Type.GetMethod (string name, Boolean ignoreCase) [C#] // The MethodInfo Type.Method property is changed to // the MethodInfo Type.GetMethod method. MethodInfo Type.GetMethod(string name)

MethodInfo Type.GetMethod (string name, Boolean ignoreCase)


4.2 Event Usage Guidelines

The following rules outline the usage guidelines for events:


Choose a name for your event based on the recommended Event Naming Guidelines.

When you refer to events in documentation, use the phrase, "an event was raised" instead of "an event was fired" or "an event was triggered." In languages that support the void keyword, use a return type of void for event handlers, as shown in the following C# code example.

public delegate void MouseEventHandler(object sender, MouseEventArgs e); Use strongly typed event data classes when an event conveys meaningful data, such as the coordinates of a mouse click.

Event classes should extend the System.EventArgs Class, as shown in the following example.

[C#]

public class MouseEvent: EventArgs {} Use a protected (Protected in Visual Basic) virtual method to raise each event. This technique is not appropriate for sealed classes, because classes cannot be derived from them. The purpose of the method is to provide a way for a derived class to handle the event using an

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

override. This is more natural than using delegates in situations where the developer is creating a derived class. The name of the method takes the form OnEventName, where EventName is the name of the event being raised. For example:

[C#] public class Button { ButtonClickHandler onClickHandler;

protected virtual void OnClick(ClickEventArgs e) { // Call the delegate if non-null. if (onClickHandler != null) onClickHandler(this, e); }

} The derived class can choose not to call the base class during the processing of OnEventName. Be prepared for this by not including any processing in the OnEventName method that is required for the base class to work correctly. You should assume that an event handler could contain any code. Classes should be ready for the event handler to perform almost any operation, and in all cases the object should be left in an appropriate state after the event has been raised. Consider using a try/finally block at the point in code where the event is raised. Since the developer can perform a callback function on the object to perform other actions, do not assume anything about the object state when control returns to the point at which the event was raised. For example:

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[C#] public class Button { ButtonClickHandler onClickHandler;

protected void DoClick() { // Paint button in indented state. PaintDown(); try { // Call event handler. OnClick(); } finally { // Window might be deleted in event handler. if (windowHandle != null) // Paint button in normal state. PaintUp(); }

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

protected virtual void OnClick(ClickEvent e) { if (onClickHandler != null) onClickHandler(this, e); }

} Use or extend the System.ComponentModel.CancelEventArgs Class to allow the developer to control the events of an object. For example, the TreeView control raises a BeforeLabelEdit when the user is about to edit a node label. The following code example illustrates how a developer can use this event to prevent a node from being edited.

[C#] public class Form1: Form { TreeView treeView1 = new TreeView();

void treeView1_BeforeLabelEdit(object source, NodeLabelEditEventArgs e) { e.CancelEdit = true; }

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

} Note that in this case, no error is generated to the user. The label is read-only. Cancel events are not appropriate in cases where the developer would cancel the operation and return an exception. In these cases, you should raise an exception inside of the event handler in order to cancel. For example, the user might want to write validation logic in an edit control as shown. [C#] public class Form1: Form { EditBox edit1 = new EditBox();

void TextChanging(object source, EventArgs e) { throw new RuntimeException("Invalid edit"); }


4.3 Method Usage Guidelines

The following rules outline the usage guidelines for methods:


Choose a name for your event based on the recommended Method Naming Guidelines. Do not use Hungarian notation.

By default, methods are nonvirtual. Maintain this default in situations where it is not necessary to provide virtual methods. For more information about implementing inheritance, see Base Class Usage Guidelines.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

4.3.1.1

Method Overloading Guidelines

Method overloading occurs when a class contains two methods with the same name, but different signatures. This section provides some guidelines for the use of overloaded methods.

Use method overloading to provide different methods that do semantically the same thing.

Use method overloading instead of allowing default arguments. Default arguments do not version well and therefore are not allowed in the Common Language Specification (CLS). The following code example illustrates an overloaded String.IndexOf method.

[C#] int String.IndexOf (String name);

int String.IndexOf (String name, int startIndex); Use default values correctly. In a family of overloaded methods, the complex method should use parameter names that indicate a change from the default state assumed in the simple method. For example, in the following code, the first method assumes the search will not be case-sensitive. The second method uses the name ignoreCase rather than caseSensitive to indicate how the default behavior is being changed.

[C#] // Method #1: ignoreCase = false. MethodInfo Type.GetMethod(String name); // Method #2: Indicates how the default behavior of method #1 is being // changed.

MethodInfo Type.GetMethod (String name, Boolean ignoreCase); Use a consistent ordering and naming pattern for method parameters. It is common to provide a set of overloaded methods with an increasing number of parameters to allow the developer to specify a desired level of information. The more parameters that you specify, the more detail the developer can specify. In the following code example, the overloaded Execute method has a consistent parameter order and naming pattern variation. Each of the Execute method variations uses the same semantics for the shared set of parameters.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[C#] public class SampleClass { readonly string defaultForA = "default value for a"; readonly int defaultForB = "42"; readonly double defaultForC = "68.90";

public void Execute() { Execute(defaultForA, defaultForB, defaultForC); }

public void Execute (string a) { Execute(a, defaultForB, defaultForC); }

public void Execute (string a, int b) { Execute (a, b, defaultForC); }

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public void Execute (string a, int b, double c) { Console.WriteLine(a); Console.WriteLine(b); Console.WriteLine(c); Console.WriteLine(); }

} Note that the only method in the group that should be virtual is the one that has the most parameters and only when you need extensibility. If you must provide the ability to override a method, make only the most complete overload virtual and define the other operations in terms of it. The following example illustrates this pattern.

[C#] public class SampleClass { private string myString;

public MyClass(string str) { this.myString = str;

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

} public int IndexOf(string s) { return IndexOf (s, 0); }

public int IndexOf(string s, int startIndex) { return IndexOf(s, startIndex, myString.Length - startIndex ); }

public virtual int IndexOf(string s, int startIndex, int count) { return myString.IndexOf(s, startIndex, count); }

} 4.3.1.2 Methods With Variable Numbers of Arguments

You might want to expose a method that takes a variable number of arguments. A classic example is the printf method in the C programming language. For managed class libraries, use the params (ParamArray in Visual Basic) keyword for this construct. For example, use the following code instead of several overloaded methods. [C#] void Format(string formatString, params object [] args)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

You should not use the VarArgs or ellipsis (...) calling convention exclusively because the Common Language Specification does not support it. For extremely performance-sensitive code, you might want to provide special code paths for a small number of elements. You should only do this if you are going to special case the entire code path (not just create an array and call the more general method). In such cases, the following pattern is recommended as a balance between performance and the cost of specially cased code. [C#] void Format(string formatString, object arg1) void Format(string formatString, object arg1, object arg2)

void Format(string formatString, params object [] args)


4.4 Constructor Usage Guidelines

The following rules outline the usage guidelines for constructors: Provide a default private constructor if there are only static methods and properties on a class. In the following example, the private constructor prevents the class from being created.

[C#] public sealed class Environment { // Private constructor prevents the class from being created. private Environment() { // Code for the constructor goes here. }

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

} Minimize the amount of work done in the constructor. Constructors should not do more than capture the constructor parameter or parameters. This delays the cost of performing further operations until the user uses a specific feature of the instance.

Provide a constructor for every class. If a type is not meant to be created, use a private constructor. If you do not specify a constructor, many programming language (such as C#) implicitly add a default public constructor. If the class is abstract, it adds a protected constructor.

Be aware that if you add a nondefault constructor to a class in a later version release, the implicit default constructor will be removed which can break client code. Therefore, the best practice is to always explicitly specify the constructor even if it is a public default constructor. Provide a protected (Protected in Visual Basic) constructor that can be used by types in a derived class.

You should not provide constructor without parameters for a value type struct. Note that many compilers do not allow a struct to have a constructor without parameters. If you do not supply a constructor, the runtime initializes all the fields of the struct to zero. This makes array and static field creation faster.

Use parameters in constructors as shortcuts for setting properties. There should be no difference in semantics between using an empty constructor followed by property set accessors, and using a constructor with multiple arguments. The following three code examples are equivalent:

[C#] // Example #1. Class SampleClass = new Class(); SampleClass.A = "a"; SampleClass.B = "b"; // Example #2.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Class SampleClass = new Class("a"); SampleClass.B = "b"; // Example #3.

Class SampleClass = new Class ("a", "b"); Use a consistent ordering and naming pattern for constructor parameters. A common pattern for constructor parameters is to provide an increasing number of parameters to allow the developer to specify a desired level of information. The more parameters that you specify, the more detail the developer can specify. In the following code example, there is a consistent order and naming of the parameters for all the SampleClass constructors.

[C#] public class SampleClass { private const string defaultForA = "default value for a"; private const string defaultForB = "default value for b"; private const string defaultForC = "default value for c";

public MyClass():this(defaultForA, defaultForB, defaultForC) {} public MyClass (string a) : this(a, defaultForB, defaultForC) {} public MyClass (string a, string b) : this(a, b, defaultForC) {} public MyClass (string a, string b, string c)

}
4.5 Field Usage Guidelines

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

The following rules outline the usage guidelines for fields: Do not use instance fields that are public or protected (Public or Protected in Visual Basic). If you avoid exposing fields directly to the developer, classes can be versioned more easily because a field cannot be changed to a property while maintaining binary compatibility. Consider providing get and set property accessors for fields instead of making them public. The presence of executable code in get and set property accessors allows later improvements, such as creation of an object on demand, upon usage of the property, or upon a property change notification. The following code example illustrates the correct use of private instance fields with get and set property accessors.

[C#] public struct Point { private int xValue; private int yValue;

public Point(int x, int y) { this.xValue = x; this.yValue = y; }

public int X { get

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ return xValue; } set { xValue = value; } } public int Y { get { return yValue; } set { yValue = value; } } }

Expose a field to a derived class by using a protected property that returns the value of the

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

field. This is illustrated in the following code example.


[C#] public class Control: Component { private int handle; protected int Handle { get { return handle; } } } Use the const (Const in Visual Basic) keyword to declare constant fields that will not change. Language compilers save the values of const fields directly in calling code.

Use public static read-only fields for predefined object instances. If there are predefined instances of an object, declare them as public static read-only fields of the object itself. Use Pascal case because the fields are public. The following code example illustrates the correct use of public static read-only fields.

[C#] public struct Color {

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public static readonly Color Red = new Color(0x0000FF); public static readonly Color Green = new Color(0x00FF00); public static readonly Color Blue = new Color(0xFF0000); public static readonly Color Black = new Color(0x000000); public static readonly Color White = new Color(0xFFFFFF);

public Color(int rgb) { // Insert code here.} public Color(byte r, byte g, byte b) { // Insert code here.}

public byte RedValue { get { return Color; } } public byte GreenValue { get

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ return Color; } } public byte BlueValue { get { return Color; } } } Spell out all words used in a field name. Use abbreviations only if developers generally understand them. Do not use uppercase letters for field names. The following is an example of correctly named fields.

[C#] class SampleClass { string url; string destinationUrl; }

Do not use Hungarian notation for field names. Good names describe semantics, not type.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Do not apply a prefix to field names or static field names. Specifically, do not apply a prefix to a field name to distinguish between static and nonstatic fields. For example, applying a g_ or s_ prefix is incorrect.
4.6 Parameter Usage Guidelines

The following rules outline the usage guidelines for parameters: Check for valid parameter arguments. Perform argument validation for every public or protected method and property set accessor. Throw meaningful exceptions to the developer for invalid parameter arguments. Use the System.ArgumentException Class, or a class derived from System.ArgumentException. The following example checks for valid parameter arguments and throws meaningful exceptions.

[C#] class SampleClass { public int Count { get { return count; } set { // Check for valid parameter. if (count < 0 || count >= MaxValue)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

throw newArgumentOutOfRangeException( Sys.GetString( "InvalidArgument","value",count.ToString())); } }

public void Select(int start, int end) { // Check for valid parameter. if (start < 0) throw new ArgumentException( Sys.GetString("InvalidArgument","start",start.ToString())); // Check for valid parameter. if (end < start) throw new ArgumentException( Sys.GetString("InvalidArgument","end",end.ToString())); }

} Note that the actual checking does not necessarily have to happen in the public or protected method itself. It could happen at a lower level in private routines. The main point is that the entire surface area that is exposed to the developer checks for valid arguments.

Make sure you fully understand the implications of passing parameters by value or by

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

reference. Passing a parameter by value copies the value being passed and has no effect on the original value. The following method example passes parameters by value. public void Add(object value){} Passing a parameter by reference passes the storage location for the value. As a result, changes can be made to the value of the parameter. The following method example passes a parameter by value. public static int Exchange(ref int location, int value){} An output parameter represents the same storage location as the variable specifed as the argument in the method invocation. As a result, changes can be made only to the output parameter. The following method example passes an out parameter. [DllImport("Kernel32.dll"] public static extern bool QueryPerformanceCounter(out long value) 5. Type Usage Guidelines

Types are the units of encapsulation in the common language runtime. For a detailed description of the complete list of data types supported by the runtime, see the Common Type System. This section provides usage guidelines for the basic kinds of types.
5.1 Base Class Usage Guidelines

A class is the most common kind of type. A class can be abstract or sealed. An abstract class requires a derived class to provide an implementation. A sealed class does not allow a derived class. It is recommended that you use classes over other types. Base classes are a useful way to group objects that share a common set of functionality. Base classes can provide a default set of functionality, while allowing customization though extension. You should explicitly provide a constructor for a class. Compilers commonly add a public default constructor to classes that do not define a constructor. This can be misleading to a user of the class, if your intention is for the class not to be creatable. Therefore, it is best practice to always define at least one constructor for a class. If you do not want it to be creatable, make the constructor private.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

You should add extensibility or polymorphism to your design only if you have a clear customer scenario for it. For example, providing an interface for data adapters is difficult and serves no real benefit. Developers will still have to program against each adapter specifically, so there is only marginal benefit from providing an interface. However, you do need to support consistency between all adapters. Although an interface or abstract class is not appropriate in this situation, providing a consistent pattern is very important. You can provide consistent patterns for developers in base classes. Follow these guidelines for creating base classes.

5.1.1.1

Base Classes vs. Interfaces

An interface type is a specification of a protocol, potentially supported by many object types. Use base classes instead of interfaces whenever possible. From a versioning perspective, classes are more flexible than interfaces. With a class, you can ship Version 1.0 and then in Version 2.0 add a new method to the class. As long as the method is not abstract, any existing derived classes continue to function unchanged. Because interfaces do not support implementation inheritance, the pattern that applies to classes does not apply to interfaces. Adding a method to an interface is equivalent to adding an abstract method to a base class; any class that implements the interface will break because the class does not implement the new method. Interfaces are appropriate in the following situations:

Several unrelated classes want to support the protocol.

These classes already have established base classes (for example, some are user interface (UI) controls, and some are XML Web services).

Aggregation is not appropriate or practical.

In all other situations, class inheritance is a better model. 5.1.1.2 Protected Methods and Constructors

Provide class customization through protected methods. The public interface of a base class should provide a rich set of functionality for the consumer of the class. However, users of the class often want to implement the fewest number of methods possible to provide that rich set of functionality

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

to the consumer. To meet this goal, provide a set of nonvirtual or final public methods that call through to a single protected method that provides implementations for the methods. This method should be marked with the Impl suffix. Using this pattern is also referred to as providing a Template method. The following code example demonstrates this process. [C#] public class MyClass { private int x; private int y; private int width; private int height; BoundsSpecified specified;

public void SetBounds(int x, int y, int width, int height) { SetBoundsImpl(x, y, width, height, this.specified); }

public void SetBounds(int x, int y, int width, int height, BoundsSpecified specified) { SetBoundsImpl(x, y, width, height, specified); } protected virtual void SetBoundsImpl(int x, int y, int width, int height, BoundsSpecified specified)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ // Add code to perform meaningful opertions here. this.x = x; this.y = y; this.width = width; this.height = height; this.specified = specified; } } Many compilers, such as the C# compiler, insert a public or protected constructor if you do not. Therefore, for better documentation and readability of your source code, you should explicitly define a protected constructor on all abstract classes.

5.2

Value Type Usage Guidelines

A value type describes a value that is represented as a sequence of bits stored on the stack. For a description of all the .NET Framework's built-in data types, see Value Types. This section provides guidelines for using the structure (struct) and enumeration (enum) value types. 5.2.1.1 Struct Usage Guidelines

It is recommended that you use a struct for types that meet any of the following criteria:

Act like primitive types. Have an instance size under 16 bytes. Are immutable. Value semantics are desirable.

The following example shows a correctly defined structure.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[C#] public struct Int32: IComparable, IFormattable { public const int MinValue = -2147483648; public const int MaxValue = 2147483647;

public static string ToString(int i) { // Insert code here. }

public string ToString(string format, IFormatProvider formatProvider) { // Insert code here. }

public override string ToString() { // Insert code here. }

public static int Parse(string s) { // Insert code here.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

return 0; }

public override int GetHashCode() { // Insert code here. return 0; }

public override bool Equals(object obj) { // Insert code here. return false; }

public int CompareTo(object obj) { // Insert code here. return 0; }

} Do not provide a default constructor for a struct. Note that C# does not allow a struct to have a default constructor. The runtime inserts a constructor that initializes all the values to a zero state. This allows arrays of structs to be created without running the constructor on each

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

instance. Do not make a struct dependent on a constructor being called for each instance. Instances of structs can be created with a zero value without running a constructor. You should also design a struct for a state where all instance data is set to zero, false, or null (as appropriate) to be valid. 5.2.1.2 Enum Usage Guidelines

The following rules outline the usage guidelines for enumerations:


Do not use an Enum suffix on enum types.

Use an enum to strongly type parameters, properties, and return types. Always define enumerated values using an enum if they are used in a parameter or property. This allows development tools to know the possible values for a property or parameter. The following example shows how to define an enum type.

[C#] public enum FileMode { Append, Create, CreateNew, Open, OpenOrCreate, Truncate

} The following example shows the constructor for a FileStream object that uses the FileMode enumeration. [C#]

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public FileStream(string path, FileMode mode);


Use an enum instead of static final constants. Do not use an enum for open sets (such as the operating system version).

Use the System.FlagsAttribute Class to create custom attribute for an enum only if a bitwise OR operation is to be performed on the numeric values. Use powers of two for the enum values so that they can be easily combined. This attribute is applied in the following code example.

[C#] [Flags()] public enum WatcherChangeTypes { Created = 1, Deleted = 2, Changed = 4, Renamed = 8, All = Created | Deleted | Changed | Renamed

}; Note An exception to this rule is when encapsulating a Win32 API. It is common to have internal definitions that come from a Win32 header. You can leave these with the Win32 casing, which is usually all capital letters. Consider providing named constants for commonly used combinations of flags. Using the bitwise OR is an advanced concept and should not be required for simple tasks. This is illustrated in the following example of an enumeration.

[C#]

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[Flags()] public enum FileAccess { Read = 1, Write = 2, ReadWrite = Read | Write,

Use type Int32 as the underlying type of an enum unless either of the following is true: The enum represents flags and there are currently more than 32 flags, or the enum might grow to have many flags in the future.

The type needs to be different from int for backward compatibility.

Do not assume that enum arguments will be in the defined range. It is valid to cast any integer value into an enum even if the value is not defined in the enum. Perform argument validation as illustrated in the following code example.

[C#] public void SetColor (Color color) { if (!Enum.IsDefined (typeof(Color), color) throw new ArgumentOutOfRangeException();

}
5.3 Delegate Usage Guidelines

A delegate is a powerful tool that allows the managed code object model designer to encapsulate method calls. Delegates are useful for event notifications and callback functions.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Event notifications Use the appropriate event design pattern for events even if the event is not user interface-related. For more information on using events, see the Event Usage Guidelines. Callback functions Callback functions are passed to a method so that user code can be called multiple times during execution to provide customization. Passing a Compare callback function to a sort routine is a classic example of using a callback function. These methods should use the callback function conventions described in Callback Function Usage. Name end callback functions with the suffix Callback.
5.4 Attribute Usage Guidelines

The .NET Framework enables developers to invent new kinds of declarative information, to specify declarative information for various program entities, and to retrieve attribute information in a run-time environment. For example, a framework might define a HelpAttribute attribute that can be placed on program elements such as classes and methods to provide a mapping from program elements to their documentation. New kinds of declarative information are defined through the declaration of attribute classes, which might have positional and named parameters. For more information about attributes, see Writing Custom Attributes. The following rules outline the usage guidelines for attribute classes:

Add the Attribute suffix to custom attribute classes, as shown in the following example. [C#]

public class ObsoleteAttribute{} Specify AttributeUsage on your attributes to define their usage precisely, as shown in the following example.

[C#]

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[AttributeUsage(AttributeTargets.All, Inherited = false, AllowMultiple = true)]

public class ObsoleteAttribute: Attribute {}


Seal attribute classes whenever possible, so that classes cannot be derived from them.

Use positional arguments (constructor parameters) for required parameters. Provide a readonly property with the same name as each positional argument, but change the case to differentiate between them. This allows access to the argument at runtime. Use named arguments (read/write properties) for optional parameters. Provide a read/write property with the same name as each named argument, but change the case to differentiate between them.

Do not define a parameter with both named and positional arguments. The following example illustrates this pattern.

[C#] public class NameAttribute: Attribute { // This is a positional argument. public NameAttribute (string username) { // Implement code here. } public string UserName { get {

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

return UserName; } } // This is a named argument. public int Age { get { return Age; } set { Age = value; } }

}
5.5 Nested Type Usage Guidelines

A nested type is a type defined within the scope of another type. Nested types are very useful for encapsulating implementation details of a type, such as an enumerator over a collection, because they can have access to private state. Public nested types should be used rarely. Use them only in situations where both of the following are true:

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

The nested type (inner type) logically belongs to the containing type (outer type).

The following examples illustrates how to define types with and without nested types: [C#] // With nested types. ListBox.SelectedObjectCollection // Without nested types. ListBoxSelectedObjectCollection

// With nested types. RichTextBox.ScrollBars // Without nested types. RichTextBoxScrollBars Do not use nested types if the following are true: The type must be instantiated by client code. If a type has a public constructor, it probably should not be nested. The rationale behind this guideline is that if a nested type can be instantiated, it indicates that the type has a place in the library on its own. You can create it, use it, and destroy it without using the outer type. Therefore, it should not be nested. An inner type should not be widely reused outside of the outer type without a relationship to the outer type.

References to the type are commonly declared in client code.

6.

Guidelines for Exposing Functionality to COM

The common language runtime provides rich support for interoperating with COM components. A COM component can be used from within a managed type and a managed instance can be used by

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

a COM component. This support is the key to moving unmanaged code to managed code one piece at a time; however, it does present some issues for class library designers. In order to fully expose a managed type to COM clients, the type must expose functionality in a way that is supported by COM and abides by the COM versioning contract. Mark managed class libraries with the ComVisibleAttribute attribute to indicate whether COM clients can use the library directly or whether they must use a wrapper that shapes the functionality so that they can use it. Types and interfaces that must be used directly by COM clients, such as to host in an unmanaged container, should be marked with the ComVisible(true) attribute. The transitive closure of all types referenced by exposed types should be explicitly marked as ComVisible(true); if not, they will be exposed as IUnknown. Note Members of a type can also be marked as ComVisible(false); this reduces exposure to COM and therefore reduces the restrictions on what a managed type can use. Types marked with the ComVisible(true) attribute cannot expose functionality exclusively in a way that is not usable from COM. Specifically, COM does not support static methods or parameterized constructors. Test the type's functionality from COM clients to ensure correct behavior. Make sure that you understand the registry impact for making all types cocreateable. 6.1.1.1 Marshal By Reference

Marshal-by-reference objects are Remotable Objects. Object remoting applies to three kinds of types: Types whose instances are copied when they are marshaled across an AppDomain boundary (on the same computer or a different computer). These types must be marked with the Serializable attribute.

Types for which the runtime creates a transparent proxy when they are marshaled across an AppDomain boundary (on the same computer or a different computer). These types must ultimately be derived from System.MarshalByRefObject Class.

Types that are not marshaled across AppDomains at all. This is the default.

Follow these guidelines when using marshal by reference:

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

By default, instances should be marshal-by-value objects. This means that their types should be marked as Serializable. Component types should be marshal-by-reference objects. This should already be the case for most components, because the common base class, System.Component Class, is a marshal-by-reference class.

If the type encapsulates an operating system resource, it should be a marshal-by-reference object. If the type implements the IDisposable Interface it will very likely have to be marshaled by reference. System.IO.Stream derives from MarshalByRefObject. Most streams, such as FileStreams and NetworkStreams, encapsulate external resources, so they should be marshal-by-reference objects.

Instances that simply hold state should be marshal-by-value objects (such as a DataSet).

Special types that cannot be called across an AppDomain (such as a holder of static utility methods) should not be marked as Serializable. 7. Error Raising and Handling Guidelines

The following rules outline the guidelines for raising and handling errors: All code paths that result in an exception should provide a method to check for success without throwing an exception. For example, to avoid a FileNotFoundException you can call File.Exists. This might not always be possible, but the goal is that under normal execution no exceptions should be thrown.

End Exception class names with the Exception suffix as in the following code example. [C#] public class FileNotFoundException : Exception { // Implementation code goes here.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Use the common constructors shown in the following code example when creating exception classes.

[C#] public class XxxException : ApplicationException { public XxxException() {... } public XxxException(string message) {... } public XxxException(string message, Exception inner) {... } public XxxException(SerializationInfo info, StreamingContext context) {...}

} In most cases, use the predefined exception types. Only define new exception types for programmatic scenarios, where you expect users of your class library to catch exceptions of this new type and perform a programmatic action based on the exception type itself. This is in lieu of parsing the exception string, which would negatively impact performance and maintenance.

For example, it makes sense to define a FileNotFoundException because the developer might decide to create the missing file. However, a FileIOException is not something that would typically be handled specifically in code. Do not derive all new exceptions directly from the base class SystemException. Inherit from SystemException only when creating new exceptions in System namespaces. Inherit from ApplicationException when creating new exceptions in other namespaces.

Group new exceptions derived from SystemException or ApplicationException by namespace. For example, all System.IO exceptions are grouped under IOException (derived from SystemException) and all Microsoft.Media exceptions could be grouped under MediaException (derived from ApplicationException).

Use a localized description string in every exception. When the user sees an error message,

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

it will be derived from the description string of the exception that was thrown, and never from the exception class. Create grammatically correct error messages with punctuation. Each sentence in the description string of an exception should end in a period. Code that generically displays an exception message to the user does not have to handle the case where a developer forgot the final period.

Provide exception properties for programmatic access. Include extra information (other than the description string) in an exception only when there is a programmatic scenario where that additional information is useful. You should rarely need to include additional information in an exception.

Do not expose privileged information in exception messages. Information such as paths on the local file system is considered privileged information. Malicious code could use this information to gather private user information from the computer.

Do not use exceptions for normal or expected errors, or for normal flow of control.

You should return null for extremely common error cases. For example, a File.Open command returns a null reference if the file is not found, but throws an exception if the file is locked. Design classes so that in the normal course of use an exception will never be thrown. In the following code example, a FileStream class exposes another way of determining if the end of the file has been reached to avoid the exception that will be thrown if the developer reads past the end of the file.

[C#] class FileRead { void Open() { FileStream stream = File.Open("myfile.txt", FileMode.Open);

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

byte b;

// ReadByte returns -1 at end of file. while ((b = stream.ReadByte()) != true) { // Do something. } }

} Throw the InvalidOperationException exception if a call to a property set accessor or method is not appropriate given the object's current state.

Throw an ArgumentException or create an exception derived from this class if invalid parameters are passed or detected.

Be aware that the stack trace starts at the point where an exception is thrown, not where it is created with the new operator. Consider this when deciding where to throw an exception.

Use the exception builder methods. It is common for a class to throw the same exception from different places in its implementation. To avoid repetitive code, use helper methods that create the exception using the new operator and return it. The following code example shows how to implement a helper method.

[C#] class File { string fileName; public byte[] Read(int bytes)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ if (!ReadFile(handle, bytes)) throw NewFileIOException(); }

FileException NewFileIOException() { string description = // Build localized string, include fileName. return new FileException(description); }

Throw exceptions instead of returning an error code or HRESULT. Throw the most specific exception possible. Create meaningful message text for exceptions, targeted at the developer. Set all fields on the exception you use.

Use Inner exceptions (chained exceptions). However, do not catch and re-throw exceptions unless you are adding additional information or changing the type of the exception.

Do not create methods that throw NullReferenceException or IndexOutOfRangeException.

Perform argument checking on protected (Family) and internal (Assembly) members. Clearly state in the documentation if the protected method does not do argument checking. Unless otherwise stated, assume that argument checking is performed. There might, however, be performance gains in not performing argument checking.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Clean up any side effects when throwing an exception. Callers should be able to assume that there are no side effects when an exception is thrown from a function. For example, if a Hashtable.Insert method throws an exception, the caller can assume that the specified item was not added to the Hashtable. 7.1.1.1 Standard Exception Types

The following table lists the standard exceptions provided by the runtime and the conditions for which you should create a derived class. Exception type Exception Object Base type Description Example

Base class for None (use a derived all exceptions. class of this exception). Base class for all runtimegenerated errors. None (use a derived class of this exception).

SystemException

Exception

IndexOutOfRangeException

SystemException

Thrown by the Indexing an array runtime only outside of its valid when an array is range: indexed improperly. arr[arr.Length+1] Thrown by the runtime only when a null object is referenced. Thrown by methods when in an invalid state.
object o = null;

NullReferenceException

SystemException

o.ToString();

InvalidOperationException

SystemException

Calling
Enumerator.GetNext()

ArgumentException ArgumentNullException

SystemException ArgumentException

Base class for all argument exceptions. String s = null; Thrown by methods that do "Calculate".IndexOf not allow an

after removing an Item from the underlying collection. None (use a derived class of this exception).

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

ArgumentOutOfRangeException ArgumentException

ExternalException

SystemException

COMException

ExternalException

SEHException

ExternalException

argument to be null. Thrown by methods that verify that arguments are in a given range. Base class for exceptions that occur or are targeted at environments outside of the runtime. Exception encapsulating COM Hresult information. Exception encapsulating Win32 structured Exception Handling information.

(s);
String s = "string";

s.Chars[9];

None (use a derived class of this exception).

Used in COM interop. Used in unmanaged code Interop.

7.1.1.2

Wrapping Exceptions

Errors that occur at the same layer as a component should throw an exception that is meaningful to target users. In the following code example, the error message is targeted at users of the TextReader class, attempting to read from a stream. [C#] public class TextReader { public string ReadLine() { try

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ // Read a line from the stream. } catch (Exception e) { throw new IOException ("Could not read from stream", e); } } } 8. Array Usage Guidelines

For a general description of arrays and array usage see Arrays, and System.Array Class. 8.1.1.1 Arrays vs. Collections

Class library designers might need to make difficult decisions about when to use an array and when to return a collection. Although these types have similar usage models, they have different performance characteristics. In general, you should use a collection when Add, Remove, or other methods for manipulating the collection are supported. For more information on using collections, see Grouping Data in Collections. 8.1.1.2 Array Usage

Do not return an internal instance of an array. This allows calling code to change the array. The following example demonstrates how the array badChars can be changed by any code that accesses the Path property even though the property does not implement the set accessor. [C#] using System; using System.Collections;

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public class ExampleClass { public sealed class Path { private Path(){} private static char[] badChars = {'\"', '<', '>'}; public static char[] GetInvalidPathChars() { return badChars; } } public static void Main() { // The following code displays the elements of the // array as expected. foreach(char c in Path.GetInvalidPathChars()) { Console.Write(c); } Console.WriteLine();

// The following code sets all the values to A. Path.GetInvalidPathChars()[0] = 'A'; Path.GetInvalidPathChars()[1] = 'A';

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Path.GetInvalidPathChars()[2] = 'A';

// The following code displays the elements of the array to the // console. Note that the values have changed. foreach(char c in Path.GetInvalidPathChars()) { Console.Write(c); } } } You can correct the problem in the preceding example by making the badChars collection readonly (ReadOnly in Visual Basic). Alternately, you can clone the badChars collection before returning. The following example demonstrates how to modify the GetInvalidPathChars method to return a clone of the badChars collection. [C#] public static char[] GetInvalidPathChars() { return (char[])badChars.Clone(); } Do not use readonly (ReadOnly in Visual Basic) fields of arrays. If you do, the array is readonly and cannot be changed, but the elements in the array can be changed. The following example demonstrates how the elements of the readonly array InvalidPathChars can be changed. [C#] public sealed class Path { private Path(){}

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public static readonly char[] InvalidPathChars = {'\"', '<', '>','|'}' } //The following code can be used to change the values in the array. Path.InvalidPathChars[0] = 'A'; 8.1.1.3 Using Indexed Properties in Collections

You should use an indexed property only as a default member of a collection class or interface. Do not create families of functions in noncollection types. A pattern of methods, such as Add, Item, and Count, signal that the type should be a collection. 8.1.1.4 Array Valued Properties

You should use collections to avoid code inefficiencies. In the following code example, each call to the myObj property creates a copy of the array. As a result, 2n+1 copies of the array will be created in the following loop. [C#] for (int i = 0; i < obj.myObj.Count; i++) DoSomething(obj.myObj[i]); For more information, see the Properties vs. Methods topic. 8.1.1.5 Returning Empty Arrays

String and Array properties should never return a null reference. Null can be difficult to understand in this context. For example, a user might assume that the following code will work. [C#] public void DoSomething() { string s = SomeOtherFunc(); if (s.Length > 0) { // Do something else.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

} } The general rule is that null, empty string (""), and empty (0 item) arrays should be treated the same way. Return an empty array instead of a null reference. 9. Operator Overloading Usage Guidelines

The following rules outline the guidelines for operator overloading:

Define operators on value types that are logical built-in language types, such as the System.Decimal Structure. Provide operator-overloading methods only in the class in which the methods are defined. The C# compiler enforces this guideline. Use the names and signature conventions described in the Common Language Specification (CLS). The C# compiler does this for you automatically. Use operator overloading in cases where it is immediately obvious what the result of the operation will be. For example, it makes sense to be able to subtract one Time value from another Time value and get a TimeSpan. However, it is not appropriate to use the or operator to create the union of two database queries, or to use shift to write to a stream. Overload operators in a symmetric manner. For example, if you overload the equality operator (==), you should also overload the not equal operator(!=). Provide alternate signatures. Most languages do not support operator overloading. For this reason, it is a CLS requirement for all types that overload operators to include a secondary method with an appropriate domain-specific name that provides the equivalent functionality. It is a Common Language Specification (CLS) requirement to provide this secondary method. The following example is CLS-compliant. [C#] public struct DateTime {

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

public static TimeSpan operator -(DateTime t1, DateTime t2) { } public static TimeSpan Subtract(DateTime t1, DateTime t2) { } }

The following table contains a list of operator symbols and the corresponding alternative methods and operator names. C++ operator symbol Not defined Not defined + (binary) - (binary) * (binary) / % ^ & (binary) | && || = << >> Not defined Not defined Name of alternative method ToXxx or FromXxx ToXxx or FromXxx Add Subtract Multiply Divide Mod Xor BitwiseAnd BitwiseOr And Or Assign LeftShift RightShift LeftShift RightShift Name of operator op_Implicit op_Explicit op_Addition op_Subtraction op_Multiply op_Division op_Modulus op_ExclusiveOr op_BitwiseAnd op_BitwiseOr op_LogicalAnd op_LogicalOr op_Assign op_LeftShift op_RightShift op_SignedRightShift op_UnsignedRightShift

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

== > < != >= <= *= -= ^= <<= %= += &= |= , /= -++ - (unary) + (unary) ~

Equals Compare Compare Compare Compare Compare Multiply Subtract Xor LeftShift Mod Add BitwiseAnd BitwiseOr None assigned Divide Decrement Increment Negate Plus OnesComplement

op_Equality op_GreaterThan op_LessThan op_Inequality op_GreaterThanOrEqual op_LessThanOrEqual op_MultiplicationAssignment op_SubtractionAssignment op_ExclusiveOrAssignment op_LeftShiftAssignment op_ModulusAssignment op_AdditionAssignment op_BitwiseAndAssignment op_BitwiseOrAssignment op_Comma op_DivisionAssignment op_Decrement op_Increment op_UnaryNegation op_UnaryPlus op_OnesComplement

10.

Guidelines for Implementing Equals and the Equality Operator (==)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

The following rules outline the guidelines for implementing the Equals method and the equality operator (==):

Implement the GetHashCode method whenever you implement the Equals method. This keeps Equals and GetHashCode synchronized. Override the Equals method whenever you implement ==, and make them do the same thing. This allows infrastructure code such as Hashtable and ArrayList, which use the Equals method, to behave the same way as user code written using ==. Override the Equals method any time you implement the IComparable Interface. You should consider implementing operator overloading for the equality (==), not equal (! =), less than (<), and greater than (>) operators when you implement IComparable. Do not throw exceptions from the Equals or GetHashCode methods or the equality operator (==).

For related information on the Equals method, see Implementing the Equals Method. 10.1.1.1 Implementing the Equality Operator (==) on Value Types In most programming languages there is no default implementation of the equality operator (==) for value types. Therefore, you should overload == any time equality is meaningful. You should consider implementing the Equals method on value types because the default implementation on System.ValueType will not perform as well as your custom implementation. Implement == any time you override the Equals method. 10.1.1.2 Implementing the Equality Operator (==) on Reference Types Most languages do provide a default implementation of the equality operator (==) for reference types. Therefore, you should use care when implementing == on reference types. Most reference types, even those that implement the Equals method, should not override ==. Override == if your type is a base type such as a Point, String, BigNumber, and so on. Any time you consider overloading the addition (+) and subtraction (-) operators, you also should consider overloading ==.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

11.

Guidelines for Casting Types

The following rules outline the usage guidelines for casts:

Do not allow implicit casts that will result in a loss of precision. For example, there should not be an implicit cast from Double to Int32, but there might be one from Int32 to Int64. Do not throw exceptions from implicit casts because it is very difficult for the developer to understand what is happening. Provide casts that operate on an entire object. The value that is cast should represent the entire object, not a member of an object. For example, it is not appropriate for a Button to cast to a string by returning its caption. Do not generate a semantically different value. For example, it is appropriate to convert a DateTime or TimeSpan into an Int32. The Int32 still represents the time or duration. It does not, however, make sense to convert a file name string such as "c:\mybitmap.gif" into a Bitmap object. Do not cast values from different domains. Casts operate within a particular domain of values. For example, numbers and strings are different domains. It makes sense that an Int32 can cast to a Double. However, it does not make sense for an Int32 to cast to a String, because they are in different domains. Common Design Patterns

12.

This topic provides guidelines for implementing common design patterns in class libraries. 12.1 Implementing Finalize and Dispose to Clean Up Unmanaged Resources

Class instances often encapsulate control over resources that are not managed by the runtime, such as window handles (HWND), database connections, and so on. Therefore, you should provide both an explicit and an implicit way to free those resources. Provide implicit control by implementing the protected Finalize Method on an object (destructor syntax in C# and the Managed Extensions for C++). The garbage collector calls this method at some point after there are no longer any valid references to the object.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

In some cases, you might want to provide programmers using an object with the ability to explicitly release these external resources before the garbage collector frees the object. If an external resource is scarce or expensive, better performance can be achieved if the programmer explicitly releases resources when they are no longer being used. To provide explicit control, implement the Dispose method provided by the IDisposable Interface. The consumer of the object should call this method when it is done using the object. Dispose can be called even if other references to the object are alive. Note that even when you provide explicit control by way of Dispose, you should provide implicit cleanup using the Finalize method. Finalize provides a backup to prevent resources from permanently leaking if the programmer fails to call Dispose. For more information about implementing Finalize and Dispose to clean up unmanaged resources, see Programming for Garbage Collection. The following code example illustrates the basic design pattern for implementing Dispose. [C#] // Design pattern for a base class. public class Base: IDisposable { //Implement IDisposable. public void Dispose() { Dispose(true); GC.SuppressFinalize(this); } protected virtual void Dispose(bool disposing) { if (disposing) {

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

// Free other state (managed objects). } // Free your own state (unmanaged objects). // Set large fields to null. } // Use C# destructor syntax for finalization code. ~Base() { // Simply call Dispose(false). Dispose (false); }

// Design pattern for a derived class. public class Derived: Base { protected override void Dispose(bool disposing) { if (disposing) { // Release managed resources. } // Release unmanaged resources. // Set large fields to null. // Call Dispose on your base class.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

base.Dispose(disposing); } // The derived class does not have a Finalize method // or a Dispose method with parameters because it inherits // them from the base class. } For a more detailed code example illustrating the design pattern for implementing Finalize and Dispose, see Implementing a Dispose Method. 12.1.1.1 Customizing a Dispose Method Name Occasionally a domain-specific name is more appropriate than Dispose. For example, a file encapsulation might want to use the method name Close. In this case, implement Dispose privately and create a public Close method that calls Dispose. The following code example illustrates this pattern. You can replace Close with a method name appropriate to your domain. [C#] // Do not make this method virtual. // A derived class should not be allowed // to override this method. public void Close() { // Call the Dispose method with no parameters. Dispose(); } 12.1.1.2 Finalize The following rules outline the usage guidelines for the Finalize method:

Only implement Finalize on objects that require finalization. There are performance costs associated with Finalize methods.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

If you require a Finalize method, you should consider implementing IDisposable to allow users of your class to avoid the cost of invoking the Finalize method. Do not make the Finalize method more visible. It should be protected, not public. An object's Finalize method should free any external resources that the object owns. Moreover, a Finalize method should release only resources that are held onto by the object. The Finalize method should not reference any other objects. Do not directly call a Finalize method on an object other than the object's base class. This is not a valid operation in the C# programming language. Call the base.Finalize method from an object's Finalize method. Note The base class's Finalize method is called automatically with the C# and the Managed Extensions for C++ destructor syntax.

12.1.1.3 Dispose The following rules outline the usage guidelines for the Dispose method:

Implement the dispose design pattern on a type that encapsulates resources that explicitly need to be freed. Users can free external resources by calling the public Dispose method. Implement the dispose design pattern on a base type that commonly has derived types that hold on to resources, even if the base type does not. If the base type has a close method, often this indicates the need to implement Dispose. In such cases, do not implement a Finalize method on the base type. Finalize should be implemented in any derived types that introduce resources that require cleanup. Free any disposable resources a type owns in its Dispose method. After Dispose has been called on an instance, prevent the Finalize method from running by calling the GC.SuppressFinalize Method. The exception to this rule is the rare situation in which work must be done in Finalize that is not covered by Dispose. Call the base class's Dispose method if it implements IDisposable. Do not assume that Dispose will be called. Unmanaged resources owned by a type should also be released in a Finalize method in the event that Dispose is not called.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Throw an ObjectDisposedException from instance methods on this type (other than Dispose) when resources are already disposed. This rule does not apply to the Dispose method because it should be callable multiple times without throwing an exception. Propagate the calls to Dispose through the hierarchy of base types. The Dispose method should free all resources held by this object and any object owned by this object. For example, you can create an object like a TextReader that holds onto a Stream and an Encoding, both of which are created by the TextReader without the user's knowledge. Furthermore, both the Stream and the Encoding can acquire external resources. When you call the Dispose method on the TextReader, it should in turn call Dispose on the Stream and the Encoding, causing them to release their external resources. You should consider not allowing an object to be usable after its Dispose method has been called. Recreating an object that has already been disposed is a difficult pattern to implement. Allow a Dispose method to be called more than once without throwing an exception. The method should do nothing after the first call.

12.2

Implementing the Equals Method

For related information on implementing the equality operator (==), see Guidelines for Implementing Equals and the Equality Operator (==).

Override the GetHashCode method to allow a type to work correctly in a hash table. Do not throw an exception in the implementation of an Equals method. Instead, return false for a null argument. Follow the contract defined on the Object.Equals Method as follows:

x.Equals(x) returns true. x.Equals(y) returns the same value as y.Equals(x). (x.Equals(y) && y.Equals(z)) returns true if and only if x.Equals(z) returns true. Successive invocations of x.Equals(y) return the same value as long as the objects referenced by x and y are not modified.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

x.Equals(null) returns false.

For some kinds of objects, it is desirable to have Equals test for value equality instead of referential equality. Such implementations of Equals return true if the two objects have the same value, even if they are not the same instance. The definition of what constitutes an object's value is up to the implementer of the type, but it is typically some or all of the data stored in the instance variables of the object. For example, the value of a string is based on the characters of the string; the Equals method of the String class returns true for any two instances of a string that contain exactly the same characters in the same order. When the Equals method of a base class provides value equality, an override of Equals in a derived class should call the inherited implementation of Equals. If you are programming in a language that supports operator overloading, and you choose to overload the equality operator (==) for a specified type, that type should override the Equals method. Such implementations of the Equals method should return the same results as the equality operator. Following this guideline will help ensure that class library code using Equals (such as ArrayList and Hashtable) works in a manner that is consistent with the way the equality operator is used by application code. If you are implementing a value type, you should consider overriding the Equals method to gain increased performance over the default implementation of the Equals method on System.ValueType. If you override Equals and the language supports operator overloading, you should overload the equality operator for your value type. If you are implementing reference types, you should consider overriding the Equals method on a reference type if your type looks like a base type such as a Point, String, BigNumber, and so on. Most reference types should not overload the equality operator, even if they override Equals. However, if you are implementing a reference type that is intended to have value semantics, such as a complex number type, you should override the equality operator. If you implement the IComparable Interface on a given type, you should override Equals on that type.

12.2.1.1 Examples Implementing the Equals method

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

The following code example contains two calls to the default implementation of the Equals method. [C#] using System; class SampleClass { public static void Main() { Object obj1 = new Object(); Object obj2 = new Object(); Console.WriteLine(obj1.Equals(obj2)); obj1 = obj2; Console.WriteLine(obj1.Equals(obj2)); } } The output of the preceding code is the following. False True Overriding the Equals method The following code example shows a Point class that overrides the Equals method to provide value equality and a class Point3D, which is derived from Point. Because the Point class's override of Equals is the first in the inheritance chain to introduce value equality, the Equals method of the base class (which is inherited from Object and checks for referential equality) is not invoked. However, Point3D.Equals invokes Point.Equals because Point implements Equals in a manner that provides value equality.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[C#] using System; class Point: object { int x, y; public override bool Equals(Object obj) { // Check for null values and compare run-time types. if (obj == null || GetType() != obj.GetType()) return false; Point p = (Point)obj; return (x == p.x) && (y == p.y); } public override int GetHashCode() { return x ^ y; } }

class Point3D: Point { int z; public override bool Equals(Object obj) {

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

return base.Equals(obj) && z == ((Point3D)obj).z; } public override int GetHashCode() { return base.GetHashCode() ^ z; } } The Point.Equals method checks that the obj argument is non-null and that it references an instance of the same type as this object. If either of the checks fail, the method returns false. The Equals method uses the Object.GetType Method to determine whether the run-time types of the two objects are identical. Note that typeof (TypeOf in Visual Basic) is not used here because it returns the static type. If the method had used a check of the form obj is Point instead, the check would return true in cases where obj is an instance of a class derived from Point, even though obj and the current instance are not of the same run-time type. Having verified that both objects are of the same type, the method casts obj to type Point and returns the result of comparing the instance variables of the two objects. In Point3D.Equals, the inherited Equals method is invoked before anything else is done. The inherited Equals method checks to see that obj is not null, that obj is an instance of the same class as this object, and that the inherited instance variables match. Only when the inherited Equals returns true, does the method compare the instance variables introduced in the derived class. Specifically, the cast to Point3D is not executed unless obj has been determined to be of type Point3D or a class derived from Point3D. Using the Equals method to compare instance variables In the previous example, the equality operator (==) is used to compare the individual instance variables. In some cases, it is appropriate to use the Equals method to compare instance variables in an Equals implementation, as shown in the following example. [C#] using System;

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

class Rectangle { Point a, b; public override bool Equals(Object obj) { if (obj == null || GetType() != obj.GetType()) return false; Rectangle r = (Rectangle)obj; // Use Equals to compare instance variables. return a.Equals(r.a) && b.Equals(r.b); } public override int GetHashCode() { return a.GetHashCode() ^ b.GetHashCode(); } } Overloading the equality operator (==) and the Equals method In some programming languages, such as C#, operator overloading is supported. When a type overloads ==, it should also override the Equals method to provide the same functionality. This is typically accomplished by writing the Equals method in terms of the overloaded equality operator (==), as in the following example. [C#] public struct Complex { double re, im; public override bool Equals(Object obj)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ return obj is Complex && this == (Complex)obj; } public override int GetHashCode() { return re.GetHashCode() ^ im.GetHashCode(); } public static bool operator ==(Complex x, Complex y) { return x.re == y.re && x.im == y.im; } public static bool operator !=(Complex x, Complex y) { return !(x == y); } } Because Complex is a C# struct (a value type), it is known that no classes will be derived from Complex. Therefore, the Equals method does not need to compare the GetType results for each object. Instead it uses the is operator to check the type of the obj parameter.
12.3 Callback Function Usage

Delegates, Interfaces and Events allow you to provide callback functionality. Each type has its own specific usage characteristics that make it better suited to particular situations. Events Use an event if the following are true:

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

A method signs up for the callback function up front, typically through separate Add and Remove methods. Typically, more than one object will want notification of the event. You want end users to be able to easily add a listener to the notification in the visual designer.

Delegates Use a delegate if the following are true:


You want a C language style function pointer. You want a single callback function. You want registration to occur in the call or at construction time, not through a separate Add method.

Interfaces Use an interface if the callback function requires complex behavior.

12.4

Time-Out Usage

Use time-outs to specify the maximum time a caller is willing to wait for completion of a method call. A time-out might take the form of a parameter to the method call as follows. [C#] server.PerformOperation(timeout); Alternately, a time-out can be used as a property on the server class as follows.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

[C#] server.Timeout = timeout; server.PerformOperation(); You should favor the first approach, because the association between the operation and the timeout is clearer. The property-based approach might be better if the server class is designed to be a component used with visual designers. Historically, time-outs have been represented by integers. Integer time-outs can be hard to use because it is not obvious what the unit of the time-out is, and it is difficult to translate units of time into the commonly used millisecond. A better approach is to use the TimeSpan structure as the time-out type. TimeSpan solves the problems with integer time-outs mentioned above. The following code example shows how to use a time-out of type TimeSpan. [C#] public class Server { void PerformOperation(TimeSpan timeout) { // Insert code for the method here. } }

public class TestClass { public Server server = new Server(); server.PerformOperation(new TimeSpan(0,15,0)); }

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

If the time-out is set to TimeSpan(0), the method should throw an exception if the operation is not immediately completed. If the time-out is TimeSpan.MaxValue, the operation should wait forever without timing out, as if there were no time-out set. A server class is not required to support either of these values, but it should throw an InvalidArgumentException if an unsupported time-out value is specified. If a time-out expires and an exception is thrown, the server class should cancel the underlying operation. If a default time-out is used, the server class should include a static defaultTimeout property to be used if the user does not specify one. The following code example includes a static OperationTimeout property of type TimeSpan that returns defaultTimeout. [C#] class Server { TimeSpan defaultTimeout = new TimeSpan(1000);

void PerformOperation() { this.PerformOperation(OperationTimeout); }

void PerformOperation(TimeSpan timeout) { // Insert code here. }

TimeSpan OperationTimeout

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ get { return defaultTimeout; } } } Types that are not able to resolve time-outs to the resolution of a TimeSpan should round the timeout to the nearest interval that can be accommodated. For example, a type that can only wait in one-second increments should round to the nearest second. An exception to this rule is when a value is rounded down to zero. In this case, the time-out should be rounded up to the minimum time-out possible. Rounding away from zero prevents "busy-wait" loops where a zero time-out value causes 100 percent processor utilization. In addition, it is recommended that you throw an exception when a time-out expires instead of returning an error code. Expiration of a time-out means that the operation could not complete successfully and therefore should be treated and handled as any other run-time error. For more information, see Error Raising and Handling Guidelines. In the case of an asynchronous operation with a time-out, the callback function should be called and an exception thrown when the results of the operation are first accessed. This is illustrated in the following code example. [C#] void OnReceiveCompleted(Object sender, ReceiveCompletedEventArgs asyncResult) { MessageQueue queue = (MessageQueue) sender; // The following code will throw an exception // if BeginReceive has timed out. Message message = queue.EndReceive(asyncResult.AsyncResult);

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Console.WriteLine("Message: " + (string)message.Body); queue.BeginReceive(new TimeSpan(1,0,0)); }

13.

Security in Class Libraries

Class library designers must understand code access security in order to write secure class libraries. When writing a class library, be aware of two security principles: use permissions to help protect objects, and write fully trusted code. The degree to which these principles apply will depend upon the class you are writing. Some classes, such as the System.IO.FileStream Class, represent objects that need protection with permissions. The implementation of these classes is responsible for checking the permissions of callers and allowing only authorized callers to perform operations for which they have permission. The System.Security Namespace contains classes that can help you perform these checks in the class libraries that you write. Class library code often is fully trusted or at least highly trusted code. Because class library code often accesses protected resources and unmanaged code, any flaws in the code represent a serious threat to the integrity of the entire security system. To help minimize security threats, follow the guidelines described in this topic when writing class library code. For more information, see Writing Secure Class Libraries. 13.1.1.1 Protecting Objects with Permissions Permissions are defined to help protect specific resources. A class library that performs operations on protected resources must be responsible for enforcing this protection. Before acting on any request on a protected resource, such as deleting a file, class library code first must check that the caller (and usually all callers, by means of a stack walk) has the appropriate delete permission for the resource. If the caller has the permission, the action should be allowed to complete. If the caller does not have the permission, the action should not be allowed to complete and a security exception should be raised. Protection is typically implemented in code with either a declarative or an imperative check of the appropriate permissions. It is important that classes protect resources, not only from direct access, but from all possible kinds of exposure. For example, a cached file object is responsible for checking for file read permissions, even if the actual data is retrieved from a cache in memory and no actual file

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

operation occurs. This is because the effect of handing the data to the caller is the same as if the caller had performed an actual read operation. 13.1.1.2 Fully Trusted Class Library Code Many class libraries are implemented as fully trusted code that encapsulates platform-specific functionality as managed objects, such as COM or system APIs. Fully trusted code can expose a weakness to the security of the entire system. However, if class libraries are written correctly with respect to security, placing a heavy security burden on a relatively small set of class libraries and the core runtime security allows the larger body of managed code to acquire the security benefits of these core class libraries. In a common class library security scenario, a fully trusted class exposes a resource that is protected by a permission; the resource is accessed by a native code API. A typical example of this type of resource is a file. The File class uses a native API to perform file operations, such as a deletion. The following steps are taken to protect the resource.
1.

A caller requests the deletion of file c:\test.txt by calling the File.Delete Method.

2. The Delete method creates a permission object representing the delete c:\test.txt permission. 3. The File class's code checks all callers on the stack to see if they have been granted the demanded permission; if not, a security exception is raised. 4. The File class asserts FullTrust in order to call native code, because its callers might not have this permission. 5. The File class uses a native API to perform the file delete operation. 6. The File class returns to its caller, and the file delete request is completed successfully. 13.1.1.3 Precautions for Highly Trusted Code Code in a trusted class library is granted permissions that are not available to most application code. In addition, an assembly might contain classes that do not need special permissions but are granted these permissions because the assembly contains other classes that do require them. These situations can expose a security weakness to the system. Therefore, you must be take special care when writing highly or fully trusted code.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Design trusted code so that it can be called by any semi-trusted code on the system without exposing security holes. Resources are normally protected by a stack walk of all callers. If a caller has insufficient permissions, attempted access is blocked. However, any time trusted code asserts a permission, the code takes responsibility for checking for required permissions. Normally, an assert should follow a permission check of the caller as described earlier in this topic. In addition, the number of higher permission asserts should be minimized to reduce the risk of unintended exposure. Fully trusted code is implicitly granted all other permissions. In addition, it is allowed to violate rules of type safety and object usage. Independent of the protection of resources, any aspect of the programmatic interface that might break type safety or allow access to data not normally available to the caller can lead to a security problem. 13.1.1.4 Performance Security checks involve checking the stack for the permissions of all callers. Depending upon the depth of the stack, these operations have the potential to be very expensive. If one operation actually consists of a number of actions at a lower level that require security checks, it might greatly improve performance to check caller permissions once and then assert the necessary permission before performing the actions. The assert will stop the stack walk from propagating further up the stack so that the check will stop there and succeed. This technique typically results in a performance improvement if three or more permission checks can be covered at once. 13.1.1.5 Summary of Class Library Security Issues

Any class library that uses protected resources must ensure that it does so only within the permissions of its callers. Assertion of permissions should be done only when necessary, and should be preceded by the necessary permission checks. To improve performance, aggregate operations that will involve security checks and consider the use of assert to limit stack walks without compromising security. Be aware of how a semi-trusted malicious caller might potentially use a class to bypass security. Do not assume that code will be called only by callers with certain permissions.

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

Do not define non-type-safe interfaces that might be used to bypass security elsewhere.

Do not expose functionality in a class that allows a semi-trusted caller to take advantage of the higher trust of the class.

14.

Threading Design Guidelines

The following rules outline the design guidelines for implementing threading:

Avoid providing static methods that alter static state. In common server scenarios, static state is shared across requests, which means multiple threads can execute that code at the same time. This opens up the possibility for threading bugs. Consider using a design pattern that encapsulates data into instances that are not shared across requests. Static state must be thread safe. Instance state does not need to be thread safe. By default, class libraries should not be thread safe. Adding locks to create thread-safe code decreases performance, increases lock contention, and creates the possibility for deadlock bugs to occur. In common application models, only one thread at a time executes user code, which minimizes the need for thread safety. For this reason, the .NET Framework class libraries are not thread safe by default. In cases where you want to provide a thread-safe version, provide a static Synchronized method that returns a thread-safe instance of a type. For an example, see the System.Collections.ArrayList.Synchronized Method and the System.Collections.ArrayList.IsSynchronized Method. Design your library with consideration for the stress of running in a server scenario. Avoid taking locks whenever possible. Be aware of method calls in locked sections. Deadlocks can result when a static method in class A calls static methods in class B and vice versa. If A and B both synchronize their static methods, this will cause a deadlock. You might discover this deadlock only under heavy threading stress. Performance issues can result when a static method in class A calls a static method in class A. If these methods are not factored correctly, performance will suffer because there will be a large amount of redundant synchronization. Excessive use of fine-grained

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

synchronization might negatively impact performance. In addition, it might have a significant negative impact on scalability.

Be aware of issues with the lock statement (SyncLock in Visual Basic). It is tempting to use the lock statement to solve all threading problems. However, the System.Threading.Interlocked Class is superior for updates that must be atomic. It executes a single lock prefix if there is no contention. In a code review, you should watch out for instances like the one shown in the following example. [C#] lock(this) { myField++; } If you replace the previous example with the following one, you will improve performance. [C#] System.Threading.Interlocked.Increment(myField); Another example is to update an object type variable only if it is null (Nothing in Visual Basic). You can use the following code to update the variable and make the code thread safe. [C#] if (x == null) { lock (this) { if (x == null)

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

{ x = y; } } } You can improve the performance of the previous sample by replacing it with the following code. [C#] System.Threading.Interlocked.CompareExchange(ref x, y, null); Avoid the need for synchronization if possible. For high traffic pathways, it is best to avoid synchronization. Sometimes the algorithm can be adjusted to tolerate race conditions rather than eliminate them.

15.

Guidelines for Asynchronous Programming

Asynchronous programming is a feature supported by many areas of the common language runtime, such as Remoting, ASP.NET, and Windows Forms. Asynchronous programming is a core concept in the .NET Framework. This topic introduces the design pattern for asynchronous programming. The philosophy behind these guidelines is as follows:

The client should decide whether a particular call should be asynchronous. It is not necessary for a server to do additional programming in order to support its clients' asynchronous behavior. The runtime should be able to manage the difference between the client and server views. As a result, the situation where the server has to implement IDispatch and do a large amount of work to support dynamic invocation by clients is avoided. The server can choose to explicitly support asynchronous behavior either because it can

Design Guidelines Design-Guidelines.doc

Version: 1.0 Date: 11/18/2003

implement asynchronous behavior more efficiently than a general architecture, or because it wants to support only asynchronous behavior by its clients. It is recommended that such servers follow the design pattern outlined in this document for exposing asynchronous operations.

Type safety must be enforced. The runtime provides the necessary services to support the asynchronous programming model. These services include the following:

Synchronization primitives, such as critical sections and ReaderWriterLock instances. Synchronization constructs such as containers that support the WaitForMultipleObjects method. Thread pools. Exposure to the underlying infrastructure, such as Message and ThreadPool objects.

You might also like