C# Language
C# Language
C# Language
C# Language Fundamentals
OBJECTIVES
Basic C# Class Constructors Basic Input and Output Value Types and Reference Types Iteration Statements Control Flow Statements Static Methods and Parameter passing Methods Arrays, Strings, and String Manipulations Enumerations and Structures
2
Basic C# Class
The using keyword has two major uses: // Hello.cs using Directive Creates an alias for a namespace using System; or imports types defined in other namespaces. class HelloClass using Statement Defines a scope at the end of which an object will be disposed. { public static int Main(string[ ] args) { Console.WriteLine("Hello World"); return 0; } }
3
CONSTRUCTORS
Works almost same as C++ "new" is the de facto standard to create an object instance Example ( illegal ) Correct version
HelloClass c1; c1.SayHi(); HelloClass c1 = new HelloClass(); c1.SayHi();
C# object variables are references to the objects in memory and not the actual objects Garbage collection is taken care by .NET
6
EXAMPLE
(Point.cs)
class Point { public Point() { Console.WriteLine("Default Constructor"); } public Point(int px, int py) { x = px; y = py; } public int x; public int y; } class PointApp { public static void Main(string[ ] args) { Point p1 = new Point(); // default constructor called Point p2; p2 = new Point(10, 20); // one arg constructor called
Default Values
Public variables/members are automatically get default values
Example
class Default { public int x; public object obj; public static void Main (string [ ] args) { Default d = new Default(); // Check the default value } }
}
}
9
Basic IO
// IO.cs using System; class BasicIO { public static void Main(string[ ] args) { int theInt = 20; float theFloat = 20.2F; // double theFloat = 20.2; is OK string theStr = "BIT"; Console.WriteLine("Int: {0}", theInt); Console.WriteLine("Float: {0}", theFloat); Console.WriteLine("String: {0}", theStr); // array of objects object[ ] obj = {"BIT", 20, 20.2}; Console.WriteLine("String: {0}\n Int: {1}\n Float: {2}\n", obj); } }
C Format: $9,999.00 D Format: 9999 E Format: 9.999000e+003 F Format: 9999.00 G Format: 9999 N Format: 9,999.00 X Format: 270f
11
12
Example - 1
public void SomeMethod() { int i = 30; // i is 30 int j = i; // j is also 30 int j = 99; // still i is 30, changing j will not change i }
13
Example - 2
struct Foo { public int x, y; } public void SomeMethod() { Foo f1 = new Foo(); // assign values to x and y Foo f2 = f1; // Modifying values of f2 members will not change f1 members . }
14
Class Types
Class types are always reference types These are allocated on the garbage-collected heap Assignment of reference types will reference the same object Example:
class Foo { public int x, y; }
Now the statement Foo f2 = f1; has a reference to the object f1 and any changes made for f2 will change f1
15
Example
// ValRef.cs // This is a Reference type because it is a class
x=
valWithRef2
structData = 777 refType
System.Object
Every C# data type is derived from the base class called System.Object
class HelloClass { .... }
is same as
Example
namespace System
{
public Object(); public virtual Boolean Equals(Object(obj); public virtual Int32 GetHashCode(); public Type GetType();
..
} }
19
GetHashCode()
GetType() ToString() Finalize()
MemberwiseClone()
Console.WriteLine("ToString: {0}", c1.ToString()); Console.WriteLine("GetHashCode: {0}", c1.GetHashCode()); Console.WriteLine("GetType: {0}", c1.GetType().BaseType); // create second object ObjTest c2 = c1; object o = c2; if (o.Equals(c1) && c2.Equals(o)) Console.WriteLine("Same Instance"); } }
21
22
Overriding ToString()
To format the string returned by System.Object.ToString()
using System.Text;
class Person { public override string ToString() { StringBuilder sb = new StringBuilder(); sb.AppendFormat("[FName = {0}", this.firstName); sb.AppendFormat("LName = {0}", this.lastName); sb.AppendFormat("SSN = {0}", this.SSN); sb.AppendFormat("Age = {0}]", this.age); return sb.ToString(); } }
23
Overriding Equals()
Equals() returns true if and only if the two objects being compared reference the same object in memory We can override this behavior and design when two objects have the same value (value-based). That is, when name, SSN, age of two objects are equal, then return true else return false.
24
Example
class Person { public override bool Equals(object o) { Person temp = (Person) o; if (temp.firstName == this.firstName && temp.lastName == this.lastName && temp.SSN == this.SSN && temp.age == this.age) return true; else return false; } }
Overriding GetHashCode()
When a class override Equals(), it should also override GetHashCode() Returns All custom types will be put in a System.Collections.Hashtable type. The Equals() and GetHashCode() methods will be called behind the scene to determine the correct type to return from the container Generation of hash code can be customized. In our example we shall use SSN a String member that is expected to be unique Example: refer to: Override.cs
public override int GetHashCode()
{ return SSN.GetHashCode(); }
C# Data Types
C# Alias
sbyte
byte short ushort int uint long ulong char float
Range
-128 to 127
0 to 255 -32768 to 32767 0 to 65535 -2,147,438,648 to +2,147,438,647 0 to 4,294,967,295 -9,223,372,036,854,775,808 to +9,.. 0 to 18,446,744,073,709,551,615 U10000 to U1FFFF 1.510-45 to 3.41038
System.SByte
System.Byte System.Int16 System.UInt16 System.Int32 System.UInt32 System.UInt64 System.UInt64 System.Char System.Single
double bool
decimal string object
Yes Yes
Yes Yes Yes
System.Double System.Boolean
System.Decimal System.String System.Object
Decimal
Double Int16 Int32 Int64
MulticastDelegate
SByte
Examples
Integers
UInt16.MaxValue UInt16.MinValue
double.Maxvalue double.MinValue double.PositiveInfinity double.NegativeInfinity
Double
Boolean
bool.FalseString bool.TrueString
29
Examples
Char
char.IsDigit('K') char.IsLetter('a') or char.IsLetter("100", 1) char.IsWhiteSpace("Hi BIT", 2) char.IsPunctuation(',')
30
Stack int 42
31
Reference Type
These types are allocated in a managed Heap Objects of these types are indirectly referenced Garbage collection is handled by .NET
Reference Variables
Shape rect = new Shape();
Objects Shape
Shape
33
UnBoxing
Converting the value in an object reference (held in heap) into the corresponding value type (stack) Example:
object objAge; int Age = (int) objAge; // OK string str = (string) objAge; // Wrong!
C# Iteration Constructs
for loop foreach-in loop while loop do-while loop
35
You can use "goto", "break", "continue", etc like other languages
36
38
Control Statements
if, if-else Statements Relational operators like ==, !=, <, >, <=, >=, etc are all allowed in C# Conditional operators like &&, ||, ! are also allowed in C# Beware of the difference between int and bool in C# Example
string s = "a b c"; if (s.Length) { . }
Error!
39
goto Statement
goto label; Explicit fall-through in a switch statement can be achieved by using goto statement Example: switch(country)
{ case "India": HiIndia(); goto case "USA"; case "USA": HiUSA(); break; default: break; }
41
C# Operators
All operators that you have used in C and C++ can also be used in C# Example: +, -, *, /, %, ?:, ->, etc Special operators in C# are : typeof, is and as The is operator is used to verify at runtime whether an object is compatible with a given type The as operator is used to downcast between types The typeof operator is used to represent runtime type information of a class
42
Example - is
public void DisplayObject(object obj) { if (obj is int) Console.WriteLine("The object is of type integer"); else Console.WriteLine("It is not int"); }
43
Example - as
Using as, you can convert types without raising an exception In casting, if the cast fails an InvalidCastException is raised But in as no exception is raised, instead the reference will be set to null
static void ChaseACar(Animal anAnimal) { Dog d = anAnimal as Dog; // Dog d = (Dog) anAnimal; if (d != null) d.ChaseCars(); else Console.WriteLine("Not a Dog"); }
44
Example - typeof
Instance Level
MyClass m = new MyClass(); Console.WriteLine(m.GetType());
Output
Typeof.MyClass
Class Level
Type myType = typeof(MyClass); Console.WriteLine(myType);
Output
Typeof.MyClass
45
Access Specifiers
public void MyMethod() { } private void MyMethod() { } protected void MyMethod() { } internal void MyMethod() { }
Accessible anywhere Accessible only from the class where defined Accessible from its own class and its descendent Accessible within the same Assembly
void MyMethod() { } private by default protected internal void MyMethod() { } Access is limited to the current assembly or types derived from the containing class
46
Static Methods
What does 'static' method mean? Methods marked as 'static' may be called from class level This means, there is no need to create an instance of the class (i.e. an object variable) and then call. This is similar to Console.WriteLine() public static void Main() why static? At run time Main() call be invoked without any object variable of the enclosing class
47
Example
public class MyClass { public static void MyMethod() {} } public class StaticMethod { public static void Main(string[ ] args) { MyClass.MyMethod(); } }
If MyMethod() is not declared as static, then MyClass obj = new MyClass(); obj.MyMethod();
48
Stack Class.
class StaticMethod { public static void Main(string[] args) { Console.WriteLine("Stack Contents:"); Stack.Push("BIT"); Stack.Push("GAT"); Stack.Show(); Console.WriteLine("Item Popped=> " + Stack.Pop()); Console.WriteLine("Stack Contents:"); Stack.Show(); } }
51
Parameter Passing
One advantage of out parameter type is that we can return more than one value from the called program to the caller
Calling Program a, b r
out
54
Example
using System; class Params { public static void DispArrInts(string msg, params int[ ] list) { Console.WriteLine(msg); for (int i = 0; i < list.Length; i++) Console.WriteLine(list[i]); } static void Main(string[ ] args) { int[ ] intArray = new int[ ] {1, 2, 3}; DispArrInts("List1", intArray); DispArrInts("List2", 4, 5, 6, 7); // you can send more elements DispArrInts("List3", 8,9); // you can send less elements } }
55
57
Calling Program
// Pass by Value Console.WriteLine("Passing By Value..........."); Person geetha = new Person("Geetha", 25); geetha.PrintPerson(); PersonByValue(geetha); geetha.PrintPerson();
// Pass by Reference Console.WriteLine("Passing By Reference........"); Person r = new Person("Geetha", 25); r.PrintPerson(); Passing By Reference........ Geetha is 25 years old PersonByRef(ref r); Nikki is 90 years old r.PrintPerson();
60
Arrays in C#
C# arrays are derived from System.Array base class Memory for arrays is allocated in heap It works much same as C, C++, Java, etc. Example
string [ ] strArray = new string[10]; // string array int [ ] intArray = new int [10]; // integer array int[2] Age = {34, 70}; // Error, requires new keyword Person[ ] Staff = new Person[2]; // object array strAarray[0] = "BIT"; // assign some value int [ ] Age = new int[3] {25, 45, 30}; // array initialization
61
Example
public static int[ ] ReadArray( ) // reads the elements of the array { int[ ] arr = new int[5]; for (int i = 0; i < arr.Length; i++) arr[i] = arr.Length - i; return arr; } public static int[ ] SortArray(int[ ] a) { System.Array.Sort(a); // sorts an array return a; }
62
Multidimensional Arrays
Rectangular Array
int[ , ] myMatrix; // declare a rectangular array int[ , ] myMatrix = new int[2, 2] { { 1, 2 }, { 3, 4 } }; // initialize myMatrix[1,2] = 45; // access a cell
Jagged Array
int[ ][ ] myJaggedArr = new int[2][ ]; // 2 rows and variable columns for (int i=0; i < myJaggedArr.Length; i++) myJaggedArr[i] = new int[i + 7]; Note that, 1st row will have 7 columns and 2nd row will have 8 columns 63
GetLength( ) Length
GetLowerBound( ) GetUpperBound( ) GetValue( ) SetValue( ) Reverse( ) Sort( )
Calling Program
public static void Main(string[ ] args) { int[ ] intArray; intArray = ReadArray( ); // read the array elements Console.WriteLine("Array before sorting"); for (int i = 0; i < intArray.Length; i++) Console.WriteLine(intArray[i]); intArray = SortArray(intArray); // sort the elements Console.WriteLine("Array after sorting"); for (int i = 0; i < intArray.Length; i++) Console.WriteLine(intArray[i]); }
65
String Manipulations in C#
A string is a sequential collection of Unicode characters, typically used to represent text, while a String is a sequential collection of System.Char objects that represents a string. If it is necessary to modify the actual contents of a string-like object, use the System.Text.StringBuilder class. Members of String perform either an ordinal or linguistic operation on a String.
ordinal: acts on the numeric value of each Char object. linguistic: acts on the value of the String taking into account culture-specific casing, sorting, formatting, and parsing rules.
Sort rules determine the alphabetic order of Unicode characters and how two strings compare to each other.
For example, the Compare method performs a linguistic comparison while the CompareOrdinal method performs an ordinal comparison. Consequently, if the current culture is U.S. English, the Compare method considers 'a' less than 'A' while the CompareOrdinal method considers 'a' greater than 'A'.
66
Strings
For string comparisons, use
Compare, CompareOrdinal, CompareTo(), Equals, EndsWith, and StartsWith Use IndexOf, IndexOfAny, LastIndexOf, and LastIndexOfAny Copy and CopyTo Substring and Split
To copy a string a substring, use To create one or more strings, use To change the case, use
ToLower and ToUpper
Insert, Replace, Remove, PadLeft, PadRight, Trim, TrimEnd, and TrimStart
68
Insert() - Inserts a specified instance of String at a specified index position in this instance.
System.Text.StringBuilder
Like Java, C# strings are immutable. This means, strings can not be modified once established For example, when you send ToUpper() message to a string object, you are not modifying the underlying buffer of the existing string object. Instead, you return a fresh copy of the buffer in uppercase It is not efficient, sometimes, to work on copies of strings solution? Use StringBuilder from System.Text!
Note: A String is called immutable because its value cannot be modified once it has been created. Methods that appear to modify a String actually return a new String containing the modification. If it is necessary to modify the actual contents of a string-like object, use the System.Text.StringBuilder class.
70
Example
using System; using System.Text; class MainClass { public static void Main() { StringBuilder myBuffer = new StringBuilder("Buffer"); // create the buffer or string builder myBuffer.Append( " is created"); Console.WriteLine(myBuffer); // ToString() converts a StringBuilder to a string string uppercase = myBuffer.ToString().ToUpper(); Console.WriteLine(uppercase); string lowercase = myBuffer.ToString().ToLower(); Console.WriteLine(lowercase); } }
Enumerations in C#
Mapping symbolic names to numerals
Example - 1 enum Colors
{ Red, Green, Blue // 0 // 1 // 2
GetName()
Retrieves the name for the constant in the enumeration Returns the type of enumeration
(Colors))); // System.Int32
GetUnderlyingType() Console.WriteLine(Enum.GetUnderlyingType(typeof
GetValues()
IsDefined() Parse()
Gives an array of values of the constants in enumeration To check whether a constant exists in enum
if (Enum.IsDefined(typeof(Colors), "Blue") .
Example
Array obj = Enum.GetValues(typeof(Colors)); foreach(Colors x in obj) { Console.WriteLine(x.ToString()); Console.WriteLine("int = {0}", Enum.Format(typeof(Colors), x, "D")); } Output
Red int = 0 Blue int = 1 Green int = 2
74
Structures in C#
Structures can contain constructors (must have arguments). We can't redefine default constructors It can implement interfaces Can have methods in fact, many! There is no System.Structure class!
75
Example
using System; struct STUDENT { public int RegNo; public string Name; public int Marks; public STUDENT(int r, string n, int m) { RegNo = r; Name = n; Marks = m; } } class MainClass { public static void Main() { STUDENT Geetha; Geetha.RegNo = 111; Geetha.Name = "Geetha"; Geetha.Marks = 77; STUDENT SomeOne = new STUDENT(222,"Raghu",90); }
Server
UserInterface
Session
IO
Desktop
WebUI
Example
Assume that you are developing a collection of graphic classes: Square, Circle, and Hexagon To organize these classes and share, two approaches could be used:
// shapeslib.cs using MyShapes; {
public class Square { } public class Circle { } public class Hexagon { }
}
78
Alternate Approach
// Square.cs using System; namespace MyShapes { class Square { } } // Circle.cs using System; namespace MyShapes { class Circle { } } // Heagon.cs using System; namespace MyShapes { class Hexagon { } }
All the three classes Square, Circle, and Hexagon are put in the namespace
MyShapes using System; using MyShapes; namespace MyApplication { class ShapeDemo { .. Square sq = new Square(); Circle Ci = new Circle(); Heagone he = new Heagon(); . } } defined in MyShapes namespace
The class Square is define in both the namespaces (MyShapes and My3DShpaes) To resolve this name clash, use
My3DShapes. Square Sq = new My3DShapes.Square();
Qualify the name of the class with the appropriate namespace The default namespace given in VS IDE is the name of the project
80
End of
Chapter 3