KEMBAR78
Appdomain: Identifer Name Example Class Pascal | PDF | Class (Computer Programming) | C Sharp (Programming Language)
0% found this document useful (0 votes)
119 views14 pages

Appdomain: Identifer Name Example Class Pascal

The document provides naming guidelines and best practices for C# code elements including classes, fields, methods, namespaces, parameters, properties, and exceptions. Key points include: - Use PascalCase for most names and camelCase for parameters and fields. - Prefix interfaces with "I" and suffix exceptions with "Exception". - Favor properties over public fields and expose fields as protected properties. - Name constants in uppercase with const and read-only static fields in PascalCase. - Derive new exceptions from SystemException or ApplicationException and include localized error messages. - Design classes to avoid exceptions under normal usage and return null for expected errors when possible.

Uploaded by

Joseph Aristotil
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)
119 views14 pages

Appdomain: Identifer Name Example Class Pascal

The document provides naming guidelines and best practices for C# code elements including classes, fields, methods, namespaces, parameters, properties, and exceptions. Key points include: - Use PascalCase for most names and camelCase for parameters and fields. - Prefix interfaces with "I" and suffix exceptions with "Exception". - Favor properties over public fields and expose fields as protected properties. - Name constants in uppercase with const and read-only static fields in PascalCase. - Derive new exceptions from SystemException or ApplicationException and include localized error messages. - Design classes to avoid exceptions under normal usage and return null for expected errors when possible.

Uploaded by

Joseph Aristotil
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/ 14

Identifer Name Example

Class Pascal AppDomain

Enum type Pascal rrorLevel


Enum values Pascal FatalErr

Event Pascal ValueChange

Exception class Pascal WebException


Note   Always ends with the suffix
Exception.

Read-only Static field Pascal RedValue

Interface Pascal IDisposable


Note   Always begins with the
prefix I.

Method Pascal ToString

Namespace Pascal System.Drawing

Parameter Camel typeName

Property Pascal BackColor

Protected instance field Camel redValue


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

Public instance field Pascal RedValue


Note   Rarely used. A property is
preferable to using a public
instance field
Field Names in class library
Microsoft Naming Guidelines for C#

Naming guidelines url :

http://msdn.microsoft.com/en-us/library/xzf533w0%28v=VS.71%29.aspx
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.

------------------------------------------------------------------------------------------------------------------------------------------

Class Member Usage Guidelines


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
{
return xValue;
}
set
{
xValue = value;
}
}
public int Y
{
get
{
return yValue;
}
set
{
yValue = value;
}
}
}

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;
}

Expose a field to a derived class by using a protected property that returns the value of the 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.
public struct Color
{
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
{
return Color;
}
}
public byte BlueValue
{
get
{
return Color;
}
}
}

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.
}

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) {...}
}

 n 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, 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);
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.
 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.
 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.

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 Base type Description Example

Exception Object Base class for None (use a derived class


all exceptions. of this exception).

SystemException Exception Base class for None (use a derived class


all runtime- of this exception).
generated
errors.

IndexOutOfRangeException SystemException Thrown by the Indexing an array outside


runtime only of its valid range:
when an array
is indexed arr[arr.Length+1]
improperly.

NullReferenceException SystemException Thrown by the object o = null;


runtime only
o.ToString();
when a null
object is
referenced.

InvalidOperationException SystemException Thrown by Calling


methods when Enumerator.GetNext()
in an invalid after removing an Item
state. from the underlying
collection.

ArgumentException SystemException Base class for None (use a derived class


all argument of this exception).
exceptions.

ArgumentNullException ArgumentException Thrown by String s = null;


methods that
"Calculate".IndexOf
do not allow an (s);
argument to be
null.

ArgumentOutOfRangeException ArgumentException Thrown by String s = "string";


methods that
s.Chars[9];
verify that
arguments are
in a given
range.

ExternalException SystemException Base class for None (use a derived class


exceptions that of this exception).
occur or are
targeted at
environments
outside of the
runtime.

COMException ExternalException Exception Used in COM interop.


encapsulating
COM Hresult
information.

SEHException ExternalException Exception Used in unmanaged code


encapsulating Interop.
Win32
structured
Exception
Handling
information.
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
{
// Read a line from the stream.
}
catch (Exception e)
{
throw new IOException ("Could not read from stream", e);
}
}
}

Handling and Throwing Exceptions


Programs must be able to uniformly handle errors that occur during execution. The common
language runtime greatly assists the design of fault-tolerant software by providing a model for
notifying programs of errors in a uniform way. All .NET Framework operations indicate failure
by throwing exceptions.

Traditionally, a language's error handling model relied on either the language's unique way of
detecting errors and locating handlers for them, or on the error handling mechanism provided by
the operating system. The runtime implements exception handling with the following features:

 Handles exceptions without regard for the language that generates the exception or the
language that handles the exception.
 Does not require any particular language syntax for handling exceptions, but allows each
language to define its own syntax.
 Allows exceptions to be thrown across process and even machine boundaries.

Exceptions offer several advantages over other methods of error notification, such as return
codes. Failures do not go unnoticed. Invalid values do not continue to propagate through the
system. You do not have to check return codes. Exception-handling code can be easily added to
increase program reliability. Finally, the runtime's exception handling is faster than Windows-
based C++ error handling.
Because execution threads routinely traverse managed and unmanaged blocks of code, the
runtime can throw or catch exceptions in either managed or unmanaged code. Unmanaged code
can include both C++-style SEH Exceptions and COM-based HRESULTS.

In This Section
Exceptions Overview

Provides an overview of common language runtime exceptions.

Exception Class

Describes the elements of an exception object.

Exception Hierarchy

Describes the exceptions that most exceptions derive from.

Exception Handling Fundamentals

Explains how to handle exceptions using catch, throw, and finally statements.

Best Practices for Handling Exceptions

Describes suggested methods for handling exceptions.

Handling COM Interop Exceptions

Describes how to handle exceptions thrown and caught in unmanaged code.

Related Sections
Exception Class

Reference information for the class that all exceptions inherit from.

ApplicationException Class

Reference information for the class that all application-generated exceptions should derive
from.

SystemException Class

Reference information for the class that all system-generated exceptions derive from.

Advanced COM Interop

Describes how exceptions work between managed and unmanaged code.

HRESULTs and Exceptions


Describes the mapping of exceptions between managed and unmanaged code.

Design Guidelines for Class Library


Developers
http://msdn.microsoft.com/en-us/library/czefa0ke%28v=VS.71%29.aspx

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
cross-language 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.

In This Section
Relationship to the Common Type System and the Common Language Specification

Describes the role of the common type system and the Common Language Specification in class
library development.

Naming Guidelines

Describes the guidelines for naming types in class libraries.

Class Member Usage Guidelines

Describes the guidelines for using properties, events, methods, constructors, fields, and
parameters in class libraries.

Type Usage Guidelines

Describes the guidelines for using classes, value types, delegates, attributes, and nested types in
class libraries.
Guidelines for Exposing Functionality to COM

Describes the guidelines for exposing class library types to COM.

Error Raising and Handling Guidelines

Describes the guidelines for raising and handling errors in class libraries.

Array Usage Guidelines

Describes the guidelines for using arrays in class libraries and how to decide whether to use an
array vs. a collection.

Operator Overloading Usage Guidelines

Describes the guidelines for implementing operator overloading in base class libraries.

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

Describes the guidelines for implementing the Equals method and the equality operator (==) in
class libraries.

Guidelines for Casting Types

Describes the guidelines for casting types in class libraries.

Common Design Patterns

Describes how to implement design patterns for Finalize and Dispose methods, the Equals
method, callback functions, and time-outs.

Security in Class Libraries

Describes the precautions to take when writing highly trusted class library code, and how to
help protect resources with permissions.

Threading Design Guidelines

Describes the guidelines for implementing threading in class libraries.

Guidelines for Asynchronous Programming

Describes the guidelines for implementing asynchronous programming in class libraries and
provides an asynchronous design pattern.

Related Sections
Class Library
Documents each of the public classes that constitute the .NET Framework.

Word Choice
http://msdn.microsoft.com/en-us/library/4xebs4k0%28v=vs.71%29.aspx

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.

In addition, avoid using identifiers that conflict with the following keywords.

AddHandler AddressOf Alias And Ansi


As Assembly Auto Base Boolean
ByRef Byte ByVal Call Case
Catch CBool CByte CChar CDate
CDec CDbl Char CInt Class
CLng CObj Const CShort CSng
CStr CType Date Decimal Declare
Default Delegate Dim Do Double
Each Else ElseIf End Enum
Erase Error Event Exit ExternalSource
False Finalize Finally Float For
Friend Function Get GetType Goto
Handles If Implements Imports In
Inherits Integer Interface Is Let
Lib Like Long Loop Me
Mod Module MustInherit MustOverride MyBase
MyClass Namespace New Next Not
Nothing NotInheritable NotOverridable Object On
Option Optional Or Overloads Overridable
Overrides ParamArray Preserve Private Property
Protected Public RaiseEvent ReadOnly ReDim
Region REM RemoveHandler Resume Return
Select Set Shadows Shared Short
Single Static Step Stop String
Structure Sub SyncLock Then Throw
To True Try TypeOf Unicode
Until volatile When While With
WithEvents WriteOnly Xor eval extends
instanceof package var       

You might also like